diff --git a/website/SHOWCASE_I18N_GUIDE.md b/website/SHOWCASE_I18N_GUIDE.md
new file mode 100644
index 000000000..d2bbe730c
--- /dev/null
+++ b/website/SHOWCASE_I18N_GUIDE.md
@@ -0,0 +1,239 @@
+# Showcase 开发指南
+
+## 快速开始
+
+Showcase 页面采用 **JSON 配置 + 构建时自动生成** 的方式管理。你只需要编辑 JSON 文件,脚本会自动生成所有语言的页面。
+
+### 开发环境
+
+```bash
+# 终端 1:启动 dev server
+npm run dev
+
+# 终端 2:启动 watch 模式(修改 JSON 后自动刷新页面)
+npm run watch-showcase
+```
+
+启动后访问 `http://localhost:3000/{lang}/showcase/{id}/` 查看效果。
+
+---
+
+## 添加新的 Showcase
+
+### 第 1 步:在 `showcase-i18n/zh.json` 中添加配置
+
+在 JSON 文件中添加一个新条目,key 就是页面的 URL slug:
+
+```json
+{
+ "my-new-showcase": {
+ "title": "案例标题",
+ "description": "一句话描述",
+ "category": "编程开发",
+ "features": ["Agent 模式", "GitHub"],
+ "thumbnail": "https://img.alicdn.com/imgextra/xxx.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/xxx.mp4",
+ "model": "qwen3.5-plus",
+ "author": "Qwen Code Team",
+ "date": "2025-07-01",
+ "overview": "概述文本,描述这个案例解决什么问题。",
+ "steps": [
+ {
+ "title": "第一步标题",
+ "blocks": [
+ { "type": "text", "value": "操作说明文本。" },
+ { "type": "code", "lang": "bash", "value": "qwen-code --version" }
+ ]
+ },
+ {
+ "title": "第二步标题",
+ "blocks": [
+ { "type": "text", "value": "更多操作说明。" },
+ { "type": "image", "src": "https://img.alicdn.com/xxx.png", "alt": "截图" }
+ ]
+ }
+ ],
+ "callouts": [
+ { "type": "info", "content": "页面底部的提示信息。" }
+ ]
+ }
+}
+```
+
+### 第 2 步:添加其他语言的翻译(可选)
+
+在 `en.json`、`ja.json` 等文件中添加同一个 ID 的翻译版本。**没有翻译的语言会自动回退到中文**。
+
+### 第 3 步:生成页面
+
+如果你已经启动了 `npm run watch-showcase`,保存 JSON 后页面会自动更新。
+
+否则手动运行:
+
+```bash
+node scripts/generate-showcase-mdx.js
+```
+
+---
+
+## 字段参考
+
+### 基础字段
+
+| 字段 | 必填 | 说明 |
+|------|------|------|
+| `title` | ✅ | 案例标题 |
+| `description` | ✅ | 一句话描述 |
+| `category` | ✅ | 分类(见下方可选值) |
+| `features` | ✅ | 功能标签数组 |
+| `thumbnail` | ✅ | 封面图 URL |
+| `videoUrl` | ❌ | 视频 URL(省略时页面展示封面图) |
+| `model` | ❌ | 使用的模型,默认 `qwen3.5-plus` |
+| `author` | ❌ | 作者名称,默认 `Qwen Code Team` |
+| `date` | ❌ | 发布日期(`YYYY-MM-DD`),用于排序(最新在前) |
+| `overview` | ✅ | 概述文本,支持 Markdown |
+| `steps` | ✅ | 操作步骤数组 |
+| `callouts` | ❌ | 页面底部的提示信息数组 |
+| `relatedLinks` | ❌ | 相关推荐链接数组 |
+
+### category 可选值
+
+`入门指南` · `编程开发` · `设计创作` · `日常任务` · `办公提效`
+
+### features 常用值
+
+`Agent 模式` · `Plan 模式` · `GitHub` · `Skills` · `MCP` · `Web Search` · `Cowork` · `LSP` · `Headless` · `API` · `chat` · `insight` · `Remotion` · `安装` · `设置` · `多语言` · `终端操作` · `文件操作` · `文件引用` · `图片识别` · `图片生成` · `导出对话` · `体验优化`
+
+### Steps 的 blocks 格式
+
+每个 step 包含 `title`(标题)和 `blocks`(内容块数组)。blocks 支持 4 种类型:
+
+| 类型 | 字段 | 说明 | 需要翻译 |
+|------|------|------|----------|
+| `text` | `value` | 文本段落,支持 Markdown | ✅ |
+| `code` | `lang`, `value` | 代码块 | ❌ |
+| `image` | `src`, `alt` | 图片 | ❌ |
+| `callout` | `calloutType`, `value` | 提示框(`info` / `warning` / `tip`) | ✅ |
+
+示例:
+
+```json
+{
+ "title": "获取 API Key",
+ "blocks": [
+ { "type": "text", "value": "访问百炼平台,找到 API Key 管理页面。" },
+ { "type": "image", "src": "https://img.alicdn.com/xxx.png", "alt": "API Key 页面" },
+ { "type": "callout", "calloutType": "warning", "value": "请妥善保管你的 API Key。" },
+ { "type": "code", "lang": "bash", "value": "export API_KEY=your-key-here" }
+ ]
+}
+```
+
+### 自动生成的内容(不需要配置)
+
+以下内容由脚本自动处理,你不需要手动编写:
+
+- 章节标题(`## 概述`、`## 操作步骤`)— 根据语言自动翻译
+- `ShowcaseDetailMeta` 组件 — 从 category / features / model / author 自动生成
+- 视频/图片展示 — 从 videoUrl / thumbnail 自动生成
+- CTA 按钮 — 自动添加在页面底部
+- import 语句 — 自动添加
+
+---
+
+## 翻译指南
+
+### 需要翻译的字段
+
+- `title` — 标题
+- `description` — 描述
+- `category` — 分类名称
+- `overview` — 概述文本
+- `steps[].title` — 步骤标题
+- `steps[].blocks[]` 中 `type: "text"` 和 `type: "callout"` 的 `value`
+- `callouts[].content` — 提示信息
+
+### 不需要翻译的字段
+
+`thumbnail` · `videoUrl` · `model` · `features` · `steps[].blocks[]` 中 `type: "code"` 和 `type: "image"` 的内容
+
+### 各语言分类名称对照
+
+| 中文 | 英文 | 日文 | 德文 | 法文 | 俄文 | 葡萄牙语 |
+|------|------|------|------|------|------|----------|
+| 入门指南 | Getting Started | 入門ガイド | Erste Schritte | Guide de démarrage | Руководство по началу работы | Guia de Início |
+| 编程开发 | Programming | プログラミング | Programmierung | Programmation | Программирование | Programação |
+| 日常任务 | Daily Tasks | 日常タスク | Tägliche Aufgaben | Tâches quotidiennes | Ежедневные задачи | Tarefas Diárias |
+| 办公提效 | Daily Tasks | 日常タスク | Tägliche Aufgaben | Tâches quotidiennes | Ежедневные задачи | Tarefas Diárias |
+| 设计创作 | Creator Tools | クリエイターツール | Kreativ-Tools | Outils créatifs | Инструменты для творчества | Ferramentas de Criação |
+
+---
+
+## 项目结构
+
+```
+showcase-i18n/
+├── zh.json ← 中文(基准,所有 showcase 必须在这里定义)
+├── en.json ← 英文翻译
+├── de.json ← 德文翻译
+├── fr.json ← 法文翻译
+├── ja.json ← 日文翻译
+├── pt-BR.json ← 葡萄牙语翻译
+└── ru.json ← 俄语翻译
+
+scripts/
+├── generate-showcase-mdx.js ← JSON → MDX 生成(构建时自动运行)
+├── generate-showcase-data.js ← 生成索引页数据(构建时自动运行)
+├── watch-showcase.js ← Watch 模式(开发时使用)
+├── extract-showcase-data.js ← MDX → JSON 提取(迁移工具)
+└── restructure-steps-to-blocks.js ← content → blocks 迁移(一次性工具)
+
+content/{lang}/showcase/
+└── *.mdx ← 自动生成的页面文件(不要手动编辑)
+```
+
+### 构建流程
+
+```
+npm run dev / build
+ │
+ ├── 1. generate-showcase-mdx → 从 JSON 生成各语言 MDX 文件
+ ├── 2. generate-showcase → 从 MDX 提取索引页数据
+ └── 3. next dev / next build → Next.js 编译
+```
+
+---
+
+## 可用的 npm 脚本
+
+| 命令 | 说明 |
+|------|------|
+| `npm run dev` | 启动开发服务器(自动生成 MDX) |
+| `npm run build` | 生产构建(自动生成 MDX) |
+| `npm run watch-showcase` | Watch 模式,JSON 变化自动重新生成 MDX |
+| `npm run generate-showcase-mdx` | 手动生成所有语言的 MDX 文件 |
+| `npm run generate-showcase` | 手动生成索引页数据 |
+
+---
+
+## 相关组件
+
+| 组件 | 文件 | 功能 |
+|------|------|------|
+| `ShowcaseDetailMeta` | `src/components/showcase-detail-meta.tsx` | 详情页元信息 |
+| `ShowcaseDetailCta` | `src/components/showcase-detail-meta.tsx` | 详情页 CTA 按钮(7 种语言) |
+| `VideoShowcaseIndex` | `src/components/video-showcase-index.tsx` | 索引页 |
+| `VideoShowcaseDetail` | `src/components/video-showcase-detail.tsx` | 视频详情页 |
+| `ShowcaseCards` | `src/components/showcase-cards.tsx` | 卡片列表 |
+
+所有组件通过 `useLocale()` hook 自动检测当前语言,动态生成对应的链接和文案。
+
+---
+
+## 注意事项
+
+1. **zh.json 是基准** — 所有新 showcase 必须先在 `zh.json` 中定义
+2. **不要手动编辑 MDX** — `content/{lang}/showcase/*.mdx` 由脚本生成,手动修改会被覆盖
+3. **index.mdx 不受管理** — 各语言的 `showcase/index.mdx` 需要手动维护
+4. **JSON 中的换行** — 使用 `\n` 表示换行,`\"` 表示双引号
+5. **videoUrl 可选** — 没有视频的 showcase 省略此字段即可
diff --git a/website/content/de/showcase/code-lsp-intelligence.mdx b/website/content/de/showcase/code-lsp-intelligence.mdx
new file mode 100644
index 000000000..2679501d7
--- /dev/null
+++ b/website/content/de/showcase/code-lsp-intelligence.mdx
@@ -0,0 +1,46 @@
+---
+title: "LSP IntelliSense"
+description: "Durch die Integration von LSP (Language Server Protocol) bietet Qwen Code professionelle Code-Vervollständigung und Navigation mit Echtzeit-Diagnose."
+category: "Programmierung"
+features:
+ - "LSP"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+LSP (Language Server Protocol) IntelliSense ermöglicht es Qwen Code, Code-Vervollständigung und Navigation auf dem Niveau professioneller IDEs bereitzustellen. Durch die Integration von Sprachservern kann Qwen Code Codestruktur, Typinformationen und Kontextbeziehungen präzise verstehen und hochwertige Code-Vorschläge liefern. Ob Funktionssignaturen, Parameterhinweise, Variablennamen-Vervollständigung, Definitionssprünge, Referenzsuche oder Refactoring – LSP IntelliSense unterstützt alles reibungslos. Die Echtzeit-Diagnose erkennt sofort Syntaxfehler, Typprobleme und potenzielle Bugs während des Codierens.
+
+
+
+
+
+## Schritte
+
+
+
+### Automatische Erkennung
+
+Qwen Code erkennt automatisch Sprachserver-Konfigurationen in Ihrem Projekt. Für gängige Programmiersprachen und Frameworks erkennt und startet es den entsprechenden LSP-Dienst automatisch. Keine manuelle Konfiguration erforderlich – sofort einsatzbereit.
+
+### IntelliSense genießen
+
+Beim Codieren aktiviert sich LSP IntelliSense automatisch. Während Sie tippen, liefert es präzise Vervollständigungsvorschläge basierend auf dem Kontext, einschließlich Funktionsnamen, Variablennamen und Typannotationen. Drücken Sie Tab, um einen Vorschlag schnell anzunehmen.
+
+### Fehlerdiagnose
+
+Die LSP-Echtzeit-Diagnose analysiert Ihren Code kontinuierlich und erkennt potenzielle Probleme. Fehler und Warnungen werden intuitiv angezeigt, einschließlich Problemort, Fehlertyp und Korrekturvorschlägen.
+
+
+
+
+Unterstützt gängige Sprachen wie TypeScript, Python, Java, Go, Rust sowie Frontend-Frameworks wie React, Vue und Angular. Die Leistung des LSP-Dienstes hängt von der Implementierung des Sprachservers ab.
+
+
+
diff --git a/website/content/de/showcase/code-pr-review.mdx b/website/content/de/showcase/code-pr-review.mdx
new file mode 100644
index 000000000..01b9ef852
--- /dev/null
+++ b/website/content/de/showcase/code-pr-review.mdx
@@ -0,0 +1,63 @@
+---
+title: "PR Review"
+description: "Verwenden Sie Qwen Code für intelligente Code-Reviews von Pull Requests und entdecken Sie automatisch potenzielle Probleme."
+category: "Programmierung"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Code-Reviews sind ein wichtiger Schritt zur Sicherstellung der Codequalität, aber oft zeitaufwändig und fehleranfällig. Qwen Code kann Ihnen helfen, intelligente Code-Reviews für Pull Requests durchzuführen, Code-Änderungen automatisch zu analysieren, potenzielle Bugs zu finden, Code-Standards zu prüfen und detaillierte Review-Berichte zu erstellen.
+
+
+
+
+
+## Schritte
+
+
+
+### PR zum Review angeben
+
+Teilen Sie Qwen Code mit, welchen Pull Request Sie reviewen möchten, indem Sie die PR-Nummer oder den Link angeben.
+
+
+Sie können den pr-review Skill verwenden, um PRs zu analysieren. Zur Skill-Installation siehe: [Skills installieren](./guide-skill-install.mdx).
+
+
+```bash
+/skill pr-review Bitte reviewe diesen PR:
+```
+
+### Tests ausführen und prüfen
+
+Qwen Code analysiert die Code-Änderungen, identifiziert relevante Testfälle und führt Tests durch, um die Korrektheit des Codes zu überprüfen.
+
+```bash
+Tests ausführen und prüfen, ob dieser PR alle Testfälle besteht
+```
+
+### Review-Bericht ansehen
+
+Nach dem Review erstellt Qwen Code einen detaillierten Bericht mit gefundenen Problemen, potenziellen Risiken und Verbesserungsvorschlägen.
+
+```bash
+Review-Bericht anzeigen und alle gefundenen Probleme auflisten
+```
+
+
+
+
+Qwen Codes Code-Review analysiert nicht nur Syntax und Standards, sondern auch Code-Logik, um potenzielle Performance-Probleme, Sicherheitslücken und Design-Schwächen zu identifizieren.
+
+
+
diff --git a/website/content/de/showcase/code-solve-issue.mdx b/website/content/de/showcase/code-solve-issue.mdx
new file mode 100644
index 000000000..989de1a1e
--- /dev/null
+++ b/website/content/de/showcase/code-solve-issue.mdx
@@ -0,0 +1,71 @@
+---
+title: "Issues lösen"
+description: "Verwenden Sie Qwen Code, um Open-Source-Projekt-Issues zu analysieren und zu lösen – mit vollständiger Prozessverfolgung vom Verstehen bis zur Code-Einreichung."
+category: "Programmierung"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Issues für Open-Source-Projekte zu lösen ist ein wichtiger Weg, um Programmierfähigkeiten zu verbessern und technischen Einfluss aufzubauen. Qwen Code hilft Ihnen, Probleme schnell zu lokalisieren, relevanten Code zu verstehen, Lösungspläne zu entwickeln und Code-Änderungen umzusetzen.
+
+
+
+
+
+## Schritte
+
+
+
+### Issue auswählen
+
+Finden Sie ein interessantes oder geeignetes Issue auf GitHub. Priorisieren Sie Issues mit klaren Beschreibungen, Reproduktionsschritten und erwarteten Ergebnissen. Labels wie `good first issue` oder `help wanted` eignen sich gut für Einsteiger.
+
+### Projekt klonen und Problem lokalisieren
+
+Laden Sie den Projektcode herunter und lassen Sie die KI das Problem lokalisieren. Verwenden Sie `@file`, um relevante Dateien zu referenzieren.
+
+```bash
+Hilf mir zu analysieren, wo das in diesem Issue beschriebene Problem auftritt, Issue-Link:
+```
+
+### Relevanten Code verstehen
+
+Lassen Sie die KI die relevante Code-Logik und Abhängigkeiten erklären.
+
+### Lösungsplan entwickeln
+
+Besprechen Sie mögliche Lösungen mit der KI und wählen Sie die beste aus.
+
+### Code-Änderungen implementieren
+
+Ändern Sie den Code schrittweise mit KI-Unterstützung und testen Sie ihn.
+
+```bash
+Hilf mir, diesen Code zu ändern, um das Problem zu lösen
+```
+
+### PR einreichen
+
+Nach Abschluss der Änderungen einen PR einreichen und auf die Überprüfung durch den Projektbetreuer warten.
+
+```bash
+Hilf mir, einen PR einzureichen, um dieses Problem zu lösen
+```
+
+
+
+
+Open-Source-Issues zu lösen verbessert nicht nur technische Fähigkeiten, sondern baut auch technischen Einfluss auf und fördert die Karriereentwicklung.
+
+
+
diff --git a/website/content/de/showcase/creator-oss-promo-video.mdx b/website/content/de/showcase/creator-oss-promo-video.mdx
new file mode 100644
index 000000000..8759382f4
--- /dev/null
+++ b/website/content/de/showcase/creator-oss-promo-video.mdx
@@ -0,0 +1,48 @@
+---
+title: "Werbevideo für Ihr Open-Source-Projekt erstellen"
+description: "Geben Sie eine Repository-URL an und die KI generiert ein professionelles Projekt-Demo-Video für Sie."
+category: "Kreativ-Tools"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Möchten Sie ein Werbevideo für Ihr Open-Source-Projekt erstellen, haben aber keine Videoerfahrung? Qwen Code kann automatisch professionelle Projekt-Demo-Videos für Sie generieren. Geben Sie einfach die GitHub-Repository-URL an, und die KI analysiert die Projektstruktur, extrahiert Schlüsselfunktionen, generiert Animationsskripte und rendert ein professionelles Video mit Remotion.
+
+
+
+
+
+## Schritte
+
+
+
+### Repository vorbereiten
+
+Stellen Sie sicher, dass Ihr GitHub-Repository vollständige Projektinformationen und Dokumentation enthält, einschließlich README, Screenshots und Funktionsbeschreibungen.
+
+### Werbevideo generieren
+
+Teilen Sie Qwen Code den gewünschten Videostil und Fokus mit, und die KI analysiert das Projekt automatisch und generiert das Video.
+
+```bash
+Basierend auf diesem Skill https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, hilf mir, ein Demo-Video für das Open-Source-Repository zu generieren:
+```
+
+
+
+
+Generierte Videos unterstützen mehrere Auflösungen und Formate und können direkt auf YouTube und andere Videoplattformen hochgeladen werden.
+
+
+
diff --git a/website/content/de/showcase/creator-remotion-video.mdx b/website/content/de/showcase/creator-remotion-video.mdx
new file mode 100644
index 000000000..f2ad2e814
--- /dev/null
+++ b/website/content/de/showcase/creator-remotion-video.mdx
@@ -0,0 +1,68 @@
+---
+title: "Remotion Videoerstellung"
+description: "Beschreiben Sie Ihre Ideen in natürlicher Sprache und verwenden Sie den Remotion Skill, um code-generierte Videoinhalte zu erstellen."
+category: "Kreativ-Tools"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Möchten Sie Videos erstellen, können aber nicht programmieren? Beschreiben Sie Ihre Ideen in natürlicher Sprache, und Qwen Code verwendet den Remotion Skill, um Videocode zu generieren. Die KI versteht Ihre kreative Beschreibung und generiert automatisch Remotion-Projektcode, einschließlich Szenenaufbau, Animationseffekte und Textlayout.
+
+
+
+
+
+## Schritte
+
+
+
+### Remotion Skill installieren
+
+Installieren Sie zunächst den Remotion-Skill, der Best Practices und Vorlagen für die Videoerstellung enthält.
+
+```bash
+Prüfe, ob ich find skills habe, falls nicht, installiere es direkt: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, dann hilf mir, remotion-best-practice zu installieren.
+```
+
+### Ihre Idee beschreiben
+
+Beschreiben Sie in natürlicher Sprache den Videoinhalt, den Sie erstellen möchten, einschließlich Thema, Stil, Dauer und Schlüsselszenen.
+
+```bash
+@file Erstelle basierend auf dem Dokument ein 30-sekündiges Produktwerbevideo im modernen Stil.
+```
+
+### Vorschau und Anpassung
+
+Qwen Code generiert Remotion-Projektcode basierend auf Ihrer Beschreibung. Starten Sie den Entwicklungsserver zur Vorschau.
+
+```bash
+npm run dev
+```
+
+### Rendern und Exportieren
+
+Wenn Sie zufrieden sind, verwenden Sie den Build-Befehl, um das endgültige Video zu rendern.
+
+```bash
+Hilf mir, das Video direkt zu rendern und zu exportieren.
+```
+
+
+
+
+Der Prompt-basierte Ansatz eignet sich hervorragend für schnelles Prototyping und kreative Erkundung. Der generierte Code kann weiter manuell bearbeitet werden.
+
+
+
diff --git a/website/content/de/showcase/creator-resume-site-quick.mdx b/website/content/de/showcase/creator-resume-site-quick.mdx
new file mode 100644
index 000000000..cae8c6c5b
--- /dev/null
+++ b/website/content/de/showcase/creator-resume-site-quick.mdx
@@ -0,0 +1,67 @@
+---
+title: "Persönliche Lebenslauf-Website erstellen"
+description: "Erstellen Sie mit einem Satz eine persönliche Lebenslauf-Website – integrieren Sie Ihre Erfahrungen, generieren Sie eine Präsentationsseite mit PDF-Export."
+category: "Kreativ-Tools"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Eine persönliche Lebenslauf-Website ist ein wichtiges Werkzeug für die Jobsuche und Selbstpräsentation. Qwen Code kann basierend auf Ihrem Lebenslaufinhalt schnell eine professionelle Präsentationsseite generieren, die PDF-Export unterstützt.
+
+
+
+
+
+## Schritte
+
+
+
+### Persönliche Erfahrungen angeben
+
+Teilen Sie der KI Ihren Bildungshintergrund, Berufserfahrung, Projekterfahrung und Fähigkeiten mit.
+
+```bash
+Ich bin Frontend-Entwickler, habe an der XX-Universität studiert, 3 Jahre Erfahrung, spezialisiert auf React und TypeScript...
+```
+
+### Web-Design Skill installieren
+
+Installieren Sie den Web-Design Skill, der Lebenslauf-Design-Vorlagen bereitstellt.
+
+```bash
+Prüfe, ob ich find skills habe, falls nicht, installiere es direkt: npx skills add https://github.com/vercel-labs/skills --skill find-skills, dann hilf mir, web-component-design zu installieren.
+```
+
+### Designstil wählen
+
+Beschreiben Sie Ihren bevorzugten Lebenslaufstil, z.B. minimalistisch, professionell oder kreativ.
+
+```bash
+/skills web-component-design Hilf mir, eine minimalistische professionelle Lebenslauf-Website zu gestalten
+```
+
+### Lebenslauf-Website generieren
+
+Die KI erstellt ein vollständiges Lebenslauf-Website-Projekt mit responsivem Layout und Druckstilen.
+
+```bash
+npm run dev
+```
+
+
+
+
+Ihre Lebenslauf-Website sollte Ihre Kernstärken und Leistungen hervorheben und spezifische Daten und Beispiele zur Untermauerung verwenden.
+
+
+
diff --git a/website/content/de/showcase/creator-website-clone.mdx b/website/content/de/showcase/creator-website-clone.mdx
new file mode 100644
index 000000000..ff1e9c6ba
--- /dev/null
+++ b/website/content/de/showcase/creator-website-clone.mdx
@@ -0,0 +1,63 @@
+---
+title: "Ihre Lieblingswebsite mit einem Satz nachbilden"
+description: "Geben Sie einen Screenshot an Qwen Code und die KI analysiert die Seitenstruktur und generiert vollständigen Frontend-Code."
+category: "Kreativ-Tools"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Haben Sie ein Website-Design entdeckt, das Sie schnell nachbilden möchten? Geben Sie einfach einen Screenshot an Qwen Code und die KI analysiert die Seitenstruktur und generiert vollständigen Frontend-Code. Qwen Code erkennt das Seitenlayout, Farbschema und die Komponentenstruktur und generiert ausführbaren Code mit modernen Frontend-Technologien.
+
+
+
+
+
+## Schritte
+
+
+
+### Website-Screenshot vorbereiten
+
+Machen Sie einen Screenshot der Website-Oberfläche, die Sie nachbilden möchten, und stellen Sie sicher, dass er klar und vollständig ist.
+
+### Entsprechenden Skill installieren
+
+Installieren Sie den Skill für Bilderkennung und Frontend-Code-Generierung.
+
+```bash
+Prüfe, ob ich find skills habe, falls nicht, installiere es direkt: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, dann hilf mir, web-component-design zu installieren.
+```
+
+### Screenshot einfügen und Anforderungen beschreiben
+
+Fügen Sie den Screenshot in das Gespräch ein und teilen Sie Qwen Code Ihre spezifischen Anforderungen mit.
+
+```bash
+/skills web-component-design Basierend auf diesem Skill, bilde eine Webseite HTML basierend auf @website.png nach, achte darauf, dass Bildreferenzen gültig sind.
+```
+
+Beispiel-Screenshot:
+
+
+
+### Ausführen und Vorschau
+
+Öffnen Sie die entsprechende Webseite zur Überprüfung. Bei Bedarf können Sie weiter mit der KI interagieren, um den Code anzupassen.
+
+
+
+
+Der generierte Code folgt modernen Frontend-Best-Practices mit guter Struktur und Wartbarkeit. Sie können ihn weiter anpassen und erweitern.
+
+
+
diff --git a/website/content/de/showcase/creator-youtube-to-blog.mdx b/website/content/de/showcase/creator-youtube-to-blog.mdx
new file mode 100644
index 000000000..1fdc117d3
--- /dev/null
+++ b/website/content/de/showcase/creator-youtube-to-blog.mdx
@@ -0,0 +1,52 @@
+---
+title: "YouTube-Videos in Blog-Beiträge umwandeln"
+description: "Verwenden Sie Qwen Code, um YouTube-Videos automatisch in strukturierte Blog-Artikel umzuwandeln."
+category: "Kreativ-Tools"
+features:
+ - "Skills"
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Haben Sie ein tolles YouTube-Video gefunden und möchten es in einen Blog-Beitrag umwandeln? Qwen Code kann automatisch Videoinhalte extrahieren und gut strukturierte, inhaltsreiche Blog-Artikel generieren. Die KI ruft das Video-Transkript ab, versteht die Kernpunkte und organisiert den Inhalt im Standard-Blog-Format.
+
+
+
+
+
+## Schritte
+
+
+
+### Video-Link angeben
+
+Teilen Sie Qwen Code den YouTube-Video-Link mit, den Sie umwandeln möchten.
+
+```
+Basierend auf diesem Skill: https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, hilf mir, dieses Video als Blog zu schreiben: https://www.youtube.com/watch?v=fJSLnxi1i64
+```
+
+### Blog-Beitrag generieren und bearbeiten
+
+Die KI analysiert das Transkript und generiert einen Artikel mit Titel, Einleitung, Hauptteil und Fazit.
+
+```
+Hilf mir, den Sprachstil dieses Artikels für einen technischen Blog anzupassen
+```
+
+
+
+
+Generierte Artikel unterstützen das Markdown-Format und können direkt auf Blog-Plattformen oder GitHub Pages veröffentlicht werden.
+
+
+
diff --git a/website/content/de/showcase/guide-agents-config.mdx b/website/content/de/showcase/guide-agents-config.mdx
new file mode 100644
index 000000000..05d6f730d
--- /dev/null
+++ b/website/content/de/showcase/guide-agents-config.mdx
@@ -0,0 +1,66 @@
+---
+title: "Agents-Konfigurationsdatei"
+description: "Passen Sie das KI-Verhalten über die Agents-MD-Datei an, damit sich die KI an Ihre Projektspezifikationen und Ihren Codierungsstil anpasst."
+category: "Erste Schritte"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die Agents-Konfigurationsdatei ermöglicht es Ihnen, das KI-Verhalten über Markdown-Dateien anzupassen, damit sich die KI an Ihre Projektspezifikationen und Ihren Codierungsstil anpasst. Sie können Codierungsstil, Benennungskonventionen, Kommentar-Anforderungen usw. definieren, und die KI generiert basierend auf diesen Konfigurationen Code, der den Projektstandards entspricht. Diese Funktion ist besonders für die Teamzusammenarbeit geeignet und stellt sicher, dass die von allen Mitgliedern generierten Codierungsstile konsistent sind.
+
+
+
+
+
+## Schritte
+
+
+
+### Konfigurationsdatei erstellen
+
+Erstellen Sie im Projektstammverzeichnis einen `.qwen`-Ordner und erstellen Sie darin eine `AGENTS.md`-Datei. Diese Datei speichert Ihre KI-Verhaltenskonfiguration.
+
+```bash
+mkdir -p .qwen && touch .qwen/AGENTS.md
+```
+
+### Konfiguration schreiben
+
+Schreiben Sie die Konfiguration im Markdown-Format und beschreiben Sie Projektspezifikationen in natürlicher Sprache. Sie können Codierungsstil, Benennungskonventionen, Kommentar-Anforderungen, Framework-Präferenzen usw. definieren, und die KI passt ihr Verhalten basierend auf diesen Konfigurationen an.
+
+```markdown
+# Projektspezifikationen
+
+### Codierungsstil
+
+- TypeScript verwenden
+- Funktionale Programmierung verwenden
+- Detaillierte Kommentare hinzufügen
+
+### Benennungskonventionen
+
+- camelCase für Variablen verwenden
+- UPPER_SNAKE_CASE für Konstanten verwenden
+- PascalCase für Klassennamen verwenden
+```
+
+### Konfiguration anwenden
+
+Nach dem Speichern der Konfigurationsdatei liest die KI diese automatisch und wendet sie an. Im nächsten Gespräch generiert die KI basierend auf der Konfiguration Code, der den Projektstandards entspricht, ohne dass die Spezifikationen wiederholt werden müssen.
+
+
+
+
+Unterstützt Markdown-Format, beschreiben Sie Projektspezifikationen in natürlicher Sprache.
+
+
+
diff --git a/website/content/de/showcase/guide-api-setup.mdx b/website/content/de/showcase/guide-api-setup.mdx
new file mode 100644
index 000000000..b4d6820bf
--- /dev/null
+++ b/website/content/de/showcase/guide-api-setup.mdx
@@ -0,0 +1,111 @@
+---
+title: "API-Konfigurationsanleitung"
+description: "Konfigurieren Sie API-Schlüssel und Modellparameter, um Ihre KI-Programmiererfahrung anzupassen. Unterstützt mehrere Modellauswahlen."
+category: "Erste Schritte"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die Konfiguration eines API-Schlüssels ist ein wichtiger Schritt bei der Verwendung von Qwen Code, da sie alle Funktionen freischaltet und den Zugriff auf leistungsstarke KI-Modelle ermöglicht. Über die Alibaba Cloud Bailian-Plattform können Sie einfach einen API-Schlüssel erhalten und das für verschiedene Szenarien am besten geeignete Modell auswählen. Ob für die tägliche Entwicklung oder komplexe Aufgaben - die richtige Modellkonfiguration kann Ihre Arbeitseffizienz erheblich verbessern.
+
+
+
+
+
+## Schritte
+
+
+
+### API-Schlüssel abrufen
+
+Besuchen Sie die [Alibaba Cloud Bailian-Plattform](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), finden Sie die API-Schlüssel-Verwaltungsseite im persönlichen Center. Klicken Sie auf "Neuen API-Schlüssel erstellen", und das System generiert einen eindeutigen Schlüssel. Dieser Schlüssel ist Ihre Berechtigung für den Zugriff auf Qwen Code-Dienste. Bitte bewahren Sie ihn sicher auf.
+
+
+
+
+Bitte bewahren Sie Ihren API-Schlüssel sicher auf und geben Sie ihn nicht an andere weiter oder committen Sie ihn in das Code-Repository.
+
+
+### API-Schlüssel in Qwen Code konfigurieren
+
+**1. Qwen Code automatisch konfigurieren lassen**
+
+Öffnen Sie das Terminal, starten Sie Qwen Code direkt im Stammverzeichnis, kopieren Sie den folgenden Code und teilen Sie Ihren API-SCHLÜSSEL mit. Die Konfiguration ist erfolgreich. Starten Sie Qwen Code neu und geben Sie `/model` ein, um zum konfigurierten Modell zu wechseln.
+
+```json
+Helfen Sie mir, `settings.json` für Bailians Modell gemäß dem folgenden Inhalt zu konfigurieren:
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "",
+ "name": "[Bailian] ",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": ""
+ },
+}
+Für die Eingabe des Modellnamens beachten Sie bitte: https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all
+Mein API-SCHLÜSSEL ist:
+```
+
+Fügen Sie dann Ihren API-SCHLÜSSEL in das Eingabefeld ein, teilen Sie ihm den gewünschten Modellnamen mit, z. B. `qwen3.5-plus`, und senden Sie ihn, um die Konfiguration abzuschließen.
+
+
+
+**2. Manuelle Konfiguration**
+
+Konfigurieren Sie die Datei settings.json manuell. Der Dateipfad befindet sich im Verzeichnis `/.qwen`. Sie können den folgenden Inhalt direkt kopieren und Ihren API-SCHLÜSSEL und Modellnamen ändern.
+
+```json
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "",
+ "name": "[Bailian] ",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": ""
+ },
+}
+```
+
+### Modell auswählen
+
+Wählen Sie das geeignete Modell entsprechend Ihren Anforderungen und balancieren Sie Geschwindigkeit und Leistung. Verschiedene Modelle sind für verschiedene Szenarien geeignet. Sie können basierend auf der Komplexität der Aufgabe und den Anforderungen an die Antwortzeit wählen. Verwenden Sie den Befehl `/model`, um schnell zwischen Modellen zu wechseln.
+
+Häufige Modelloptionen:
+- `qwen3.5-plus`: Leistungsstark, geeignet für komplexe Aufgaben
+- `qwen3.5-flash`: Schnell, geeignet für einfache Aufgaben
+- `qwen-max`: Stärkstes Modell, geeignet für Aufgaben mit hoher Schwierigkeit
+
+### Verbindung testen
+
+Senden Sie eine Testnachricht, um zu bestätigen, dass die API-Konfiguration korrekt ist. Wenn die Konfiguration erfolgreich ist, antwortet Qwen Code Ihnen sofort, was bedeutet, dass Sie bereit sind, mit der KI-unterstützten Programmierung zu beginnen. Wenn Sie Probleme haben, überprüfen Sie bitte, ob der API-Schlüssel korrekt eingestellt ist.
+
+```bash
+Hello, can you help me with coding?
+```
+
+
+
+
diff --git a/website/content/de/showcase/guide-authentication.mdx b/website/content/de/showcase/guide-authentication.mdx
new file mode 100644
index 000000000..5f681fd11
--- /dev/null
+++ b/website/content/de/showcase/guide-authentication.mdx
@@ -0,0 +1,50 @@
+---
+title: "Authentifizierungsanmeldung"
+description: "Verstehen Sie den Authentifizierungsprozess von Qwen Code, schließen Sie die Kontanmeldung schnell ab und schalten Sie alle Funktionen frei."
+category: "Erste Schritte"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die Authentifizierungsanmeldung ist der erste Schritt bei der Verwendung von Qwen Code. Durch einen einfachen Authentifizierungsprozess können Sie schnell alle Funktionen freischalten. Der Authentifizierungsprozess ist sicher und zuverlässig, unterstützt mehrere Anmeldemethoden und stellt die Sicherheit Ihres Kontos und Ihrer Daten sicher. Nach Abschluss der Authentifizierung können Sie eine personalisierte KI-Programmiererfahrung genießen, einschließlich benutzerdefinierter Modellkonfiguration, Verlaufsspeicherung und weiterer Funktionen.
+
+
+
+
+
+## Schritte
+
+
+
+### Authentifizierung auslösen
+
+Geben Sie nach dem Start von Qwen Code den Befehl `/auth` ein, und das System startet automatisch den Authentifizierungsprozess. Der Authentifizierungsbefehl kann in der Befehlszeile oder der VS Code-Erweiterung verwendet werden, und die Vorgehensweise ist konsistent. Das System erkennt den aktuellen Authentifizierungsstatus. Wenn Sie nicht angemeldet sind, führt es Sie durch die Anmeldung.
+
+```bash
+/auth
+```
+
+### Browser-Anmeldung
+
+Das System öffnet automatisch den Browser und leitet zur Authentifizierungsseite weiter. Auf der Authentifizierungsseite können Sie wählen, ob Sie ein Alibaba Cloud-Konto oder andere unterstützte Anmeldemethoden verwenden möchten. Der Anmeldeprozess ist schnell und bequem und dauert nur wenige Sekunden.
+
+### Anmeldung bestätigen
+
+Nach erfolgreicher Anmeldung schließt sich der Browser automatisch oder zeigt eine Erfolgsmeldung. Wenn Sie zur Qwen Code-Oberfläche zurückkehren, sehen Sie die Erfolgsmeldung zur Authentifizierung, die anzeigt, dass Sie sich erfolgreich angemeldet und alle Funktionen freigeschaltet haben. Authentifizierungsinformationen werden automatisch gespeichert, sodass Sie sich nicht erneut anmelden müssen.
+
+
+
+
+Authentifizierungsinformationen werden sicher lokal gespeichert, keine erneute Anmeldung bei jedem Mal erforderlich.
+
+
+
diff --git a/website/content/de/showcase/guide-bailian-coding-plan.mdx b/website/content/de/showcase/guide-bailian-coding-plan.mdx
new file mode 100644
index 000000000..aa96371bb
--- /dev/null
+++ b/website/content/de/showcase/guide-bailian-coding-plan.mdx
@@ -0,0 +1,57 @@
+---
+title: "Bailian Coding Plan-Modus"
+description: "Konfigurieren Sie die Verwendung von Bailian Coding Plan, mehrere Modellauswahlen, verbessern Sie die Abschlussqualität komplexer Aufgaben."
+category: "Erste Schritte"
+features:
+ - "Plan Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Der Bailian Coding Plan-Modus ist eine erweiterte Funktion von Qwen Code, die speziell für komplexe Programmieraufgaben entwickelt wurde. Durch intelligente Multi-Modell-Zusammenarbeit kann er große Aufgaben in ausführbare Schritte zerlegen und automatisch den optimalen Ausführungspfad planen. Ob beim Refactoring großer Codebasen oder bei der Implementierung komplexer Funktionen - Coding Plan kann die Qualität und Effizienz der Aufgabenabwicklung erheblich verbessern.
+
+
+
+
+
+## Schritte
+
+
+
+### Einstellungsoberfläche aufrufen
+
+Starten Sie Qwen Code und geben Sie den Befehl `/auth` ein.
+
+### Coding Plan auswählen
+
+Aktivieren Sie den Bailian Coding Plan-Modus in den Einstellungen, geben Sie Ihren API-Schlüssel ein, und Qwen Code konfiguriert automatisch die von Coding Plan unterstützten Modelle für Sie.
+
+
+
+### Modell auswählen
+
+Geben Sie direkt den Befehl `/model` ein, um das gewünschte Modell auszuwählen.
+
+### Komplexe Aufgabe starten
+
+Beschreiben Sie Ihre Programmiertask, und Coding Plan plant automatisch die Ausführungsschritte. Sie können die Ziele, Einschränkungen und erwarteten Ergebnisse der Aufgabe detailliert erklären. Die KI analysiert die Aufgabenanforderungen und generiert einen strukturierten Ausführungsplan, einschließlich spezifischer Operationen und erwarteter Ergebnisse für jeden Schritt.
+
+```bash
+Ich muss die Datenschicht dieses Projekts refaktorieren, die Datenbank von MySQL zu PostgreSQL migrieren und dabei die API-Schnittstelle unverändert lassen
+```
+
+
+
+
+Der Coding Plan-Modus ist besonders geeignet für komplexe Aufgaben, die eine mehrstufige Zusammenarbeit erfordern, wie z. B. Architektur-Refactoring, Funktionsmigration usw.
+
+
+
diff --git a/website/content/de/showcase/guide-copy-optimization.mdx b/website/content/de/showcase/guide-copy-optimization.mdx
new file mode 100644
index 000000000..a7952cc44
--- /dev/null
+++ b/website/content/de/showcase/guide-copy-optimization.mdx
@@ -0,0 +1,42 @@
+---
+title: "Kopierzeichen-Optimierung"
+description: "Optimierte Code-Kopiererfahrung, präzise Auswahl und Kopieren von Code-Snippets, vollständiges Format beibehalten."
+category: "Erste Schritte"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die optimierte Code-Kopiererfahrung ermöglicht es Ihnen, Code-Snippets präzise auszuwählen und zu kopieren, während das vollständige Format und die Einrückung beibehalten werden. Ob ganze Codeblöcke oder Teile von Zeilen - Sie können sie einfach kopieren und in Ihr Projekt einfügen. Die Kopierfunktion unterstützt mehrere Methoden, einschließlich Ein-Klick-Kopieren, Auswählen-Kopieren und Tastenkürzel-Kopieren, und erfüllt die Anforderungen verschiedener Szenarien.
+
+
+
+
+
+## Schritte
+
+
+
+### Codeblock auswählen
+
+Klicken Sie auf die Kopier-Schaltfläche in der oberen rechten Ecke des Codeblocks, um den gesamten Codeblock mit einem Klick zu kopieren. Die Kopier-Schaltfläche ist klar sichtbar und der Vorgang ist einfach und schnell. Der kopierte Inhalt behält das ursprüngliche Format bei, einschließlich Einrückung, Syntaxhervorhebung usw.
+
+### Einfügen und verwenden
+
+Fügen Sie den kopierten Code in Ihren Editor ein, und das Format wird automatisch beibehalten. Sie können ihn direkt verwenden, ohne Einrückungen oder Formatierungen manuell anpassen zu müssen. Der eingefügte Code ist vollständig mit dem ursprünglichen Code konsistent und stellt die Korrektheit des Codes sicher.
+
+### Präzise Auswahl
+
+Wenn Sie nur einen Teil des Codes kopieren müssen, können Sie mit der Maus den gewünschten Inhalt auswählen und dann mit dem Tastenkürzel kopieren. Unterstützt die Auswahl mehrerer Zeilen, sodass Sie die benötigten Code-Snippets präzise kopieren können.
+
+
+
+
diff --git a/website/content/de/showcase/guide-first-conversation.mdx b/website/content/de/showcase/guide-first-conversation.mdx
new file mode 100644
index 000000000..8ec3e0f75
--- /dev/null
+++ b/website/content/de/showcase/guide-first-conversation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Erstes Gespräch starten"
+description: "Nach der Installation Ihr erstes KI-Gespräch mit Qwen Code initiieren, um seine Kernfähigkeiten und Interaktionsmethoden zu verstehen."
+category: "Erste Schritte"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Nach Abschluss der Installation von Qwen Code werden Sie Ihr erstes Gespräch mit ihm führen. Dies ist eine hervorragende Gelegenheit, die Kernfähigkeiten und Interaktionsmethoden von Qwen Code zu verstehen. Sie können mit einer einfachen Begrüßung beginnen und schrittweise seine leistungsstarken Funktionen bei der Codegenerierung, Problemlösung, Dokumentenverständnis und mehr erkunden. Durch die praktische Anwendung werden Sie spüren, wie Qwen Code Ihr fähiger Assistent auf Ihrer Programmierreise wird.
+
+
+
+
+
+## Schritte
+
+
+
+### Qwen Code starten
+
+Geben Sie den Befehl `qwen` im Terminal ein, um die Anwendung zu starten. Beim ersten Start führt das System eine Initialisierungskonfiguration durch, die nur wenige Sekunden dauert. Nach dem Start sehen Sie eine freundliche Befehlszeilenoberfläche, bereit für den Beginn des Gesprächs mit der KI.
+
+```bash
+qwen
+```
+
+### Gespräch initiieren
+
+Geben Sie Ihre Frage in das Eingabefeld ein, um die Kommunikation mit der KI zu beginnen. Sie können mit einer einfachen Selbstvorstellung beginnen, z. B. fragen, was Qwen Code ist oder was es Ihnen helfen kann. Die KI wird Ihre Fragen in klarer und verständlicher Sprache beantworten und Sie dazu anleiten, mehr Funktionen zu erkunden.
+
+```bash
+what is qwen code?
+```
+
+### Fähigkeiten erkunden
+
+Versuchen Sie, die KI zu bitten, Ihnen bei einigen einfachen Aufgaben zu helfen, z. B. Code zu erklären, Funktionen zu generieren, technische Fragen zu beantworten usw. Durch die praktische Anwendung werden Sie sich allmählich mit den verschiedenen Fähigkeiten von Qwen Code vertraut machen und ihren Anwendungswert in verschiedenen Szenarien entdecken.
+
+```bash
+Helfen Sie mir, eine Python-Funktion zu schreiben, um die Fibonacci-Folge zu berechnen
+```
+
+
+
+
+Qwen Code unterstützt Mehrfach-Gespräche. Sie können basierend auf früheren Antworten weiter Fragen stellen, um Themen von Interesse eingehend zu erkunden.
+
+
+
diff --git a/website/content/de/showcase/guide-headless-mode.mdx b/website/content/de/showcase/guide-headless-mode.mdx
new file mode 100644
index 000000000..55f076fce
--- /dev/null
+++ b/website/content/de/showcase/guide-headless-mode.mdx
@@ -0,0 +1,62 @@
+---
+title: "Headless-Modus"
+description: "Verwenden Sie Qwen Code in GUI-freien Umgebungen, geeignet für Remote-Server, CI/CD-Pipelines und Automatisierungsskript-Szenarien."
+category: "Erste Schritte"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Der Headless-Modus ermöglicht es Ihnen, Qwen Code in GUI-freien Umgebungen zu verwenden, besonders geeignet für Remote-Server, CI/CD-Pipelines und Automatisierungsskript-Szenarien. Durch Befehlszeilenparameter und Pipeline-Eingabe können Sie Qwen Code nahtlos in vorhandene Workflows integrieren und automatisierte KI-unterstützte Programmierung erreichen.
+
+
+
+
+
+## Schritte
+
+
+
+### Prompt-Modus verwenden
+
+Verwenden Sie den Parameter `--p`, um Prompts direkt in der Befehlszeile zu übergeben. Qwen Code gibt die Antwort zurück und beendet sich automatisch. Diese Methode eignet sich für einmalige Abfragen und kann einfach in Skripte integriert werden.
+
+```bash
+qwen --p 'what is qwen code?'
+```
+
+### Pipeline-Eingabe
+
+Übergeben Sie die Ausgabe anderer Befehle über Pipelines an Qwen Code, um automatisierte Verarbeitung zu erreichen. Sie können Protokolldateien, Fehlermeldungen usw. direkt an die KI zur Analyse senden.
+
+```bash
+cat error.log | qwen --p 'Fehler analysieren'
+```
+
+### Skript-Integration
+
+Integrieren Sie Qwen Code in Shell-Skripte, um komplexe automatisierte Workflows zu erreichen. Sie können basierend auf den Rückgabeergebnissen der KI verschiedene Operationen ausführen und intelligente automatisierte Skripte erstellen.
+
+```bash
+#!/bin/bash
+result=$(qwen --p 'prüfen, ob es Probleme mit dem Code gibt')
+if [[ $result == *"hat Probleme"* ]]; then
+ echo "Code-Probleme gefunden"
+fi
+```
+
+
+
+
+Der Headless-Modus unterstützt alle Qwen Code-Funktionen, einschließlich Codegenerierung, Problemlösung, Dateioperationen usw.
+
+
+
diff --git a/website/content/de/showcase/guide-language-switch.mdx b/website/content/de/showcase/guide-language-switch.mdx
new file mode 100644
index 000000000..4ef527750
--- /dev/null
+++ b/website/content/de/showcase/guide-language-switch.mdx
@@ -0,0 +1,55 @@
+---
+title: "Sprachwechsel"
+description: "Flexibler Wechsel der UI-Oberflächensprache und KI-Ausgabesprache, unterstützt mehrsprachige Interaktion."
+category: "Erste Schritte"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Qwen Code unterstützt flexiblen Sprachwechsel. Sie können die UI-Oberflächensprache und die KI-Ausgabesprache unabhängig voneinander einstellen. Ob Chinesisch, Englisch oder andere Sprachen - Sie können geeignete Einstellungen finden. Die mehrsprachige Unterstützung ermöglicht es Ihnen, in einer vertrauten Sprachumgebung zu arbeiten, was die Kommunikationffizienz und den Komfort verbessert.
+
+
+
+
+
+## Schritte
+
+
+
+### UI-Sprache wechseln
+
+Verwenden Sie den Befehl `/language ui`, um die Oberflächensprache zu wechseln. Unterstützt Chinesisch, Englisch und andere Sprachen. Nach dem Wechseln der UI-Sprache werden Menüs, Eingabeaufforderungen, Hilfedokumente usw. alle in der von Ihnen ausgewählten Sprache angezeigt.
+
+```bash
+/language ui zh-CN
+```
+
+### Ausgabesprache wechseln
+
+Verwenden Sie den Befehl `/language output`, um die KI-Ausgabesprache zu wechseln. Die KI wird die von Ihnen angegebene Sprache verwenden, um Fragen zu beantworten, Codekommentare zu generieren, Erklärungen bereitzustellen usw., wodurch die Kommunikation natürlicher und reibungsloser wird.
+
+```bash
+/language output zh-CN
+```
+
+### Gemischte Sprachverwendung
+
+Sie können auch für UI und Ausgabe unterschiedliche Sprachen einstellen, um eine gemischte Sprachverwendung zu erreichen. Beispielsweise Chinesisch für UI und Englisch für KI-Ausgabe, geeignet für Szenarien, in denen Sie englische technische Dokumentation lesen müssen.
+
+
+
+
+Spracheinstellungen werden automatisch gespeichert und verwenden beim nächsten Start die von Ihnen zuletzt ausgewählte Sprache.
+
+
+
diff --git a/website/content/de/showcase/guide-plan-with-search.mdx b/website/content/de/showcase/guide-plan-with-search.mdx
new file mode 100644
index 000000000..823d97cf5
--- /dev/null
+++ b/website/content/de/showcase/guide-plan-with-search.mdx
@@ -0,0 +1,59 @@
+---
+title: "Plan-Modus + Web-Suche"
+description: "Kombinieren Sie die Web-Suche im Plan-Modus, um zuerst die neuesten Informationen zu suchen und dann einen Ausführungsplan zu erstellen, was die Genauigkeit komplexer Aufgaben erheblich verbessert."
+category: "Erste Schritte"
+features:
+ - "Plan Mode"
+ - "Web Search"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Der Plan-Modus ist die intelligente Planungsfähigkeit von Qwen Code, die komplexe Aufgaben in ausführbare Schritte zerlegen kann. Wenn er mit der Web-Suche kombiniert wird, sucht er zuerst proaktiv nach den neuesten technischen Dokumentationen, Best Practices und Lösungen und formuliert dann basierend auf diesen Echtzeitinformationen genauere Ausführungspläne. Diese Kombination ist besonders geeignet für die Bearbeitung von Entwicklungsaufgaben, die neue Frameworks, neue APIs oder die Einhaltung der neuesten Spezifikationen erfordern, was die Codequalität und die Aufgabenabschluss-Effizienz erheblich verbessern kann. Ob beim Migrieren von Projekten, Integrieren neuer Funktionen oder Lösen komplexer technischer Probleme - Plan + Web-Suche kann Ihnen die modernsten Lösungen bieten.
+
+
+
+
+
+## Schritte
+
+
+
+### Plan-Modus aktivieren
+
+Geben Sie den Befehl `/approval-mode plan` im Gespräch ein, um den Plan-Modus zu aktivieren. Zu diesem Zeitpunkt geht Qwen Code in den Planungsstatus, bereit, Ihre Aufgabenbeschreibung zu empfangen und mit dem Denken zu beginnen. Der Plan-Modus analysiert automatisch die Komplexität der Aufgabe und bestimmt, ob externe Informationen durchsucht werden müssen, um die Wissensdatenbank zu ergänzen.
+
+```bash
+/approval-mode plan
+```
+
+### Suche nach neuesten Informationen anfordern
+
+Beschreiben Sie Ihre Aufgabenanforderungen, und Qwen Code identifiziert automatisch Schlüsselwörter, die durchsucht werden müssen. Es initiiert proaktiv Web-Suche-Anfragen, um die neuesten technischen Dokumentationen, API-Referenzen, Best Practices und Lösungen zu erhalten. Suchergebnisse werden in die Wissensdatenbank integriert und bieten eine präzise Informationsgrundlage für die nachfolgende Planung.
+
+```
+Helfen Sie mir, die neuesten Nachrichten im KI-Bereich zu suchen und sie mir als Bericht zusammenzustellen
+```
+
+### Ausführungsplan anzeigen
+
+Basierend auf den durchsuchten Informationen generiert Qwen Code einen detaillierten Ausführungsplan für Sie. Der Plan enthält klare Schrittbeschreibungen, zu beachtende technische Punkte, potenzielle Fallstricke und Lösungen. Sie können diesen Plan überprüfen, Änderungsvorschläge machen oder den Beginn der Ausführung bestätigen.
+
+### Plan schrittweise ausführen
+
+Nach Bestätigung des Plans führt Qwen Code ihn schrittweise aus. An jedem wichtigen Knotenpunkt berichtet es Ihnen über Fortschritt und Ergebnisse und stellt sicher, dass Sie die vollständige Kontrolle über den gesamten Prozess haben. Wenn Probleme auftreten, bietet es Lösungen basierend auf den neuesten Suchinformationen an, anstatt sich auf veraltetes Wissen zu verlassen.
+
+
+
+
+Die Web-Suche identifiziert automatisch technische Schlüsselwörter in der Aufgabe, keine manuelle Angabe des Suchinhalts erforderlich. Für schnell iterierende Frameworks und Bibliotheken wird empfohlen, die Web-Suche im Plan-Modus zu aktivieren, um die neuesten Informationen zu erhalten.
+
+
+
diff --git a/website/content/de/showcase/guide-resume-session.mdx b/website/content/de/showcase/guide-resume-session.mdx
new file mode 100644
index 000000000..f415fa664
--- /dev/null
+++ b/website/content/de/showcase/guide-resume-session.mdx
@@ -0,0 +1,63 @@
+---
+title: "Resume-Sitzungswiederherstellung"
+description: "Unterbrochene Gespräche können jederzeit fortgesetzt werden, ohne Kontext und Fortschritt zu verlieren."
+category: "Erste Schritte"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die Resume-Sitzungswiederherstellungsfunktion ermöglicht es Ihnen, Gespräche jederzeit zu unterbrechen und bei Bedarf fortzusetzen, ohne Kontext und Fortschritt zu verlieren. Ob Sie vorübergehend etwas zu tun haben oder mehrere Aufgaben parallel bearbeiten - Sie können das Gespräch sicher pausieren und später nahtlos fortsetzen. Diese Funktion verbessert die Arbeitsflexibilität erheblich und ermöglicht es Ihnen, Zeit und Aufgaben effizienter zu verwalten.
+
+
+
+
+
+## Schritte
+
+
+
+### Sitzungsliste anzeigen
+
+Verwenden Sie den Befehl `qwen --resume`, um alle historischen Sitzungen anzuzeigen. Das System zeigt die Zeit, das Thema und kurze Informationen jeder Sitzung an und hilft Ihnen, das Gespräch zu finden, das Sie fortsetzen müssen.
+
+```bash
+qwen --resume
+```
+
+### Sitzung fortsetzen
+
+Verwenden Sie den Befehl `qwen --resume`, um eine angegebene Sitzung fortzusetzen. Sie können das fortzusetzende Gespräch über die Sitzungs-ID oder die Nummer auswählen, und das System lädt den vollständigen Kontextverlauf.
+
+```bash
+qwen --resume
+```
+
+### Arbeit fortsetzen
+
+Nach dem Fortsetzen der Sitzung können Sie das Gespräch so fortsetzen, als wäre es nie unterbrochen worden. Der gesamte Kontext, der Verlauf und der Fortschritt werden vollständig beibehalten, und die KI kann den vorherigen Diskussionsinhalt genau verstehen.
+
+### Sitzungen nach dem Start von Qwen Code wechseln
+
+Nach dem Start von Qwen Code können Sie den Befehl `/resume` verwenden, um zu einer vorherigen Sitzung zu wechseln.
+
+```bash
+/resume
+```
+
+
+
+
+Sitzungsverlauf wird automatisch gespeichert und unterstützt geräteübergreifende Synchronisation. Sie können dieselbe Sitzung auf verschiedenen Geräten fortsetzen.
+
+
+
diff --git a/website/content/de/showcase/guide-retry-shortcut.mdx b/website/content/de/showcase/guide-retry-shortcut.mdx
new file mode 100644
index 000000000..e2ed52cd7
--- /dev/null
+++ b/website/content/de/showcase/guide-retry-shortcut.mdx
@@ -0,0 +1,50 @@
+---
+title: "Ctrl+Y Schnellwiederholung"
+description: "Nicht zufrieden mit der KI-Antwort? Verwenden Sie die Tastenkombination für Ein-Klick-Wiederholung, um schnell bessere Ergebnisse zu erhalten."
+category: "Erste Schritte"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Nicht zufrieden mit der KI-Antwort? Verwenden Sie die Tastenkombination Ctrl+Y (Windows/Linux) oder Cmd+Y (macOS) für Ein-Klick-Wiederholung, um schnell bessere Ergebnisse zu erhalten. Diese Funktion ermöglicht es Ihnen, die KI neu generieren zu lassen, ohne die Frage erneut eingeben zu müssen, was Zeit spart und die Effizienz verbessert. Sie können mehrmals wiederholen, bis Sie eine zufriedenstellende Antwort erhalten.
+
+
+
+
+
+## Schritte
+
+
+
+### Unzufriedene Antworten entdecken
+
+Wenn die KI-Antwort nicht Ihren Erwartungen entspricht, geben Sie nicht auf. Die KI-Antworten können aufgrund des Kontextverständnisses oder der Zufälligkeit variieren, und Sie können durch Wiederholung bessere Ergebnisse erhalten.
+
+### Wiederholung auslösen
+
+Drücken Sie die Tastenkombination Ctrl+Y (Windows/Linux) oder Cmd+Y (macOS), und die KI generiert die Antwort neu. Der Wiederholungsprozess ist schnell und reibungslos und unterbricht Ihren Arbeitsablauf nicht.
+
+```bash
+Ctrl+Y / Cmd+Y
+```
+
+### Ergänzende Erklärung
+
+Wenn Sie nach der Wiederholung immer noch nicht zufrieden sind, können Sie ergänzende Erklärungen zu Ihren Anforderungen hinzufügen, damit die KI Ihre Absichten genauer verstehen kann. Sie können mehr Details hinzufügen, die Art und Weise ändern, wie die Frage formuliert ist, oder mehr Kontextinformationen bereitstellen.
+
+
+
+
+Die Wiederholungsfunktion behält die ursprüngliche Frage bei, verwendet jedoch unterschiedliche zufällige Seeds, um Antworten zu generieren, und stellt die Ergebnisdiversität sicher.
+
+
+
diff --git a/website/content/de/showcase/guide-script-install.mdx b/website/content/de/showcase/guide-script-install.mdx
new file mode 100644
index 000000000..e128b1cf2
--- /dev/null
+++ b/website/content/de/showcase/guide-script-install.mdx
@@ -0,0 +1,59 @@
+---
+title: "Skript-Installation mit einem Klick"
+description: "Installieren Sie Qwen Code schnell über einen Skriptbefehl. Schließen Sie die Umgebungskonfiguration in Sekunden ab. Unterstützt Linux, macOS und Windows-Systeme."
+category: "Erste Schritte"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Qwen Code unterstützt die schnelle Installation über einen einzigen Skriptbefehl. Keine manuelle Konfiguration von Umgebungsvariablen oder Download von Abhängigkeiten erforderlich. Das Skript erkennt automatisch Ihren Betriebssystemtyp, lädt das entsprechende Installationspaket herunter und schließt die Konfiguration ab. Der gesamte Vorgang dauert nur wenige Sekunden und unterstützt drei Hauptplattformen: **Linux**, **macOS** und **Windows**.
+
+
+
+
+
+## Schritte
+
+
+
+### Linux / macOS Installation
+
+Öffnen Sie Ihr Terminal und führen Sie den folgenden Befehl aus. Das Skript erkennt automatisch Ihre Systemarchitektur (x86_64 / ARM), lädt die entsprechende Version herunter und schließt die Installationskonfiguration ab.
+
+```bash
+bash -c "$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)" -s --source website
+```
+
+### Windows Installation
+
+Führen Sie den folgenden Befehl in PowerShell aus. Das Skript lädt eine Batch-Datei herunter und führt den Installationsvorgang automatisch aus. Nach Abschluss können Sie den `qwen`-Befehl in jedem Terminal verwenden.
+
+```bash
+curl -fsSL -o %TEMP%\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\install-qwen.bat --source website
+```
+
+### Installation überprüfen
+
+Nach Abschluss der Installation führen Sie den folgenden Befehl in Ihrem Terminal aus, um zu bestätigen, dass Qwen Code korrekt installiert wurde. Wenn Sie die Versionsnummer sehen, war die Installation erfolgreich.
+
+```bash
+qwen --version
+```
+
+
+
+
+Wenn Sie npm bevorzugen, können Sie auch global über `npm install -g @qwen-code/qwen-code` installieren. Geben Sie nach der Installation einfach `qwen` ein, um zu starten. Wenn Sie Berechtigungsprobleme haben, verwenden Sie `sudo npm install -g @qwen-code/qwen-code` und geben Sie Ihr Passwort ein, um zu installieren.
+
+
+
diff --git a/website/content/de/showcase/guide-skill-install.mdx b/website/content/de/showcase/guide-skill-install.mdx
new file mode 100644
index 000000000..042d1018e
--- /dev/null
+++ b/website/content/de/showcase/guide-skill-install.mdx
@@ -0,0 +1,78 @@
+---
+title: "Skills installieren"
+description: "Mehrere Möglichkeiten zur Installation von Skill-Erweiterungen, einschließlich Befehlszeileninstallation und Ordnerinstallation, die verschiedenen Szenarioanforderungen gerecht werden."
+category: "Erste Schritte"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Qwen Code unterstützt mehrere Skill-Installationsmethoden. Sie können die für Ihr Szenario am besten geeignete Methode wählen. Die Befehlszeileninstallation eignet sich für Online-Umgebungen und ist schnell und praktisch; die Ordnerinstallation eignet sich für Offline-Umgebungen oder benutzerdefinierte Skills und bietet Flexibilität und Kontrolle.
+
+
+
+
+
+## Schritte
+
+
+
+### find-skills Skill überprüfen und installieren
+
+Beschreiben Sie Ihre Bedürfnisse direkt in Qwen Code und lassen Sie es Ihnen helfen, den erforderlichen Skill zu überprüfen und zu installieren:
+
+```
+Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code
+```
+
+### Installieren Sie den Skill, den Sie benötigen, zum Beispiel web-component-design installieren:
+
+```
+/skills find-skills install web-component-design -y -a qwen-code
+```
+
+Qwen Code führt den Installationsbefehl automatisch aus, lädt den Skill aus dem angegebenen Repository herunter und installiert ihn. Sie können auch mit einem Satz installieren:
+
+```
+Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, und helfen Sie mir dann, [Skill-Name] im aktuellen qwen code skills-Verzeichnis zu installieren.
+```
+
+### Installation überprüfen
+
+Nach Abschluss der Installation überprüfen Sie, ob der Skill erfolgreich geladen wurde:
+
+```bash
+/skills
+```
+
+
+
+
+Die Befehlszeileninstallation erfordert eine Netzwerkverbindung. Der Parameter `-y` bedeutet automatische Bestätigung, und `-a qwen-code` gibt die Installation bei Qwen Code an.
+
+
+
+**Anforderungen an die Skill-Verzeichnisstruktur**
+
+Jeder Skill-Ordner muss eine `skill.md`-Datei enthalten, die den Namen, die Beschreibung und die Auslöserregeln des Skills definiert:
+
+```
+~/.qwen/skills/
+├── my-skill/
+│ ├── SKILL.md # Erforderlich: Skill-Konfigurationsdatei
+│ └── scripts/ # Optional: Skriptdateien
+└── another-skill/
+ └── SKILL.md
+```
+
+
+
diff --git a/website/content/de/showcase/guide-skills-panel.mdx b/website/content/de/showcase/guide-skills-panel.mdx
new file mode 100644
index 000000000..75458bf2f
--- /dev/null
+++ b/website/content/de/showcase/guide-skills-panel.mdx
@@ -0,0 +1,50 @@
+---
+title: "Skills-Panel"
+description: "Durchsuchen, installieren und verwalten Sie vorhandene Skill-Erweiterungen über das Skills-Panel. One-Stop-Verwaltung Ihrer AI-Fähigkeitsbibliothek."
+category: "Erste Schritte"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Das Skills-Panel ist Ihr Kontrollzentrum zur Verwaltung der Erweiterungsfähigkeiten von Qwen Code. Über diese intuitive Oberfläche können Sie verschiedene Skills durchsuchen, die von offiziellen und Community-Quellen bereitgestellt werden, die Funktionalität und den Zweck jedes Skills verstehen und Erweiterungen mit einem Klick installieren oder deinstallieren. Ob Sie neue AI-Fähigkeiten entdecken oder installierte Skills verwalten möchten, das Skills-Panel bietet eine praktische Bedienoberfläche, mit der Sie einfach ein personalisiertes AI-Toolkit erstellen können.
+
+
+
+
+
+## Schritte
+
+
+
+### Skills-Panel öffnen
+
+Geben Sie den Befehl im Qwen Code-Gespräch ein, um das Skills-Panel zu öffnen. Dieser Befehl zeigt eine Liste aller verfügbaren Skills an, einschließlich installierter und nicht installierter Erweiterungen.
+
+```bash
+/skills
+```
+
+### Skills durchsuchen und suchen
+
+Durchsuchen Sie verschiedene Skill-Erweiterungen im Panel. Jeder Skill hat detaillierte Beschreibungen und Funktionalitätserklärungen. Sie können die Suchfunktion verwenden, um schnell den spezifischen Skill zu finden, den Sie benötigen, oder verschiedene Arten von Erweiterungen nach Kategorie durchsuchen.
+
+### Skills installieren oder deinstallieren
+
+Nachdem Sie einen Skill gefunden haben, der Sie interessiert, klicken Sie auf die Installations-Schaltfläche, um ihn mit einem Klick zu Ihrem Qwen Code hinzuzufügen. Ebenso können Sie Skills, die Sie nicht mehr benötigen, jederzeit deinstallieren, um Ihre AI-Fähigkeitsbibliothek sauber und effizient zu halten.
+
+
+
+
+Das Skills-Panel wird regelmäßig aktualisiert, um die neuesten veröffentlichten Skill-Erweiterungen zu präsentieren. Wir empfehlen, das Panel regelmäßig zu überprüfen, um mehr leistungsstarke AI-Fähigkeiten zu entdecken, die Ihre Arbeitseffizienz verbessern.
+
+
+
diff --git a/website/content/de/showcase/guide-vscode-integration.mdx b/website/content/de/showcase/guide-vscode-integration.mdx
new file mode 100644
index 000000000..daa3adae8
--- /dev/null
+++ b/website/content/de/showcase/guide-vscode-integration.mdx
@@ -0,0 +1,51 @@
+---
+title: "VS Code-Integrationsoberfläche"
+description: "Vollständige Oberflächendarstellung von Qwen Code in VS Code. Verstehen Sie das Layout und die Nutzung jedes Funktionsbereichs."
+category: "Erste Schritte"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+VS Code ist einer der beliebtesten Code-Editoren, und Qwen Code bietet eine tief integrierte VS Code-Erweiterung. Mit dieser Erweiterung können Sie direkt in der vertrauten Editorumgebung mit AI kommunizieren und ein nahtloses Programmiererlebnis genießen. Die Erweiterung bietet eine intuitive Oberflächengestaltung, mit der Sie einfach auf alle Funktionen zugreifen können. Ob Code-Vervollständigung, Problemlösung oder Dateioperationen – alles kann effizient erledigt werden.
+
+
+
+
+
+## Schritte
+
+
+
+### VS Code-Erweiterung installieren
+
+Suchen Sie im VS Code-Erweiterungsmarktplatz nach "Qwen Code" und klicken Sie auf installieren. Der Installationsvorgang ist einfach und schnell und in nur wenigen Sekunden abgeschlossen. Nach der Installation erscheint ein Qwen Code-Symbol in der VS Code-Seitenleiste, was anzeigt, dass die Erweiterung erfolgreich geladen wurde.
+
+### In Ihr Konto einloggen
+
+Verwenden Sie den `/auth`-Befehl, um den Authentifizierungsprozess auszulösen. Das System öffnet automatisch einen Browser für die Anmeldung. Der Anmeldeprozess ist sicher und praktisch und unterstützt mehrere Authentifizierungsmethoden. Nach erfolgreicher Anmeldung werden Ihre Kontoinformationen automatisch mit der VS Code-Erweiterung synchronisiert und alle Funktionen freigeschaltet.
+
+```bash
+/auth
+```
+
+### Starten
+
+Öffnen Sie das Qwen Code-Panel in der Seitenleiste und beginnen Sie mit der Kommunikation mit AI. Sie können direkt Fragen eingeben, Dateien referenzieren, Befehle ausführen – alle Operationen werden in VS Code abgeschlossen. Die Erweiterung unterstützt mehrere Registerkarten, Verlauf, Tastenkürzel und andere Funktionen und bietet ein vollständiges Programmierunterstützungs-Erlebnis.
+
+
+
+
+Die VS Code-Erweiterung hat identische Funktionen mit der Befehlszeilenversion. Sie können je nach Nutzungsszenario frei wählen.
+
+
+
diff --git a/website/content/de/showcase/guide-web-search.mdx b/website/content/de/showcase/guide-web-search.mdx
new file mode 100644
index 000000000..c6b3711c5
--- /dev/null
+++ b/website/content/de/showcase/guide-web-search.mdx
@@ -0,0 +1,55 @@
+---
+title: "Web-Suche"
+description: "Lassen Sie Qwen Code Web-Inhalte durchsuchen, um Echtzeit-Informationen zur Unterstützung bei der Programmierung und Problemlösung zu erhalten."
+category: "Erste Schritte"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die Web-Suche-Funktion ermöglicht es Qwen Code, Web-Inhalte in Echtzeit zu durchsuchen und die neuesten technischen Dokumentationen, Framework-Updates und Lösungen zu erhalten. Wenn Sie während der Entwicklung auf Probleme stoßen oder die neuesten Entwicklungen einer neuen Technologie verstehen müssen, ist diese Funktion sehr nützlich. AI wird intelligent nach relevanten Informationen suchen und sie in ein leicht verständliches Format organisieren, um sie an Sie zurückzugeben.
+
+
+
+
+
+## Schritte
+
+
+
+### Suchfunktion aktivieren
+
+Sagen Sie AI im Gespräch deutlich, dass Sie die neuesten Informationen durchsuchen müssen. Sie können direkt Fragen stellen, die die neueste Technologie, Framework-Versionen oder Echtzeitdaten enthalten. Qwen Code erkennt Ihre Bedürfnisse automatisch und initiiert die Web-Suche-Funktion, um die genauesten Informationen zu erhalten.
+
+```bash
+Helfen Sie mir, die neuen Funktionen von React 19 zu suchen
+```
+
+### Suchergebnisse anzeigen
+
+AI gibt die durchsuchten Informationen zurück und organisiert sie in ein leicht verständliches Format. Suchergebnisse enthalten normalerweise Zusammenfassungen der wichtigsten Informationen, Quelllinks und relevante technische Details. Sie können diese Informationen schnell durchsuchen, um die neuesten technologischen Trends zu verstehen oder Lösungen für Probleme zu finden.
+
+### Fragen basierend auf Suchergebnissen stellen
+
+Sie können basierend auf den Suchergebnissen weitere Fragen stellen, um tiefere Erklärungen zu erhalten. Wenn Sie Fragen zu einem bestimmten technischen Detail haben oder wissen möchten, wie Sie die Suchergebnisse in Ihrem Projekt anwenden können, können Sie direkt weiterfragen. AI wird basierend auf den durchsuchten Informationen spezifischere Anleitungen geben.
+
+```bash
+Welche Auswirkungen haben diese neuen Funktionen auf mein Projekt
+```
+
+
+
+
+Die Web-Suche-Funktion eignet sich besonders für die Abfrage der neuesten API-Änderungen, Framework-Versionsupdates und Echtzeit-Technologietrends.
+
+
+
diff --git a/website/content/de/showcase/office-batch-file-organize.mdx b/website/content/de/showcase/office-batch-file-organize.mdx
new file mode 100644
index 000000000..b40d35315
--- /dev/null
+++ b/website/content/de/showcase/office-batch-file-organize.mdx
@@ -0,0 +1,60 @@
+---
+title: "Dateien stapelweise verarbeiten, Desktop organisieren"
+description: "Verwenden Sie die Cowork-Funktion von Qwen Code, um unordentliche Desktop-Dateien mit einem Klick stapelweise zu organisieren und automatisch nach Typen in entsprechende Ordner zu kategorisieren."
+category: "Tägliche Aufgaben"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Desktop-Dateien in Unordnung? Die Cowork-Funktion von Qwen Code kann Ihnen helfen, Dateien mit einem Klick stapelweise zu organisieren, Dateitypen automatisch zu identifizieren und sie in entsprechende Ordner zu kategorisieren. Ob es sich um Dokumente, Bilder, Videos oder andere Dateitypen handelt – sie können alle intelligent identifiziert und archiviert werden, damit Ihre Arbeitsumgebung ordentlich ist und die Arbeitseffizienz verbessert wird.
+
+
+
+
+
+## Schritte
+
+
+
+### Gespräch starten
+
+Öffnen Sie das Terminal oder die Befehlszeile, geben Sie `qwen` ein, um Qwen Code zu starten. Stellen Sie sicher, dass Sie sich in dem Verzeichnis befinden, das Sie organisieren müssen, oder sagen Sie AI deutlich, welche Dateien in welchem Verzeichnis organisiert werden sollen. Qwen Code ist bereit, Ihre Organisationsanweisungen zu empfangen.
+
+```bash
+cd ~/Desktop
+qwen
+```
+
+### Organisationsanweisungen geben
+
+Sagen Sie Qwen Code, dass Sie Desktop-Dateien organisieren möchten. AI wird Dateitypen automatisch identifizieren und kategorisierte Ordner erstellen. Sie können das zu organisierende Verzeichnis, Klassifizierungsregeln und die Zielordnerstruktur angeben. AI wird einen Organisationsplan basierend auf Ihren Bedürfnissen erstellen.
+
+```bash
+Helfen Sie mir, die Desktop-Dateien zu organisieren und sie nach Typen in verschiedene Ordner zu kategorisieren: Dokumente, Bilder, Videos, komprimierte Pakete usw.
+```
+
+### Ausführungsplan bestätigen
+
+Qwen Code listet zunächst den auszuführenden Operationsplan auf. Nachdem bestätigt wurde, dass keine Probleme vorliegen, erlauben Sie die Ausführung. Dieser Schritt ist sehr wichtig. Sie können den Organisationsplan überprüfen, um sicherzustellen, dass AI Ihre Bedürfnisse versteht und Fehlbedienungen vermeidet.
+
+### Organisation abschließen
+
+AI führt Dateiverschiebeoperationen automatisch aus und zeigt nach Abschluss einen Organisationsbericht an, der Ihnen sagt, welche Dateien wohin verschoben wurden. Der gesamte Vorgang ist schnell und effizient, erfordert keine manuelle Bedienung und spart viel Zeit.
+
+
+
+
+Die Cowork-Funktion unterstützt benutzerdefinierte Klassifizierungsregeln. Sie können bei Bedarf die Zuordnungsbeziehung zwischen Dateitypen und Zielordnern angeben.
+
+
+
diff --git a/website/content/de/showcase/office-clipboard-paste.mdx b/website/content/de/showcase/office-clipboard-paste.mdx
new file mode 100644
index 000000000..9cafa9dc7
--- /dev/null
+++ b/website/content/de/showcase/office-clipboard-paste.mdx
@@ -0,0 +1,46 @@
+---
+title: "Clipboard-Bild einfügen"
+description: "Fügen Sie Screenshots direkt aus der Zwischenablage in das Gesprächsfenster ein. AI versteht den Bildinhalt sofort und bietet Hilfe an."
+category: "Tägliche Aufgaben"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die Funktion zum Einfügen von Clipboard-Bildern ermöglicht es Ihnen, jeden Screenshot direkt in das Gesprächsfenster von Qwen Code einzufügen, ohne die Datei zuerst zu speichern und dann hochzuladen. Ob es sich um Fehler-Screenshots, UI-Design-Mockups, Code-Snippet-Screenshots oder andere Bilder handelt – Qwen Code kann den Inhalt sofort verstehen und basierend auf Ihren Bedürfnissen Hilfe anbieten. Diese praktische Interaktionsmethode verbessert die Kommunikationseffizienz erheblich und ermöglicht es Ihnen, bei Problemen schnell AI-Analysen und Vorschläge zu erhalten.
+
+
+
+
+
+## Schritte
+
+
+
+### Bild in die Zwischenablage kopieren
+
+Verwenden Sie das System-Screenshot-Tool (macOS: `Cmd+Shift+4`, Windows: `Win+Shift+S`), um Bildschirminhalte aufzunehmen, oder kopieren Sie Bilder aus Browsern oder Dateimanagern. Screenshots werden automatisch in der Zwischenablage gespeichert, ohne zusätzliche Operationen.
+
+### In das Gesprächsfenster einfügen
+
+Verwenden Sie im Eingabefeld des Qwen Code-Gesprächs `Cmd+V` (macOS) oder `Ctrl+V` (Windows), um das Bild einzufügen. Das Bild wird automatisch im Eingabefeld angezeigt, und Sie können gleichzeitig Text eingeben, der Ihre Frage oder Bedürfnisse beschreibt.
+
+### AI-Analyseergebnisse erhalten
+
+Nach dem Senden der Nachricht analysiert Qwen Code den Bildinhalt und gibt eine Antwort. Es kann Fehler in Code-Screenshots identifizieren, das Layout von UI-Design-Mockups analysieren, Diagrammdaten interpretieren usw. Sie können weiter Fragen stellen und alle Details im Bild ausführlich diskutieren.
+
+
+
+
+Unterstützt gängige Bildformate wie PNG, JPEG, GIF. Die Bildgröße sollte 10 MB nicht überschreiten, um den besten Erkennungseffekt zu gewährleisten. Für Code-Screenshots wird die Verwendung hoher Auflösung empfohlen, um die Genauigkeit der Texterkennung zu verbessern.
+
+
+
diff --git a/website/content/de/showcase/office-export-conversation.mdx b/website/content/de/showcase/office-export-conversation.mdx
new file mode 100644
index 000000000..bd0f3973c
--- /dev/null
+++ b/website/content/de/showcase/office-export-conversation.mdx
@@ -0,0 +1,58 @@
+---
+title: "Gesprächsverlauf exportieren"
+description: "Exportieren Sie den Gesprächsverlauf in Markdown-, HTML- oder JSON-Format für einfaches Archivieren und Teilen."
+category: "Tägliche Aufgaben"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Funktion zum Exportieren des Gesprächsverlaufs
+
+
+
+
+
+## Schritte
+
+
+
+### Sitzungsliste anzeigen
+
+Verwenden Sie den `/resume`-Befehl, um alle historischen Sitzungen anzuzeigen. Die Liste zeigt Informationen wie Erstellungszeit und Themenzusammenfassung für jede Sitzung an, was Ihnen hilft, das Gespräch zu finden, das Sie exportieren müssen. Sie können Schlüsselwortsuche verwenden oder nach Zeit sortieren, um die Zielsitzung präzise zu lokalisieren.
+
+```bash
+/resume
+```
+
+### Exportformat auswählen
+
+Nachdem Sie die zu exportierende Sitzung bestimmt haben, verwenden Sie den `/export`-Befehl und geben Sie Format und Sitzungs-ID an. Drei Formate werden unterstützt: `markdown`, `html` und `json`. Markdown-Format eignet sich für die Verwendung in Dokumentations-Tools, HTML-Format kann direkt im Browser zum Anzeigen geöffnet werden, und JSON-Format eignet sich für die programmatische Verarbeitung.
+
+```bash
+# Wenn kein -Parameter vorhanden, wird standardmäßig die aktuelle Sitzung exportiert
+/export html # Als HTML-Format exportieren
+/export markdown # Als Markdown-Format exportieren
+/export json # Als JSON-Format exportieren
+```
+
+### Teilen und archivieren
+
+Exportierte Dateien werden im angegebenen Verzeichnis gespeichert. Markdown- und HTML-Dateien können direkt mit Kollegen geteilt oder in Teamdokumentationen verwendet werden. JSON-Dateien können in andere Tools für die sekundäre Verarbeitung importiert werden. Wir empfehlen, wichtige Gespräche regelmäßig zu archivieren, um ein Team-Wissensrepository aufzubauen. Exportierte Dateien können auch als Sicherungen dienen, um den Verlust wichtiger Informationen zu verhindern.
+
+
+
+
+Das exportierte HTML-Format enthält vollständige Stile und kann in jedem Browser direkt geöffnet werden. JSON-Format behält alle Metadaten bei und eignet sich für Datenanalyse und -verarbeitung.
+
+
+
diff --git a/website/content/de/showcase/office-file-reference.mdx b/website/content/de/showcase/office-file-reference.mdx
new file mode 100644
index 000000000..ed19de3e2
--- /dev/null
+++ b/website/content/de/showcase/office-file-reference.mdx
@@ -0,0 +1,61 @@
+---
+title: "@file-Referenzfunktion"
+description: "Verweisen Sie im Gespräch mit @file auf Projektdateien, damit AI Ihren Code-Kontext präzise versteht."
+category: "Erste Schritte"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die @file-Referenzfunktion ermöglicht es Ihnen, im Gespräch direkt auf Projektdateien zu verweisen, damit AI Ihren Code-Kontext präzise versteht. Ob es sich um eine einzelne Datei oder mehrere Dateien handelt – AI wird den Codeinhalt lesen und analysieren, um genauere Vorschläge und Antworten zu geben. Diese Funktion eignet sich besonders für Szenarien wie Code-Review, Fehlerbehebung und Code-Refactoring.
+
+
+
+
+
+## Schritte
+
+
+
+### Einzelne Datei referenzieren
+
+Verwenden Sie den `@file`-Befehl gefolgt vom Dateipfad, um auf eine einzelne Datei zu verweisen. AI wird den Dateiinhalt lesen, die Codestruktur und -logik verstehen und dann basierend auf Ihren Fragen gezielte Antworten geben.
+
+```bash
+@file ./src/main.py
+Erklären Sie, was diese Funktion tut
+```
+
+Sie können auch Referenzdateien referenzieren und Qwen Code bitten, sie als neues Dokument zu organisieren und zu schreiben. Dies vermeidet weitgehend, dass AI Ihre Bedürfnisse missversteht und Inhalte generiert, die nicht in den Referenzmaterialien enthalten sind:
+
+```bash
+@file Helfen Sie mir, basierend auf dieser Datei einen öffentlichen Account-Artikel zu schreiben
+```
+
+### Anforderungen beschreiben
+
+Nachdem Sie die Datei referenziert haben, beschreiben Sie Ihre Bedürfnisse oder Fragen klar. AI wird basierend auf dem Dateiinhalt analysieren und genaue Antworten oder Vorschläge geben. Sie können nach Codelogik fragen, Probleme finden, Optimierungen anfordern usw.
+
+### Mehrere Dateien referenzieren
+
+Durch mehrmalige Verwendung des `@file`-Befehls können Sie gleichzeitig auf mehrere Dateien verweisen. AI wird alle referenzierten Dateien umfassend analysieren, ihre Beziehungen und Inhalte verstehen und umfassendere Antworten geben.
+
+```bash
+@file1 @file2 Basierend auf den Materialien in diesen beiden Dateien helfen Sie mir, ein Lern-Dokument für Anfänger zu organisieren
+```
+
+
+
+
+@file unterstützt relative und absolute Pfade sowie Platzhalterabgleich für mehrere Dateien.
+
+
+
diff --git a/website/content/de/showcase/office-image-recognition.mdx b/website/content/de/showcase/office-image-recognition.mdx
new file mode 100644
index 000000000..e4038385d
--- /dev/null
+++ b/website/content/de/showcase/office-image-recognition.mdx
@@ -0,0 +1,53 @@
+---
+title: "Bilderkennung"
+description: "Qwen Code kann Bildinhalte lesen und verstehen, ob es sich um UI-Design-Mockups, Fehler-Screenshots oder Architekturdiagramme handelt."
+category: "Tägliche Aufgaben"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png"
+videoUrl: "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Qwen Code verfügt über leistungsstarke Bilderkennungsfähigkeiten und kann verschiedene Arten von Bildinhalten lesen und verstehen. Ob es sich um UI-Design-Mockups, Fehler-Screenshots, Architekturdiagramme, Flussdiagramme oder handgeschriebene Notizen handelt – Qwen Code kann sie genau identifizieren und wertvolle Analysen bieten. Diese Fähigkeit ermöglicht es Ihnen, visuelle Informationen direkt in Ihren Programmier-Workflow zu integrieren, was die Kommunikationseffizienz und die Problemlösungsgeschwindigkeit erheblich verbessert.
+
+
+
+
+
+## Schritte
+
+
+
+### Bild hochladen
+
+Ziehen Sie das Bild in das Gesprächsfenster oder verwenden Sie das Einfügen aus der Zwischenablage (`Cmd+V` / `Ctrl+V`). Unterstützt gängige Formate wie PNG, JPEG, GIF, WebP usw.
+
+Referenz: [Clipboard-Bild einfügen](./office-clipboard-paste.mdx) zeigt, wie Sie Screenshots schnell in das Gespräch einfügen.
+
+### Ihre Bedürfnisse beschreiben
+
+Beschreiben Sie im Eingabefeld, was AI mit dem Bild tun soll. Zum Beispiel:
+
+```
+Basierend auf dem Bildinhalt helfen Sie mir, eine einfache HTML-Datei zu generieren
+```
+
+### Analyseergebnisse erhalten
+
+Qwen Code analysiert den Bildinhalt und gibt eine detaillierte Antwort. Sie können weiter Fragen stellen, alle Details im Bild ausführlich diskutieren oder AI bitten, basierend auf dem Bildinhalt Code zu generieren.
+
+
+
+
+Die Bilderkennungsfunktion unterstützt mehrere Szenarien: Code-Screenshot-Analyse, UI-Design-Mockup-zu-Code-Konvertierung, Fehlerinformationsinterpretation, Architekturdiagrammverständnis, Diagrammdatenerfassung usw. Es wird empfohlen, klare hochauflösende Bilder für den besten Erkennungseffekt zu verwenden.
+
+
+
diff --git a/website/content/de/showcase/office-mcp-image-gen.mdx b/website/content/de/showcase/office-mcp-image-gen.mdx
new file mode 100644
index 000000000..426d9d295
--- /dev/null
+++ b/website/content/de/showcase/office-mcp-image-gen.mdx
@@ -0,0 +1,47 @@
+---
+title: "MCP-Bildgenerierung"
+description: "Integrieren Sie Bildgenerierungsdienste über MCP. Treiben Sie AI mit natürlichen Sprachbeschreibungen an, um hochwertige Bilder zu erstellen."
+category: "Tägliche Aufgaben"
+features:
+ - "MCP"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die MCP-Bildgenerierungsfunktion (Model Context Protocol) ermöglicht es Ihnen, AI direkt in Qwen Code durch natürliche Sprachbeschreibungen anzutreiben, um hochwertige Bilder zu erstellen. Kein Wechsel zu spezialisierten Bildgenerierungstools erforderlich – beschreiben Sie einfach Ihre Bedürfnisse im Gespräch, und Qwen Code wird integrierte Bildgenerierungsdienste aufrufen, um Bilder zu generieren, die Ihren Anforderungen entsprechen. Ob es sich um UI-Prototyp-Design, Icon-Erstellung, Illustrationszeichnung oder Konzeptdiagrammproduktion handelt – MCP-Bildgenerierung bietet leistungsstarke Unterstützung. Dieser nahtlos integrierte Workflow verbessert die Design- und Entwicklungseffizienz erheblich und macht die kreative Realisierung bequemer.
+
+
+
+
+
+## Schritte
+
+
+
+### MCP-Dienst konfigurieren
+
+Zuerst müssen Sie den MCP-Bildgenerierungsdienst konfigurieren. Fügen Sie den API-Schlüssel und die Endpunktinformationen des Bildgenerierungsdienstes zur Konfigurationsdatei hinzu. Qwen Code unterstützt mehrere gängige Bildgenerierungsdienste. Sie können den entsprechenden Dienst basierend auf Ihren Bedürfnissen und Ihrem Budget auswählen. Nach der Konfiguration starten Sie Qwen Code neu, damit die Änderungen wirksam werden.
+
+### Bildanforderungen beschreiben
+
+Beschreiben Sie im Gespräch das Bild, das Sie generieren möchten, ausführlich in natürlicher Sprache. Fügen Sie Elemente wie Thema, Stil, Farbe, Komposition und Details des Bildes ein. Je spezifischer die Beschreibung, desto mehr entspricht das generierte Bild Ihren Erwartungen. Sie können auf Kunststile, bestimmte Künstler verweisen oder Referenzbilder hochladen, um AI zu helfen, Ihre Bedürfnisse besser zu verstehen.
+
+### Ergebnisse anzeigen und speichern
+
+Qwen Code generiert mehrere Bilder zur Auswahl. Sie können jedes Bild in der Vorschau anzeigen und das Bild auswählen, das Ihren Anforderungen am besten entspricht. Wenn Anpassungen erforderlich sind, können Sie weiterhin Änderungsvorschläge beschreiben, und Qwen Code wird basierend auf dem Feedback neu generieren. Wenn Sie zufrieden sind, können Sie das Bild direkt lokal speichern oder den Bildlink kopieren, um es an anderer Stelle zu verwenden.
+
+
+
+
+MCP-Bildgenerierung unterstützt mehrere Stile und Größen, die je nach Projektanforderungen flexibel angepasst werden können. Das Urheberrecht an generierten Bildern hängt vom verwendeten Dienst ab. Bitte überprüfen Sie die Nutzungsbedingungen.
+
+
+
diff --git a/website/content/de/showcase/office-organize-desktop.mdx b/website/content/de/showcase/office-organize-desktop.mdx
new file mode 100644
index 000000000..8b92682b8
--- /dev/null
+++ b/website/content/de/showcase/office-organize-desktop.mdx
@@ -0,0 +1,56 @@
+---
+title: "Desktop-Dateien organisieren"
+description: "Lassen Sie Qwen Code Desktop-Dateien mit einem Satz automatisch organisieren und intelligent nach Typen kategorisieren."
+category: "Tägliche Aufgaben"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Desktop-Dateien aufgehäuft wie ein Berg, finden Sie die Dateien nicht, die Sie benötigen? Lassen Sie Qwen Code Desktop-Dateien mit einem Satz automatisch organisieren. AI wird Dateitypen intelligent identifizieren und sie automatisch nach Bildern, Dokumenten, Code, komprimierten Paketen usw. kategorisieren und eine klare Ordnerstruktur erstellen. Der gesamte Vorgang ist sicher und kontrollierbar. AI listet zunächst den Operationsplan zur Bestätigung auf, um sicherzustellen, dass wichtige Dateien nicht versehentlich verschoben werden. Lassen Sie Ihren Desktop sofort ordentlich und sauber werden und verbessern Sie die Arbeitseffizienz.
+
+
+
+
+
+## Schritte
+
+
+
+### Organisationsbedürfnisse beschreiben
+
+Gehen Sie in das Desktop-Verzeichnis, starten Sie Qwen Code und sagen Sie Qwen Code, wie Sie Desktop-Dateien organisieren möchten, z. B. nach Typ kategorisieren, nach Datum gruppieren usw.
+
+```bash
+cd ~/Desktop
+Helfen Sie mir, die Dateien auf meinem Desktop nach Typ zu organisieren
+```
+
+### Operationsplan bestätigen
+
+Qwen Code analysiert Desktop-Dateien und listet einen detaillierten Organisationsplan auf, einschließlich welcher Dateien in welche Ordner verschoben werden. Sie können den Plan überprüfen, um sicherzustellen, dass keine Probleme vorliegen.
+
+```bash
+Bestätigen Sie die Ausführung dieses Organisationsplans
+```
+
+### Organisation ausführen und Ergebnisse anzeigen
+
+Nach der Bestätigung führt Qwen Code Organisationsoperationen gemäß dem Plan aus. Nach Abschluss können Sie den organisierten Desktop anzeigen, und die Dateien sind bereits ordentlich nach Typ angeordnet.
+
+
+
+
+AI listet zunächst den Operationsplan zur Bestätigung auf, um sicherzustellen, dass wichtige Dateien nicht versehentlich verschoben werden. Wenn Sie Fragen zur Klassifizierung bestimmter Dateien haben, können Sie Qwen Code vor der Ausführung bitten, die Regeln anzupassen.
+
+
+
diff --git a/website/content/de/showcase/office-ppt-presentation.mdx b/website/content/de/showcase/office-ppt-presentation.mdx
new file mode 100644
index 000000000..72f840e37
--- /dev/null
+++ b/website/content/de/showcase/office-ppt-presentation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Präsentation: PPT erstellen"
+description: "Erstellen Sie Präsentationen basierend auf Produkt-Screenshots. Stellen Sie Screenshots und Beschreibungen bereit, und AI generiert schöne Präsentationsfolien."
+category: "Tägliche Aufgaben"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png"
+videoUrl: "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Müssen Sie eine Produktpräsentation-PPT erstellen, möchten aber nicht bei Null anfangen? Stellen Sie einfach Produkt-Screenshots und einfache Beschreibungen bereit, und Qwen Code kann Ihnen helfen, gut strukturierte, schön gestaltete Präsentationsfolien zu generieren. AI analysiert Screenshot-Inhalte, versteht Produktmerkmale, organisiert automatisch die Folienstruktur und fügt geeigneten Text und Layout hinzu. Ob Produktstarts, Teampräsentationen oder Kundenpräsentationen – Sie können schnell professionelle PPTs erhalten und viel Zeit und Energie sparen.
+
+
+
+
+
+## Schritte
+
+
+
+### Produkt-Screenshots vorbereiten
+
+Sammeln Sie Produktoberflächen-Screenshots, die angezeigt werden müssen, einschließlich Hauptfunktionsseiten, Funktionsdemonstrationen usw. Screenshots sollten klar sein und den Wert und die Merkmale des Produkts vollständig anzeigen. Platzieren Sie sie in einem Ordner, zum Beispiel: qwen-code-images
+
+### Verwandte Skills installieren
+
+Installieren Sie PPT-Generierungs-bezogene Skills. Diese Skills enthalten Fähigkeiten zur Analyse von Screenshot-Inhalten und Generierung von Präsentationsfolien.
+
+```
+Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, und helfen Sie mir dann, zarazhangrui/frontend-slides in qwen code skills zu installieren.
+```
+
+### Präsentation generieren
+
+Referenzieren Sie die entsprechende Datei und sagen Sie Qwen Code Ihre Bedürfnisse, wie Zweck der Präsentation, Zielgruppe, Hauptinhalt usw. AI generiert die PPT basierend auf diesen Informationen.
+
+```
+@qwen-code-images Erstellen Sie eine Produktpräsentation-PPT basierend auf diesen Screenshots,面向 technisches Team, mit Fokus auf die Vorstellung neuer Funktionen
+```
+
+### Anpassen und exportieren
+
+Zeigen Sie die generierte PPT an. Wenn Anpassungen erforderlich sind, können Sie Qwen Code sagen, wie z. B. "eine Seite zur Architektur-Vorstellung hinzufügen" oder "den Text auf dieser Seite anpassen". Wenn Sie zufrieden sind, exportieren Sie in ein bearbeitbares Format.
+
+```
+Helfen Sie mir, den Text auf Seite 3 anzupassen, um ihn prägnanter zu machen
+```
+
+
+
+
diff --git a/website/content/de/showcase/office-terminal-theme.mdx b/website/content/de/showcase/office-terminal-theme.mdx
new file mode 100644
index 000000000..7d9d088ca
--- /dev/null
+++ b/website/content/de/showcase/office-terminal-theme.mdx
@@ -0,0 +1,55 @@
+---
+title: "Terminal-Theme wechseln"
+description: "Wechseln Sie das Terminal-Theme mit einem Satz. Beschreiben Sie den Stil in natürlicher Sprache, und AI wendet ihn automatisch an."
+category: "Tägliche Aufgaben"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Müde vom Standard-Terminal-Theme? Beschreiben Sie den Stil, den Sie möchten, in natürlicher Sprache, und Qwen Code kann Ihnen helfen, ein geeignetes Theme zu finden und anzuwenden. Ob dunkler Tech-Stil, frischer und einfacher Stil oder retro-klassischer Stil – mit nur einem Satz versteht AI Ihre ästhetischen Vorlieben und konfiguriert automatisch das Farbschema und den Stil des Terminals. Verabschieden Sie sich von mühsamer manueller Konfiguration und lassen Sie Ihre Arbeitsumgebung sofort wie neu aussehen.
+
+
+
+
+
+## Schritte
+
+
+
+### Den gewünschten Theme-Stil beschreiben
+
+Beschreiben Sie im Gespräch den Stil, den Sie mögen, in natürlicher Sprache. Zum Beispiel "ändern Sie das Terminal-Theme in dunklen Tech-Stil" oder "ich möchte ein frisches und einfaches helles Theme". Qwen Code wird Ihre Bedürfnisse verstehen.
+
+```
+Ändern Sie das Terminal-Theme in dunklen Tech-Stil
+```
+
+### Theme bestätigen und anwenden
+
+Qwen Code wird mehrere Theme-Optionen empfehlen, die Ihrer Beschreibung entsprechen, und Vorschau-Effekte anzeigen. Wählen Sie Ihr Lieblingstheme, und nach der Bestätigung wendet AI die Konfiguration automatisch an.
+
+```
+Sieht gut aus, wenden Sie das Theme direkt an
+```
+
+### Feinabstimmung und Personalisierung
+
+Wenn weitere Anpassungen erforderlich sind, können Sie Qwen Code weiterhin Ihre Gedanken mitteilen, wie z. B. "machen Sie die Hintergrundfarbe etwas dunkler" oder "passen Sie die Schriftgröße an". AI wird Ihnen helfen, fein abzustimmen.
+
+
+
+
+Das Theme-Wechseln ändert Ihre Terminal-Konfigurationsdatei. Wenn Sie eine bestimmte Terminalanwendung verwenden (wie iTerm2, Terminal.app), erkennt Qwen Code automatisch und konfiguriert die entsprechenden Theme-Dateien.
+
+
+
diff --git a/website/content/de/showcase/office-web-search-detail.mdx b/website/content/de/showcase/office-web-search-detail.mdx
new file mode 100644
index 000000000..1e2799db4
--- /dev/null
+++ b/website/content/de/showcase/office-web-search-detail.mdx
@@ -0,0 +1,47 @@
+---
+title: "Web-Suche"
+description: "Lassen Sie Qwen Code Web-Inhalte durchsuchen, um Echtzeit-Informationen zur Unterstützung bei der Programmierung zu erhalten. Erfahren Sie die neuesten Technologietrends und Dokumentationen."
+category: "Erste Schritte"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Die Web-Suche-Funktion ermöglicht es Qwen Code, das Internet in Echtzeit nach den neuesten Informationen zu durchsuchen, um Ihnen zu helfen, die neuesten technischen Dokumentationen, API-Referenzen, Best Practices und Lösungen zu erhalten. Wenn Sie auf unbekannte Technologie-Stacks stoßen, Änderungen in den neuesten Versionen verstehen müssen oder Lösungen für spezifische Probleme finden möchten, ermöglicht die Web-Suche AI, genaue Antworten basierend auf den neuesten Web-Informationen zu geben.
+
+
+
+
+
+## Schritte
+
+
+
+### Suchanfrage initiieren
+
+Beschreiben Sie direkt im Gespräch, wonach Sie suchen möchten. Zum Beispiel: "suchen Sie nach den neuen Funktionen von React 19", "finden Sie Best Practices für Next.js App Router". Qwen Code bestimmt automatisch, ob eine Netzwerksuche erforderlich ist.
+
+### Integrierte Ergebnisse anzeigen
+
+AI durchsucht mehrere Web-Quellen, integriert Suchergebnisse und gibt eine strukturierte Antwort. Die Antwort enthält Quelllinks für Schlüsselinformationen, was es bequem macht, sie weiter ausführlich zu verstehen.
+
+### Basierend auf Ergebnissen fortfahren
+
+Sie können basierend auf den Suchergebnissen weiter Fragen stellen und AI bitten, die durchsuchten Informationen auf tatsächliche Programmieraufgaben anzuwenden. Zum Beispiel, nachdem Sie nach neuen API-Verwendungen gesucht haben, können Sie AI direkt bitten, Ihnen beim Refactoring von Code zu helfen.
+
+
+
+
+Die Web-Suche eignet sich besonders für die folgenden Szenarien: Verstehen von Änderungen in den neuesten Framework-Versionen, Finden von Lösungen für spezifische Fehler, Erhalten der neuesten API-Dokumentationen, Verstehen von Branchen-Best-Practices usw. Suchergebnisse werden in Echtzeit aktualisiert, um sicherzustellen, dass Sie die neuesten Informationen erhalten.
+
+
+
diff --git a/website/content/de/showcase/office-weekly-report.mdx b/website/content/de/showcase/office-weekly-report.mdx
new file mode 100644
index 000000000..fbcc777be
--- /dev/null
+++ b/website/content/de/showcase/office-weekly-report.mdx
@@ -0,0 +1,67 @@
+---
+title: "Automatisch Wochenbericht generieren"
+description: "Skills anpassen. Automatisch Updates dieser Woche mit einem Befehl crawlen und Produktupdate-Wochenberichte gemäß Vorlagen schreiben."
+category: "Tägliche Aufgaben"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png"
+videoUrl: "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Jeden Woche Produktupdate-Wochenberichte zu schreiben ist eine repetitive und zeitaufwendige Aufgabe. Mit den angepassten Skills von Qwen Code können Sie AI automatisch die Produktupdate-Informationen dieser Woche crawlen lassen und gemäß Standardvorlagen strukturierte Wochenberichte generieren. Mit nur einem Befehl sammelt AI Daten, analysiert Inhalte und organisiert sie in ein Dokument, was Ihre Arbeitseffizienz erheblich verbessert. Sie können sich auf das Produkt selbst konzentrieren und AI die mühsame Dokumentarbeit erledigen lassen.
+
+
+
+
+
+## Schritte
+
+
+
+### skills-creator Skill installieren
+
+Installieren Sie zuerst den Skill, damit AI versteht, welche Informationen aus welchen Datenquellen Sie sammeln müssen.
+
+```
+Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, und helfen Sie mir dann, skills-creator in qwen code skills zu installieren.
+```
+
+### Wochenbericht-Skill erstellen
+
+Verwenden Sie die Skill-Erstellungsfunktion, um AI zu sagen, dass Sie einen angepassten Wochenbericht-Generierungs-Skill benötigen. Beschreiben Sie die Datentypen, die Sie sammeln müssen, und die Wochenbericht-Struktur. AI generiert einen neuen Skill basierend auf Ihren Bedürfnissen.
+
+```
+Ich muss wöchentliche Berichte für das Open-Source-Projekt erstellen: https://github.com/QwenLM/qwen-code, hauptsächlich einschließlich Issues, die diese Woche eingereicht wurden, behobene Bugs, neue Versionen und Features, sowie Überprüfungen und Reflexionen. Die Sprache sollte benutzerzentriert, altruistisch und wahrnehmend sein. Erstellen Sie einen Skill.
+```
+
+### Wochenbericht-Inhalt generieren
+
+Nach Abschluss der Konfiguration geben Sie den Generierungsbefehl ein. Qwen Code crawlt automatisch die Update-Informationen dieser Woche und organisiert sie gemäß der Produkt-Wochenbericht-Vorlage in ein strukturiertes Dokument.
+
+```
+Generieren Sie den qwen-code Produktupdate-Wochenbericht dieser Woche
+```
+
+### Wochenbericht öffnen, bearbeiten und anpassen
+
+Der generierte Wochenbericht kann geöffnet und angepasst werden, um weiter bearbeitet oder mit dem Team geteilt zu werden. Sie können AI auch bitten, Format und Inhaltsfokus anzupassen.
+
+```
+Machen Sie die Sprache des Wochenberichts lebendiger
+```
+
+
+
+
+Bei der ersten Verwendung müssen Sie Datenquellen konfigurieren. Nach einmaliger Konfiguration kann sie wiederverwendet werden. Sie können geplante Aufgaben einrichten, damit Qwen Code jeden Woche automatisch Wochenberichte generiert, was Ihre Hände vollständig befreit.
+
+
+
diff --git a/website/content/de/showcase/office-write-file.mdx b/website/content/de/showcase/office-write-file.mdx
new file mode 100644
index 000000000..00317c9a6
--- /dev/null
+++ b/website/content/de/showcase/office-write-file.mdx
@@ -0,0 +1,59 @@
+---
+title: "Datei mit einem Satz schreiben"
+description: "Sagen Sie Qwen Code, welche Datei Sie erstellen möchten, und AI generiert automatisch Inhalt und schreibt sie."
+category: "Tägliche Aufgaben"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Müssen Sie eine neue Datei erstellen, möchten aber nicht bei Null anfangen, Inhalt zu schreiben? Sagen Sie Qwen Code, welche Datei Sie erstellen möchten, und AI generiert automatisch geeigneten Inhalt und schreibt sie in die Datei. Ob es sich um README, Konfigurationsdateien, Codedateien oder Dokumentationen handelt – Qwen Code kann hochwertigen Inhalt basierend auf Ihren Bedürfnissen generieren. Sie müssen nur den Zweck und die grundlegenden Anforderungen der Datei beschreiben, und AI erledigt den Rest, was Ihre Dateierstellungseffizienz erheblich verbessert.
+
+
+
+
+
+## Schritte
+
+
+
+### Dateiinhalt und -zweck beschreiben
+
+Sagen Sie Qwen Code, welche Art von Datei Sie erstellen möchten, sowie den Hauptinhalt und Zweck der Datei.
+
+```bash
+Helfen Sie mir, eine README.md zu erstellen, einschließlich Projektvorstellung und Installationsanweisungen
+```
+
+### Generierten Inhalt bestätigen
+
+Qwen Code generiert Dateiinhalt basierend auf Ihrer Beschreibung und zeigt ihn zur Bestätigung an. Sie können den Inhalt anzeigen, um sicherzustellen, dass er Ihren Bedürfnissen entspricht.
+
+```bash
+Sieht gut aus, erstellen Sie die Datei weiter
+```
+
+### Ändern und verbessern
+
+Wenn Anpassungen erforderlich sind, können Sie Qwen Code spezifische Änderungsanforderungen mitteilen, wie z. B. "Verwendungsbeispiele hinzufügen" oder "Format anpassen".
+
+```bash
+Helfen Sie mir, einige Codebeispiele hinzuzufügen
+```
+
+
+
+
+Qwen Code unterstützt verschiedene Dateitypen, einschließlich Textdateien, Codedateien, Konfigurationsdateien usw. Generierte Dateien werden automatisch im angegebenen Verzeichnis gespeichert, und Sie können sie im Editor weiter bearbeiten.
+
+
+
diff --git a/website/content/de/showcase/product-insight.mdx b/website/content/de/showcase/product-insight.mdx
new file mode 100644
index 000000000..187a8046a
--- /dev/null
+++ b/website/content/de/showcase/product-insight.mdx
@@ -0,0 +1,53 @@
+---
+title: "Insight-Dateneinblicke"
+description: "Persönlichen AI-Nutzungsbericht anzeigen. Programmier- und Kollaborationsdaten verstehen. Datengetriebene Gewohnheitsoptimierung verwenden."
+category: "Tägliche Aufgaben"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Insight ist das persönliche Nutzungsdatenanalyse-Panel von Qwen Code, das Ihnen umfassende AI-Programmiereffizienz-Einblicke bietet. Es verfolgt Schlüsselkennzahlen wie Ihre Gesprächsanzahl, Code-Generierungsvolumen, häufig verwendete Funktionen und Programmiersprachen-Präferenzen und generiert visualisierte Datenberichte. Durch diese Daten können Sie Ihre Programmiergewohnheiten, AI-Unterstützungseffektivität und Kollaborationsmuster klar verstehen. Insight hilft Ihnen nicht nur, Raum zur Effizienzverbesserung zu entdecken, sondern zeigt Ihnen auch, in welchen Bereichen Sie AI am besten einsetzen können, damit Sie den Wert von AI besser nutzen können. Datengetriebene Einblicke machen jede Nutzung sinnvoller.
+
+
+
+
+
+## Schritte
+
+
+
+### Insight-Panel öffnen
+
+Geben Sie den `/insight`-Befehl im Gespräch ein, um das Insight-Dateneinblicke-Panel zu öffnen. Das Panel zeigt Ihre Nutzungsübersicht an, einschließlich Kernkennzahlen wie Gesamtgesprächsanzahl, Code-Generierungszeilen und geschätzte eingesparte Zeit. Diese Daten werden in intuitiver Diagrammform präsentiert, sodass Sie Ihre AI-Nutzung auf einen Blick verstehen können.
+
+```bash
+/insight
+```
+
+### Nutzungsbericht analysieren
+
+Zeigen Sie detaillierte Nutzungsberichte ausführlich an, einschließlich Dimensionen wie tägliche Gesprächstrends, häufig verwendete Funktionsverteilung, Programmiersprachen-Präferenzen und Codetyp-Analyse. Insight bietet personalisierte Einblicke und Vorschläge basierend auf Ihren Nutzungsmustern und hilft Ihnen, potenziellen Verbesserungsraum zu entdecken. Sie können Daten nach Zeitbereich filtern und die Nutzungseffizienz verschiedener Zeiträume vergleichen.
+
+### Nutzungsgewohnheiten optimieren
+
+Basierend auf Dateneinblicken passen Sie Ihre AI-Nutzungsstrategie an. Wenn Sie beispielsweise feststellen, dass Sie eine bestimmte Funktion häufig mit geringer Effizienz verwenden, können Sie versuchen, effizientere Nutzungsmethoden zu lernen. Wenn Sie feststellen, dass AI-Unterstützung für bestimmte Programmiersprachen oder Aufgabentypen effektiver ist, können Sie AI in ähnlichen Szenarien häufiger einsetzen. Verfolgen Sie kontinuierlich Datenänderungen und verifizieren Sie Optimierungseffekte.
+
+Möchten Sie wissen, wie wir die Insight-Funktion verwenden? Sie können unseren [Wie AI uns sagen kann, wie wir AI besser nutzen](../blog/how-to-use-qwencode-insight.mdx) überprüfen
+
+
+
+
+Insight-Daten werden nur lokal gespeichert und nicht in die Cloud hochgeladen, wodurch Ihre Nutzungssicherheit und Datensicherheit gewährleistet wird. Überprüfen Sie regelmäßig Berichte und entwickeln Sie datengesteuerte Nutzungsgewohnheiten.
+
+
+
diff --git a/website/content/de/showcase/study-learning.mdx b/website/content/de/showcase/study-learning.mdx
new file mode 100644
index 000000000..8d21562c8
--- /dev/null
+++ b/website/content/de/showcase/study-learning.mdx
@@ -0,0 +1,71 @@
+---
+title: "Code-Lernen"
+description: "Open-Source-Repositories klonen und lernen, Code zu verstehen. Lassen Sie Qwen Code Sie anleiten, wie Sie zu Open-Source-Projekten beitragen können."
+category: "Lernen & Forschen"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Lernen von exzellentem Open-Source-Code ist ein hervorragender Weg, um Programmierfähigkeiten zu verbessern. Qwen Code kann Ihnen helfen, komplexe Projektarchitekturen und Implementierungsdetails tief zu verstehen, geeignete Beiträge zu finden und Sie durch Codemodifikationen zu leiten. Ob Sie neue Technologie-Stacks lernen oder zur Open-Source-Community beitragen möchten – Qwen Code ist Ihr idealer Programmiermentor.
+
+
+
+
+
+## Schritte
+
+
+
+### Repository klonen
+
+Verwenden Sie git clone, um das Open-Source-Projekt lokal herunterzuladen. Wählen Sie ein Projekt, das Sie interessiert, und klonen Sie es in Ihre Entwicklungsumgebung. Stellen Sie sicher, dass das Projekt gute Dokumentation und eine aktive Community hat, damit der Lernprozess reibungsloser verläuft.
+
+```bash
+git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code
+```
+
+### Qwen Code starten
+
+Starten Sie Qwen Code im Projektverzeichnis. Auf diese Weise kann AI auf alle Projektdateien zugreifen und kontextrelevante Codeerklärungen und -vorschläge geben. Qwen Code analysiert automatisch die Projektstruktur und identifiziert Hauptmodule und Abhängigkeiten.
+
+```bash
+qwen
+```
+
+### Codeerklärung anfordern
+
+Sagen Sie AI, welchen Teil oder welche Funktionalität des Projekts Sie verstehen möchten. Sie können nach der Gesamtarchitektur, der Implementierungslogik bestimmter Module oder den Designideen bestimmter Funktionen fragen. AI erklärt den Code in klarer Sprache und bietet relevantes Hintergrundwissen.
+
+```bash
+Helfen Sie mir, die Gesamtarchitektur und Hauptmodule dieses Projekts zu erklären
+```
+
+### Beiträge finden
+
+Lassen Sie AI Ihnen helfen, Issues oder Funktionen zu finden, die für Anfänger geeignet sind, daran teilzunehmen. AI analysiert die Issues-Liste des Projekts und empfiehlt geeignete Beiträge basierend auf Schwierigkeit, Tags und Beschreibungen. Dies ist ein guter Weg, um mit Open-Source-Beiträgen zu beginnen.
+
+```bash
+Welche offenen Issues sind für Anfänger geeignet, daran teilzunehmen?
+```
+
+### Modifikationen implementieren
+
+Implementieren Sie Codemodifikationen schrittweise basierend auf der Anleitung von AI. AI hilft Ihnen, Probleme zu analysieren, Lösungen zu entwerfen, Code zu schreiben und sicherzustellen, dass Modifikationen den Projekt-Codestandards entsprechen. Nach Abschluss der Modifikationen können Sie einen PR einreichen und zum Open-Source-Projekt beitragen.
+
+
+
+
+Durch die Teilnahme an Open-Source-Projekten können Sie nicht nur Programmierfähigkeiten verbessern, sondern auch technischen Einfluss aufbauen und gleichgesinnte Entwickler kennenlernen.
+
+
+
diff --git a/website/content/de/showcase/study-read-paper.mdx b/website/content/de/showcase/study-read-paper.mdx
new file mode 100644
index 000000000..644831d81
--- /dev/null
+++ b/website/content/de/showcase/study-read-paper.mdx
@@ -0,0 +1,67 @@
+---
+title: "Papers lesen"
+description: "Akademische Papers direkt lesen und analysieren. AI hilft Ihnen, komplexe Forschungsinhalte zu verstehen und generiert Lernkarten."
+category: "Lernen & Forschen"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Übersicht
+
+Akademische Papers sind oft dunkel und schwer zu verstehen und erfordern viel Zeit zum Lesen und Verstehen. Qwen Code kann Ihnen helfen, Papers direkt zu lesen und zu analysieren, Kernpunkte zu extrahieren, komplexe Konzepte zu erklären und Forschungsmethoden zusammenzufassen. AI versteht den Paper-Inhalt tief und erklärt ihn in leicht verständlicher Sprache und generiert strukturierte Lernkarten für Ihre Wiederholung und Weitergabe. Ob neue Technologien lernen oder Forschung in Spitzentechnologien – es kann Ihre Lerneffizienz erheblich verbessern.
+
+
+
+
+
+## Schritte
+
+
+
+### Paper-Informationen bereitstellen
+
+Sagen Sie Qwen Code das Paper, das Sie lesen möchten. Sie können den Paper-Titel, den PDF-Dateipfad oder den arXiv-Link bereitstellen. AI erhält und analysiert den Paper-Inhalt automatisch.
+
+```
+Helfen Sie mir, dieses Paper herunterzuladen und zu analysieren: attention is all you need https://arxiv.org/abs/1706.03762
+```
+
+### Paper lesen
+
+Installieren Sie PDF-bezogene Skills, damit Qwen Code den Paper-Inhalt analysieren und strukturierte Lernkarten generieren kann. Sie können Paper-Abstracts, Kernpunkte, Schlüsselkonzepte und wichtige Schlussfolgerungen anzeigen.
+
+```
+Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, und helfen Sie mir dann, Anthropic pdf und andere Office-Skills in qwen code skills zu installieren.
+```
+
+### Tiefes Lernen und Fragen
+
+Während des Lesens können Sie Qwen Code jederzeit Fragen stellen, wie z. B. "erklären Sie den Self-Attention-Mechanismus" oder "wie ist diese Formel abgeleitet". AI antwortet ausführlich und hilft Ihnen, tief zu verstehen.
+
+```
+Bitte erklären Sie den Kerngedanken der Transformer-Architektur
+```
+
+### Lernkarten generieren
+
+Nach dem Lernen lassen Sie Qwen Code Lernkarten generieren, die die Kernpunkte, Schlüsselkonzepte und wichtigen Schlussfolgerungen des Papers zusammenfassen. Diese Karten erleichtern Ihre Wiederholung und Weitergabe an das Team.
+
+```bash
+Helfen Sie mir, Lernkarten für dieses Paper zu generieren
+```
+
+
+
+
+Qwen Code unterstützt mehrere Paper-Formate, einschließlich PDF, arXiv-Links usw. Für mathematische Formeln und Diagramme erklärt AI ihre Bedeutung ausführlich und hilft Ihnen, den Paper-Inhalt vollständig zu verstehen.
+
+
+
diff --git a/website/content/en/showcase/code-lsp-intelligence.mdx b/website/content/en/showcase/code-lsp-intelligence.mdx
new file mode 100644
index 000000000..9d40894c3
--- /dev/null
+++ b/website/content/en/showcase/code-lsp-intelligence.mdx
@@ -0,0 +1,46 @@
+---
+title: "LSP IntelliSense"
+description: "By integrating LSP (Language Server Protocol), Qwen Code provides professional-grade code completion and navigation, with real-time code diagnostics."
+category: "Programming"
+features:
+ - "LSP"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+LSP (Language Server Protocol) IntelliSense enables Qwen Code to provide code completion and navigation on par with professional IDEs. By integrating language servers, Qwen Code can precisely understand code structure, type information, and contextual relationships to deliver high-quality code suggestions. Whether it's function signatures, parameter hints, variable name completion, definition jumping, reference finding, or refactoring operations, LSP IntelliSense handles them all smoothly. The real-time diagnostics feature instantly detects syntax errors, type issues, and potential bugs as you code, allowing you to fix them quickly and improve code quality.
+
+
+
+
+
+## Steps
+
+
+
+### Auto Detection
+
+Qwen Code automatically detects language server configurations in your project. For mainstream programming languages and frameworks, it automatically recognizes and starts the corresponding LSP service. No manual configuration needed—works out of the box. If your project uses a custom language server, you can also specify the LSP path and parameters via a configuration file.
+
+### Enjoy IntelliSense
+
+When you start coding, LSP IntelliSense activates automatically. As you type, it provides precise completion suggestions based on context, including function names, variable names, type annotations, and more. Completion suggestions display type information and documentation, helping you quickly select the correct code. Press Tab to quickly accept a suggestion, or use arrow keys to browse more options.
+
+### Error Diagnostics
+
+LSP real-time diagnostics continuously analyzes your code as you write, detecting potential issues. Errors and warnings are displayed intuitively, including problem location, error type, and fix suggestions. Click on an issue to jump directly to the corresponding location, or use keyboard shortcuts to navigate to the next issue. This instant feedback mechanism lets you detect and fix problems as early as possible.
+
+
+
+
+Supports mainstream languages including TypeScript, Python, Java, Go, Rust, and frontend frameworks like React, Vue, and Angular. LSP service performance depends on the language server implementation; large projects may require a few seconds of initialization time.
+
+
+
diff --git a/website/content/en/showcase/code-pr-review.mdx b/website/content/en/showcase/code-pr-review.mdx
new file mode 100644
index 000000000..27d722173
--- /dev/null
+++ b/website/content/en/showcase/code-pr-review.mdx
@@ -0,0 +1,63 @@
+---
+title: "PR Review"
+description: "Use Qwen Code to perform intelligent code review on Pull Requests, automatically discovering potential issues."
+category: "Programming"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Code review is a critical step in ensuring code quality, but it's often time-consuming and prone to missing issues. Qwen Code can help you perform intelligent code review on Pull Requests, automatically analyzing code changes, finding potential bugs, checking code standards, and providing detailed review reports. The AI deeply understands code logic, identifies possible issues and improvement suggestions, making code review more comprehensive and efficient while reducing the burden on developers.
+
+
+
+
+
+## Steps
+
+
+
+### Specify the PR to Review
+
+Tell Qwen Code which Pull Request you want to review by providing the PR number or link. The AI will automatically fetch the PR's details and code changes.
+
+
+You can use the pr review skill to help you analyze PRs. For skill installation, see: [Install Skills](./guide-skill-install.mdx).
+
+
+```bash
+/skill pr-review Help me review this PR:
+```
+
+### Run Tests and Checks
+
+Qwen Code will analyze the code changes, identify test cases that need to run, and execute relevant tests to verify code correctness.
+
+```bash
+Run tests to check if this PR passes all test cases
+```
+
+### View the Review Report
+
+After the review is complete, Qwen Code generates a detailed review report including discovered issues, potential risks, and improvement suggestions. You can decide whether to approve the PR based on the report.
+
+```bash
+View the review report and list all discovered issues
+```
+
+
+
+
+Qwen Code's code review not only focuses on syntax and standards, but also deeply analyzes code logic to identify potential performance issues, security vulnerabilities, and design flaws, providing more comprehensive review feedback.
+
+
+
diff --git a/website/content/en/showcase/code-solve-issue.mdx b/website/content/en/showcase/code-solve-issue.mdx
new file mode 100644
index 000000000..cf9bedd3c
--- /dev/null
+++ b/website/content/en/showcase/code-solve-issue.mdx
@@ -0,0 +1,71 @@
+---
+title: "Resolve Issues"
+description: "Use Qwen Code to analyze and resolve open source project issues, with full-process tracking from understanding to code submission."
+category: "Programming"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Resolving issues for open source projects is an important way to improve programming skills and build technical influence. Qwen Code can help you quickly locate problems, understand related code, formulate fix plans, and implement code changes. From problem analysis to PR submission, AI assistance throughout the entire process makes open source contributions more efficient and smooth.
+
+
+
+
+
+## Steps
+
+
+
+### Choose an Issue
+
+Find an interesting or suitable issue to resolve on GitHub. Prioritize issues with clear descriptions, reproduction steps, and expected results. Labels like `good first issue` or `help wanted` typically indicate tasks suitable for newcomers.
+
+### Clone the Project and Locate the Problem
+
+Download the project code and let AI help you locate the problem. Use `@file` to reference relevant files, and the AI will analyze the code logic to find the root cause. This saves a lot of time and quickly pinpoints the code that needs to be modified.
+
+```bash
+Help me analyze where the problem described in this issue occurs, issue link:
+```
+
+### Understand the Related Code
+
+Have the AI explain the relevant code logic and dependencies. Understanding the code context is very important and helps you formulate the correct fix plan. The AI will provide clear code explanations, including design rationale and potential problem points.
+
+### Formulate a Fix Plan
+
+Discuss possible solutions with the AI and choose the best one. The AI will analyze different fix plans, evaluating their scope of impact and potential risks. Choose a plan that solves the problem without introducing new issues.
+
+### Implement Code Changes
+
+Gradually modify the code and test it with AI guidance. The AI will help you write the modified code and ensure it conforms to the project's code standards. After modifications, run tests to verify the fix.
+
+```bash
+Help me modify this code to resolve this issue
+```
+
+### Submit a PR
+
+After completing the modifications, submit a PR and wait for the project maintainer to review. Clearly explain the problem cause and fix plan in the PR description, referencing the related issue. Once the maintainer approves, your code will be merged into the project.
+
+```bash
+Help me submit a PR to resolve this issue
+```
+
+
+
+
+Resolving open source issues not only improves technical skills but also builds technical influence, adding value to your career development.
+
+
+
diff --git a/website/content/en/showcase/creator-oss-promo-video.mdx b/website/content/en/showcase/creator-oss-promo-video.mdx
new file mode 100644
index 000000000..0ff705ce4
--- /dev/null
+++ b/website/content/en/showcase/creator-oss-promo-video.mdx
@@ -0,0 +1,48 @@
+---
+title: "Create a Promo Video for Your Open Source Project"
+description: "Provide a repository URL and AI will generate a beautiful project demo video for you."
+category: "Creator Tools"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Want to create a promotional video for your open source project but lack video production experience? Qwen Code can automatically generate beautiful project demo videos for you. Just provide the GitHub repository URL, and the AI will analyze the project structure, extract key features, generate animation scripts, and render a professional video using Remotion. Whether for project releases, technical sharing, or community promotion, you can quickly obtain high-quality promotional materials.
+
+
+
+
+
+## Steps
+
+
+
+### Prepare Your Repository
+
+Make sure your GitHub repository contains complete project information and documentation, including README, screenshots, and feature descriptions. This information will help the AI better understand the project's characteristics.
+
+### Generate the Promo Video
+
+Tell Qwen Code the video style and focus you want, and the AI will automatically analyze the project and generate the video. You can preview the result and adjust animations and copy.
+
+```bash
+Based on this skill https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, help me generate a demo video for the open source repository:
+```
+
+
+
+
+Generated videos support multiple resolutions and formats, and can be directly uploaded to YouTube, Bilibili, and other video platforms. You can also further edit the video to add background music and subtitles.
+
+
+
diff --git a/website/content/en/showcase/creator-remotion-video.mdx b/website/content/en/showcase/creator-remotion-video.mdx
new file mode 100644
index 000000000..e3d9fcc1c
--- /dev/null
+++ b/website/content/en/showcase/creator-remotion-video.mdx
@@ -0,0 +1,68 @@
+---
+title: "Remotion Video Creation"
+description: "Describe your creative ideas in natural language and use the Remotion Skill to drive code-generated video content."
+category: "Creator Tools"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Want to create videos but don't know how to code? By describing your creative ideas in natural language, Qwen Code can use the Remotion Skill to generate video code. The AI understands your creative description and automatically generates Remotion project code, including scene setup, animation effects, text layout, and more. Whether for product promotion, social media content, or educational videos, you can quickly generate professional video content.
+
+
+
+
+
+## Steps
+
+
+
+### Install the Remotion Skill
+
+First, install the Remotion-related Skill, which contains best practices and templates for video creation.
+
+```bash
+Check if I have find skills, if not install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install remotion-best-practice and copy them to the current directory qwen code skills.
+```
+
+### Describe Your Creative Idea
+
+Use natural language to describe in detail the video content you want to create, including theme, style, duration, and key scenes.
+
+```bash
+@file Based on the document, create a 30-second product promo video with a clean modern style showcasing the main features.
+```
+
+### Preview and Adjust
+
+Qwen Code will generate Remotion project code based on your description. Start the development server to preview the result, then render the final video when satisfied.
+
+```bash
+npm run dev
+```
+
+### Render and Export
+
+When satisfied, use the build command to render the final video, supporting MP4, WebM, and other formats.
+
+```bash
+Help me render and export the video directly.
+```
+
+
+
+
+The prompt-based approach is great for rapid prototyping and creative exploration. You can continuously refine your description to let the AI optimize the video. The generated code can be further manually edited to implement more complex features.
+
+
+
diff --git a/website/content/en/showcase/creator-resume-site-quick.mdx b/website/content/en/showcase/creator-resume-site-quick.mdx
new file mode 100644
index 000000000..89c81fafc
--- /dev/null
+++ b/website/content/en/showcase/creator-resume-site-quick.mdx
@@ -0,0 +1,67 @@
+---
+title: "Create a Personal Resume Website"
+description: "Build a personal resume website with one sentence—integrate your experience to generate a showcase page with PDF export support for easy submission."
+category: "Creator Tools"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+A personal resume website is an important tool for job hunting and self-presentation. Qwen Code can quickly generate a professional showcase page based on your resume content, with PDF export support for easy submission. Whether for job applications or personal branding, a beautiful resume website can help you stand out.
+
+
+
+
+
+## Steps
+
+
+
+### Provide Your Experience
+
+Tell the AI your educational background, work experience, project experience, skill stack, and other information. You can provide it in sections or all at once. The AI will understand your experience and extract key information for the resume design.
+
+```bash
+I'm a frontend engineer, graduated from XX University, with 3 years of experience, skilled in React and TypeScript...
+```
+
+### Install the Web Design Skill
+
+Install the web design Skill, which provides resume design templates. The AI will generate the resume website based on the template.
+
+```bash
+Check if I have find skills, if not install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills, then help me install web-component-design to the current directory qwen code skills.
+```
+
+### Choose a Design Style
+
+Describe the resume style you prefer, such as minimalist, professional, or creative. The AI will generate a design based on your preferences. You can reference excellent resume websites and tell the AI which design elements and layouts you like.
+
+```bash
+/skills web-component-design Help me design a minimalist professional resume website
+```
+
+### Generate the Resume Website
+
+The AI will create a complete resume website project, including responsive layout, print styles, and more. The project will contain all necessary files and configurations—just run the development server to preview.
+
+```bash
+npm run dev
+```
+
+
+
+
+Your resume website should highlight your core strengths and achievements, using specific data and examples to support your descriptions.
+
+
+
diff --git a/website/content/en/showcase/creator-website-clone.mdx b/website/content/en/showcase/creator-website-clone.mdx
new file mode 100644
index 000000000..c9366858d
--- /dev/null
+++ b/website/content/en/showcase/creator-website-clone.mdx
@@ -0,0 +1,63 @@
+---
+title: "Replicate Your Favorite Website with One Sentence"
+description: "Give a screenshot to Qwen Code and AI analyzes the page structure to generate complete frontend code."
+category: "Creator Tools"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+See a website design you love and want to quickly replicate it? Just give a screenshot to Qwen Code and the AI can analyze the page structure and generate complete frontend code. Qwen Code will recognize the page layout, color scheme, and component structure, then generate runnable code using modern frontend technology stacks. Whether for learning design, rapid prototyping, or project reference, this greatly improves your development efficiency, letting you obtain high-quality code in minutes.
+
+
+
+
+
+## Steps
+
+
+
+### Prepare a Website Screenshot
+
+Take a screenshot of the website interface you want to replicate, making sure it's clear and complete, including the main layout and design elements.
+
+### Install the Corresponding Skill
+
+Install the image recognition and frontend code generation Skill, which contains the ability to analyze web designs and generate code.
+
+```bash
+Check if I have find skills, if not install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install web-component-design to the current directory qwen code skills.
+```
+
+### Paste the Screenshot and Describe Your Requirements
+
+Paste the screenshot into the conversation and tell Qwen Code your specific requirements, such as which technology stack to use and what features are needed.
+
+```bash
+/skills web-component-design Based on this skill, replicate a webpage HTML based on @website.png, making sure image references are valid.
+```
+
+Example screenshot:
+
+
+
+### Run and Preview
+
+Open the corresponding webpage to check the result. If you need to adjust the design or functionality, continue interacting with the AI to modify the code until you're satisfied.
+
+
+
+
+The generated code follows modern frontend best practices with good structure and maintainability. You can further customize and extend it, adding interactive features and backend integration.
+
+
+
diff --git a/website/content/en/showcase/creator-youtube-to-blog.mdx b/website/content/en/showcase/creator-youtube-to-blog.mdx
new file mode 100644
index 000000000..d330a7bf5
--- /dev/null
+++ b/website/content/en/showcase/creator-youtube-to-blog.mdx
@@ -0,0 +1,52 @@
+---
+title: "Convert YouTube Videos to Blog Posts"
+description: "Use Qwen Code to automatically convert YouTube videos into structured blog articles."
+category: "Creator Tools"
+features:
+ - "Skills"
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Found an amazing YouTube video and want to convert it into a blog post to share with more people? Qwen Code can automatically extract video content and generate well-structured, content-rich blog articles. The AI fetches the video transcript, understands the key points, organizes the content in standard blog article format, and adds appropriate headings and sections. Whether it's technical tutorials, product introductions, or knowledge sharing, you can quickly generate high-quality articles.
+
+
+
+
+
+## Steps
+
+
+
+### Provide the Video Link
+
+Tell Qwen Code the YouTube video link you want to convert, and the AI will automatically fetch the video information and transcript.
+
+```
+Based on this skill: https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, help me write this video as a blog post: https://www.youtube.com/watch?v=fJSLnxi1i64
+```
+
+### Generate the Blog Post and Edit
+
+The AI will analyze the transcript, extract key information, and generate an article in blog post structure, including title, introduction, body, and conclusion. You can continue to refine it:
+
+```
+Help me adjust the language style of this article to be more suitable for a technical blog
+```
+
+
+
+
+Generated articles support Markdown format and can be directly published to blog platforms or GitHub Pages. You can also have the AI help you add images, code blocks, and citations to enrich the article.
+
+
+
diff --git a/website/content/en/showcase/guide-agents-config.mdx b/website/content/en/showcase/guide-agents-config.mdx
new file mode 100644
index 000000000..4374514be
--- /dev/null
+++ b/website/content/en/showcase/guide-agents-config.mdx
@@ -0,0 +1,66 @@
+---
+title: "Agents Configuration File"
+description: "Customize AI behavior through the Agents MD file to make AI adapt to your project specifications and coding style."
+category: "Getting Started"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+The Agents configuration file allows you to customize AI behavior through Markdown files, making AI adapt to your project specifications and coding style. You can define code style, naming conventions, comment requirements, etc., and AI will generate code that meets project standards based on these configurations. This feature is especially suitable for team collaboration, ensuring that code styles generated by all members are consistent.
+
+
+
+
+
+## Steps
+
+
+
+### Create Configuration File
+
+Create a `.qwen` folder in the project root directory and create an `AGENTS.md` file in it. This file will store your AI behavior configuration.
+
+```bash
+mkdir -p .qwen && touch .qwen/AGENTS.md
+```
+
+### Write Configuration
+
+Write the configuration using Markdown format, describing project specifications in natural language. You can define code style, naming conventions, comment requirements, framework preferences, etc., and AI will adjust behavior based on these configurations.
+
+```markdown
+# Project Specifications
+
+### Code Style
+
+- Use TypeScript
+- Use functional programming
+- Add detailed comments
+
+### Naming Conventions
+
+- Use camelCase for variables
+- Use UPPER_SNAKE_CASE for constants
+- Use PascalCase for class names
+```
+
+### Apply Configuration
+
+After saving the configuration file, AI will automatically read and apply these configurations. In the next conversation, AI will generate code that meets project standards based on the configuration, without needing to repeat the specifications.
+
+
+
+
+Supports Markdown format, describe project specifications in natural language.
+
+
+
diff --git a/website/content/en/showcase/guide-api-setup.mdx b/website/content/en/showcase/guide-api-setup.mdx
new file mode 100644
index 000000000..20235c922
--- /dev/null
+++ b/website/content/en/showcase/guide-api-setup.mdx
@@ -0,0 +1,111 @@
+---
+title: "API Configuration Guide"
+description: "Configure API Key and model parameters to customize your AI programming experience, supporting multiple model selections."
+category: "Getting Started"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Configuring an API Key is an important step in using Qwen Code, as it unlocks all features and allows you to access powerful AI models. Through the Alibaba Cloud Bailian platform, you can easily obtain an API Key and choose the most suitable model for different scenarios. Whether for daily development or complex tasks, the right model configuration can significantly improve your work efficiency.
+
+
+
+
+
+## Steps
+
+
+
+### Get API Key
+
+Visit the [Alibaba Cloud Bailian Platform](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), find the API Key management page in the personal center. Click to create a new API Key, and the system will generate a unique key. This key is your credential for accessing Qwen Code services, so please keep it safe.
+
+
+
+
+Please keep your API Key safe and do not disclose it to others or commit it to the code repository.
+
+
+### Configure API Key in Qwen Code
+
+**1. Let Qwen Code configure automatically**
+
+Open the terminal, start Qwen Code directly in the root directory, copy the following code and tell your API-KEY, and the configuration will be successful. Restart Qwen Code and enter `/model` to switch to the configured model.
+
+```json
+Help me configure `settings.json` for Bailian's model according to the following content:
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "",
+ "name": "[Bailian] ",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": ""
+ },
+}
+For model name input, please refer to: https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all
+My API-KEY is:
+```
+
+Then paste your API-KEY into the input box, tell it the model name you need, such as `qwen3.5-plus`, and send it to complete the configuration.
+
+
+
+**2. Manual Configuration**
+
+Manually configure the settings.json file. The file location is in the `/.qwen` directory. You can directly copy the following content and modify your API-KEY and model name.
+
+```json
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "",
+ "name": "[Bailian] ",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": ""
+ },
+}
+```
+
+### Select Model
+
+Choose the appropriate model according to your needs, balancing speed and performance. Different models are suitable for different scenarios. You can choose based on the complexity of the task and response time requirements. Use the `/model` command to quickly switch models.
+
+Common model options:
+- `qwen3.5-plus`: Powerful, suitable for complex tasks
+- `qwen3.5-flash`: Fast, suitable for simple tasks
+- `qwen-max`: Strongest model, suitable for high-difficulty tasks
+
+### Test Connection
+
+Send a test message to confirm the API configuration is correct. If the configuration is successful, Qwen Code will reply to you immediately, which means you are ready to start using AI-assisted programming. If you encounter problems, please check if the API Key is set correctly.
+
+```bash
+Hello, can you help me with coding?
+```
+
+
+
+
diff --git a/website/content/en/showcase/guide-authentication.mdx b/website/content/en/showcase/guide-authentication.mdx
new file mode 100644
index 000000000..60f9e6e9c
--- /dev/null
+++ b/website/content/en/showcase/guide-authentication.mdx
@@ -0,0 +1,50 @@
+---
+title: "Authentication Login"
+description: "Understand Qwen Code's authentication process, quickly complete account login, and unlock all features."
+category: "Getting Started"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Authentication login is the first step in using Qwen Code. Through a simple authentication process, you can quickly unlock all features. The authentication process is safe and reliable, supports multiple login methods, and ensures your account and data security. After completing authentication, you can enjoy a personalized AI programming experience, including custom model configuration, history saving, and other features.
+
+
+
+
+
+## Steps
+
+
+
+### Trigger Authentication
+
+After starting Qwen Code, enter the `/auth` command, and the system will automatically start the authentication process. The authentication command can be used in the command line or VS Code extension, and the operation method is consistent. The system will detect the current authentication status, and if not logged in, it will guide you to complete the login.
+
+```bash
+/auth
+```
+
+### Browser Login
+
+The system will automatically open the browser and jump to the authentication page. On the authentication page, you can choose to use an Alibaba Cloud account or other supported login methods. The login process is fast and convenient, taking only a few seconds to complete.
+
+### Confirm Login
+
+After successful login, the browser will automatically close or display a success message. Returning to the Qwen Code interface, you will see the authentication success message, indicating that you have successfully logged in and unlocked all features. Authentication information will be automatically saved, so there is no need to log in repeatedly.
+
+
+
+
+Authentication information is securely stored locally, no need to log in again each time.
+
+
+
diff --git a/website/content/en/showcase/guide-bailian-coding-plan.mdx b/website/content/en/showcase/guide-bailian-coding-plan.mdx
new file mode 100644
index 000000000..698158a73
--- /dev/null
+++ b/website/content/en/showcase/guide-bailian-coding-plan.mdx
@@ -0,0 +1,57 @@
+---
+title: "Bailian Coding Plan Mode"
+description: "Configure to use Bailian Coding Plan, multiple model selection, improve the completion quality of complex tasks."
+category: "Getting Started"
+features:
+ - "Plan Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Bailian Coding Plan mode is an advanced feature of Qwen Code, designed specifically for complex programming tasks. Through intelligent multi-model collaboration, it can break down large tasks into executable steps and automatically plan the optimal execution path. Whether refactoring large codebases or implementing complex features, Coding Plan can significantly improve task completion quality and efficiency.
+
+
+
+
+
+## Steps
+
+
+
+### Enter Settings Interface
+
+Start Qwen Code and enter the `/auth` command.
+
+### Select Coding Plan
+
+Enable Bailian Coding Plan mode in settings, enter your API Key, and Qwen Code will automatically configure the models supported by Coding Plan for you.
+
+
+
+### Select Model
+
+Directly enter the `/model` command to select the model you want.
+
+### Start Complex Task
+
+Describe your programming task, and Coding Plan will automatically plan the execution steps. You can explain the task's goals, constraints, and expected results in detail. AI will analyze the task requirements and generate a structured execution plan, including specific operations and expected outputs for each step.
+
+```bash
+I need to refactor this project's data layer, migrate the database from MySQL to PostgreSQL while keeping the API interface unchanged
+```
+
+
+
+
+Coding Plan mode is especially suitable for complex tasks that require multi-step collaboration, such as architecture refactoring, feature migration, etc.
+
+
+
diff --git a/website/content/en/showcase/guide-copy-optimization.mdx b/website/content/en/showcase/guide-copy-optimization.mdx
new file mode 100644
index 000000000..a7fbc0428
--- /dev/null
+++ b/website/content/en/showcase/guide-copy-optimization.mdx
@@ -0,0 +1,42 @@
+---
+title: "Copy Character Optimization"
+description: "Optimized code copy experience, precisely select and copy code snippets, preserving complete formatting."
+category: "Getting Started"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+The optimized code copy experience allows you to precisely select and copy code snippets while preserving complete formatting and indentation. Whether it's entire code blocks or partial lines, you can easily copy and paste them into your project. The copy function supports multiple methods, including one-click copy, selection copy, and shortcut key copy, meeting the needs of different scenarios.
+
+
+
+
+
+## Steps
+
+
+
+### Select Code Block
+
+Click the copy button in the upper right corner of the code block to copy the entire code block with one click. The copy button is clearly visible and the operation is simple and fast. The copied content will retain the original format, including indentation, syntax highlighting, etc.
+
+### Paste and Use
+
+Paste the copied code into your editor, and the format will be automatically maintained. You can use it directly without manually adjusting indentation or formatting. The pasted code is completely consistent with the original code, ensuring code correctness.
+
+### Precise Selection
+
+If you only need to copy part of the code, you can use the mouse to select the content you need, then use the shortcut key to copy. Supports multi-line selection, allowing you to precisely copy the code snippets you need.
+
+
+
+
diff --git a/website/content/en/showcase/guide-first-conversation.mdx b/website/content/en/showcase/guide-first-conversation.mdx
new file mode 100644
index 000000000..42a2645aa
--- /dev/null
+++ b/website/content/en/showcase/guide-first-conversation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Start First Conversation"
+description: "After installation, initiate your first AI conversation with Qwen Code to understand its core capabilities and interaction methods."
+category: "Getting Started"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+After completing the installation of Qwen Code, you will have your first conversation with it. This is an excellent opportunity to understand Qwen Code's core capabilities and interaction methods. You can start with a simple greeting and gradually explore its powerful features in code generation, problem solving, document understanding, and more. Through actual operation, you will feel how Qwen Code becomes your capable assistant on your programming journey.
+
+
+
+
+
+## Steps
+
+
+
+### Start Qwen Code
+
+Enter the `qwen` command in the terminal to start the application. On first startup, the system will perform initialization configuration, which takes only a few seconds. After startup, you will see a friendly command line interface, ready to start the conversation with AI.
+
+```bash
+qwen
+```
+
+### Initiate Conversation
+
+Enter your question in the input box to start communicating with AI. You can start with a simple self-introduction, such as asking what Qwen Code is or what it can help you do. AI will answer your questions in clear and easy-to-understand language and guide you to explore more features.
+
+```bash
+what is qwen code?
+```
+
+### Explore Capabilities
+
+Try asking AI to help you complete some simple tasks, such as explaining code, generating functions, answering technical questions, etc. Through actual operation, you will gradually become familiar with Qwen Code's various capabilities and discover its application value in different scenarios.
+
+```bash
+Help me write a Python function to calculate the Fibonacci sequence
+```
+
+
+
+
+Qwen Code supports multi-turn conversations. You can continue asking questions based on previous answers to explore topics of interest in depth.
+
+
+
diff --git a/website/content/en/showcase/guide-headless-mode.mdx b/website/content/en/showcase/guide-headless-mode.mdx
new file mode 100644
index 000000000..dd239455b
--- /dev/null
+++ b/website/content/en/showcase/guide-headless-mode.mdx
@@ -0,0 +1,62 @@
+---
+title: "Headless Mode"
+description: "Use Qwen Code in GUI-less environments, suitable for remote servers, CI/CD pipelines, and automation script scenarios."
+category: "Getting Started"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Headless mode allows you to use Qwen Code in GUI-less environments, especially suitable for remote servers, CI/CD pipelines, and automation script scenarios. Through command line parameters and pipeline input, you can seamlessly integrate Qwen Code into existing workflows, achieving automated AI-assisted programming.
+
+
+
+
+
+## Steps
+
+
+
+### Use Prompt Mode
+
+Use the `--p` parameter to directly pass prompts in the command line. Qwen Code will return the answer and automatically exit. This method is suitable for one-time queries and can be easily integrated into scripts.
+
+```bash
+qwen --p 'what is qwen code?'
+```
+
+### Pipeline Input
+
+Pass the output of other commands to Qwen Code through pipelines to achieve automated processing. You can directly send log files, error messages, etc. to AI for analysis.
+
+```bash
+cat error.log | qwen --p 'analyze errors'
+```
+
+### Script Integration
+
+Integrate Qwen Code in Shell scripts to achieve complex automated workflows. You can perform different operations based on AI's return results, building intelligent automated scripts.
+
+```bash
+#!/bin/bash
+result=$(qwen --p 'check if there are any problems with the code')
+if [[ $result == *"has problems"* ]]; then
+ echo "Code problems found"
+fi
+```
+
+
+
+
+Headless mode supports all Qwen Code features, including code generation, problem solving, file operations, etc.
+
+
+
diff --git a/website/content/en/showcase/guide-language-switch.mdx b/website/content/en/showcase/guide-language-switch.mdx
new file mode 100644
index 000000000..5aa1dbe66
--- /dev/null
+++ b/website/content/en/showcase/guide-language-switch.mdx
@@ -0,0 +1,55 @@
+---
+title: "Language Switch"
+description: "Flexibly switch UI interface language and AI output language, supporting multilingual interaction."
+category: "Getting Started"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Qwen Code supports flexible language switching. You can independently set the UI interface language and AI output language. Whether it's Chinese, English, or other languages, you can find suitable settings. Multilingual support allows you to work in a familiar language environment, improving communication efficiency and comfort.
+
+
+
+
+
+## Steps
+
+
+
+### Switch UI Language
+
+Use the `/language ui` command to switch the interface language, supporting Chinese, English, and other languages. After switching the UI language, menus, prompt messages, help documents, etc. will all be displayed in the language you selected.
+
+```bash
+/language ui zh-CN
+```
+
+### Switch Output Language
+
+Use the `/language output` command to switch AI's output language. AI will use the language you specified to answer questions, generate code comments, provide explanations, etc., making communication more natural and smooth.
+
+```bash
+/language output zh-CN
+```
+
+### Mixed Language Usage
+
+You can also set different languages for UI and output to achieve mixed language usage. For example, use Chinese for UI and English for AI output, suitable for scenarios where you need to read English technical documentation.
+
+
+
+
+Language settings are automatically saved and will use the language you selected last time on next startup.
+
+
+
diff --git a/website/content/en/showcase/guide-plan-with-search.mdx b/website/content/en/showcase/guide-plan-with-search.mdx
new file mode 100644
index 000000000..03bf13ce8
--- /dev/null
+++ b/website/content/en/showcase/guide-plan-with-search.mdx
@@ -0,0 +1,59 @@
+---
+title: "Plan Mode + Web Search"
+description: "Combine Web Search in Plan mode to search for the latest information first and then formulate an execution plan, significantly improving the accuracy of complex tasks."
+category: "Getting Started"
+features:
+ - "Plan Mode"
+ - "Web Search"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Plan mode is Qwen Code's intelligent planning capability, able to break down complex tasks into executable steps. When combined with Web Search, it will proactively search for the latest technical documentation, best practices, and solutions first, then formulate more accurate execution plans based on this real-time information. This combination is especially suitable for handling development tasks involving new frameworks, new APIs, or requiring compliance with the latest specifications, which can significantly improve code quality and task completion efficiency. Whether migrating projects, integrating new features, or solving complex technical problems, Plan + Web Search can provide you with the most cutting-edge solutions.
+
+
+
+
+
+## Steps
+
+
+
+### Enable Plan Mode
+
+Enter the `/approval-mode plan` command in the conversation to activate Plan mode. At this point, Qwen Code will enter the planning state, ready to receive your task description and start thinking. Plan mode will automatically analyze the complexity of the task and determine whether it needs to search for external information to supplement the knowledge base.
+
+```bash
+/approval-mode plan
+```
+
+### Request Search for Latest Information
+
+Describe your task requirements, and Qwen Code will automatically identify keywords that need to be searched. It will proactively initiate Web Search requests to obtain the latest technical documentation, API references, best practices, and solutions. Search results will be integrated into the knowledge base, providing an accurate information foundation for subsequent planning.
+
+```
+Help me search for the latest news in the AI field and organize it into a report for me
+```
+
+### View Execution Plan
+
+Based on the searched information, Qwen Code will generate a detailed execution plan for you. The plan will include clear step descriptions, technical points to focus on, potential pitfalls, and solutions. You can review this plan, provide modification suggestions, or confirm to start execution.
+
+### Execute Plan Step by Step
+
+After confirming the plan, Qwen Code will execute it step by step. At each key node, it will report progress and results to you, ensuring you have complete control over the entire process. If problems are encountered, it will provide solutions based on the latest search information rather than relying on outdated knowledge.
+
+
+
+
+Web Search will automatically identify technical keywords in the task, no need to manually specify search content. For rapidly iterating frameworks and libraries, it is recommended to enable Web Search in Plan mode to get the latest information.
+
+
+
diff --git a/website/content/en/showcase/guide-resume-session.mdx b/website/content/en/showcase/guide-resume-session.mdx
new file mode 100644
index 000000000..760cc540e
--- /dev/null
+++ b/website/content/en/showcase/guide-resume-session.mdx
@@ -0,0 +1,63 @@
+---
+title: "Resume Session Recovery"
+description: "Interrupted conversations can be resumed at any time without losing any context and progress."
+category: "Getting Started"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+The Resume session recovery feature allows you to interrupt conversations at any time and resume them when needed without losing any context and progress. Whether you have something to do temporarily or are multitasking, you can safely pause the conversation and seamlessly continue later. This feature greatly improves work flexibility, allowing you to manage time and tasks more efficiently.
+
+
+
+
+
+## Steps
+
+
+
+### View Session List
+
+Use the `qwen --resume` command to view all historical sessions. The system will display the time, topic, and brief information of each session, helping you quickly find the conversation you need to resume.
+
+```bash
+qwen --resume
+```
+
+### Resume Session
+
+Use the `qwen --resume` command to resume a specified session. You can select the conversation to resume by session ID or number, and the system will load the complete context history.
+
+```bash
+qwen --resume
+```
+
+### Continue Working
+
+After resuming the session, you can continue the conversation as if it had never been interrupted. All context, history, and progress will be completely preserved, and AI can accurately understand the previous discussion content.
+
+### Switch Sessions After Starting Qwen Code
+
+After starting Qwen Code, you can use the `/resume` command to switch to a previous session.
+
+```bash
+/resume
+```
+
+
+
+
+Session history is automatically saved and supports cross-device synchronization. You can resume the same session on different devices.
+
+
+
diff --git a/website/content/en/showcase/guide-retry-shortcut.mdx b/website/content/en/showcase/guide-retry-shortcut.mdx
new file mode 100644
index 000000000..5a9ef37f8
--- /dev/null
+++ b/website/content/en/showcase/guide-retry-shortcut.mdx
@@ -0,0 +1,50 @@
+---
+title: "Ctrl+Y Quick Retry"
+description: "Not satisfied with AI's answer? Use the shortcut key for one-click retry to quickly get better results."
+category: "Getting Started"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Not satisfied with AI's answer? Use the Ctrl+Y (Windows/Linux) or Cmd+Y (macOS) shortcut key for one-click retry to quickly get better results. This feature allows you to let AI regenerate answers without re-entering questions, saving time and improving efficiency. You can retry multiple times until you get a satisfactory answer.
+
+
+
+
+
+## Steps
+
+
+
+### Discover Unsatisfactory Answers
+
+When AI's answer does not meet your expectations, don't be discouraged. AI's answers may vary due to context understanding or randomness, and you can get better results by retrying.
+
+### Trigger Retry
+
+Press the Ctrl+Y (Windows/Linux) or Cmd+Y (macOS) shortcut key, and AI will regenerate the answer. The retry process is fast and smooth and will not interrupt your workflow.
+
+```bash
+Ctrl+Y / Cmd+Y
+```
+
+### Supplementary Explanation
+
+If you are still not satisfied after retrying, you can add supplementary explanations to your needs so that AI can more accurately understand your intentions. You can add more details, modify the way the question is expressed, or provide more context information.
+
+
+
+
+The retry function will retain the original question but will use different random seeds to generate answers, ensuring result diversity.
+
+
+
diff --git a/website/content/en/showcase/guide-script-install.mdx b/website/content/en/showcase/guide-script-install.mdx
new file mode 100644
index 000000000..45d49cc64
--- /dev/null
+++ b/website/content/en/showcase/guide-script-install.mdx
@@ -0,0 +1,59 @@
+---
+title: "One-Click Script Installation"
+description: "Quickly install Qwen Code via script command. Complete environment setup in seconds, supporting Linux, macOS, and Windows systems."
+category: "Getting Started"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Qwen Code supports quick installation via a single script command. No need to manually configure environment variables or download dependencies. The script automatically detects your operating system type, downloads the appropriate installation package, and completes the configuration. The entire process takes just a few seconds and supports three major platforms: **Linux**, **macOS**, and **Windows**.
+
+
+
+
+
+## Steps
+
+
+
+### Linux / macOS Installation
+
+Open your terminal and run the following command. The script will automatically detect your system architecture (x86_64 / ARM), download the corresponding version, and complete the installation configuration.
+
+```bash
+bash -c "$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)" -s --source website
+```
+
+### Windows Installation
+
+Run the following command in PowerShell. The script will download a batch file and automatically execute the installation process. After completion, you can use the `qwen` command in any terminal.
+
+```bash
+curl -fsSL -o %TEMP%\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\install-qwen.bat --source website
+```
+
+### Verify Installation
+
+After installation is complete, run the following command in your terminal to confirm that Qwen Code has been correctly installed. If you see the version number output, the installation was successful.
+
+```bash
+qwen --version
+```
+
+
+
+
+If you prefer using npm, you can also install globally via `npm install -g @qwen-code/qwen-code`. After installation, simply enter `qwen` to start. If you encounter permission issues, use `sudo npm install -g @qwen-code/qwen-code` and enter your password to install.
+
+
+
diff --git a/website/content/en/showcase/guide-skill-install.mdx b/website/content/en/showcase/guide-skill-install.mdx
new file mode 100644
index 000000000..8ac0bb59b
--- /dev/null
+++ b/website/content/en/showcase/guide-skill-install.mdx
@@ -0,0 +1,78 @@
+---
+title: "Install Skills"
+description: "Multiple ways to install Skill extensions, including command-line installation and folder installation, meeting different scenario needs."
+category: "Getting Started"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Qwen Code supports multiple Skill installation methods. You can choose the most suitable approach based on your actual scenario. Command-line installation is suitable for online environments and is quick and convenient; folder installation is suitable for offline environments or custom Skills, offering flexibility and control.
+
+
+
+
+
+## Steps
+
+
+
+### Check and Install find-skills Skill
+
+Describe your needs directly in Qwen Code and let it help you check and install the required Skill:
+
+```
+Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code
+```
+
+### Install the Skill You Need, for example installing web-component-design:
+
+```
+/skills find-skills install web-component-design -y -a qwen-code
+```
+
+Qwen Code will automatically execute the installation command, download and install the Skill from the specified repository. You can also install with a single sentence:
+
+```
+Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install [Skill Name] to the current qwen code skills directory.
+```
+
+### Verify Installation
+
+After installation is complete, verify that the Skill has been successfully loaded:
+
+```bash
+/skills
+```
+
+
+
+
+Command-line installation requires network connection. The `-y` parameter indicates automatic confirmation, and `-a qwen-code` specifies installation to Qwen Code.
+
+
+
+**Skill Directory Structure Requirements**
+
+Each Skill folder must include a `skill.md` file that defines the Skill's name, description, and trigger rules:
+
+```
+~/.qwen/skills/
+├── my-skill/
+│ ├── SKILL.md # Required: Skill configuration file
+│ └── scripts/ # Optional: Script files
+└── another-skill/
+ └── SKILL.md
+```
+
+
+
diff --git a/website/content/en/showcase/guide-skills-panel.mdx b/website/content/en/showcase/guide-skills-panel.mdx
new file mode 100644
index 000000000..3a0024299
--- /dev/null
+++ b/website/content/en/showcase/guide-skills-panel.mdx
@@ -0,0 +1,50 @@
+---
+title: "Skills Panel"
+description: "Browse, install, and manage existing Skill extensions through the Skills panel. One-stop management of your AI capabilities library."
+category: "Getting Started"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+The Skills Panel is your control center for managing Qwen Code's extension capabilities. Through this intuitive interface, you can browse various Skills provided by official and community sources, understand each Skill's functionality and purpose, and install or uninstall extensions with one click. Whether you want to discover new AI capabilities or manage installed Skills, the Skills Panel provides a convenient operation experience, allowing you to easily build a personalized AI toolkit.
+
+
+
+
+
+## Steps
+
+
+
+### Open Skills Panel
+
+Enter the command in Qwen Code conversation to open the Skills Panel. This command will display a list of all available Skills, including installed and uninstalled extensions.
+
+```bash
+/skills
+```
+
+### Browse and Search Skills
+
+Browse various Skill extensions in the panel. Each Skill has detailed descriptions and functionality explanations. You can use the search function to quickly find the specific skill you need, or browse different types of extensions by category.
+
+### Install or Uninstall Skills
+
+After finding a Skill of interest, click the install button to add it to your Qwen Code with one click. Similarly, you can uninstall Skills you no longer need at any time, keeping your AI capabilities library clean and efficient.
+
+
+
+
+The Skills Panel is updated regularly to showcase the latest released Skill extensions. We recommend checking the panel regularly to discover more powerful AI capabilities to improve your work efficiency.
+
+
+
diff --git a/website/content/en/showcase/guide-vscode-integration.mdx b/website/content/en/showcase/guide-vscode-integration.mdx
new file mode 100644
index 000000000..a822c0b6d
--- /dev/null
+++ b/website/content/en/showcase/guide-vscode-integration.mdx
@@ -0,0 +1,51 @@
+---
+title: "VS Code Integration Interface"
+description: "Complete interface display of Qwen Code in VS Code. Understand the layout and usage of each functional area."
+category: "Getting Started"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+VS Code is one of the most popular code editors, and Qwen Code provides a deeply integrated VS Code extension. Through this extension, you can directly converse with AI in the familiar editor environment and enjoy a seamless programming experience. The extension provides an intuitive interface layout, allowing you to easily access all features. Whether it's code completion, problem solving, or file operations, everything can be completed efficiently.
+
+
+
+
+
+## Steps
+
+
+
+### Install VS Code Extension
+
+Search for "Qwen Code" in the VS Code Extension Marketplace and click install. The installation process is simple and fast, completed in just a few seconds. After installation, a Qwen Code icon will appear in the VS Code sidebar, indicating the extension has been successfully loaded.
+
+### Log In to Your Account
+
+Use the `/auth` command to trigger the authentication process. The system will automatically open a browser for login. The login process is secure and convenient, supporting multiple authentication methods. After successful login, your account information will automatically sync to the VS Code extension, unlocking all features.
+
+```bash
+/auth
+```
+
+### Start Using
+
+Open the Qwen Code panel in the sidebar and start conversing with AI. You can directly input questions, reference files, execute commands—all operations completed within VS Code. The extension supports multi-tab, history, keyboard shortcuts, and other features, providing a complete programming assistance experience.
+
+
+
+
+The VS Code extension has identical functionality to the command-line version. You can freely choose based on your usage scenario.
+
+
+
diff --git a/website/content/en/showcase/guide-web-search.mdx b/website/content/en/showcase/guide-web-search.mdx
new file mode 100644
index 000000000..cc540a708
--- /dev/null
+++ b/website/content/en/showcase/guide-web-search.mdx
@@ -0,0 +1,55 @@
+---
+title: "Web Search"
+description: "Let Qwen Code search web content to get real-time information to assist with programming and problem solving."
+category: "Getting Started"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+The Web Search feature enables Qwen Code to search web content in real-time, obtaining the latest technical documentation, framework updates, and solutions. When you encounter problems during development or need to understand the latest developments of a new technology, this feature will be very useful. AI will intelligently search for relevant information and organize it into an easy-to-understand format to return to you.
+
+
+
+
+
+## Steps
+
+
+
+### Enable Search Function
+
+Clearly tell AI in the conversation that you need to search for the latest information. You can directly ask questions containing the latest technology, framework versions, or real-time data. Qwen Code will automatically recognize your needs and initiate the web search function to get the most accurate information.
+
+```bash
+Help me search for the new features of React 19
+```
+
+### View Search Results
+
+AI will return the searched information and organize it into an easy-to-understand format. Search results typically include summaries of key information, source links, and relevant technical details. You can quickly browse this information to understand the latest technology trends or find solutions to problems.
+
+### Ask Questions Based on Search Results
+
+You can ask further questions based on the search results to get more in-depth explanations. If you have questions about a specific technical detail or want to know how to apply the search results to your project, you can continue to ask directly. AI will provide more specific guidance based on the searched information.
+
+```bash
+What impact do these new features have on my project
+```
+
+
+
+
+The Web Search feature is particularly suitable for querying the latest API changes, framework version updates, and real-time technology trends.
+
+
+
diff --git a/website/content/en/showcase/office-batch-file-organize.mdx b/website/content/en/showcase/office-batch-file-organize.mdx
new file mode 100644
index 000000000..d91fe5950
--- /dev/null
+++ b/website/content/en/showcase/office-batch-file-organize.mdx
@@ -0,0 +1,60 @@
+---
+title: "Batch Process Files, Organize Desktop"
+description: "Use Qwen Code's Cowork feature to batch organize messy desktop files with one click, automatically categorizing them into corresponding folders by type."
+category: "Daily Tasks"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Desktop files in disarray? Qwen Code's Cowork feature can help you batch organize files with one click, automatically identifying file types and categorizing them into corresponding folders. Whether it's documents, images, videos, or other types of files, they can all be intelligently identified and archived, making your work environment orderly and improving work efficiency.
+
+
+
+
+
+## Steps
+
+
+
+### Start Conversation
+
+Open terminal or command line, enter `qwen` to start Qwen Code. Ensure you are in the directory you need to organize, or clearly tell AI which directory's files you want to organize. Qwen Code will be ready to receive your organization instructions.
+
+```bash
+cd ~/Desktop
+qwen
+```
+
+### Issue Organization Instructions
+
+Tell Qwen Code you want to organize desktop files. AI will automatically identify file types and create categorized folders. You can specify the directory to organize, classification rules, and target folder structure. AI will develop an organization plan based on your needs.
+
+```bash
+Help me organize the desktop files, categorize them into different folders by type: documents, images, videos, compressed packages, etc.
+```
+
+### Confirm Execution Plan
+
+Qwen Code will first list the operation plan to be executed. After confirming there are no issues, allow execution. This step is very important. You can review the organization plan to ensure AI understands your needs and avoid misoperations.
+
+### Complete Organization
+
+AI automatically executes file move operations and displays an organization report after completion, telling you which files were moved where. The entire process is fast and efficient, requiring no manual operation, saving a lot of time.
+
+
+
+
+The Cowork feature supports custom classification rules. You can specify the mapping relationship between file types and target folders as needed.
+
+
+
diff --git a/website/content/en/showcase/office-clipboard-paste.mdx b/website/content/en/showcase/office-clipboard-paste.mdx
new file mode 100644
index 000000000..4a988724d
--- /dev/null
+++ b/website/content/en/showcase/office-clipboard-paste.mdx
@@ -0,0 +1,46 @@
+---
+title: "Clipboard Image Paste"
+description: "Paste screenshots directly from the clipboard into the conversation window. AI instantly understands the image content and provides help."
+category: "Daily Tasks"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+The clipboard image paste feature allows you to paste any screenshot directly into Qwen Code's conversation window without needing to save the file first and then upload it. Whether it's an error screenshot, UI design mockup, code snippet screenshot, or any other image, Qwen Code can instantly understand its content and provide help based on your needs. This convenient interaction method greatly improves communication efficiency, allowing you to quickly get AI's analysis and suggestions when encountering problems.
+
+
+
+
+
+## Steps
+
+
+
+### Copy Image to Clipboard
+
+Use the system screenshot tool (macOS: `Cmd+Shift+4`, Windows: `Win+Shift+S`) to capture screen content, or copy images from browsers or file managers. Screenshots are automatically saved to the clipboard without additional operations.
+
+### Paste into Conversation Window
+
+In Qwen Code's conversation input box, use `Cmd+V` (macOS) or `Ctrl+V` (Windows) to paste the image. The image will automatically display in the input box, and you can simultaneously enter text describing your question or needs.
+
+### Get AI Analysis Results
+
+After sending the message, Qwen Code will analyze the image content and give a reply. It can identify errors in code screenshots, analyze the layout of UI design mockups, interpret chart data, etc. You can continue to ask questions and discuss any details in the image in depth.
+
+
+
+
+Supports common image formats such as PNG, JPEG, GIF. Image size is recommended not to exceed 10MB to ensure the best recognition effect. For code screenshots, it is recommended to use high resolution to improve text recognition accuracy.
+
+
+
diff --git a/website/content/en/showcase/office-export-conversation.mdx b/website/content/en/showcase/office-export-conversation.mdx
new file mode 100644
index 000000000..a1e484d94
--- /dev/null
+++ b/website/content/en/showcase/office-export-conversation.mdx
@@ -0,0 +1,58 @@
+---
+title: "Export Conversation History"
+description: "Export conversation history to Markdown, HTML, or JSON format for easy archiving and sharing."
+category: "Daily Tasks"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Export conversation history feature
+
+
+
+
+
+## Steps
+
+
+
+### View Session List
+
+Use the `/resume` command to view all historical sessions. The list will display information such as creation time and topic summary for each session, helping you quickly find the conversation you need to export. You can use keyword search or sort by time to precisely locate the target session.
+
+```bash
+/resume
+```
+
+### Select Export Format
+
+After determining the session to export, use the `/export` command and specify the format and session ID. Three formats are supported: `markdown`, `html`, and `json`. Markdown format is suitable for use in documentation tools, HTML format can be opened directly in a browser for viewing, and JSON format is suitable for programmatic processing.
+
+```bash
+# If no parameter, defaults to exporting current session
+/export html # Export as HTML format
+/export markdown # Export as Markdown format
+/export json # Export as JSON format
+```
+
+### Share and Archive
+
+Exported files will be saved to the specified directory. Markdown and HTML files can be shared directly with colleagues or used in team documentation. JSON files can be imported into other tools for secondary processing. We recommend regularly archiving important conversations to build a team knowledge base. Exported files can also serve as backups to prevent loss of important information.
+
+
+
+
+The exported HTML format includes complete styles and can be opened directly in any browser. JSON format preserves all metadata and is suitable for data analysis and processing.
+
+
+
diff --git a/website/content/en/showcase/office-file-reference.mdx b/website/content/en/showcase/office-file-reference.mdx
new file mode 100644
index 000000000..addcd7341
--- /dev/null
+++ b/website/content/en/showcase/office-file-reference.mdx
@@ -0,0 +1,61 @@
+---
+title: "@file Reference Feature"
+description: "Reference project files in conversations using @file to let AI precisely understand your code context."
+category: "Getting Started"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+The @file reference feature allows you to directly reference project files in conversations, letting AI precisely understand your code context. Whether it's a single file or multiple files, AI will read and analyze the code content to provide more accurate suggestions and answers. This feature is particularly suitable for scenarios such as code review, problem troubleshooting, and code refactoring.
+
+
+
+
+
+## Steps
+
+
+
+### Reference Single File
+
+Use the `@file` command followed by the file path to reference a single file. AI will read the file content, understand the code structure and logic, and then provide targeted answers based on your questions.
+
+```bash
+@file ./src/main.py
+Explain what this function does
+```
+
+You can also reference reference files and let Qwen Code organize and write them as new documents. This greatly avoids AI misunderstanding your needs and generating content not in the reference materials:
+
+```bash
+@file Help me write a public account article based on this file
+```
+
+### Describe Requirements
+
+After referencing the file, clearly describe your needs or questions. AI will analyze based on the file content and provide accurate answers or suggestions. You can ask about code logic, find problems, request optimizations, etc.
+
+### Reference Multiple Files
+
+By using the `@file` command multiple times, you can reference multiple files simultaneously. AI will comprehensively analyze all referenced files, understand their relationships and content, and provide more comprehensive answers.
+
+```bash
+@file1 @file2 Based on the materials in these two files, help me organize a learning document suitable for beginners
+```
+
+
+
+
+@file supports relative paths and absolute paths, and also supports wildcard matching of multiple files.
+
+
+
diff --git a/website/content/en/showcase/office-image-recognition.mdx b/website/content/en/showcase/office-image-recognition.mdx
new file mode 100644
index 000000000..911801d5c
--- /dev/null
+++ b/website/content/en/showcase/office-image-recognition.mdx
@@ -0,0 +1,53 @@
+---
+title: "Image Recognition"
+description: "Qwen Code can read and understand image content, whether it's UI design mockups, error screenshots, or architecture diagrams."
+category: "Daily Tasks"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png"
+videoUrl: "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Qwen Code has powerful image recognition capabilities and can read and understand various types of image content. Whether it's UI design mockups, error screenshots, architecture diagrams, flowcharts, or handwritten notes, Qwen Code can accurately identify them and provide valuable analysis. This capability allows you to directly integrate visual information into your programming workflow, greatly improving communication efficiency and problem-solving speed.
+
+
+
+
+
+## Steps
+
+
+
+### Upload Image
+
+Drag and drop the image into the conversation window, or use clipboard paste (`Cmd+V` / `Ctrl+V`). Supports common formats such as PNG, JPEG, GIF, WebP, etc.
+
+Reference: [Clipboard Image Paste](./office-clipboard-paste.mdx) shows how to quickly paste screenshots into the conversation.
+
+### Describe Your Needs
+
+In the input box, describe what you want AI to do with the image. For example:
+
+```
+Based on the image content, help me generate a simple html file
+```
+
+### Get Analysis Results
+
+Qwen Code will analyze the image content and give a detailed reply. You can continue to ask questions, discuss any details in the image in depth, or ask AI to generate code based on the image content.
+
+
+
+
+The image recognition feature supports multiple scenarios: code screenshot analysis, UI design mockup to code conversion, error information interpretation, architecture diagram understanding, chart data extraction, etc. It is recommended to use clear high-resolution images for the best recognition effect.
+
+
+
diff --git a/website/content/en/showcase/office-mcp-image-gen.mdx b/website/content/en/showcase/office-mcp-image-gen.mdx
new file mode 100644
index 000000000..db1fe7c34
--- /dev/null
+++ b/website/content/en/showcase/office-mcp-image-gen.mdx
@@ -0,0 +1,47 @@
+---
+title: "MCP Image Generation"
+description: "Integrate image generation services via MCP. Drive AI to create high-quality images with natural language descriptions."
+category: "Daily Tasks"
+features:
+ - "MCP"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+MCP (Model Context Protocol) image generation feature allows you to drive AI to create high-quality images directly in Qwen Code through natural language descriptions. No need to switch to specialized image generation tools—just describe your needs in the conversation, and Qwen Code will call integrated image generation services to generate images that meet your requirements. Whether it's UI prototype design, icon creation, illustration drawing, or concept diagram production, MCP image generation provides powerful support. This seamlessly integrated workflow greatly improves design and development efficiency, making creative realization more convenient.
+
+
+
+
+
+## Steps
+
+
+
+### Configure MCP Service
+
+First, you need to configure the MCP image generation service. Add the image generation service's API key and endpoint information to the configuration file. Qwen Code supports multiple mainstream image generation services. You can choose the appropriate service based on your needs and budget. After configuration, restart Qwen Code for it to take effect.
+
+### Describe Image Requirements
+
+In the conversation, describe in natural language the image you want to generate in detail. Include elements such as the image's theme, style, color, composition, and details. The more specific the description, the more the generated image will match your expectations. You can reference art styles, specific artists, or upload reference images to help AI better understand your needs.
+
+### View and Save Results
+
+Qwen Code will generate multiple images for you to choose from. You can preview each image and select the one that best meets your needs. If adjustments are needed, you can continue to describe modification opinions, and Qwen Code will regenerate based on feedback. When satisfied, you can directly save the image locally or copy the image link for use elsewhere.
+
+
+
+
+MCP image generation supports multiple styles and sizes, which can be flexibly adjusted according to project needs. The copyright ownership of generated images depends on the service used. Please review the service terms.
+
+
+
diff --git a/website/content/en/showcase/office-organize-desktop.mdx b/website/content/en/showcase/office-organize-desktop.mdx
new file mode 100644
index 000000000..afacaf2f7
--- /dev/null
+++ b/website/content/en/showcase/office-organize-desktop.mdx
@@ -0,0 +1,56 @@
+---
+title: "Organize Desktop Files"
+description: "Let Qwen Code automatically organize desktop files with one sentence, intelligently categorizing by type."
+category: "Daily Tasks"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Desktop files piled up like a mountain, can't find the files you need? Let Qwen Code help you automatically organize desktop files with one sentence. AI will intelligently identify file types and automatically categorize them by images, documents, code, compressed packages, etc., creating a clear folder structure. The entire process is safe and controllable. AI will first list the operation plan for your confirmation to ensure important files are not mistakenly moved. Make your desktop instantly neat and orderly, improving work efficiency.
+
+
+
+
+
+## Steps
+
+
+
+### Describe Organization Needs
+
+Enter the desktop directory, start Qwen Code, and tell Qwen Code how you want to organize desktop files, such as categorizing by type, grouping by date, etc.
+
+```bash
+cd ~/Desktop
+Help me organize the files on my desktop by type
+```
+
+### Confirm Operation Plan
+
+Qwen Code will analyze desktop files and list a detailed organization plan, including which files will be moved to which folders. You can check the plan to ensure there are no problems.
+
+```bash
+Confirm executing this organization plan
+```
+
+### Execute Organization and View Results
+
+After confirmation, Qwen Code will execute organization operations according to the plan. After completion, you can view the organized desktop, and files are already neatly arranged by type.
+
+
+
+
+AI will first list the operation plan for your confirmation to ensure important files are not mistakenly moved. If you have questions about the classification of certain files, you can tell Qwen Code to adjust the rules before execution.
+
+
+
diff --git a/website/content/en/showcase/office-ppt-presentation.mdx b/website/content/en/showcase/office-ppt-presentation.mdx
new file mode 100644
index 000000000..0e53ac402
--- /dev/null
+++ b/website/content/en/showcase/office-ppt-presentation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Presentation: Create PPT"
+description: "Create presentations based on product screenshots. Provide screenshots and descriptions, and AI generates beautiful presentation slides."
+category: "Daily Tasks"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png"
+videoUrl: "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Need to create a product presentation PPT but don't want to start from scratch? Just provide product screenshots and simple descriptions, and Qwen Code can help you generate well-structured, beautifully designed presentation slides. AI will analyze screenshot content, understand product features, automatically organize slide structure, and add appropriate copy and layout. Whether it's product launches, team presentations, or client presentations, you can quickly get professional PPTs, saving you a lot of time and energy.
+
+
+
+
+
+## Steps
+
+
+
+### Prepare Product Screenshots
+
+Collect product interface screenshots that need to be displayed, including main function pages, feature demonstrations, etc. Screenshots should be clear and fully display the product's value and features. Place them in a folder, for example: qwen-code-images
+
+### Install Related Skills
+
+Install PPT generation related Skills. These Skills include capabilities to analyze screenshot content and generate presentation slides.
+
+```
+Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install zarazhangrui/frontend-slides to qwen code skills.
+```
+
+### Generate Presentation
+
+Reference the corresponding file and tell Qwen Code your needs, such as the purpose of the presentation, audience, key content, etc. AI will generate the PPT based on this information.
+
+```
+@qwen-code-images Create a product presentation PPT based on these screenshots,面向 technical team, focusing on showcasing new features
+```
+
+### Adjust and Export
+
+View the generated PPT. If adjustments are needed, you can tell Qwen Code, such as "add a page introducing architecture" or "adjust the copy on this page". When satisfied, export to an editable format.
+
+```
+Help me adjust the copy on page 3 to make it more concise
+```
+
+
+
+
diff --git a/website/content/en/showcase/office-terminal-theme.mdx b/website/content/en/showcase/office-terminal-theme.mdx
new file mode 100644
index 000000000..20d924d42
--- /dev/null
+++ b/website/content/en/showcase/office-terminal-theme.mdx
@@ -0,0 +1,55 @@
+---
+title: "Terminal Theme Switch"
+description: "Switch terminal theme with one sentence. Describe the style in natural language, and AI applies it automatically."
+category: "Daily Tasks"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Tired of the default terminal theme? Describe the style you want in natural language, and Qwen Code can help you find and apply a suitable theme. Whether it's dark tech style, fresh and simple style, or retro classic style, with just one sentence, AI can understand your aesthetic preferences and automatically configure the terminal's color scheme and style. Say goodbye to tedious manual configuration and make your work environment instantly look brand new.
+
+
+
+
+
+## Steps
+
+
+
+### Describe the Theme Style You Want
+
+In the conversation, describe the style you like in natural language. For example, "change the terminal theme to dark tech style" or "I want a fresh and simple light theme". Qwen Code will understand your needs.
+
+```
+Change the terminal theme to dark tech style
+```
+
+### Confirm and Apply Theme
+
+Qwen Code will recommend several theme options that match your description and show preview effects. Choose your favorite theme, and after confirmation, AI will automatically apply the configuration.
+
+```
+Looks good, apply the theme directly
+```
+
+### Fine-tune and Personalize
+
+If further adjustments are needed, you can continue to tell Qwen Code your thoughts, such as "make the background color a bit darker" or "adjust the font size". AI will help you fine-tune.
+
+
+
+
+Theme switching will modify your terminal configuration file. If you're using a specific terminal application (such as iTerm2, Terminal.app), Qwen Code will automatically recognize and configure the corresponding theme files.
+
+
+
diff --git a/website/content/en/showcase/office-web-search-detail.mdx b/website/content/en/showcase/office-web-search-detail.mdx
new file mode 100644
index 000000000..2f80e5305
--- /dev/null
+++ b/website/content/en/showcase/office-web-search-detail.mdx
@@ -0,0 +1,47 @@
+---
+title: "Web Search"
+description: "Let Qwen Code search web content to get real-time information to assist with programming. Learn about the latest technology trends and documentation."
+category: "Getting Started"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+The Web Search feature enables Qwen Code to search the internet in real-time for the latest information, helping you obtain the latest technical documentation, API references, best practices, and solutions. When you encounter unfamiliar technology stacks, need to understand changes in the latest versions, or want to find solutions to specific problems, Web Search allows AI to provide accurate answers based on the latest web information.
+
+
+
+
+
+## Steps
+
+
+
+### Initiate Search Request
+
+Directly describe in the conversation what you want to search for. For example: "search for the latest React 19 new features", "find best practices for Next.js App Router". Qwen Code will automatically determine whether network search is needed.
+
+### View Integrated Results
+
+AI will search multiple web sources, integrate search results, and provide a structured answer. The answer will include source links for key information, making it convenient for you to further understand in depth.
+
+### Continue Conversation Based on Results
+
+You can continue to ask questions based on the search results, letting AI help you apply the searched information to actual programming tasks. For example, after searching for new API usage, you can directly ask AI to help you refactor code.
+
+
+
+
+Web Search is particularly suitable for the following scenarios: understanding changes in the latest framework versions, finding solutions to specific errors, obtaining the latest API documentation, understanding industry best practices, etc. Search results are updated in real-time to ensure you get the latest information.
+
+
+
diff --git a/website/content/en/showcase/office-weekly-report.mdx b/website/content/en/showcase/office-weekly-report.mdx
new file mode 100644
index 000000000..071f042fe
--- /dev/null
+++ b/website/content/en/showcase/office-weekly-report.mdx
@@ -0,0 +1,67 @@
+---
+title: "Automatically Generate Weekly Report"
+description: "Customize skills. Automatically crawl this week's updates with one command and write product update weekly reports according to templates."
+category: "Daily Tasks"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png"
+videoUrl: "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Writing product update weekly reports every week is a repetitive and time-consuming task. Using Qwen Code's customized skills, you can let AI automatically crawl this week's product update information and generate structured weekly reports according to standard templates. With just one command, AI will collect data, analyze content, and organize it into a document, greatly improving your work efficiency. You can focus on the product itself and let AI handle tedious document work.
+
+
+
+
+
+## Steps
+
+
+
+### Install skills-creator Skill
+
+First, install the skill so AI understands which data sources' information you need to collect.
+
+```
+Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install skills-creator to qwen code skills.
+```
+
+### Create Weekly Report Skill
+
+Use the skill creation feature to tell AI you need a customized weekly report generation skill. Describe the data types you need to collect and the weekly report structure. AI will generate a new skill based on your needs.
+
+```
+I need to create weekly reports for the open source project: https://github.com/QwenLM/qwen-code, mainly including issues submitted this week, bugs resolved, new versions and features released, as well as reviews and reflections. The language should be user-centered, altruistic, and perceptive. Create a skill.
+```
+
+### Generate Weekly Report Content
+
+After configuration is complete, enter the generation command. Qwen Code will automatically crawl this week's update information and organize it into a structured document according to the product weekly report template.
+
+```
+Generate this week's qwen-code product update weekly report
+```
+
+### Open Weekly Report, Edit and Adjust
+
+The generated weekly report can be opened and adjusted for further editing or sharing with the team. You can also ask AI to help you adjust format and content focus.
+
+```
+Make the weekly report language more lively
+```
+
+
+
+
+On first use, you need to configure data sources. After configuration once, it can be reused. You can set up scheduled tasks to let Qwen Code automatically generate weekly reports every week, completely freeing your hands.
+
+
+
diff --git a/website/content/en/showcase/office-write-file.mdx b/website/content/en/showcase/office-write-file.mdx
new file mode 100644
index 000000000..b30f70514
--- /dev/null
+++ b/website/content/en/showcase/office-write-file.mdx
@@ -0,0 +1,59 @@
+---
+title: "Write File with One Sentence"
+description: "Tell Qwen Code what file you want to create, and AI automatically generates content and writes it."
+category: "Daily Tasks"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Need to create a new file but don't want to start writing content from scratch? Tell Qwen Code what file you want to create, and AI will automatically generate appropriate content and write it to the file. Whether it's README, configuration files, code files, or documentation, Qwen Code can generate high-quality content based on your needs. You only need to describe the file's purpose and basic requirements, and AI will handle the rest, greatly improving your file creation efficiency.
+
+
+
+
+
+## Steps
+
+
+
+### Describe File Content and Purpose
+
+Tell Qwen Code what type of file you want to create, as well as the file's main content and purpose.
+
+```bash
+Help me create a README.md including project introduction and installation instructions
+```
+
+### Confirm Generated Content
+
+Qwen Code will generate file content based on your description and display it for your confirmation. You can view the content to ensure it meets your needs.
+
+```bash
+Looks good, continue creating the file
+```
+
+### Modify and Improve
+
+If adjustments are needed, you can tell Qwen Code specific modification requirements, such as "add usage examples" or "adjust format".
+
+```bash
+Help me add some code examples
+```
+
+
+
+
+Qwen Code supports various file types, including text files, code files, configuration files, etc. Generated files are automatically saved to the specified directory, and you can further modify them in the editor.
+
+
+
diff --git a/website/content/en/showcase/product-insight.mdx b/website/content/en/showcase/product-insight.mdx
new file mode 100644
index 000000000..cbcb050ab
--- /dev/null
+++ b/website/content/en/showcase/product-insight.mdx
@@ -0,0 +1,53 @@
+---
+title: "Insight Data Insights"
+description: "View personal AI usage report. Understand programming efficiency and collaboration data. Use data-driven habit optimization."
+category: "Daily Tasks"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Insight is Qwen Code's personal usage data analysis panel, providing you with comprehensive AI programming efficiency insights. It tracks key metrics such as your conversation count, code generation volume, frequently used features, and programming language preferences, generating visualized data reports. Through this data, you can clearly understand your programming habits, AI assistance effectiveness, and collaboration patterns. Insight not only helps you discover room for efficiency improvement but also lets you see which areas you are most skilled at using AI, allowing you to better leverage AI's value. Data-driven insights make every use more meaningful.
+
+
+
+
+
+## Steps
+
+
+
+### Open Insight Panel
+
+Enter the `/insight` command in the conversation to open the Insight data insights panel. The panel will display your usage overview, including core metrics such as total conversation count, code generation lines, and estimated time saved. This data is presented in intuitive chart form, giving you a clear understanding of your AI usage at a glance.
+
+```bash
+/insight
+```
+
+### Analyze Usage Report
+
+View detailed usage reports in depth, including dimensions such as daily conversation trends, frequently used feature distribution, programming language preferences, and code type analysis. Insight will provide personalized insights and suggestions based on your usage patterns, helping you discover potential improvement space. You can filter data by time range and compare usage efficiency across different periods.
+
+### Optimize Usage Habits
+
+Based on data insights, adjust your AI usage strategy. For example, if you find you use a certain feature frequently but with low efficiency, you can try learning more efficient usage methods. If you find AI assistance is more effective for certain programming languages or task types, you can use AI more in similar scenarios. Continuously track data changes and verify optimization effects.
+
+Want to know how we use the insight feature? You can check our [How to Let AI Tell Us How to Better Use AI](../blog/how-to-use-qwencode-insight.mdx)
+
+
+
+
+Insight data is stored locally only and will not be uploaded to the cloud, ensuring your usage privacy and data security. Regularly view reports and develop data-driven usage habits.
+
+
+
diff --git a/website/content/en/showcase/study-learning.mdx b/website/content/en/showcase/study-learning.mdx
new file mode 100644
index 000000000..28240adb6
--- /dev/null
+++ b/website/content/en/showcase/study-learning.mdx
@@ -0,0 +1,71 @@
+---
+title: "Code Learning"
+description: "Clone open source repositories and learn to understand code. Let Qwen Code guide you on how to contribute to open source projects."
+category: "Learning & Research"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Learning excellent open source code is an excellent way to improve programming skills. Qwen Code can help you deeply understand complex project architectures and implementation details, find contribution points suitable for you, and guide you through code modifications. Whether you want to learn new technology stacks or contribute to the open source community, Qwen Code is your ideal programming mentor.
+
+
+
+
+
+## Steps
+
+
+
+### Clone Repository
+
+Use git clone to download the open source project locally. Choose a project you're interested in and clone it to your development environment. Ensure the project has good documentation and an active community so the learning process will be smoother.
+
+```bash
+git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code
+```
+
+### Start Qwen Code
+
+Start Qwen Code in the project directory. This way AI can access all project files and provide context-relevant code explanations and suggestions. Qwen Code will automatically analyze project structure and identify main modules and dependencies.
+
+```bash
+qwen
+```
+
+### Request Code Explanation
+
+Tell AI which part or functionality of the project you want to understand. You can ask about overall architecture, specific module implementation logic, or design ideas for certain features. AI will explain the code in clear language and provide relevant background knowledge.
+
+```bash
+Help me explain the overall architecture and main modules of this project
+```
+
+### Find Contribution Points
+
+Let AI help you find issues or features suitable for beginners to participate in. AI will analyze the project's issues list and recommend contribution points suitable for you based on difficulty, tags, and descriptions. This is a good way to start open source contributions.
+
+```bash
+What open issues are suitable for beginners to participate in?
+```
+
+### Implement Modifications
+
+Gradually implement code modifications based on AI's guidance. AI will help you analyze problems, design solutions, write code, and ensure modifications comply with project code standards. After completing modifications, you can submit a PR and contribute to the open source project.
+
+
+
+
+By participating in open source projects, you can not only improve programming skills but also build technical influence and meet like-minded developers.
+
+
+
diff --git a/website/content/en/showcase/study-read-paper.mdx b/website/content/en/showcase/study-read-paper.mdx
new file mode 100644
index 000000000..76bf41c15
--- /dev/null
+++ b/website/content/en/showcase/study-read-paper.mdx
@@ -0,0 +1,67 @@
+---
+title: "Read Papers"
+description: "Directly read and analyze academic papers. AI helps you understand complex research content and generates learning cards."
+category: "Learning & Research"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Overview
+
+Academic papers are often obscure and difficult to understand, requiring a lot of time to read and comprehend. Qwen Code can help you directly read and analyze papers, extract core points, explain complex concepts, and summarize research methods. AI will deeply understand paper content and explain it in easy-to-understand language, generating structured learning cards for your review and sharing. Whether learning new technologies or researching cutting-edge fields, it can greatly improve your learning efficiency.
+
+
+
+
+
+## Steps
+
+
+
+### Provide Paper Information
+
+Tell Qwen Code the paper you want to read. You can provide the paper title, PDF file path, or arXiv link. AI will automatically obtain and analyze the paper content.
+
+```
+Help me download and analyze this paper: attention is all you need https://arxiv.org/abs/1706.03762
+```
+
+### Read Paper
+
+Install PDF related skills to let Qwen Code analyze paper content and generate structured learning cards. You can view paper abstracts, core points, key concepts, and important conclusions.
+
+```
+Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install Anthropic pdf and other office skills to qwen code skills.
+```
+
+### Deep Learning and Questions
+
+During reading, you can ask Qwen Code questions at any time, such as "explain the self-attention mechanism" or "how is this formula derived". AI will answer in detail, helping you understand deeply.
+
+```
+Please explain the core idea of Transformer architecture
+```
+
+### Generate Learning Cards
+
+After learning, let Qwen Code generate learning cards summarizing the paper's core points, key concepts, and important conclusions. These cards can facilitate your review and sharing with the team.
+
+```bash
+Help me generate learning cards for this paper
+```
+
+
+
+
+Qwen Code supports multiple paper formats, including PDF, arXiv links, etc. For mathematical formulas and charts, AI will explain their meanings in detail, helping you fully understand paper content.
+
+
+
diff --git a/website/content/fr/showcase/code-lsp-intelligence.mdx b/website/content/fr/showcase/code-lsp-intelligence.mdx
new file mode 100644
index 000000000..82e9404e2
--- /dev/null
+++ b/website/content/fr/showcase/code-lsp-intelligence.mdx
@@ -0,0 +1,46 @@
+---
+title: "LSP IntelliSense"
+description: "En intégrant LSP (Language Server Protocol), Qwen Code offre une complétion de code et une navigation de niveau professionnel avec des diagnostics en temps réel."
+category: "Programmation"
+features:
+ - "LSP"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+LSP (Language Server Protocol) IntelliSense permet à Qwen Code de fournir une complétion de code et une navigation comparables aux IDE professionnels. En intégrant des serveurs de langage, Qwen Code peut comprendre précisément la structure du code, les informations de type et les relations contextuelles pour fournir des suggestions de code de haute qualité. Que ce soit pour les signatures de fonctions, les indices de paramètres, la complétion de noms de variables, la navigation vers les définitions, la recherche de références ou les opérations de refactoring, LSP IntelliSense les gère tous de manière fluide.
+
+
+
+
+
+## Étapes
+
+
+
+### Détection automatique
+
+Qwen Code détecte automatiquement les configurations de serveur de langage dans votre projet. Pour les langages de programmation et frameworks courants, il reconnaît et démarre automatiquement le service LSP correspondant. Aucune configuration manuelle requise.
+
+### Profiter de l'IntelliSense
+
+Lors du codage, LSP IntelliSense s'active automatiquement. En tapant, il fournit des suggestions de complétion précises basées sur le contexte, incluant les noms de fonctions, les noms de variables et les annotations de type. Appuyez sur Tab pour accepter rapidement une suggestion.
+
+### Diagnostics d'erreurs
+
+Les diagnostics en temps réel LSP analysent continuellement votre code, détectant les problèmes potentiels. Les erreurs et avertissements sont affichés de manière intuitive avec l'emplacement du problème, le type d'erreur et les suggestions de correction.
+
+
+
+
+Prend en charge les langages courants comme TypeScript, Python, Java, Go, Rust ainsi que les frameworks frontend comme React, Vue et Angular.
+
+
+
diff --git a/website/content/fr/showcase/code-pr-review.mdx b/website/content/fr/showcase/code-pr-review.mdx
new file mode 100644
index 000000000..fbb5620c5
--- /dev/null
+++ b/website/content/fr/showcase/code-pr-review.mdx
@@ -0,0 +1,63 @@
+---
+title: "Revue de PR"
+description: "Utilisez Qwen Code pour effectuer des revues de code intelligentes sur les Pull Requests et découvrir automatiquement les problèmes potentiels."
+category: "Programmation"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+La revue de code est une étape cruciale pour garantir la qualité du code, mais elle est souvent chronophage. Qwen Code peut vous aider à effectuer des revues de code intelligentes sur les Pull Requests, analyser automatiquement les changements de code, trouver les bugs potentiels, vérifier les standards de code et fournir des rapports de revue détaillés.
+
+
+
+
+
+## Étapes
+
+
+
+### Spécifier la PR à réviser
+
+Indiquez à Qwen Code quelle Pull Request vous souhaitez réviser en fournissant le numéro ou le lien de la PR.
+
+
+Vous pouvez utiliser le skill pr-review pour analyser les PRs. Pour l'installation du skill, voir : [Installer des Skills](./guide-skill-install.mdx).
+
+
+```bash
+/skill pr-review Aide-moi à réviser cette PR :
+```
+
+### Exécuter les tests et vérifications
+
+Qwen Code analysera les changements de code, identifiera les cas de test pertinents et exécutera les tests pour vérifier la correction du code.
+
+```bash
+Exécuter les tests pour vérifier si cette PR passe tous les cas de test
+```
+
+### Consulter le rapport de revue
+
+Après la revue, Qwen Code génère un rapport détaillé incluant les problèmes découverts, les risques potentiels et les suggestions d'amélioration.
+
+```bash
+Afficher le rapport de revue et lister tous les problèmes découverts
+```
+
+
+
+
+La revue de code de Qwen Code analyse non seulement la syntaxe et les standards, mais aussi la logique du code pour identifier les problèmes de performance potentiels, les failles de sécurité et les défauts de conception.
+
+
+
diff --git a/website/content/fr/showcase/code-solve-issue.mdx b/website/content/fr/showcase/code-solve-issue.mdx
new file mode 100644
index 000000000..14ddc007f
--- /dev/null
+++ b/website/content/fr/showcase/code-solve-issue.mdx
@@ -0,0 +1,71 @@
+---
+title: "Résoudre des issues"
+description: "Utilisez Qwen Code pour analyser et résoudre des issues de projets open source, avec un suivi complet du processus de la compréhension à la soumission du code."
+category: "Programmation"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Résoudre des issues pour des projets open source est un moyen important d'améliorer les compétences en programmation et de construire une influence technique. Qwen Code peut vous aider à localiser rapidement les problèmes, comprendre le code associé, formuler des plans de correction et implémenter les changements de code.
+
+
+
+
+
+## Étapes
+
+
+
+### Choisir une issue
+
+Trouvez une issue intéressante ou appropriée sur GitHub. Priorisez les issues avec des descriptions claires, des étapes de reproduction et des résultats attendus. Les labels comme `good first issue` ou `help wanted` conviennent bien aux débutants.
+
+### Cloner le projet et localiser le problème
+
+Téléchargez le code du projet et laissez l'IA localiser le problème. Utilisez `@file` pour référencer les fichiers pertinents.
+
+```bash
+Aide-moi à analyser où se trouve le problème décrit dans cette issue, lien de l'issue :
+```
+
+### Comprendre le code associé
+
+Demandez à l'IA d'expliquer la logique du code et les dépendances associées.
+
+### Formuler un plan de correction
+
+Discutez des solutions possibles avec l'IA et choisissez la meilleure.
+
+### Implémenter les changements de code
+
+Modifiez le code progressivement avec l'aide de l'IA et testez-le.
+
+```bash
+Aide-moi à modifier ce code pour résoudre ce problème
+```
+
+### Soumettre une PR
+
+Après avoir terminé les modifications, soumettez une PR et attendez la révision du mainteneur du projet.
+
+```bash
+Aide-moi à soumettre une PR pour résoudre ce problème
+```
+
+
+
+
+Résoudre des issues open source améliore non seulement les compétences techniques, mais construit aussi une influence technique et favorise le développement de carrière.
+
+
+
diff --git a/website/content/fr/showcase/creator-oss-promo-video.mdx b/website/content/fr/showcase/creator-oss-promo-video.mdx
new file mode 100644
index 000000000..726fc0975
--- /dev/null
+++ b/website/content/fr/showcase/creator-oss-promo-video.mdx
@@ -0,0 +1,48 @@
+---
+title: "Créer une vidéo promotionnelle pour votre projet open source"
+description: "Fournissez une URL de dépôt et l'IA génère une belle vidéo de démonstration du projet pour vous."
+category: "Outils créatifs"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Vous souhaitez créer une vidéo promotionnelle pour votre projet open source mais manquez d'expérience en production vidéo ? Qwen Code peut générer automatiquement de belles vidéos de démonstration de projet. Fournissez simplement l'URL du dépôt GitHub, et l'IA analysera la structure du projet, extraira les fonctionnalités clés, générera des scripts d'animation et rendra une vidéo professionnelle avec Remotion.
+
+
+
+
+
+## Étapes
+
+
+
+### Préparer le dépôt
+
+Assurez-vous que votre dépôt GitHub contient des informations complètes sur le projet et de la documentation, incluant README, captures d'écran et descriptions des fonctionnalités.
+
+### Générer la vidéo promotionnelle
+
+Indiquez à Qwen Code le style et le focus de la vidéo souhaitée, et l'IA analysera automatiquement le projet et générera la vidéo.
+
+```bash
+Basé sur ce skill https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, aide-moi à générer une vidéo de démonstration pour le dépôt open source :
+```
+
+
+
+
+Les vidéos générées prennent en charge plusieurs résolutions et formats, et peuvent être directement téléchargées sur YouTube et d'autres plateformes vidéo.
+
+
+
diff --git a/website/content/fr/showcase/creator-remotion-video.mdx b/website/content/fr/showcase/creator-remotion-video.mdx
new file mode 100644
index 000000000..2f78fd9f4
--- /dev/null
+++ b/website/content/fr/showcase/creator-remotion-video.mdx
@@ -0,0 +1,68 @@
+---
+title: "Création vidéo Remotion"
+description: "Décrivez vos idées créatives en langage naturel et utilisez le Skill Remotion pour générer du contenu vidéo par code."
+category: "Outils créatifs"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Vous souhaitez créer des vidéos mais ne savez pas coder ? En décrivant vos idées créatives en langage naturel, Qwen Code peut utiliser le Skill Remotion pour générer du code vidéo. L'IA comprend votre description créative et génère automatiquement le code du projet Remotion, incluant la configuration des scènes, les effets d'animation et la mise en page du texte.
+
+
+
+
+
+## Étapes
+
+
+
+### Installer le Skill Remotion
+
+Installez d'abord le Skill Remotion, qui contient les meilleures pratiques et modèles pour la création vidéo.
+
+```bash
+Vérifie si j'ai find skills, sinon installe-le directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aide-moi à installer remotion-best-practice.
+```
+
+### Décrire votre idée créative
+
+Décrivez en langage naturel le contenu vidéo que vous souhaitez créer, incluant le thème, le style, la durée et les scènes clés.
+
+```bash
+@file Basé sur le document, crée une vidéo promotionnelle de 30 secondes avec un style moderne et épuré.
+```
+
+### Prévisualiser et ajuster
+
+Qwen Code générera le code du projet Remotion basé sur votre description. Démarrez le serveur de développement pour prévisualiser.
+
+```bash
+npm run dev
+```
+
+### Rendre et exporter
+
+Quand vous êtes satisfait, utilisez la commande build pour rendre la vidéo finale.
+
+```bash
+Aide-moi à rendre et exporter la vidéo directement.
+```
+
+
+
+
+L'approche basée sur les prompts est idéale pour le prototypage rapide et l'exploration créative. Le code généré peut être édité manuellement pour implémenter des fonctionnalités plus complexes.
+
+
+
diff --git a/website/content/fr/showcase/creator-resume-site-quick.mdx b/website/content/fr/showcase/creator-resume-site-quick.mdx
new file mode 100644
index 000000000..958698ff0
--- /dev/null
+++ b/website/content/fr/showcase/creator-resume-site-quick.mdx
@@ -0,0 +1,67 @@
+---
+title: "Créer un site web de CV personnel"
+description: "Créez un site web de CV personnel en une phrase – intégrez vos expériences pour générer une page de présentation avec export PDF."
+category: "Outils créatifs"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Un site web de CV personnel est un outil important pour la recherche d'emploi et la présentation de soi. Qwen Code peut rapidement générer une page de présentation professionnelle basée sur le contenu de votre CV, avec support d'export PDF pour faciliter les candidatures.
+
+
+
+
+
+## Étapes
+
+
+
+### Fournir vos expériences personnelles
+
+Indiquez à l'IA votre parcours éducatif, expérience professionnelle, expérience de projet et compétences.
+
+```bash
+Je suis développeur frontend, diplômé de l'université XX, avec 3 ans d'expérience, spécialisé en React et TypeScript...
+```
+
+### Installer le Skill de design web
+
+Installez le Skill de design web qui fournit des modèles de design de CV.
+
+```bash
+Vérifie si j'ai find skills, sinon installe-le directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills, puis aide-moi à installer web-component-design.
+```
+
+### Choisir un style de design
+
+Décrivez le style de CV que vous préférez, comme minimaliste, professionnel ou créatif.
+
+```bash
+/skills web-component-design Aide-moi à concevoir un site web de CV minimaliste et professionnel
+```
+
+### Générer le site web de CV
+
+L'IA créera un projet de site web de CV complet avec mise en page responsive et styles d'impression.
+
+```bash
+npm run dev
+```
+
+
+
+
+Votre site web de CV devrait mettre en valeur vos forces et réalisations principales, en utilisant des données et exemples spécifiques pour étayer vos descriptions.
+
+
+
diff --git a/website/content/fr/showcase/creator-website-clone.mdx b/website/content/fr/showcase/creator-website-clone.mdx
new file mode 100644
index 000000000..edeb15b7a
--- /dev/null
+++ b/website/content/fr/showcase/creator-website-clone.mdx
@@ -0,0 +1,63 @@
+---
+title: "Répliquer votre site web préféré en une phrase"
+description: "Donnez une capture d'écran à Qwen Code et l'IA analyse la structure de la page pour générer du code frontend complet."
+category: "Outils créatifs"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Vous avez trouvé un design de site web que vous aimez et souhaitez le répliquer rapidement ? Donnez simplement une capture d'écran à Qwen Code et l'IA peut analyser la structure de la page et générer du code frontend complet. Qwen Code reconnaîtra la mise en page, le schéma de couleurs et la structure des composants, puis générera du code exécutable avec des technologies frontend modernes.
+
+
+
+
+
+## Étapes
+
+
+
+### Préparer une capture d'écran du site web
+
+Prenez une capture d'écran de l'interface du site web que vous souhaitez répliquer, en vous assurant qu'elle est claire et complète.
+
+### Installer le Skill correspondant
+
+Installez le Skill de reconnaissance d'images et de génération de code frontend.
+
+```bash
+Vérifie si j'ai find skills, sinon installe-le directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aide-moi à installer web-component-design.
+```
+
+### Coller la capture d'écran et décrire les besoins
+
+Collez la capture d'écran dans la conversation et indiquez à Qwen Code vos besoins spécifiques.
+
+```bash
+/skills web-component-design Basé sur ce skill, réplique une page web HTML basée sur @website.png, en veillant à ce que les références d'images soient valides.
+```
+
+Exemple de capture d'écran :
+
+
+
+### Exécuter et prévisualiser
+
+Ouvrez la page web correspondante pour vérifier le résultat. Si vous devez ajuster le design ou les fonctionnalités, continuez à interagir avec l'IA.
+
+
+
+
+Le code généré suit les meilleures pratiques frontend modernes avec une bonne structure et maintenabilité. Vous pouvez le personnaliser et l'étendre davantage.
+
+
+
diff --git a/website/content/fr/showcase/creator-youtube-to-blog.mdx b/website/content/fr/showcase/creator-youtube-to-blog.mdx
new file mode 100644
index 000000000..bcaf168cf
--- /dev/null
+++ b/website/content/fr/showcase/creator-youtube-to-blog.mdx
@@ -0,0 +1,52 @@
+---
+title: "Convertir des vidéos YouTube en articles de blog"
+description: "Utilisez Qwen Code pour convertir automatiquement des vidéos YouTube en articles de blog structurés."
+category: "Outils créatifs"
+features:
+ - "Skills"
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Vous avez trouvé une excellente vidéo YouTube et souhaitez la convertir en article de blog ? Qwen Code peut automatiquement extraire le contenu vidéo et générer des articles de blog bien structurés et riches en contenu. L'IA récupère la transcription de la vidéo, comprend les points clés et organise le contenu au format standard d'article de blog.
+
+
+
+
+
+## Étapes
+
+
+
+### Fournir le lien de la vidéo
+
+Indiquez à Qwen Code le lien de la vidéo YouTube que vous souhaitez convertir.
+
+```
+Basé sur ce skill : https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, aide-moi à écrire cette vidéo comme un article de blog : https://www.youtube.com/watch?v=fJSLnxi1i64
+```
+
+### Générer l'article de blog et modifier
+
+L'IA analysera la transcription et générera un article avec titre, introduction, corps et conclusion.
+
+```
+Aide-moi à ajuster le style de langage de cet article pour qu'il soit plus adapté à un blog technique
+```
+
+
+
+
+Les articles générés prennent en charge le format Markdown et peuvent être directement publiés sur des plateformes de blog ou GitHub Pages.
+
+
+
diff --git a/website/content/fr/showcase/guide-agents-config.mdx b/website/content/fr/showcase/guide-agents-config.mdx
new file mode 100644
index 000000000..1a0275129
--- /dev/null
+++ b/website/content/fr/showcase/guide-agents-config.mdx
@@ -0,0 +1,66 @@
+---
+title: "Fichier de configuration Agents"
+description: "Personnalisez le comportement de l'IA via le fichier MD Agents pour adapter l'IA à vos spécifications de projet et votre style de codage."
+category: "Guide de démarrage"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Le fichier de configuration Agents vous permet de personnaliser le comportement de l'IA via des fichiers Markdown, permettant à l'IA de s'adapter à vos spécifications de projet et votre style de codage. Vous pouvez définir le style de code, les conventions de nommage, les exigences de commentaires, etc., et l'IA générera du code conforme aux normes du projet en fonction de ces configurations. Cette fonctionnalité est particulièrement adaptée à la collaboration en équipe, garantissant que les styles de code générés par tous les membres sont cohérents.
+
+
+
+
+
+## Étapes
+
+
+
+### Créer le fichier de configuration
+
+Créez un dossier `.qwen` dans le répertoire racine du projet et créez un fichier `AGENTS.md` dedans. Ce fichier stockera votre configuration de comportement de l'IA.
+
+```bash
+mkdir -p .qwen && touch .qwen/AGENTS.md
+```
+
+### Écrire la configuration
+
+Écrivez la configuration au format Markdown, décrivant les spécifications du projet en langage naturel. Vous pouvez définir le style de code, les conventions de nommage, les exigences de commentaires, les préférences de framework, etc., et l'IA ajustera son comportement en fonction de ces configurations.
+
+```markdown
+# Spécifications du projet
+
+### Style de code
+
+- Utiliser TypeScript
+- Utiliser la programmation fonctionnelle
+- Ajouter des commentaires détaillés
+
+### Conventions de nommage
+
+- Utiliser camelCase pour les variables
+- Utiliser UPPER_SNAKE_CASE pour les constantes
+- Utiliser PascalCase pour les noms de classes
+```
+
+### Appliquer la configuration
+
+Après avoir enregistré le fichier de configuration, l'IA le lira automatiquement et l'appliquera. Dans la conversation suivante, l'IA générera du code conforme aux normes du projet en fonction de la configuration, sans avoir à répéter les spécifications.
+
+
+
+
+Prend en charge le format Markdown, décrivez les spécifications du projet en langage naturel.
+
+
+
diff --git a/website/content/fr/showcase/guide-api-setup.mdx b/website/content/fr/showcase/guide-api-setup.mdx
new file mode 100644
index 000000000..8a13c613e
--- /dev/null
+++ b/website/content/fr/showcase/guide-api-setup.mdx
@@ -0,0 +1,111 @@
+---
+title: "Guide de configuration de l'API"
+description: "Configurez la clé API et les paramètres du modèle pour personnaliser votre expérience de programmation IA, prenant en charge plusieurs sélections de modèles."
+category: "Guide de démarrage"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+La configuration d'une clé API est une étape importante pour utiliser Qwen Code, car elle débloque toutes les fonctionnalités et vous permet d'accéder à des modèles IA puissants. Via la plateforme Alibaba Cloud Bailian, vous pouvez facilement obtenir une clé API et choisir le modèle le plus adapté pour différents scénarios. Que ce soit pour le développement quotidien ou des tâches complexes, la bonne configuration du modèle peut améliorer considérablement votre efficacité de travail.
+
+
+
+
+
+## Étapes
+
+
+
+### Obtenir la clé API
+
+Visitez la [plateforme Alibaba Cloud Bailian](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), trouvez la page de gestion des clés API dans le centre personnel. Cliquez pour créer une nouvelle clé API, et le système générera une clé unique. Cette clé est votre justificatif d'accès aux services Qwen Code, veuillez donc la conserver en sécurité.
+
+
+
+
+Veuillez conserver votre clé API en sécurité et ne la divulguez pas à d'autres personnes ou ne la commitez pas dans le dépôt de code.
+
+
+### Configurer la clé API dans Qwen Code
+
+**1. Laisser Qwen Code configurer automatiquement**
+
+Ouvrez le terminal, démarrez Qwen Code directement dans le répertoire racine, copiez le code suivant et indiquez votre CLÉ-API, la configuration sera réussie. Redémarrez Qwen Code et entrez `/model` pour basculer vers le modèle configuré.
+
+```json
+Aidez-moi à configurer `settings.json` pour le modèle Bailian selon le contenu suivant :
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "",
+ "name": "[Bailian] ",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": ""
+ },
+}
+Pour la saisie du nom du modèle, veuillez vous référer à : https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all
+Ma CLÉ-API est :
+```
+
+Ensuite, collez votre CLÉ-API dans la zone de saisie, indiquez le nom du modèle dont vous avez besoin, comme `qwen3.5-plus`, et envoyez-la pour terminer la configuration.
+
+
+
+**2. Configuration manuelle**
+
+Configurez manuellement le fichier settings.json. L'emplacement du fichier se trouve dans le répertoire `/.qwen`. Vous pouvez directement copier le contenu suivant et modifier votre CLÉ-API et le nom du modèle.
+
+```json
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "",
+ "name": "[Bailian] ",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": ""
+ },
+}
+```
+
+### Sélectionner le modèle
+
+Choisissez le modèle approprié en fonction de vos besoins, en équilibrant la vitesse et les performances. Différents modèles conviennent à différents scénarios. Vous pouvez choisir en fonction de la complexité de la tâche et des exigences de temps de réponse. Utilisez la commande `/model` pour basculer rapidement entre les modèles.
+
+Options de modèles courants :
+- `qwen3.5-plus` : Puissant, adapté aux tâches complexes
+- `qwen3.5-flash` : Rapide, adapté aux tâches simples
+- `qwen-max` : Modèle le plus puissant, adapté aux tâches de haute difficulté
+
+### Tester la connexion
+
+Envoyez un message de test pour confirmer que la configuration de l'API est correcte. Si la configuration réussit, Qwen Code vous répondra immédiatement, ce qui signifie que vous êtes prêt à commencer à utiliser la programmation assistée par l'IA. Si vous rencontrez des problèmes, veuillez vérifier si la clé API est correctement configurée.
+
+```bash
+Hello, can you help me with coding?
+```
+
+
+
+
diff --git a/website/content/fr/showcase/guide-authentication.mdx b/website/content/fr/showcase/guide-authentication.mdx
new file mode 100644
index 000000000..b3dbb70d5
--- /dev/null
+++ b/website/content/fr/showcase/guide-authentication.mdx
@@ -0,0 +1,50 @@
+---
+title: "Authentification et connexion"
+description: "Comprendre le processus d'authentification de Qwen Code, compléter rapidement la connexion au compte et débloquer toutes les fonctionnalités."
+category: "Guide de démarrage"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+L'authentification et la connexion sont la première étape pour utiliser Qwen Code. Grâce à un processus d'authentification simple, vous pouvez rapidement débloquer toutes les fonctionnalités. Le processus d'authentification est sûr et fiable, prend en charge plusieurs méthodes de connexion et garantit la sécurité de votre compte et de vos données. Après avoir terminé l'authentification, vous pouvez profiter d'une expérience de programmation IA personnalisée, y compris la configuration personnalisée du modèle, la sauvegarde de l'historique, etc.
+
+
+
+
+
+## Étapes
+
+
+
+### Déclencher l'authentification
+
+Après avoir démarré Qwen Code, entrez la commande `/auth`, et le système démarrera automatiquement le processus d'authentification. La commande d'authentification peut être utilisée dans la ligne de commande ou l'extension VS Code, et la méthode d'opération est cohérente. Le système détectera l'état d'authentification actuel, et si vous n'êtes pas connecté, il vous guidera pour terminer la connexion.
+
+```bash
+/auth
+```
+
+### Connexion via navigateur
+
+Le système ouvrira automatiquement le navigateur et redirigera vers la page d'authentification. Sur la page d'authentification, vous pouvez choisir d'utiliser un compte Alibaba Cloud ou d'autres méthodes de connexion prises en charge. Le processus de connexion est rapide et pratique, ne prenant que quelques secondes.
+
+### Confirmer la connexion
+
+Après une connexion réussie, le navigateur se fermera automatiquement ou affichera un message de succès. En revenant à l'interface Qwen Code, vous verrez le message de succès de l'authentification, indiquant que vous vous êtes connecté avec succès et débloqué toutes les fonctionnalités. Les informations d'authentification seront automatiquement sauvegardées, il n'est donc pas nécessaire de se reconnecter à chaque fois.
+
+
+
+
+Les informations d'authentification sont stockées en toute sécurité localement, pas besoin de se reconnecter à chaque fois.
+
+
+
diff --git a/website/content/fr/showcase/guide-bailian-coding-plan.mdx b/website/content/fr/showcase/guide-bailian-coding-plan.mdx
new file mode 100644
index 000000000..23a38521e
--- /dev/null
+++ b/website/content/fr/showcase/guide-bailian-coding-plan.mdx
@@ -0,0 +1,57 @@
+---
+title: "Mode Bailian Coding Plan"
+description: "Configurez l'utilisation de Bailian Coding Plan, sélection multiple de modèles, améliorer la qualité d'achèvement des tâches complexes."
+category: "Guide de démarrage"
+features:
+ - "Plan Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Le mode Bailian Coding Plan est une fonctionnalité avancée de Qwen Code, conçue spécifiquement pour les tâches de programmation complexes. Grâce à la collaboration intelligente multi-modèles, il peut décomposer de grandes tâches en étapes exécutables et planifier automatiquement le chemin d'exécution optimal. Qu'il s'agisse de refactoriser de grandes bases de code ou d'implémenter des fonctionnalités complexes, Coding Plan peut améliorer considérablement la qualité et l'efficacité d'achèvement des tâches.
+
+
+
+
+
+## Étapes
+
+
+
+### Accéder à l'interface des paramètres
+
+Démarrez Qwen Code et entrez la commande `/auth`.
+
+### Sélectionner Coding Plan
+
+Activez le mode Bailian Coding Plan dans les paramètres, entrez votre clé API, et Qwen Code configurera automatiquement les modèles pris en charge par Coding Plan pour vous.
+
+
+
+### Sélectionner le modèle
+
+Entrez directement la commande `/model` pour sélectionner le modèle souhaité.
+
+### Commencer une tâche complexe
+
+Décrivez votre tâche de programmation, et Coding Plan planifiera automatiquement les étapes d'exécution. Vous pouvez expliquer en détail les objectifs, les contraintes et les résultats attendus de la tâche. L'IA analysera les exigences de la tâche et générera un plan d'exécution structuré, incluant les opérations spécifiques et les résultats attendus pour chaque étape.
+
+```bash
+Je dois refactoriser la couche de données de ce projet, migrer la base de données de MySQL vers PostgreSQL tout en gardant l'interface API inchangée
+```
+
+
+
+
+Le mode Coding Plan est particulièrement adapté aux tâches complexes nécessitant une collaboration multi-étapes, comme la refactorisation d'architecture, la migration de fonctionnalités, etc.
+
+
+
diff --git a/website/content/fr/showcase/guide-copy-optimization.mdx b/website/content/fr/showcase/guide-copy-optimization.mdx
new file mode 100644
index 000000000..803e95bb2
--- /dev/null
+++ b/website/content/fr/showcase/guide-copy-optimization.mdx
@@ -0,0 +1,42 @@
+---
+title: "Optimisation de la copie de caractères"
+description: "Expérience de copie de code optimisée, sélection précise et copie d'extraits de code, préservation du format complet."
+category: "Guide de démarrage"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+L'expérience de copie de code optimisée vous permet de sélectionner et de copier précisément des extraits de code tout en préservant le formatage complet et l'indentation. Qu'il s'agisse de blocs de code entiers ou de lignes partielles, vous pouvez facilement les copier et les coller dans votre projet. La fonction de copie prend en charge plusieurs méthodes, y compris la copie en un clic, la copie par sélection et la copie par raccourci clavier, répondant aux besoins de différents scénarios.
+
+
+
+
+
+## Étapes
+
+
+
+### Sélectionner le bloc de code
+
+Cliquez sur le bouton de copie dans le coin supérieur droit du bloc de code pour copier l'intégralité du bloc en un clic. Le bouton de copie est clairement visible et l'opération est simple et rapide. Le contenu copié conservera le format d'origine, y compris l'indentation, la coloration syntaxique, etc.
+
+### Coller et utiliser
+
+Collez le code copié dans votre éditeur, et le format sera automatiquement maintenu. Vous pouvez l'utiliser directement sans avoir à ajuster manuellement l'indentation ou le formatage. Le code collé est entièrement cohérent avec le code d'origine, garantissant la correction du code.
+
+### Sélection précise
+
+Si vous n'avez besoin de copier qu'une partie du code, vous pouvez utiliser la souris pour sélectionner le contenu nécessaire, puis utiliser le raccourci clavier pour copier. Prend en charge la sélection multi-lignes, vous permettant de copier précisément les extraits de code dont vous avez besoin.
+
+
+
+
diff --git a/website/content/fr/showcase/guide-first-conversation.mdx b/website/content/fr/showcase/guide-first-conversation.mdx
new file mode 100644
index 000000000..882c4de00
--- /dev/null
+++ b/website/content/fr/showcase/guide-first-conversation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Commencer la première conversation"
+description: "Après l'installation, initiez votre première conversation IA avec Qwen Code pour comprendre ses capacités principales et ses méthodes d'interaction."
+category: "Guide de démarrage"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Après avoir terminé l'installation de Qwen Code, vous aurez votre première conversation avec lui. C'est une excellente occasion de comprendre les capacités principales et les méthodes d'interaction de Qwen Code. Vous pouvez commencer par une simple salutation et explorer progressivement ses puissantes fonctionnalités en matière de génération de code, de résolution de problèmes, de compréhension de documents, etc. Grâce à une pratique réelle, vous ressentirez comment Qwen Code devient votre assistant capable sur votre parcours de programmation.
+
+
+
+
+
+## Étapes
+
+
+
+### Démarrer Qwen Code
+
+Entrez la commande `qwen` dans le terminal pour démarrer l'application. Au premier démarrage, le système effectuera une configuration d'initialisation, ce qui ne prend que quelques secondes. Après le démarrage, vous verrez une interface de ligne de commande conviviale, prête à commencer la conversation avec l'IA.
+
+```bash
+qwen
+```
+
+### Initier la conversation
+
+Entrez votre question dans la zone de saisie pour commencer à communiquer avec l'IA. Vous pouvez commencer par une simple présentation, comme demander ce qu'est Qwen Code ou ce qu'il peut faire pour vous. L'IA répondra à vos questions dans un langage clair et facile à comprendre et vous guidera pour explorer plus de fonctionnalités.
+
+```bash
+what is qwen code?
+```
+
+### Explorer les capacités
+
+Essayez de demander à l'IA de vous aider à accomplir quelques tâches simples, comme expliquer du code, générer des fonctions, répondre à des questions techniques, etc. Grâce à une pratique réelle, vous vous familiariserez progressivement avec les différentes capacités de Qwen Code et découvrirez sa valeur d'application dans différents scénarios.
+
+```bash
+Aidez-moi à écrire une fonction Python pour calculer la suite de Fibonacci
+```
+
+
+
+
+Qwen Code prend en charge les conversations multi-tours. Vous pouvez continuer à poser des questions basées sur les réponses précédentes pour explorer en profondeur les sujets qui vous intéressent.
+
+
+
diff --git a/website/content/fr/showcase/guide-headless-mode.mdx b/website/content/fr/showcase/guide-headless-mode.mdx
new file mode 100644
index 000000000..ae01cf54d
--- /dev/null
+++ b/website/content/fr/showcase/guide-headless-mode.mdx
@@ -0,0 +1,62 @@
+---
+title: "Mode Headless"
+description: "Utiliser Qwen Code dans des environnements sans interface graphique, adapté aux serveurs distants, pipelines CI/CD et scénarios de scripts d'automatisation."
+category: "Guide de démarrage"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Le mode Headless vous permet d'utiliser Qwen Code dans des environnements sans interface graphique, particulièrement adapté aux serveurs distants, pipelines CI/CD et scénarios de scripts d'automatisation. Grâce aux paramètres de ligne de commande et à l'entrée par pipeline, vous pouvez intégrer de manière transparente Qwen Code dans vos workflows existants, réalisant une programmation assistée par l'IA automatisée.
+
+
+
+
+
+## Étapes
+
+
+
+### Utiliser le mode prompt
+
+Utilisez le paramètre `--p` pour passer directement des invites dans la ligne de commande. Qwen Code retournera la réponse et quittera automatiquement. Cette méthode convient aux requêtes ponctuelles et peut être facilement intégrée dans des scripts.
+
+```bash
+qwen --p 'what is qwen code?'
+```
+
+### Entrée par pipeline
+
+Passez la sortie d'autres commandes à Qwen Code via des pipelines pour réaliser un traitement automatisé. Vous pouvez envoyer directement des fichiers de journal, des messages d'erreur, etc. à l'IA pour analyse.
+
+```bash
+cat error.log | qwen --p 'analyser les erreurs'
+```
+
+### Intégration de script
+
+Intégrez Qwen Code dans des scripts Shell pour réaliser des workflows automatisés complexes. Vous pouvez effectuer différentes opérations en fonction des résultats de retour de l'IA, créant des scripts automatisés intelligents.
+
+```bash
+#!/bin/bash
+result=$(qwen --p 'vérifier s'il y a des problèmes avec le code')
+if [[ $result == *"a des problèmes"* ]]; then
+ echo "Problèmes de code trouvés"
+fi
+```
+
+
+
+
+Le mode Headless prend en charge toutes les fonctionnalités de Qwen Code, y compris la génération de code, la résolution de problèmes, les opérations de fichiers, etc.
+
+
+
diff --git a/website/content/fr/showcase/guide-language-switch.mdx b/website/content/fr/showcase/guide-language-switch.mdx
new file mode 100644
index 000000000..928c9b9af
--- /dev/null
+++ b/website/content/fr/showcase/guide-language-switch.mdx
@@ -0,0 +1,55 @@
+---
+title: "Changement de langue"
+description: "Changement flexible de la langue de l'interface utilisateur et de la langue de sortie de l'IA, prenant en charge l'interaction multilingue."
+category: "Guide de démarrage"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Qwen Code prend en charge le changement de langue flexible. Vous pouvez définir indépendamment la langue de l'interface utilisateur et la langue de sortie de l'IA. Qu'il s'agisse de chinois, d'anglais ou d'autres langues, vous pouvez trouver des paramètres appropriés. La prise en charge multilingue vous permet de travailler dans un environnement linguistique familier, améliorant l'efficacité de communication et le confort.
+
+
+
+
+
+## Étapes
+
+
+
+### Changer la langue de l'interface
+
+Utilisez la commande `/language ui` pour changer la langue de l'interface, prenant en charge le chinois, l'anglais et d'autres langues. Après avoir changé la langue de l'interface, les menus, les messages d'invite, la documentation d'aide, etc. seront tous affichés dans la langue que vous avez choisie.
+
+```bash
+/language ui zh-CN
+```
+
+### Changer la langue de sortie
+
+Utilisez la commande `/language output` pour changer la langue de sortie de l'IA. L'IA utilisera la langue que vous avez spécifiée pour répondre aux questions, générer des commentaires de code, fournir des explications, etc., rendant la communication plus naturelle et fluide.
+
+```bash
+/language output zh-CN
+```
+
+### Utilisation mixte des langues
+
+Vous pouvez également définir différentes langues pour l'interface et la sortie pour réaliser une utilisation mixte des langues. Par exemple, utiliser le chinois pour l'interface et l'anglais pour la sortie de l'IA, adapté aux scénarios où vous devez lire de la documentation technique en anglais.
+
+
+
+
+Les paramètres de langue sont automatiquement sauvegardés et utiliseront la langue que vous avez choisie la dernière fois au prochain démarrage.
+
+
+
diff --git a/website/content/fr/showcase/guide-plan-with-search.mdx b/website/content/fr/showcase/guide-plan-with-search.mdx
new file mode 100644
index 000000000..86cb6a534
--- /dev/null
+++ b/website/content/fr/showcase/guide-plan-with-search.mdx
@@ -0,0 +1,59 @@
+---
+title: "Mode Plan + Recherche Web"
+description: "Combinez la recherche Web en mode Plan pour rechercher d'abord les dernières informations puis formuler un plan d'exécution, améliorant considérablement la précision des tâches complexes."
+category: "Guide de démarrage"
+features:
+ - "Plan Mode"
+ - "Web Search"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Le mode Plan est la capacité de planification intelligente de Qwen Code, capable de décomposer des tâches complexes en étapes exécutables. Lorsqu'il est combiné avec la recherche Web, il recherchera d'abord de manière proactive les dernières documentations techniques, les meilleures pratiques et les solutions, puis formulera des plans d'exécution plus précis basés sur ces informations en temps réel. Cette combinaison est particulièrement adaptée au traitement de tâches de développement impliquant de nouveaux frameworks, de nouvelles API ou nécessitant de respecter les dernières spécifications, ce qui peut améliorer considérablement la qualité du code et l'efficacité d'achèvement des tâches. Qu'il s'agisse de migrer des projets, d'intégrer de nouvelles fonctionnalités ou de résoudre des problèmes techniques complexes, Plan + Recherche Web peut vous fournir les solutions les plus à jour.
+
+
+
+
+
+## Étapes
+
+
+
+### Activer le mode Plan
+
+Entrez la commande `/approval-mode plan` dans la conversation pour activer le mode Plan. À ce moment, Qwen Code entrera dans l'état de planification, prêt à recevoir votre description de tâche et à commencer à réfléchir. Le mode Plan analysera automatiquement la complexité de la tâche et déterminera s'il est nécessaire de rechercher des informations externes pour compléter la base de connaissances.
+
+```bash
+/approval-mode plan
+```
+
+### Demander la recherche des dernières informations
+
+Décrivez vos exigences de tâche, et Qwen Code identifiera automatiquement les mots-clés qui doivent être recherchés. Il lancera de manière proactive des demandes de recherche Web pour obtenir les dernières documentations techniques, références API, meilleures pratiques et solutions. Les résultats de recherche seront intégrés dans la base de connaissances, fournissant une base d'informations précise pour la planification ultérieure.
+
+```
+Aidez-moi à rechercher les dernières nouvelles dans le domaine de l'IA et à les organiser en un rapport pour moi
+```
+
+### Voir le plan d'exécution
+
+Basé sur les informations recherchées, Qwen Code générera un plan d'exécution détaillé pour vous. Le plan inclura des descriptions d'étapes claires, des points techniques à surveiller, des pièges potentiels et des solutions. Vous pouvez examiner ce plan, fournir des suggestions de modification ou confirmer pour commencer l'exécution.
+
+### Exécuter le plan étape par étape
+
+Après avoir confirmé le plan, Qwen Code l'exécutera étape par étape. À chaque point clé, il vous rapportera les progrès et les résultats, garantissant que vous avez un contrôle complet sur l'ensemble du processus. Si des problèmes surviennent, il fournira des solutions basées sur les dernières informations de recherche plutôt que de s'appuyer sur des connaissances obsolètes.
+
+
+
+
+La recherche Web identifiera automatiquement les mots-clés techniques dans la tâche, pas besoin de spécifier manuellement le contenu de recherche. Pour les frameworks et bibliothèques à itération rapide, il est recommandé d'activer la recherche Web en mode Plan pour obtenir les dernières informations.
+
+
+
diff --git a/website/content/fr/showcase/guide-resume-session.mdx b/website/content/fr/showcase/guide-resume-session.mdx
new file mode 100644
index 000000000..3273238fe
--- /dev/null
+++ b/website/content/fr/showcase/guide-resume-session.mdx
@@ -0,0 +1,63 @@
+---
+title: "Reprise de session Resume"
+description: "Les conversations interrompues peuvent être reprises à tout moment sans perdre de contexte ni de progrès."
+category: "Guide de démarrage"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+La fonction de reprise de session Resume vous permet d'interrompre des conversations à tout moment et de les reprendre si nécessaire, sans perdre de contexte ni de progrès. Que vous ayez quelque chose à faire temporairement ou que vous gériez plusieurs tâches en parallèle, vous pouvez mettre en pause la conversation en toute sécurité et la reprendre plus tard de manière transparente. Cette fonction améliore considérablement la flexibilité du travail, vous permettant de gérer le temps et les tâches plus efficacement.
+
+
+
+
+
+## Étapes
+
+
+
+### Voir la liste des sessions
+
+Utilisez la commande `qwen --resume` pour voir toutes les sessions historiques. Le système affichera l'heure, le sujet et les informations brèves de chaque session, vous aidant à trouver rapidement la conversation que vous devez reprendre.
+
+```bash
+qwen --resume
+```
+
+### Reprendre la session
+
+Utilisez la commande `qwen --resume` pour reprendre une session spécifiée. Vous pouvez sélectionner la conversation à reprendre via l'ID de session ou le numéro, et le système chargera l'historique complet du contexte.
+
+```bash
+qwen --resume
+```
+
+### Continuer le travail
+
+Après avoir repris la session, vous pouvez continuer la conversation comme si elle n'avait jamais été interrompue. Tout le contexte, l'historique et les progrès seront entièrement conservés, et l'IA pourra comprendre avec précision le contenu de la discussion précédente.
+
+### Changer de sessions après avoir démarré Qwen Code
+
+Après avoir démarré Qwen Code, vous pouvez utiliser la commande `/resume` pour basculer vers une session précédente.
+
+```bash
+/resume
+```
+
+
+
+
+L'historique des sessions est automatiquement sauvegardé et prend en charge la synchronisation multi-appareils. Vous pouvez reprendre la même session sur différents appareils.
+
+
+
diff --git a/website/content/fr/showcase/guide-retry-shortcut.mdx b/website/content/fr/showcase/guide-retry-shortcut.mdx
new file mode 100644
index 000000000..fff639eaa
--- /dev/null
+++ b/website/content/fr/showcase/guide-retry-shortcut.mdx
@@ -0,0 +1,50 @@
+---
+title: "Ctrl+Y Réessai rapide"
+description: "Pas satisfait de la réponse de l'IA ? Utilisez le raccourci clavier pour réessayer en un clic et obtenir rapidement de meilleurs résultats."
+category: "Guide de démarrage"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Pas satisfait de la réponse de l'IA ? Utilisez le raccourci clavier Ctrl+Y (Windows/Linux) ou Cmd+Y (macOS) pour réessayer en un clic et obtenir rapidement de meilleurs résultats. Cette fonctionnalité vous permet de laisser l'IA régénérer la réponse sans avoir à ressaisir la question, économisant du temps et améliorant l'efficacité. Vous pouvez réessayer plusieurs fois jusqu'à obtenir une réponse satisfaisante.
+
+
+
+
+
+## Étapes
+
+
+
+### Découvrir des réponses insatisfaisantes
+
+Lorsque la réponse de l'IA ne répond pas à vos attentes, ne vous découragez pas. Les réponses de l'IA peuvent varier en raison de la compréhension du contexte ou du hasard, et vous pouvez obtenir de meilleurs résultats en réessayant.
+
+### Déclencher le réessai
+
+Appuyez sur le raccourci clavier Ctrl+Y (Windows/Linux) ou Cmd+Y (macOS), et l'IA régénérera la réponse. Le processus de réessai est rapide et fluide et n'interrompra pas votre flux de travail.
+
+```bash
+Ctrl+Y / Cmd+Y
+```
+
+### Explication supplémentaire
+
+Si vous êtes toujours insatisfait après avoir réessayé, vous pouvez ajouter des explications supplémentaires à vos besoins pour que l'IA puisse mieux comprendre vos intentions. Vous pouvez ajouter plus de détails, modifier la façon dont la question est formulée, ou fournir plus d'informations contextuelles.
+
+
+
+
+La fonction de réessai conservera la question originale mais utilisera différentes graines aléatoires pour générer des réponses, garantissant la diversité des résultats.
+
+
+
diff --git a/website/content/fr/showcase/guide-script-install.mdx b/website/content/fr/showcase/guide-script-install.mdx
new file mode 100644
index 000000000..0a8f3bb03
--- /dev/null
+++ b/website/content/fr/showcase/guide-script-install.mdx
@@ -0,0 +1,59 @@
+---
+title: "Installation en un clic avec script"
+description: "Installez rapidement Qwen Code via une commande de script. Terminez la configuration de l'environnement en quelques secondes. Prend en charge les systèmes Linux, macOS et Windows."
+category: "Guide de démarrage"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Qwen Code prend en charge l'installation rapide via une seule commande de script. Aucune configuration manuelle des variables d'environnement ou téléchargement de dépendances requis. Le script détecte automatiquement votre type de système d'exploitation, télécharge le package d'installation approprié et termine la configuration. L'ensemble du processus ne prend que quelques secondes et prend en charge trois plateformes principales : **Linux**, **macOS** et **Windows**.
+
+
+
+
+
+## Étapes
+
+
+
+### Installation Linux / macOS
+
+Ouvrez votre terminal et exécutez la commande suivante. Le script détectera automatiquement votre architecture système (x86_64 / ARM), téléchargera la version correspondante et terminera la configuration de l'installation.
+
+```bash
+bash -c "$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)" -s --source website
+```
+
+### Installation Windows
+
+Exécutez la commande suivante dans PowerShell. Le script téléchargera un fichier batch et exécutera automatiquement le processus d'installation. Une fois terminé, vous pourrez utiliser la commande `qwen` dans n'importe quel terminal.
+
+```bash
+curl -fsSL -o %TEMP%\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\install-qwen.bat --source website
+```
+
+### Vérifier l'installation
+
+Une fois l'installation terminée, exécutez la commande suivante dans votre terminal pour confirmer que Qwen Code a été correctement installé. Si vous voyez le numéro de version, l'installation a réussi.
+
+```bash
+qwen --version
+```
+
+
+
+
+Si vous préférez utiliser npm, vous pouvez également installer globalement via `npm install -g @qwen-code/qwen-code`. Après l'installation, entrez simplement `qwen` pour démarrer. Si vous rencontrez des problèmes d'autorisation, utilisez `sudo npm install -g @qwen-code/qwen-code` et entrez votre mot de passe pour installer.
+
+
+
diff --git a/website/content/fr/showcase/guide-skill-install.mdx b/website/content/fr/showcase/guide-skill-install.mdx
new file mode 100644
index 000000000..e650bef67
--- /dev/null
+++ b/website/content/fr/showcase/guide-skill-install.mdx
@@ -0,0 +1,78 @@
+---
+title: "Installer des Skills"
+description: "Plusieurs façons d'installer des extensions de Skill, y compris l'installation en ligne de commande et l'installation par dossier, répondant à différents besoins de scénario."
+category: "Guide de démarrage"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Qwen Code prend en charge plusieurs méthodes d'installation de Skills. Vous pouvez choisir la méthode la mieux adaptée à votre scénario réel. L'installation en ligne de commande convient aux environnements en ligne et est rapide et pratique ; l'installation par dossier convient aux environnements hors ligne ou aux Skills personnalisés, offrant flexibilité et contrôle.
+
+
+
+
+
+## Étapes
+
+
+
+### Vérifier et installer le Skill find-skills
+
+Décrivez vos besoins directement dans Qwen Code et laissez-le vous aider à vérifier et installer le Skill requis :
+
+```
+Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code
+```
+
+### Installez le Skill dont vous avez besoin, par exemple installer web-component-design :
+
+```
+/skills find-skills install web-component-design -y -a qwen-code
+```
+
+Qwen Code exécutera automatiquement la commande d'installation, téléchargera et installera le Skill depuis le dépôt spécifié. Vous pouvez également installer en une phrase :
+
+```
+Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aidez-moi à installer [Nom du Skill] dans le répertoire qwen code skills actuel.
+```
+
+### Vérifier l'installation
+
+Une fois l'installation terminée, vérifiez que le Skill a été chargé avec succès :
+
+```bash
+/skills
+```
+
+
+
+
+L'installation en ligne de commande nécessite une connexion réseau. Le paramètre `-y` indique une confirmation automatique, et `-a qwen-code` spécifie l'installation sur Qwen Code.
+
+
+
+**Exigences de structure de répertoire Skill**
+
+Chaque dossier Skill doit inclure un fichier `skill.md` qui définit le nom, la description et les règles de déclenchement du Skill :
+
+```
+~/.qwen/skills/
+├── my-skill/
+│ ├── SKILL.md # Requis : fichier de configuration Skill
+│ └── scripts/ # Optionnel : fichiers de script
+└── another-skill/
+ └── SKILL.md
+```
+
+
+
diff --git a/website/content/fr/showcase/guide-skills-panel.mdx b/website/content/fr/showcase/guide-skills-panel.mdx
new file mode 100644
index 000000000..64ce1daf3
--- /dev/null
+++ b/website/content/fr/showcase/guide-skills-panel.mdx
@@ -0,0 +1,50 @@
+---
+title: "Panneau Skills"
+description: "Parcourez, installez et gérez les extensions de Skills existantes via le panneau Skills. Gestion en un clic de votre bibliothèque de capacités IA."
+category: "Guide de démarrage"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Le panneau Skills est votre centre de contrôle pour gérer les capacités d'extension de Qwen Code. Grâce à cette interface intuitive, vous pouvez parcourir divers Skills fournis par les sources officielles et communautaires, comprendre la fonctionnalité et le but de chaque Skill, et installer ou désinstaller des extensions en un clic. Que vous souhaitiez découvrir de nouvelles capacités IA ou gérer les Skills installés, le panneau Skills offre une expérience d'opération pratique, vous permettant de construire facilement une boîte à outils IA personnalisée.
+
+
+
+
+
+## Étapes
+
+
+
+### Ouvrir le panneau Skills
+
+Entrez la commande dans la conversation Qwen Code pour ouvrir le panneau Skills. Cette commande affichera une liste de tous les Skills disponibles, y compris les extensions installées et non installées.
+
+```bash
+/skills
+```
+
+### Parcourir et rechercher des Skills
+
+Parcourez les différentes extensions de Skills dans le panneau. Chaque Skill a des descriptions détaillées et des explications de fonctionnalité. Vous pouvez utiliser la fonction de recherche pour trouver rapidement le Skill spécifique dont vous avez besoin, ou parcourir différents types d'extensions par catégorie.
+
+### Installer ou désinstaller des Skills
+
+Après avoir trouvé un Skill qui vous intéresse, cliquez sur le bouton d'installation pour l'ajouter à votre Qwen Code en un clic. De même, vous pouvez désinstaller à tout moment les Skills dont vous n'avez plus besoin, gardant votre bibliothèque de capacités IA propre et efficace.
+
+
+
+
+Le panneau Skills est mis à jour régulièrement pour présenter les dernières extensions de Skills publiées. Nous vous recommandons de vérifier régulièrement le panneau pour découvrir plus de capacités IA puissantes pour améliorer votre efficacité de travail.
+
+
+
diff --git a/website/content/fr/showcase/guide-vscode-integration.mdx b/website/content/fr/showcase/guide-vscode-integration.mdx
new file mode 100644
index 000000000..2fe72b68d
--- /dev/null
+++ b/website/content/fr/showcase/guide-vscode-integration.mdx
@@ -0,0 +1,51 @@
+---
+title: "Interface d'intégration VS Code"
+description: "Affichage complet de l'interface de Qwen Code dans VS Code. Comprenez la mise en page et l'utilisation de chaque zone fonctionnelle."
+category: "Guide de démarrage"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+VS Code est l'un des éditeurs de code les plus populaires, et Qwen Code fournit une extension VS Code profondément intégrée. Grâce à cette extension, vous pouvez communiquer directement avec l'IA dans l'environnement d'éditeur familier et profiter d'une expérience de programmation transparente. L'extension fournit une mise en page d'interface intuitive, vous permettant d'accéder facilement à toutes les fonctionnalités. Qu'il s'agisse de complétion de code, de résolution de problèmes ou d'opérations de fichiers, tout peut être effectué efficacement.
+
+
+
+
+
+## Étapes
+
+
+
+### Installer l'extension VS Code
+
+Recherchez "Qwen Code" dans le marketplace d'extensions VS Code et cliquez sur installer. Le processus d'installation est simple et rapide, terminé en quelques secondes. Après l'installation, une icône Qwen Code apparaîtra dans la barre latérale VS Code, indiquant que l'extension a été chargée avec succès.
+
+### Se connecter à votre compte
+
+Utilisez la commande `/auth` pour déclencher le processus d'authentification. Le système ouvrira automatiquement un navigateur pour la connexion. Le processus de connexion est sécurisé et pratique, prenant en charge plusieurs méthodes d'authentification. Après une connexion réussie, vos informations de compte seront automatiquement synchronisées avec l'extension VS Code, débloquant toutes les fonctionnalités.
+
+```bash
+/auth
+```
+
+### Commencer à utiliser
+
+Ouvrez le panneau Qwen Code dans la barre latérale et commencez à communiquer avec l'IA. Vous pouvez entrer directement des questions, référencer des fichiers, exécuter des commandes — toutes les opérations sont effectuées dans VS Code. L'extension prend en charge les onglets multiples, l'historique, les raccourcis clavier et autres fonctionnalités, offrant une expérience complète d'assistance à la programmation.
+
+
+
+
+L'extension VS Code a des fonctionnalités identiques à la version en ligne de commande. Vous pouvez choisir librement selon votre scénario d'utilisation.
+
+
+
diff --git a/website/content/fr/showcase/guide-web-search.mdx b/website/content/fr/showcase/guide-web-search.mdx
new file mode 100644
index 000000000..ec9f2810c
--- /dev/null
+++ b/website/content/fr/showcase/guide-web-search.mdx
@@ -0,0 +1,55 @@
+---
+title: "Recherche Web"
+description: "Laissez Qwen Code rechercher du contenu Web pour obtenir des informations en temps réel pour aider à la programmation et à la résolution de problèmes."
+category: "Guide de démarrage"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+La fonction de recherche Web permet à Qwen Code de rechercher du contenu Web en temps réel pour obtenir les dernières documentations techniques, mises à jour de framework et solutions. Lorsque vous rencontrez des problèmes lors du développement ou que vous devez comprendre les dernières évolutions d'une nouvelle technologie, cette fonction sera très utile. L'IA recherchera intelligemment des informations pertinentes et les organisera dans un format facile à comprendre pour vous les renvoyer.
+
+
+
+
+
+## Étapes
+
+
+
+### Activer la fonction de recherche
+
+Dites clairement à l'IA dans la conversation que vous devez rechercher les dernières informations. Vous pouvez poser directement des questions contenant la dernière technologie, les versions de framework ou les données en temps réel. Qwen Code reconnaîtra automatiquement vos besoins et lancera la fonction de recherche Web pour obtenir les informations les plus précises.
+
+```bash
+Aidez-moi à rechercher les nouvelles fonctionnalités de React 19
+```
+
+### Voir les résultats de recherche
+
+L'IA renverra les informations recherchées et les organisera dans un format facile à comprendre. Les résultats de recherche contiennent généralement des résumés d'informations clés, des liens sources et des détails techniques pertinents. Vous pouvez parcourir rapidement ces informations pour comprendre les dernières tendances technologiques ou trouver des solutions aux problèmes.
+
+### Poser des questions basées sur les résultats de recherche
+
+Vous pouvez poser d'autres questions basées sur les résultats de recherche pour obtenir des explications plus approfondies. Si vous avez des questions sur un détail technique spécifique ou si vous voulez savoir comment appliquer les résultats de recherche à votre projet, vous pouvez continuer à poser des questions directement. L'IA fournira des conseils plus spécifiques basés sur les informations recherchées.
+
+```bash
+Quel impact ces nouvelles fonctionnalités ont-elles sur mon projet
+```
+
+
+
+
+La fonction de recherche Web est particulièrement adaptée pour interroger les dernières modifications d'API, les mises à jour de versions de framework et les tendances technologiques en temps réel.
+
+
+
diff --git a/website/content/fr/showcase/office-batch-file-organize.mdx b/website/content/fr/showcase/office-batch-file-organize.mdx
new file mode 100644
index 000000000..e6dc8159d
--- /dev/null
+++ b/website/content/fr/showcase/office-batch-file-organize.mdx
@@ -0,0 +1,60 @@
+---
+title: "Traitement de fichiers en lot, organiser le bureau"
+description: "Utilisez la fonction Cowork de Qwen Code pour organiser en un clic les fichiers de bureau en désordre, en les classant automatiquement par type dans les dossiers correspondants."
+category: "Tâches quotidiennes"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Fichiers de bureau en désordre ? La fonction Cowork de Qwen Code peut vous aider à organiser les fichiers en lot en un clic, en identifiant automatiquement les types de fichiers et en les classant dans les dossiers correspondants. Qu'il s'agisse de documents, d'images, de vidéos ou d'autres types de fichiers, ils peuvent tous être identifiés intelligemment et archivés, rendant votre environnement de travail ordonné et améliorant l'efficacité du travail.
+
+
+
+
+
+## Étapes
+
+
+
+### Démarrer la conversation
+
+Ouvrez le terminal ou la ligne de commande, entrez `qwen` pour démarrer Qwen Code. Assurez-vous que vous êtes dans le répertoire que vous devez organiser, ou dites clairement à l'IA quels fichiers dans quel répertoire doivent être organisés. Qwen Code est prêt à recevoir vos instructions d'organisation.
+
+```bash
+cd ~/Desktop
+qwen
+```
+
+### Donner des instructions d'organisation
+
+Dites à Qwen Code que vous souhaitez organiser les fichiers de bureau. L'IA identifiera automatiquement les types de fichiers et créera des dossiers classés. Vous pouvez spécifier le répertoire à organiser, les règles de classification et la structure des dossiers cibles. L'IA élaborera un plan d'organisation basé sur vos besoins.
+
+```bash
+Aidez-moi à organiser les fichiers du bureau, en les classant dans différents dossiers par type : documents, images, vidéos, fichiers compressés, etc.
+```
+
+### Confirmer le plan d'exécution
+
+Qwen Code listera d'abord le plan d'opérations à exécuter. Après avoir confirmé qu'il n'y a pas de problèmes, autorisez l'exécution. Cette étape est très importante. Vous pouvez vérifier le plan d'organisation pour vous assurer que l'IA comprend vos besoins et éviter les erreurs d'opération.
+
+### Terminer l'organisation
+
+L'IA exécute automatiquement les opérations de déplacement de fichiers et affiche un rapport d'organisation après avoir terminé, vous disant quels fichiers ont été déplacés où. L'ensemble du processus est rapide et efficace, ne nécessitant pas de manipulation manuelle, économisant beaucoup de temps.
+
+
+
+
+La fonction Cowork prend en charge des règles de classification personnalisées. Vous pouvez spécifier la relation de mappage entre les types de fichiers et les dossiers cibles selon vos besoins.
+
+
+
diff --git a/website/content/fr/showcase/office-clipboard-paste.mdx b/website/content/fr/showcase/office-clipboard-paste.mdx
new file mode 100644
index 000000000..9d8f03236
--- /dev/null
+++ b/website/content/fr/showcase/office-clipboard-paste.mdx
@@ -0,0 +1,46 @@
+---
+title: "Coller une image du presse-papiers"
+description: "Collez directement des captures d'écran du presse-papiers dans la fenêtre de conversation. L'IA comprend instantanément le contenu de l'image et offre de l'aide."
+category: "Tâches quotidiennes"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+La fonction de collage d'images du presse-papiers vous permet de coller n'importe quelle capture d'écran directement dans la fenêtre de conversation de Qwen Code, sans avoir à enregistrer le fichier d'abord puis à le télécharger. Qu'il s'agisse de captures d'erreur, de maquettes de conception UI, de captures de code ou d'autres images, Qwen Code peut comprendre instantanément leur contenu et offrir de l'aide basée sur vos besoins. Cette méthode d'interaction pratique améliore considérablement l'efficacité de la communication, vous permettant d'obtenir rapidement des analyses et des suggestions de l'IA lorsque vous rencontrez des problèmes.
+
+
+
+
+
+## Étapes
+
+
+
+### Copier l'image dans le presse-papiers
+
+Utilisez l'outil de capture d'écran du système (macOS : `Cmd+Shift+4`, Windows : `Win+Shift+S`) pour capturer le contenu de l'écran, ou copiez des images depuis des navigateurs ou des gestionnaires de fichiers. Les captures d'écran sont automatiquement enregistrées dans le presse-papiers sans opération supplémentaire.
+
+### Coller dans la fenêtre de conversation
+
+Utilisez `Cmd+V` (macOS) ou `Ctrl+V` (Windows) dans la zone de saisie de la conversation Qwen Code pour coller l'image. L'image s'affichera automatiquement dans la zone de saisie, et vous pourrez saisir du texte décrivant votre question ou vos besoins en même temps.
+
+### Obtenir les résultats de l'analyse de l'IA
+
+Après avoir envoyé le message, Qwen Code analysera le contenu de l'image et donnera une réponse. Il peut identifier des erreurs dans les captures de code, analyser la disposition des maquettes de conception UI, interpréter les données de graphiques, etc. Vous pouvez continuer à poser des questions et discuter en détail de tous les détails de l'image.
+
+
+
+
+Prend en charge les formats d'image courants tels que PNG, JPEG, GIF. La taille de l'image ne doit pas dépasser 10 MB pour garantir le meilleur effet de reconnaissance. Pour les captures de code, l'utilisation d'une haute résolution est recommandée pour améliorer la précision de la reconnaissance de texte.
+
+
+
diff --git a/website/content/fr/showcase/office-export-conversation.mdx b/website/content/fr/showcase/office-export-conversation.mdx
new file mode 100644
index 000000000..5bf3ebbb5
--- /dev/null
+++ b/website/content/fr/showcase/office-export-conversation.mdx
@@ -0,0 +1,58 @@
+---
+title: "Exporter l'historique des conversations"
+description: "Exportez l'historique des conversations au format Markdown, HTML ou JSON pour faciliter l'archivage et le partage."
+category: "Tâches quotidiennes"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Fonction d'exportation de l'historique des conversations
+
+
+
+
+
+## Étapes
+
+
+
+### Voir la liste des sessions
+
+Utilisez la commande `/resume` pour voir toutes les sessions historiques. La liste affichera des informations telles que l'heure de création et le résumé du sujet pour chaque session, vous aidant à trouver rapidement la conversation que vous devez exporter. Vous pouvez utiliser la recherche par mots-clés ou trier par heure pour localiser précisément la session cible.
+
+```bash
+/resume
+```
+
+### Sélectionner le format d'export
+
+Après avoir déterminé la session à exporter, utilisez la commande `/export` et spécifiez le format et l'ID de session. Trois formats sont pris en charge : `markdown`, `html` et `json`. Le format Markdown convient à une utilisation dans les outils de documentation, le format HTML peut être ouvert directement dans un navigateur pour visualisation, et le format JSON convient au traitement programmatique.
+
+```bash
+# Si aucun paramètre , exporte la session actuelle par défaut
+/export html # Exporter au format HTML
+/export markdown # Exporter au format Markdown
+/export json # Exporter au format JSON
+```
+
+### Partager et archiver
+
+Les fichiers exportés seront enregistrés dans le répertoire spécifié. Les fichiers Markdown et HTML peuvent être partagés directement avec des collègues ou utilisés dans la documentation d'équipe. Les fichiers JSON peuvent être importés dans d'autres outils pour traitement secondaire. Nous recommandons d'archiver régulièrement les conversations importantes pour construire une base de connaissances d'équipe. Les fichiers exportés peuvent également servir de sauvegardes pour éviter la perte d'informations importantes.
+
+
+
+
+Le format HTML exporté inclut des styles complets et peut être ouvert directement dans n'importe quel navigateur. Le format JSON conserve toutes les métadonnées et convient à l'analyse et au traitement des données.
+
+
+
diff --git a/website/content/fr/showcase/office-file-reference.mdx b/website/content/fr/showcase/office-file-reference.mdx
new file mode 100644
index 000000000..ada70a7fa
--- /dev/null
+++ b/website/content/fr/showcase/office-file-reference.mdx
@@ -0,0 +1,61 @@
+---
+title: "Fonction de référence @file"
+description: "Référencez les fichiers du projet dans la conversation avec @file pour permettre à l'IA de comprendre précisément votre contexte de code."
+category: "Guide de démarrage"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+La fonction de référence @file vous permet de référencer directement des fichiers de projet dans la conversation, permettant à l'IA de comprendre précisément votre contexte de code. Qu'il s'agisse d'un seul fichier ou de plusieurs fichiers, l'IA lira et analysera le contenu du code pour fournir des suggestions et des réponses plus précises. Cette fonction est particulièrement adaptée aux scénarios tels que la revue de code, le dépannage et le refactoring de code.
+
+
+
+
+
+## Étapes
+
+
+
+### Référencer un seul fichier
+
+Utilisez la commande `@file` suivie du chemin du fichier pour référencer un seul fichier. L'IA lira le contenu du fichier, comprendra la structure et la logique du code, puis fournira des réponses ciblées basées sur vos questions.
+
+```bash
+@file ./src/main.py
+Expliquez ce que fait cette fonction
+```
+
+Vous pouvez également référencer des fichiers de référence et demander à Qwen Code de les organiser et de les écrire comme un nouveau document. Cela évite largement que l'IA ne comprenne mal vos besoins et ne génère du contenu qui n'est pas dans les matériaux de référence :
+
+```bash
+@file Aidez-moi à écrire un article de compte public basé sur ce fichier
+```
+
+### Décrire les besoins
+
+Après avoir référencé le fichier, décrivez clairement vos besoins ou vos questions. L'IA analysera basé sur le contenu du fichier et fournira des réponses ou des suggestions précises. Vous pouvez poser des questions sur la logique du code, trouver des problèmes, demander des optimisations, etc.
+
+### Référencer plusieurs fichiers
+
+En utilisant la commande `@file` plusieurs fois, vous pouvez référencer plusieurs fichiers simultanément. L'IA analysera de manière exhaustive tous les fichiers référencés, comprendra leurs relations et contenus, et fournira des réponses plus complètes.
+
+```bash
+@file1 @file2 Basé sur les matériaux dans ces deux fichiers, aidez-moi à organiser un document d'apprentissage adapté aux débutants
+```
+
+
+
+
+@file prend en charge les chemins relatifs et absolus, ainsi que la correspondance de caractères génériques pour plusieurs fichiers.
+
+
+
diff --git a/website/content/fr/showcase/office-image-recognition.mdx b/website/content/fr/showcase/office-image-recognition.mdx
new file mode 100644
index 000000000..8d168c98f
--- /dev/null
+++ b/website/content/fr/showcase/office-image-recognition.mdx
@@ -0,0 +1,53 @@
+---
+title: "Reconnaissance d'images"
+description: "Qwen Code peut lire et comprendre le contenu des images, qu'il s'agisse de maquettes de conception UI, de captures d'erreur ou de diagrammes d'architecture."
+category: "Tâches quotidiennes"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png"
+videoUrl: "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Qwen Code possède de puissantes capacités de reconnaissance d'images et peut lire et comprendre divers types de contenu d'images. Qu'il s'agisse de maquettes de conception UI, de captures d'erreur, de diagrammes d'architecture, de diagrammes de flux ou de notes manuscrites, Qwen Code peut les identifier avec précision et fournir des analyses précieuses. Cette capacité vous permet d'intégrer directement des informations visuelles dans votre flux de travail de programmation, améliorant considérablement l'efficacité de la communication et la vitesse de résolution de problèmes.
+
+
+
+
+
+## Étapes
+
+
+
+### Télécharger l'image
+
+Faites glisser l'image dans la fenêtre de conversation ou utilisez le collage du presse-papiers (`Cmd+V` / `Ctrl+V`). Prend en charge les formats courants tels que PNG, JPEG, GIF, WebP, etc.
+
+Référence : [Coller une image du presse-papiers](./office-clipboard-paste.mdx) montre comment coller rapidement des captures d'écran dans la conversation.
+
+### Décrire vos besoins
+
+Dans la zone de saisie, décrivez ce que vous voulez que l'IA fasse avec l'image. Par exemple :
+
+```
+Basé sur le contenu de l'image, aidez-moi à générer un fichier HTML simple
+```
+
+### Obtenir les résultats de l'analyse
+
+Qwen Code analysera le contenu de l'image et donnera une réponse détaillée. Vous pouvez continuer à poser des questions, discuter en détail de tous les détails de l'image, ou demander à l'IA de générer du code basé sur le contenu de l'image.
+
+
+
+
+La fonction de reconnaissance d'images prend en charge plusieurs scénarios : analyse de captures de code, conversion de maquettes de conception UI en code, interprétation d'informations d'erreur, compréhension de diagrammes d'architecture, extraction de données de graphiques, etc. Il est recommandé d'utiliser des images haute résolution claires pour le meilleur effet de reconnaissance.
+
+
+
diff --git a/website/content/fr/showcase/office-mcp-image-gen.mdx b/website/content/fr/showcase/office-mcp-image-gen.mdx
new file mode 100644
index 000000000..4bed9ca95
--- /dev/null
+++ b/website/content/fr/showcase/office-mcp-image-gen.mdx
@@ -0,0 +1,47 @@
+---
+title: "Génération d'images MCP"
+description: "Intégrez des services de génération d'images via MCP. Pilotez l'IA avec des descriptions en langage naturel pour créer des images de haute qualité."
+category: "Tâches quotidiennes"
+features:
+ - "MCP"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+La fonction de génération d'images MCP (Model Context Protocol) vous permet de piloter l'IA directement dans Qwen Code à travers des descriptions en langage naturel pour créer des images de haute qualité. Pas besoin de basculer vers des outils de génération d'images spécialisés — décrivez simplement vos besoins dans la conversation, et Qwen Code appellera les services de génération d'images intégrés pour générer des images qui répondent à vos exigences. Qu'il s'agisse de conception de prototypes UI, de création d'icônes, de dessin d'illustrations ou de production de diagrammes conceptuels, la génération d'images MCP offre un support puissant. Ce flux de travail intégré de manière transparente améliore considérablement l'efficacité de la conception et du développement, rendant la réalisation créative plus pratique.
+
+
+
+
+
+## Étapes
+
+
+
+### Configurer le service MCP
+
+Vous devez d'abord configurer le service de génération d'images MCP. Ajoutez la clé API et les informations de point de terminaison du service de génération d'images au fichier de configuration. Qwen Code prend en charge plusieurs services de génération d'images主流. Vous pouvez choisir le service approprié en fonction de vos besoins et de votre budget. Après la configuration, redémarrez Qwen Code pour que les modifications prennent effet.
+
+### Décrire les exigences d'image
+
+Dans la conversation, décrivez en détail en langage naturel l'image que vous souhaitez générer. Incluez des éléments tels que le thème, le style, la couleur, la composition et les détails de l'image. Plus la description est spécifique, plus l'image générée correspondra à vos attentes. Vous pouvez référencer des styles artistiques, des artistes spécifiques ou télécharger des images de référence pour aider l'IA à mieux comprendre vos besoins.
+
+### Voir et enregistrer les résultats
+
+Qwen Code générera plusieurs images parmi lesquelles choisir. Vous pouvez prévisualiser chaque image et sélectionner celle qui répond le mieux à vos exigences. Si des ajustements sont nécessaires, vous pouvez continuer à décrire des suggestions de modification, et Qwen Code régénérera basé sur les commentaires. Lorsque vous êtes satisfait, vous pouvez enregistrer l'image directement localement ou copier le lien de l'image pour l'utiliser ailleurs.
+
+
+
+
+La génération d'images MCP prend en charge plusieurs styles et tailles, qui peuvent être ajustés de manière flexible selon les besoins du projet. La propriété du droit d'auteur des images générées dépend du service utilisé. Veuillez consulter les conditions d'utilisation.
+
+
+
diff --git a/website/content/fr/showcase/office-organize-desktop.mdx b/website/content/fr/showcase/office-organize-desktop.mdx
new file mode 100644
index 000000000..865246c72
--- /dev/null
+++ b/website/content/fr/showcase/office-organize-desktop.mdx
@@ -0,0 +1,56 @@
+---
+title: "Organiser les fichiers de bureau"
+description: "Laissez Qwen Code organiser automatiquement les fichiers de bureau en une phrase, en les classant intelligemment par type."
+category: "Tâches quotidiennes"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Fichiers de bureau empilés comme une montagne, ne trouvez pas les fichiers dont vous avez besoin ? Laissez Qwen Code organiser automatiquement les fichiers de bureau en une phrase. L'IA identifiera intelligemment les types de fichiers et les classera automatiquement par images, documents, code, fichiers compressés, etc., créant une structure de dossiers claire. L'ensemble du processus est sûr et contrôlable. L'IA listera d'abord le plan d'opérations pour confirmation, garantissant que les fichiers importants ne sont pas déplacés par erreur. Rendez votre bureau instantanément ordonné et propre, améliorant l'efficacité du travail.
+
+
+
+
+
+## Étapes
+
+
+
+### Décrire les besoins d'organisation
+
+Allez dans le répertoire du bureau, démarrez Qwen Code et dites à Qwen Code comment vous souhaitez organiser les fichiers de bureau, par exemple classer par type, grouper par date, etc.
+
+```bash
+cd ~/Desktop
+Aidez-moi à organiser les fichiers sur mon bureau par type
+```
+
+### Confirmer le plan d'opérations
+
+Qwen Code analysera les fichiers de bureau et listera un plan d'organisation détaillé, y compris quels fichiers seront déplacés vers quels dossiers. Vous pouvez vérifier le plan pour vous assurer qu'il n'y a pas de problèmes.
+
+```bash
+Confirmez l'exécution de ce plan d'organisation
+```
+
+### Exécuter l'organisation et voir les résultats
+
+Après confirmation, Qwen Code exécutera les opérations d'organisation selon le plan. Une fois terminé, vous pouvez voir le bureau organisé, et les fichiers sont déjà disposés de manière ordonnée par type.
+
+
+
+
+L'IA listera d'abord le plan d'opérations pour confirmation, garantissant que les fichiers importants ne sont pas déplacés par erreur. Si vous avez des questions sur la classification de certains fichiers, vous pouvez dire à Qwen Code d'ajuster les règles avant l'exécution.
+
+
+
diff --git a/website/content/fr/showcase/office-ppt-presentation.mdx b/website/content/fr/showcase/office-ppt-presentation.mdx
new file mode 100644
index 000000000..df7509bf6
--- /dev/null
+++ b/website/content/fr/showcase/office-ppt-presentation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Présentation : Créer un PPT"
+description: "Créez des présentations basées sur des captures d'écran de produit. Fournissez des captures d'écran et des descriptions, et l'IA génère de belles diapositives de présentation."
+category: "Tâches quotidiennes"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png"
+videoUrl: "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Besoin de créer une présentation PPT mais ne voulez pas commencer de zéro ? Fournissez simplement des captures d'écran de produit et des descriptions simples, et Qwen Code peut vous aider à générer des diapositives de présentation bien structurées et magnifiquement conçues. L'IA analysera le contenu des captures d'écran, comprendra les caractéristiques du produit, organisera automatiquement la structure des diapositives et ajoutera le texte et la mise en page appropriés. Qu'il s'agisse de lancements de produit, de présentations d'équipe ou de présentations client, vous pouvez obtenir rapidement des PPT professionnels, économisant beaucoup de temps et d'énergie.
+
+
+
+
+
+## Étapes
+
+
+
+### Préparer les captures d'écran de produit
+
+Rassemblez les captures d'écran de l'interface produit qui doivent être affichées, y compris les pages de fonctionnalités principales, les démonstrations de fonctionnalités, etc. Les captures d'écran doivent être claires et montrer pleinement la valeur et les caractéristiques du produit. Placez-les dans un dossier, par exemple : qwen-code-images
+
+### Installer les Skills connexes
+
+Installez les Skills liés à la génération PPT. Ces Skills incluent des capacités pour analyser le contenu des captures d'écran et générer des diapositives de présentation.
+
+```
+Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aidez-moi à installer zarazhangrui/frontend-slides dans qwen code skills.
+```
+
+### Générer la présentation
+
+Référencez le fichier correspondant et dites à Qwen Code vos besoins, comme le but de la présentation, le public cible, le contenu principal, etc. L'IA générera le PPT basé sur ces informations.
+
+```
+@qwen-code-images Créez une présentation PPT de produit basée sur ces captures d'écran,面向 l'équipe technique, en mettant l'accent sur la présentation des nouvelles fonctionnalités
+```
+
+### Ajuster et exporter
+
+Voyez le PPT généré. Si des ajustements sont nécessaires, vous pouvez dire à Qwen Code, comme "ajouter une page présentant l'architecture" ou "ajuster le texte sur cette page". Lorsque vous êtes satisfait, exportez vers un format modifiable.
+
+```
+Aidez-moi à ajuster le texte de la page 3 pour le rendre plus concis
+```
+
+
+
+
diff --git a/website/content/fr/showcase/office-terminal-theme.mdx b/website/content/fr/showcase/office-terminal-theme.mdx
new file mode 100644
index 000000000..0891900d6
--- /dev/null
+++ b/website/content/fr/showcase/office-terminal-theme.mdx
@@ -0,0 +1,55 @@
+---
+title: "Changer le thème du terminal"
+description: "Changez le thème du terminal en une phrase. Décrivez le style en langage naturel, et l'IA l'applique automatiquement."
+category: "Tâches quotidiennes"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Fatigué du thème de terminal par défaut ? Décrivez le style que vous voulez en langage naturel, et Qwen Code peut vous aider à trouver et à appliquer un thème approprié. Qu'il s'agisse d'un style tech sombre, d'un style frais et simple ou d'un style rétro classique — avec une seule phrase, l'IA comprendra vos préférences esthétiques et configurera automatiquement le schéma de couleurs et le style du terminal. Dites adieu à la configuration manuelle fastidieuse et rendez votre environnement de travail instantanément comme neuf.
+
+
+
+
+
+## Étapes
+
+
+
+### Décrire le style de thème souhaité
+
+Dans la conversation, décrivez en langage naturel le style que vous aimez. Par exemple "changez le thème du terminal en style tech sombre" ou "je veux un thème clair frais et simple". Qwen Code comprendra vos besoins.
+
+```
+Changez le thème du terminal en style tech sombre
+```
+
+### Confirmer et appliquer le thème
+
+Qwen Code recommandera plusieurs options de thème qui correspondent à votre description et montrera les effets de prévisualisation. Choisissez votre thème préféré, et après confirmation, l'IA appliquera automatiquement la configuration.
+
+```
+Ça a l'air bien, appliquez le thème directement
+```
+
+### Ajustements fins et personnalisation
+
+Si d'autres ajustements sont nécessaires, vous pouvez continuer à dire à Qwen Code vos pensées, comme "rendre la couleur de fond un peu plus sombre" ou "ajuster la taille de la police". L'IA vous aidera à ajuster finement.
+
+
+
+
+Le changement de thème modifiera votre fichier de configuration de terminal. Si vous utilisez une application de terminal spécifique (comme iTerm2, Terminal.app), Qwen Code identifiera et configurera automatiquement les fichiers de thème correspondants.
+
+
+
diff --git a/website/content/fr/showcase/office-web-search-detail.mdx b/website/content/fr/showcase/office-web-search-detail.mdx
new file mode 100644
index 000000000..d2cac534d
--- /dev/null
+++ b/website/content/fr/showcase/office-web-search-detail.mdx
@@ -0,0 +1,47 @@
+---
+title: "Recherche Web"
+description: "Laissez Qwen Code rechercher du contenu Web pour obtenir des informations en temps réel pour aider à la programmation. Apprenez les dernières tendances technologiques et documentations."
+category: "Guide de démarrage"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+La fonction de recherche Web permet à Qwen Code de rechercher sur Internet en temps réel les dernières informations, vous aidant à obtenir les dernières documentations techniques, références API, meilleures pratiques et solutions. Lorsque vous rencontrez des piles technologiques inconnues, devez comprendre les changements dans les dernières versions ou souhaitez trouver des solutions à des problèmes spécifiques, la recherche Web permet à l'IA de fournir des réponses précises basées sur les dernières informations Web.
+
+
+
+
+
+## Étapes
+
+
+
+### Initier une requête de recherche
+
+Décrivez directement dans la conversation ce que vous souhaitez rechercher. Par exemple : "rechercher les nouvelles fonctionnalités de React 19", "trouver les meilleures pratiques pour Next.js App Router". Qwen Code déterminera automatiquement si une recherche réseau est nécessaire.
+
+### Voir les résultats intégrés
+
+L'IA recherchera plusieurs sources Web, intégrera les résultats de recherche et fournira une réponse structurée. La réponse inclura des liens source pour les informations clés, ce qui est pratique pour une compréhension plus approfondie.
+
+### Continuer basé sur les résultats
+
+Vous pouvez continuer à poser des questions basées sur les résultats de recherche et demander à l'IA d'appliquer les informations recherchées à des tâches de programmation réelles. Par exemple, après avoir recherché de nouvelles utilisations d'API, vous pouvez demander directement à l'IA de vous aider à refactoriser le code.
+
+
+
+
+La recherche Web est particulièrement adaptée aux scénarios suivants : comprendre les changements dans les dernières versions de framework, trouver des solutions à des erreurs spécifiques, obtenir les dernières documentations API, comprendre les meilleures pratiques de l'industrie, etc. Les résultats de recherche sont mis à jour en temps réel pour garantir que vous obtenez les dernières informations.
+
+
+
diff --git a/website/content/fr/showcase/office-weekly-report.mdx b/website/content/fr/showcase/office-weekly-report.mdx
new file mode 100644
index 000000000..376c284a4
--- /dev/null
+++ b/website/content/fr/showcase/office-weekly-report.mdx
@@ -0,0 +1,67 @@
+---
+title: "Générer automatiquement un rapport hebdomadaire"
+description: "Personnalisez les Skills. Crawl automatiquement les mises à jour de la semaine avec une commande et écrivez des rapports hebdomadaires de mise à jour de produit selon des modèles."
+category: "Tâches quotidiennes"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png"
+videoUrl: "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Écrire des rapports hebdomadaires de mise à jour de produit chaque semaine est une tâche répétitive et chronophage. Avec les Skills personnalisés de Qwen Code, vous pouvez laisser l'IA crawler automatiquement les informations de mise à jour de produit de la semaine et générer des rapports hebdomadaires structurés selon des modèles standard. Avec une seule commande, l'IA collectera des données, analysera le contenu et l'organisera en un document, améliorant considérablement votre efficacité de travail. Vous pouvez vous concentrer sur le produit lui-même et laisser l'IA gérer le travail de documentation fastidieux.
+
+
+
+
+
+## Étapes
+
+
+
+### Installer le Skill skills-creator
+
+Installez d'abord le Skill pour que l'IA comprenne quelles informations de quelles sources de données vous devez collecter.
+
+```
+Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aidez-moi à installer skills-creator dans qwen code skills.
+```
+
+### Créer un Skill de rapport hebdomadaire
+
+Utilisez la fonction de création de Skill pour dire à l'IA que vous avez besoin d'un Skill de génération de rapport hebdomadaire personnalisé. Décrivez les types de données que vous devez collecter et la structure du rapport hebdomadaire. L'IA générera un nouveau Skill basé sur vos besoins.
+
+```
+Je dois créer des rapports hebdomadaires pour le projet open source : https://github.com/QwenLM/qwen-code, incluant principalement les issues soumises cette semaine, les bugs résolus, les nouvelles versions et fonctionnalités, ainsi que les examens et réflexions. La langue doit être centrée sur l'utilisateur, altruiste et sensible. Créez un Skill.
+```
+
+### Générer le contenu du rapport hebdomadaire
+
+Une fois la configuration terminée, entrez la commande de génération. Qwen Code crawlera automatiquement les informations de mise à jour de la semaine et les organisera selon le modèle de rapport hebdomadaire de produit en un document structuré.
+
+```
+Générer le rapport hebdomadaire de mise à jour de produit qwen-code de cette semaine
+```
+
+### Ouvrir le rapport hebdomadaire, éditer et ajuster
+
+Le rapport hebdomadaire généré peut être ouvert et ajusté pour une édition ultérieure ou un partage avec l'équipe. Vous pouvez également demander à l'IA d'aider à ajuster le format et le focus du contenu.
+
+```
+Rendez le langage du rapport hebdomadaire plus vivant
+```
+
+
+
+
+Lors de la première utilisation, vous devez configurer les sources de données. Après une configuration, elle peut être réutilisée. Vous pouvez configurer des tâches planifiées pour laisser Qwen Code générer automatiquement des rapports hebdomadaires chaque semaine, libérant complètement vos mains.
+
+
+
diff --git a/website/content/fr/showcase/office-write-file.mdx b/website/content/fr/showcase/office-write-file.mdx
new file mode 100644
index 000000000..9b28c6d52
--- /dev/null
+++ b/website/content/fr/showcase/office-write-file.mdx
@@ -0,0 +1,59 @@
+---
+title: "Écrire un fichier en une phrase"
+description: "Dites à Qwen Code quel fichier vous souhaitez créer, et l'IA générera automatiquement le contenu et l'écrira."
+category: "Tâches quotidiennes"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Besoin de créer un nouveau fichier mais ne voulez pas commencer à écrire le contenu de zéro ? Dites à Qwen Code quel fichier vous souhaitez créer, et l'IA générera automatiquement le contenu approprié et l'écrira dans le fichier. Qu'il s'agisse de README, de fichiers de configuration, de fichiers de code ou de documentation, Qwen Code peut générer du contenu de haute qualité basé sur vos besoins. Vous devez seulement décrire le but et les exigences de base du fichier, et l'IA gérera le reste, améliorant considérablement votre efficacité de création de fichiers.
+
+
+
+
+
+## Étapes
+
+
+
+### Décrire le contenu et le but du fichier
+
+Dites à Qwen Code quel type de fichier vous souhaitez créer, ainsi que le contenu principal et le but du fichier.
+
+```bash
+Aidez-moi à créer un README.md incluant la présentation du projet et les instructions d'installation
+```
+
+### Confirmer le contenu généré
+
+Qwen Code générera le contenu du fichier basé sur votre description et l'affichera pour confirmation. Vous pouvez voir le contenu pour vous assurer qu'il répond à vos besoins.
+
+```bash
+Ça a l'air bien, continuez à créer le fichier
+```
+
+### Modifier et améliorer
+
+Si des ajustements sont nécessaires, vous pouvez dire à Qwen Code des exigences de modification spécifiques, comme "ajouter des exemples d'utilisation" ou "ajuster le format".
+
+```bash
+Aidez-moi à ajouter quelques exemples de code
+```
+
+
+
+
+Qwen Code prend en charge divers types de fichiers, y compris les fichiers texte, les fichiers de code, les fichiers de configuration, etc. Les fichiers générés sont automatiquement enregistrés dans le répertoire spécifié, et vous pouvez les modifier davantage dans l'éditeur.
+
+
+
diff --git a/website/content/fr/showcase/product-insight.mdx b/website/content/fr/showcase/product-insight.mdx
new file mode 100644
index 000000000..7027c91b2
--- /dev/null
+++ b/website/content/fr/showcase/product-insight.mdx
@@ -0,0 +1,53 @@
+---
+title: "Insights de données Insight"
+description: "Voir le rapport d'utilisation IA personnel. Comprendre les données de programmation et de collaboration. Utiliser l'optimisation des habitudes basée sur les données."
+category: "Tâches quotidiennes"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Insight est le panneau d'analyse de données d'utilisation personnel de Qwen Code, vous offrant des insights complets sur l'efficacité de la programmation IA. Il suit des indicateurs clés tels que votre nombre de conversations, volume de génération de code, fonctionnalités fréquemment utilisées et préférences de langage de programmation, générant des rapports de données visualisés. Grâce à ces données, vous pouvez comprendre clairement vos habitudes de programmation, l'efficacité de l'assistance IA et les modèles de collaboration. Insight vous aide non seulement à découvrir de l'espace pour améliorer l'efficacité, mais vous montre également dans quels domaines vous êtes le plus compétent pour utiliser l'IA, vous permettant de mieux tirer parti de la valeur de l'IA. Les insights basés sur les données rendent chaque utilisation plus significative.
+
+
+
+
+
+## Étapes
+
+
+
+### Ouvrir le panneau Insight
+
+Entrez la commande `/insight` dans la conversation pour ouvrir le panneau d'insights de données Insight. Le panneau affichera votre aperçu d'utilisation, y compris les indicateurs clés tels que le nombre total de conversations, les lignes de génération de code et le temps estimé économisé. Ces données sont présentées sous forme de graphiques intuitifs, vous permettant de comprendre votre utilisation de l'IA d'un coup d'œil.
+
+```bash
+/insight
+```
+
+### Analyser le rapport d'utilisation
+
+Consultez en détail les rapports d'utilisation détaillés, y compris des dimensions telles que les tendances quotidiennes de conversation, la distribution des fonctionnalités fréquemment utilisées, les préférences de langage de programmation et l'analyse des types de code. Insight fournira des insights et des suggestions personnalisés basés sur vos modèles d'utilisation, vous aidant à découvrir un espace d'amélioration potentiel. Vous pouvez filtrer les données par plage de temps et comparer l'efficacité d'utilisation de différentes périodes.
+
+### Optimiser les habitudes d'utilisation
+
+Basé sur les insights de données, ajustez votre stratégie d'utilisation de l'IA. Par exemple, si vous constatez que vous utilisez une certaine fonctionnalité fréquemment mais avec une faible efficacité, vous pouvez essayer d'apprendre des méthodes d'utilisation plus efficaces. Si vous constatez que l'assistance IA est plus efficace pour certains langages de programmation ou types de tâches, vous pouvez utiliser l'IA plus fréquemment dans des scénarios similaires. Suivez continuellement les changements de données et vérifiez les effets d'optimisation.
+
+Vous voulez savoir comment nous utilisons la fonctionnalité Insight ? Vous pouvez consulter notre [Comment laisser l'IA nous dire comment mieux utiliser l'IA](../blog/how-to-use-qwencode-insight.mdx)
+
+
+
+
+Les données Insight sont stockées uniquement localement et ne sont pas téléchargées vers le cloud, garantissant votre confidentialité d'utilisation et la sécurité des données. Consultez régulièrement les rapports et développez des habitudes d'utilisation basées sur les données.
+
+
+
diff --git a/website/content/fr/showcase/study-learning.mdx b/website/content/fr/showcase/study-learning.mdx
new file mode 100644
index 000000000..4302d74bd
--- /dev/null
+++ b/website/content/fr/showcase/study-learning.mdx
@@ -0,0 +1,71 @@
+---
+title: "Apprentissage du code"
+description: "Cloner des dépôts open source et apprendre à comprendre le code. Laissez Qwen Code vous guider sur la façon de contribuer aux projets open source."
+category: "Apprentissage & Recherche"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Apprendre du code open source excellent est un excellent moyen d'améliorer les compétences de programmation. Qwen Code peut vous aider à comprendre en profondeur les architectures de projet complexes et les détails de mise en œuvre, trouver des points de contribution appropriés et vous guider à travers les modifications de code. Que vous souhaitiez apprendre de nouvelles piles technologiques ou contribuer à la communauté open source, Qwen Code est votre mentor de programmation idéal.
+
+
+
+
+
+## Étapes
+
+
+
+### Cloner le dépôt
+
+Utilisez git clone pour télécharger le projet open source localement. Choisissez un projet qui vous intéresse et clonez-le dans votre environnement de développement. Assurez-vous que le projet a une bonne documentation et une communauté active, afin que le processus d'apprentissage se déroule plus facilement.
+
+```bash
+git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code
+```
+
+### Démarrer Qwen Code
+
+Démarrez Qwen Code dans le répertoire du projet. De cette façon, l'IA pourra accéder à tous les fichiers du projet et fournir des explications et des suggestions de code pertinentes pour le contexte. Qwen Code analysera automatiquement la structure du projet et identifiera les modules principaux et les dépendances.
+
+```bash
+qwen
+```
+
+### Demander une explication du code
+
+Dites à l'IA quelle partie ou quelle fonctionnalité du projet vous souhaitez comprendre. Vous pouvez demander sur l'architecture globale, la logique de mise en œuvre de modules spécifiques ou les idées de conception de certaines fonctionnalités. L'IA expliquera le code en langage clair et fournira des connaissances de contexte pertinentes.
+
+```bash
+Aidez-moi à expliquer l'architecture globale et les modules principaux de ce projet
+```
+
+### Trouver des points de contribution
+
+Laissez l'IA vous aider à trouver des issues ou des fonctionnalités appropriées pour les débutants à participer. L'IA analysera la liste des issues du projet et recommandera des contributions appropriées basées sur la difficulté, les étiquettes et les descriptions. C'est un bon moyen de commencer à contribuer à l'open source.
+
+```bash
+Quelles issues ouvertes sont appropriées pour les débutants à participer ?
+```
+
+### Implémenter les modifications
+
+Implémentez progressivement les modifications de code basées sur les conseils de l'IA. L'IA vous aidera à analyser les problèmes, à concevoir des solutions, à écrire du code et à garantir que les modifications respectent les normes de code du projet. Une fois les modifications terminées, vous pouvez soumettre un PR et contribuer au projet open source.
+
+
+
+
+En participant à des projets open source, vous pouvez non seulement améliorer vos compétences de programmation, mais aussi construire une influence technique et rencontrer des développeurs partageant les mêmes idées.
+
+
+
diff --git a/website/content/fr/showcase/study-read-paper.mdx b/website/content/fr/showcase/study-read-paper.mdx
new file mode 100644
index 000000000..9bb53bad9
--- /dev/null
+++ b/website/content/fr/showcase/study-read-paper.mdx
@@ -0,0 +1,67 @@
+---
+title: "Lire des articles"
+description: "Lire et analyser directement des articles académiques. L'IA vous aide à comprendre le contenu de recherche complexe et génère des cartes d'apprentissage."
+category: "Apprentissage & Recherche"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Vue d'ensemble
+
+Les articles académiques sont souvent obscurs et difficiles à comprendre, nécessitant beaucoup de temps pour lire et comprendre. Qwen Code peut vous aider à lire et analyser directement des articles, extraire des points clés, expliquer des concepts complexes et résumer les méthodes de recherche. L'IA comprendra en profondeur le contenu de l'article et l'expliquera en langage facile à comprendre, générant des cartes d'apprentissage structurées pour votre révision et votre partage. Qu'il s'agisse d'apprendre de nouvelles technologies ou de rechercher des domaines de pointe, cela peut améliorer considérablement votre efficacité d'apprentissage.
+
+
+
+
+
+## Étapes
+
+
+
+### Fournir des informations sur l'article
+
+Dites à Qwen Code l'article que vous souhaitez lire. Vous pouvez fournir le titre de l'article, le chemin du fichier PDF ou le lien arXiv. L'IA obtiendra et analysera automatiquement le contenu de l'article.
+
+```
+Aidez-moi à télécharger et analyser cet article : attention is all you need https://arxiv.org/abs/1706.03762
+```
+
+### Lire l'article
+
+Installez les Skills liés au PDF pour permettre à Qwen Code d'analyser le contenu de l'article et de générer des cartes d'apprentissage structurées. Vous pouvez voir le résumé de l'article, les points clés, les concepts clés et les conclusions importantes.
+
+```
+Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aidez-moi à installer Anthropic pdf et d'autres Skills de bureau dans qwen code skills.
+```
+
+### Apprentissage approfondi et questions
+
+Pendant la lecture, vous pouvez poser des questions à Qwen Code à tout moment, comme "expliquer le mécanisme d'auto-attention" ou "comment cette formule est dérivée". L'IA répondra en détail et vous aidera à comprendre en profondeur.
+
+```
+Veuillez expliquer l'idée centrale de l'architecture Transformer
+```
+
+### Générer des cartes d'apprentissage
+
+Après l'apprentissage, laissez Qwen Code générer des cartes d'apprentissage résumant les points clés, les concepts clés et les conclusions importantes de l'article. Ces cartes faciliteront votre révision et votre partage avec l'équipe.
+
+```bash
+Aidez-moi à générer des cartes d'apprentissage pour cet article
+```
+
+
+
+
+Qwen Code prend en charge plusieurs formats d'articles, y compris PDF, liens arXiv, etc. Pour les formules mathématiques et les graphiques, l'IA expliquera leur signification en détail, vous aidant à comprendre complètement le contenu de l'article.
+
+
+
diff --git a/website/content/ja/showcase/code-lsp-intelligence.mdx b/website/content/ja/showcase/code-lsp-intelligence.mdx
new file mode 100644
index 000000000..e7b076070
--- /dev/null
+++ b/website/content/ja/showcase/code-lsp-intelligence.mdx
@@ -0,0 +1,46 @@
+---
+title: "LSP インテリセンス"
+description: "LSP(Language Server Protocol)を統合することで、Qwen Code はプロフェッショナルレベルのコード補完とナビゲーション、リアルタイム診断を提供します。"
+category: "プログラミング"
+features:
+ - "LSP"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+LSP(Language Server Protocol)インテリセンスにより、Qwen Code はプロフェッショナルな IDE に匹敵するコード補完とナビゲーション体験を提供できます。言語サーバーを統合することで、コード構造、型情報、コンテキスト関係を正確に理解し、高品質なコード提案を提供します。関数シグネチャ、パラメータヒント、変数名補完、定義ジャンプ、参照検索、リファクタリング操作など、LSP インテリセンスがすべてをスムーズにサポートします。
+
+
+
+
+
+## 操作手順
+
+
+
+### 自動検出
+
+Qwen Code はプロジェクト内の言語サーバー設定を自動的に検出します。主流のプログラミング言語とフレームワークに対して、対応する LSP サービスを自動的に認識・起動します。手動設定不要、すぐに使えます。
+
+### インテリセンスを楽しむ
+
+コーディング開始時、LSP インテリセンスが自動的に有効になります。入力中にコンテキストに基づいた正確な補完候補(関数名、変数名、型注釈など)を提供します。Tab キーで候補を素早く受け入れられます。
+
+### エラー診断
+
+LSP リアルタイム診断がコーディング中にコードを継続的に分析し、潜在的な問題を検出します。エラーと警告は問題の場所、エラータイプ、修正提案とともに直感的に表示されます。
+
+
+
+
+TypeScript、Python、Java、Go、Rust などの主流言語、および React、Vue、Angular などのフロントエンドフレームワークをサポートしています。
+
+
+
diff --git a/website/content/ja/showcase/code-pr-review.mdx b/website/content/ja/showcase/code-pr-review.mdx
new file mode 100644
index 000000000..9805b3cdd
--- /dev/null
+++ b/website/content/ja/showcase/code-pr-review.mdx
@@ -0,0 +1,63 @@
+---
+title: "PR レビュー"
+description: "Qwen Code を使用して Pull Request のインテリジェントなコードレビューを実行し、潜在的な問題を自動的に発見します。"
+category: "プログラミング"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+コードレビューはコード品質を確保する重要なステップですが、時間がかかり問題を見落としがちです。Qwen Code は Pull Request のインテリジェントなコードレビューを支援し、コード変更を自動的に分析し、潜在的なバグを発見し、コード標準を確認し、詳細なレビューレポートを提供します。
+
+
+
+
+
+## 操作手順
+
+
+
+### レビューする PR を指定
+
+PR 番号またはリンクを提供して、レビューしたい Pull Request を Qwen Code に伝えます。
+
+
+PR レビュースキルを使用して PR を分析できます。スキルのインストールについては:[スキルをインストール](./guide-skill-install.mdx)。
+
+
+```bash
+/skill pr-review この PR をレビューしてください:
+```
+
+### テストと確認を実行
+
+Qwen Code はコード変更を分析し、関連するテストケースを特定し、コードの正確性を検証するためにテストを実行します。
+
+```bash
+テストを実行して、この PR がすべてのテストケースに合格するか確認してください
+```
+
+### レビューレポートを確認
+
+レビュー完了後、Qwen Code は発見された問題、潜在的なリスク、改善提案を含む詳細なレポートを生成します。
+
+```bash
+レビューレポートを表示し、発見されたすべての問題を一覧表示してください
+```
+
+
+
+
+Qwen Code のコードレビューは構文と標準だけでなく、コードロジックを深く分析して潜在的なパフォーマンス問題、セキュリティ脆弱性、設計上の欠陥を特定します。
+
+
+
diff --git a/website/content/ja/showcase/code-solve-issue.mdx b/website/content/ja/showcase/code-solve-issue.mdx
new file mode 100644
index 000000000..29999d9ee
--- /dev/null
+++ b/website/content/ja/showcase/code-solve-issue.mdx
@@ -0,0 +1,71 @@
+---
+title: "issue を解決"
+description: "Qwen Code を使用してオープンソースプロジェクトの issue を分析・解決し、理解からコード提出まで全プロセスを追跡します。"
+category: "プログラミング"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+オープンソースプロジェクトの issue を解決することは、プログラミングスキルを向上させ、技術的な影響力を構築する重要な方法です。Qwen Code は問題を素早く特定し、関連コードを理解し、修正計画を立て、コード変更を実装するのを支援します。
+
+
+
+
+
+## 操作手順
+
+
+
+### issue を選択
+
+GitHub で興味深いまたは適切な issue を見つけます。明確な説明、再現手順、期待される結果がある issue を優先してください。`good first issue` や `help wanted` などのラベルは初心者向けのタスクを示します。
+
+### プロジェクトをクローンして問題を特定
+
+プロジェクトコードをダウンロードし、AI に問題を特定させます。`@file` を使用して関連ファイルを参照します。
+
+```bash
+この issue に記述されている問題がどこにあるか分析してください、issue リンク:
+```
+
+### 関連コードを理解
+
+AI に関連するコードロジックと依存関係を説明させます。
+
+### 修正計画を立てる
+
+AI と可能な解決策を議論し、最善のものを選択します。
+
+### コード変更を実装
+
+AI のガイダンスに従ってコードを段階的に変更し、テストします。
+
+```bash
+この問題を解決するためにこのコードを変更してください
+```
+
+### PR を提出
+
+変更完了後、PR を提出してプロジェクトメンテナーのレビューを待ちます。
+
+```bash
+この問題を解決するための PR を提出してください
+```
+
+
+
+
+オープンソースの issue を解決することは技術スキルを向上させるだけでなく、技術的な影響力を構築し、キャリア発展に貢献します。
+
+
+
diff --git a/website/content/ja/showcase/creator-oss-promo-video.mdx b/website/content/ja/showcase/creator-oss-promo-video.mdx
new file mode 100644
index 000000000..9eade4832
--- /dev/null
+++ b/website/content/ja/showcase/creator-oss-promo-video.mdx
@@ -0,0 +1,48 @@
+---
+title: "オープンソースプロジェクトのプロモーション動画を作成"
+description: "リポジトリ URL を提供するだけで、AI が美しいプロジェクトデモ動画を生成します。"
+category: "クリエイターツール"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+オープンソースプロジェクトのプロモーション動画を作りたいけど動画制作の経験がない?Qwen Code が自動的に美しいプロジェクトデモ動画を生成します。GitHub リポジトリ URL を提供するだけで、AI がプロジェクト構造を分析し、主要機能を抽出し、アニメーションスクリプトを生成し、Remotion を使用してプロフェッショナルな動画をレンダリングします。
+
+
+
+
+
+## 操作手順
+
+
+
+### リポジトリを準備
+
+GitHub リポジトリに README、スクリーンショット、機能説明などの完全なプロジェクト情報とドキュメントが含まれていることを確認します。
+
+### プロモーション動画を生成
+
+希望する動画スタイルとフォーカスを Qwen Code に伝えると、AI が自動的にプロジェクトを分析して動画を生成します。
+
+```bash
+このスキルに基づいて https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md、オープンソースリポジトリのデモ動画を生成してください:<リポジトリ URL>
+```
+
+
+
+
+生成された動画は複数の解像度とフォーマットをサポートし、YouTube などの動画プラットフォームに直接アップロードできます。
+
+
+
diff --git a/website/content/ja/showcase/creator-remotion-video.mdx b/website/content/ja/showcase/creator-remotion-video.mdx
new file mode 100644
index 000000000..6796594b8
--- /dev/null
+++ b/website/content/ja/showcase/creator-remotion-video.mdx
@@ -0,0 +1,68 @@
+---
+title: "Remotion 動画制作"
+description: "自然言語でアイデアを説明し、Remotion スキルを使用してコード生成の動画コンテンツを作成します。"
+category: "クリエイターツール"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+動画を作りたいけどコードが書けない?自然言語でアイデアを説明するだけで、Qwen Code が Remotion スキルを使用して動画コードを生成します。AI があなたのクリエイティブな説明を理解し、シーン設定、アニメーション効果、テキストレイアウトを含む Remotion プロジェクトコードを自動生成します。
+
+
+
+
+
+## 操作手順
+
+
+
+### Remotion スキルをインストール
+
+まず、動画制作のベストプラクティスとテンプレートを含む Remotion スキルをインストールします。
+
+```bash
+find skills があるか確認し、なければ直接インストール:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、その後 remotion-best-practice をインストールしてください。
+```
+
+### アイデアを説明
+
+作りたい動画コンテンツをテーマ、スタイル、長さ、主要シーンを含めて自然言語で詳しく説明します。
+
+```bash
+@file ドキュメントに基づいて、モダンでシンプルなスタイルの 30 秒の製品プロモーション動画を作成してください。
+```
+
+### プレビューと調整
+
+Qwen Code があなたの説明に基づいて Remotion プロジェクトコードを生成します。開発サーバーを起動してプレビューします。
+
+```bash
+npm run dev
+```
+
+### レンダリングとエクスポート
+
+満足したら、ビルドコマンドを使用して最終動画をレンダリングします。
+
+```bash
+動画を直接レンダリングしてエクスポートしてください。
+```
+
+
+
+
+プロンプトベースのアプローチは素早いプロトタイピングとクリエイティブな探索に最適です。生成されたコードはさらに手動で編集できます。
+
+
+
diff --git a/website/content/ja/showcase/creator-resume-site-quick.mdx b/website/content/ja/showcase/creator-resume-site-quick.mdx
new file mode 100644
index 000000000..33f680f2c
--- /dev/null
+++ b/website/content/ja/showcase/creator-resume-site-quick.mdx
@@ -0,0 +1,67 @@
+---
+title: "個人履歴書サイトを作成"
+description: "一言で個人履歴書サイトを作成—経験を統合してショーケースページを生成し、PDF エクスポートで簡単に提出できます。"
+category: "クリエイターツール"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+個人履歴書サイトは就職活動と自己アピールの重要なツールです。Qwen Code は履歴書の内容に基づいてプロフェッショナルなショーケースページを素早く生成し、PDF エクスポートをサポートして提出を簡単にします。
+
+
+
+
+
+## 操作手順
+
+
+
+### 個人経験を提供
+
+学歴、職歴、プロジェクト経験、スキルセットなどの情報を AI に伝えます。
+
+```bash
+私はフロントエンドエンジニアで、XX 大学を卒業し、3 年の経験があり、React と TypeScript が得意です...
+```
+
+### ウェブデザインスキルをインストール
+
+履歴書デザインテンプレートを提供するウェブデザインスキルをインストールします。
+
+```bash
+find skills があるか確認し、なければ直接インストール:npx skills add https://github.com/vercel-labs/skills --skill find-skills、その後 web-component-design をインストールしてください。
+```
+
+### デザインスタイルを選択
+
+ミニマリスト、プロフェッショナル、クリエイティブなど、好みの履歴書スタイルを説明します。
+
+```bash
+/skills web-component-design ミニマリストでプロフェッショナルなスタイルの履歴書サイトをデザインしてください
+```
+
+### 履歴書サイトを生成
+
+AI がレスポンシブレイアウトと印刷スタイルを含む完全な履歴書サイトプロジェクトを作成します。
+
+```bash
+npm run dev
+```
+
+
+
+
+履歴書サイトはあなたのコアな強みと実績を強調し、具体的なデータと事例で説明を裏付けるべきです。
+
+
+
diff --git a/website/content/ja/showcase/creator-website-clone.mdx b/website/content/ja/showcase/creator-website-clone.mdx
new file mode 100644
index 000000000..002975471
--- /dev/null
+++ b/website/content/ja/showcase/creator-website-clone.mdx
@@ -0,0 +1,63 @@
+---
+title: "好きなウェブサイトを一言で再現"
+description: "Qwen Code にスクリーンショットを渡すと、AI がページ構造を分析して完全なフロントエンドコードを生成します。"
+category: "クリエイターツール"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+気に入ったウェブサイトのデザインを素早く再現したい?Qwen Code にスクリーンショットを渡すだけで、AI がページ構造を分析して完全なフロントエンドコードを生成します。Qwen Code はページレイアウト、カラースキーム、コンポーネント構造を認識し、モダンなフロントエンド技術スタックを使用して実行可能なコードを生成します。
+
+
+
+
+
+## 操作手順
+
+
+
+### ウェブサイトのスクリーンショットを準備
+
+再現したいウェブサイトのインターフェースをスクリーンショットし、主要なレイアウトとデザイン要素を含む明確で完全なものにします。
+
+### 対応するスキルをインストール
+
+画像認識とフロントエンドコード生成スキルをインストールします。
+
+```bash
+find skills があるか確認し、なければ直接インストール:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、その後 web-component-design をインストールしてください。
+```
+
+### スクリーンショットを貼り付けて要件を説明
+
+スクリーンショットを会話に貼り付け、使用する技術スタックや必要な機能など具体的な要件を Qwen Code に伝えます。
+
+```bash
+/skills web-component-design このスキルに基づいて、@website.png を元にウェブページ HTML を再現してください。画像参照が有効であることに注意してください。
+```
+
+サンプルスクリーンショット:
+
+
+
+### 実行とプレビュー
+
+対応するウェブページを開いて確認します。デザインや機能を調整する必要がある場合は、AI との対話を続けてコードを修正します。
+
+
+
+
+生成されたコードはモダンなフロントエンドのベストプラクティスに従い、良好な構造と保守性を持ちます。さらにカスタマイズして拡張できます。
+
+
+
diff --git a/website/content/ja/showcase/creator-youtube-to-blog.mdx b/website/content/ja/showcase/creator-youtube-to-blog.mdx
new file mode 100644
index 000000000..d6abfff5d
--- /dev/null
+++ b/website/content/ja/showcase/creator-youtube-to-blog.mdx
@@ -0,0 +1,52 @@
+---
+title: "YouTube 動画をブログ記事に変換"
+description: "Qwen Code を使用して YouTube 動画を構造化されたブログ記事に自動変換します。"
+category: "クリエイターツール"
+features:
+ - "Skills"
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+素晴らしい YouTube 動画を見つけてブログ記事に変換したい?Qwen Code が自動的に動画コンテンツを抽出し、構造が明確で内容豊富なブログ記事を生成します。AI が動画の文字起こしを取得し、要点を理解し、標準的なブログ記事形式でコンテンツを整理します。
+
+
+
+
+
+## 操作手順
+
+
+
+### 動画リンクを提供
+
+変換したい YouTube 動画のリンクを Qwen Code に伝えます。
+
+```
+このスキルに基づいて:https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor、この動画をブログとして書いてください:https://www.youtube.com/watch?v=fJSLnxi1i64
+```
+
+### ブログ記事を生成して編集
+
+AI が文字起こしを分析し、タイトル、導入、本文、まとめを含む記事を生成します。
+
+```
+この記事の言語スタイルを技術ブログに適したものに調整してください
+```
+
+
+
+
+生成された記事は Markdown 形式をサポートし、ブログプラットフォームや GitHub Pages に直接公開できます。
+
+
+
diff --git a/website/content/ja/showcase/guide-agents-config.mdx b/website/content/ja/showcase/guide-agents-config.mdx
new file mode 100644
index 000000000..02c5c7b3a
--- /dev/null
+++ b/website/content/ja/showcase/guide-agents-config.mdx
@@ -0,0 +1,66 @@
+---
+title: "Agents設定ファイル"
+description: "Agents MDファイルでAIの動作をカスタマイズし、AIをプロジェクト仕様とコーディングスタイルに適応させます。"
+category: "入門ガイド"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Agents設定ファイルを使用すると、MarkdownファイルでAIの動作をカスタマイズし、AIをプロジェクト仕様とコーディングスタイルに適応させることができます。コードスタイル、命名規則、コメント要件などを定義でき、AIはこれらの設定に基づいてプロジェクト標準に準拠したコードを生成します。この機能は特にチームコラボレーションに適しており、すべてのメンバーが生成するコードスタイルの一貫性を確保します。
+
+
+
+
+
+## 操作手順
+
+
+
+### 設定ファイルを作成
+
+プロジェクトルートディレクトリに`.qwen`フォルダを作成し、その中に`AGENTS.md`ファイルを作成します。このファイルはAIの動作設定を保存します。
+
+```bash
+mkdir -p .qwen && touch .qwen/AGENTS.md
+```
+
+### 設定を記述
+
+Markdown形式で設定を記述し、自然言語でプロジェクト仕様を記述します。コードスタイル、命名規則、コメント要件、フレームワークの好みなどを定義でき、AIはこれらの設定に基づいて動作を調整します。
+
+```markdown
+# プロジェクト仕様
+
+### コードスタイル
+
+- TypeScriptを使用
+- 関数型プログラミングを使用
+- 詳細なコメントを追加
+
+### 命名規則
+
+- 変数はcamelCaseを使用
+- 定数はUPPER_SNAKE_CASEを使用
+- クラス名はPascalCaseを使用
+```
+
+### 設定を適用
+
+設定ファイルを保存すると、AIは自動的にこれらの設定を読み込んで適用します。次回の対話で、AIは設定に基づいてプロジェクト標準に準拠したコードを生成し、仕様を繰り返し説明する必要がありません。
+
+
+
+
+Markdown形式をサポートし、自然言語でプロジェクト仕様を記述します。
+
+
+
diff --git a/website/content/ja/showcase/guide-api-setup.mdx b/website/content/ja/showcase/guide-api-setup.mdx
new file mode 100644
index 000000000..968a211e8
--- /dev/null
+++ b/website/content/ja/showcase/guide-api-setup.mdx
@@ -0,0 +1,111 @@
+---
+title: "API設定ガイド"
+description: "APIキーとモデルパラメータを設定してAIプログラミング体験をカスタマイズし、複数のモデル選択をサポートします。"
+category: "入門ガイド"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+APIキーの設定はQwen Codeを使用する上で重要なステップであり、すべての機能をアンロックし、強力なAIモデルにアクセスできるようにします。Alibaba Cloud百煉プラットフォームを通じて、APIキーを簡単に取得し、さまざまなシナリオに最適なモデルを選択できます。日常的な開発から複雑なタスクまで、適切なモデル設定は作業効率を大幅に向上させることができます。
+
+
+
+
+
+## 操作手順
+
+
+
+### APIキーを取得
+
+[Alibaba Cloud百煉プラットフォーム](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key)にアクセスし、パーソナルセンターでAPIキー管理ページを見つけます。新しいAPIキーを作成をクリックすると、システムが一意のキーを生成します。このキーはQwen Codeサービスにアクセスするための認証情報ですので、必ず安全に保管してください。
+
+
+
+
+APIキーは安全に保管し、他人に漏らしたりコードリポジトリにコミットしたりしないでください。
+
+
+### Qwen CodeでAPIキーを設定
+
+**1. Qwen Codeに自動設定させる**
+
+ターミナルを開き、ルートディレクトリでQwen Codeを直接起動し、以下のコードをコピーしてAPIキーを伝えると、設定が成功します。Qwen Codeを再起動して`/model`を入力すると、設定したモデルに切り替えることができます。
+
+```json
+以下の内容に従って百煉のモデルの`settings.json`を設定してください:
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "<モデル名>",
+ "name": "[Bailian] <モデル名>",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": "<ユーザーのKEYに置換>"
+ },
+}
+モデル名の入力については、以下を参照してください:https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all
+私のAPIキーは:
+```
+
+その後、APIキーを入力ボックスに貼り付け、必要なモデル名(例:`qwen3.5-plus`)を伝え、送信すると設定が完了します。
+
+
+
+**2. 手動設定**
+
+settings.jsonファイルを手動で設定します。ファイルの場所は`<ユーザールートディレクトリ>/.qwen`ディレクトリにあります。以下の内容をコピーして、APIキーとモデル名を変更してください。
+
+```json
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "<モデル名>",
+ "name": "[Bailian] <モデル名>",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": "<ユーザーのKEYに置換>"
+ },
+}
+```
+
+### モデルを選択
+
+ニーズに応じて適切なモデルを選択し、速度とパフォーマンスのバランスを取ります。異なるモデルは異なるシナリオに適しています。タスクの複雑さと応答時間の要件に基づいて選択できます。`/model`コマンドを使用すると、モデルを素早く切り替えることができます。
+
+一般的なモデルオプション:
+- `qwen3.5-plus`: 強力で、複雑なタスクに適している
+- `qwen3.5-flash`: 高速で、単純なタスクに適している
+- `qwen-max`: 最強のモデルで、高難易度のタスクに適している
+
+### 接続をテスト
+
+テストメッセージを送信して、API設定が正しいことを確認します。設定が成功すると、Qwen Codeはすぐに返信し、AI支援プログラミングを開始する準備ができていることを意味します。問題が発生した場合は、APIキーが正しく設定されているかどうかを確認してください。
+
+```bash
+Hello, can you help me with coding?
+```
+
+
+
+
diff --git a/website/content/ja/showcase/guide-authentication.mdx b/website/content/ja/showcase/guide-authentication.mdx
new file mode 100644
index 000000000..336ce9fd8
--- /dev/null
+++ b/website/content/ja/showcase/guide-authentication.mdx
@@ -0,0 +1,50 @@
+---
+title: "認証ログイン"
+description: "Qwen Codeの認証プロセスを理解し、アカウントログインを素早く完了して、すべての機能をアンロックします。"
+category: "入門ガイド"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+認証ログインはQwen Codeを使用する最初のステップであり、シンプルな認証プロセスですべての機能を素早くアンロックできます。認証プロセスは安全で信頼性が高く、複数のログイン方法をサポートし、アカウントとデータのセキュリティを確保します。認証を完了すると、カスタムモデル設定、履歴の保存などの機能を含むパーソナライズされたAIプログラミング体験を楽しむことができます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 認証をトリガー
+
+Qwen Codeを起動した後、`/auth`コマンドを入力すると、システムが自動的に認証プロセスを開始します。認証コマンドはコマンドラインまたはVS Code拡張機能で使用でき、操作方法は一貫しています。システムは現在の認証ステータスを検出し、ログインしていない場合はログインをガイドします。
+
+```bash
+/auth
+```
+
+### ブラウザログイン
+
+システムが自動的にブラウザを開き、認証ページにリダイレクトします。認証ページでは、Alibaba Cloudアカウントまたはその他のサポートされているログイン方法を選択できます。ログインプロセスは高速で便利で、数秒で完了します。
+
+### ログインを確認
+
+ログインが成功すると、ブラウザが自動的に閉じるか、成功メッセージが表示されます。Qwen Codeインターフェースに戻ると、認証成功メッセージが表示され、正常にログインしてすべての機能がアンロックされたことが示されます。認証情報は自動的に保存されるため、毎回再ログインする必要はありません。
+
+
+
+
+認証情報は安全にローカルに保存され、毎回再ログインする必要はありません。
+
+
+
diff --git a/website/content/ja/showcase/guide-bailian-coding-plan.mdx b/website/content/ja/showcase/guide-bailian-coding-plan.mdx
new file mode 100644
index 000000000..da62101d4
--- /dev/null
+++ b/website/content/ja/showcase/guide-bailian-coding-plan.mdx
@@ -0,0 +1,57 @@
+---
+title: "百煉Coding Planモード"
+description: "百煉Coding Planを設定して使用し、複数のモデル選択で複雑なタスクの完了品質を向上させます。"
+category: "入門ガイド"
+features:
+ - "Plan Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+百煉Coding PlanモードはQwen Codeの高度な機能であり、複雑なプログラミングタスクのために特別に設計されています。インテリジェントなマルチモデル連携により、大規模なタスクを実行可能なステップに分解し、最適な実行パスを自動的に計画できます。大規模なコードベースのリファクタリングから複雑な機能の実装まで、Coding Planはタスク完了の品質と効率を大幅に向上させることができます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 設定インターフェースに入る
+
+Qwen Codeを起動して`/auth`コマンドを入力します。
+
+### Coding Planを選択
+
+設定で百煉Coding Planモードを有効にし、APIキーを入力すると、Qwen Codeが自動的にCoding Planでサポートされているモデルを設定します。
+
+
+
+### モデルを選択
+
+直接`/model`コマンドを入力して、希望のモデルを選択します。
+
+### 複雑なタスクを開始
+
+プログラミングタスクを記述すると、Coding Planが自動的に実行ステップを計画します。タスクの目標、制約条件、期待される結果を詳細に説明できます。AIはタスク要件を分析し、各ステップの具体的な操作と期待される出力を含む構造化された実行計画を生成します。
+
+```bash
+このプロジェクトのデータ層をリファクタリングし、データベースをMySQLからPostgreSQLに移行する必要がありますが、APIインターフェースは変更しません
+```
+
+
+
+
+Coding Planモードは、アーキテクチャリファクタリング、機能移行など、マルチステップ連携が必要な複雑なタスクに特に適しています。
+
+
+
diff --git a/website/content/ja/showcase/guide-copy-optimization.mdx b/website/content/ja/showcase/guide-copy-optimization.mdx
new file mode 100644
index 000000000..c1392a0cb
--- /dev/null
+++ b/website/content/ja/showcase/guide-copy-optimization.mdx
@@ -0,0 +1,42 @@
+---
+title: "コピーキャラクター最適化"
+description: "最適化されたコピーエクスペリエンス、コードスニペットを正確に選択してコピーし、完全なフォーマットを保持します。"
+category: "入門ガイド"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+最適化されたコピーエクスペリエンスにより、コードスニペットを正確に選択してコピーし、完全なフォーマットとインデントを保持できます。コードブロック全体でも部分的な行でも、簡単にコピーしてプロジェクトに貼り付けることができます。コピ機能はワンクリックコピー、選択コピー、ショートカットキーコピーなど複数の方法をサポートし、異なるシナリオのニーズを満たします。
+
+
+
+
+
+## 操作手順
+
+
+
+### コードブロックを選択
+
+コードブロックの右上にあるコピーボタンをクリックして、コードブロック全体をワンクリックでコピーします。コピーボタンは明確に表示され、操作はシンプルで高速です。コピーされた内容はインデント、シンタックスハイライトなど、元のフォーマットを保持します。
+
+### 貼り付けて使用
+
+コピーしたコードをエディタに貼り付けると、フォーマットが自動的に維持されます。手動でインデントやフォーマットを調整する必要はなく、直接使用できます。貼り付けられたコードは元のコードと完全に一貫しており、コードの正確性を保証します。
+
+### 正確な選択
+
+コードの一部のみをコピーする必要がある場合は、マウスで必要な内容を選択してから、ショートカットキーを使用してコピーできます。複数行の選択をサポートし、必要なコードスニペットを正確にコピーできます。
+
+
+
+
diff --git a/website/content/ja/showcase/guide-first-conversation.mdx b/website/content/ja/showcase/guide-first-conversation.mdx
new file mode 100644
index 000000000..dbd87689a
--- /dev/null
+++ b/website/content/ja/showcase/guide-first-conversation.mdx
@@ -0,0 +1,59 @@
+---
+title: "最初の会話を開始"
+description: "インストール後、Qwen Codeとの最初のAI会話を開始し、そのコア能力と対話方法を理解します。"
+category: "入門ガイド"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Qwen Codeのインストールを完了すると、Qwen Codeとの最初の会話を迎えます。これはQwen Codeのコア能力と対話方法を理解する絶好の機会です。シンプルな挨拶から始めて、コード生成、問題解決、ドキュメント理解など、その強力な機能を段階的に探索できます。実際の操作を通じて、Qwen Codeがプログラミングの旅であなたの頼れるアシスタントになることを感じるでしょう。
+
+
+
+
+
+## 操作手順
+
+
+
+### Qwen Codeを起動
+
+ターミナルで`qwen`コマンドを入力してアプリケーションを起動します。初回起動時、システムは初期化設定を行い、これには数秒しかかかりません。起動後、友好的なコマンドラインインターフェースが表示され、AIとの対話を開始する準備が整います。
+
+```bash
+qwen
+```
+
+### 会話を開始
+
+入力ボックスに質問を入力して、AIとのコミュニケーションを開始します。シンプルな自己紹介から始めることができます。例えば、Qwen Codeとは何か、あるいは何を手伝ってくれるかを尋ねることができます。AIは明確でわかりやすい言葉で質問に答え、より多くの機能を探索するようにガイドします。
+
+```bash
+what is qwen code?
+```
+
+### 能力を探索
+
+AIにいくつかの単純なタスクを手伝ってもらうように依頼してみてください。例えば、コードを説明する、関数を生成する、技術的な質問に答えるなどです。実際の操作を通じて、Qwen Codeのさまざまな能力に徐々に慣れ、異なるシナリオでの応用価値を発見します。
+
+```bash
+フィボナッチ数列を計算するPython関数を書いてください
+```
+
+
+
+
+Qwen Codeはマルチターン対話をサポートしています。以前の回答に基づいて質問を続け、興味のあるトピックを深く探求できます。
+
+
+
diff --git a/website/content/ja/showcase/guide-headless-mode.mdx b/website/content/ja/showcase/guide-headless-mode.mdx
new file mode 100644
index 000000000..f96d29aa7
--- /dev/null
+++ b/website/content/ja/showcase/guide-headless-mode.mdx
@@ -0,0 +1,62 @@
+---
+title: "ヘッドレスモード"
+description: "GUIのない環境でQwen Codeを使用し、リモートサーバー、CI/CDパイプライン、自動化スクリプトシナリオに適しています。"
+category: "入門ガイド"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+ヘッドレスモードを使用すると、GUIのない環境でQwen Codeを使用でき、特にリモートサーバー、CI/CDパイプライン、自動化スクリプトシナリオに適しています。コマンドラインパラメータとパイプライン入力を通じて、Qwen Codeを既存のワークフローにシームレスに統合し、自動化されたAI支援プログラミングを実現できます。
+
+
+
+
+
+## 操作手順
+
+
+
+### プロンプトモードを使用
+
+`--p`パラメータを使用して、コマンドラインで直接プロンプトを渡します。Qwen Codeは回答を返して自動的に終了します。この方法はワンタイムクエリに適しており、スクリプトに簡単に統合できます。
+
+```bash
+qwen --p 'what is qwen code?'
+```
+
+### パイプライン入力
+
+パイプを通じて他のコマンドの出力をQwen Codeに渡し、自動化処理を実現します。ログファイル、エラーメッセージなどを直接AIに送信して分析できます。
+
+```bash
+cat error.log | qwen --p 'エラーを分析'
+```
+
+### スクリプト統合
+
+シェルスクリプトにQwen Codeを統合し、複雑な自動化ワークフローを実現します。AIの戻り結果に基づいて異なる操作を実行し、インテリジェントな自動化スクリプトを構築できます。
+
+```bash
+#!/bin/bash
+result=$(qwen --p 'コードに問題があるか確認')
+if [[ $result == *"問題がある"* ]]; then
+ echo "コードの問題が見つかりました"
+fi
+```
+
+
+
+
+ヘッドレスモードはコード生成、問題解決、ファイル操作など、Qwen Codeのすべての機能をサポートします。
+
+
+
diff --git a/website/content/ja/showcase/guide-language-switch.mdx b/website/content/ja/showcase/guide-language-switch.mdx
new file mode 100644
index 000000000..6be4f24c0
--- /dev/null
+++ b/website/content/ja/showcase/guide-language-switch.mdx
@@ -0,0 +1,55 @@
+---
+title: "言語切り替え"
+description: "UIインターフェース言語とAI出力言語を柔軟に切り替え、多言語対話をサポートします。"
+category: "入門ガイド"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Qwen Codeは柔軟な言語切り替えをサポートしており、UIインターフェース言語とAI出力言語を独立して設定できます。中国語、英語、その他の言語など、適切な設定を見つけることができます。多言語サポートにより、馴染みのある言語環境で作業でき、コミュニケーション効率と快適性が向上します。
+
+
+
+
+
+## 操作手順
+
+
+
+### UI言語を切り替え
+
+`/language ui`コマンドを使用してインターフェース言語を切り替えます。中国語、英語など複数の言語をサポートします。UI言語を切り替えると、メニュー、プロンプトメッセージ、ヘルプドキュメントなどがすべて選択した言語で表示されます。
+
+```bash
+/language ui zh-CN
+```
+
+### 出力言語を切り替え
+
+`/language output`コマンドを使用してAIの出力言語を切り替えます。AIは指定した言語を使用して質問に答え、コードコメントを生成し、説明を提供するなど、コミュニケーションをより自然でスムーズにします。
+
+```bash
+/language output zh-CN
+```
+
+### 混合言語使用
+
+UIと出力に異なる言語を設定して、混合言語使用を実現することもできます。例えば、UIは中国語、AI出力は英語など、英語の技術ドキュメントを読む必要があるシナリオに適しています。
+
+
+
+
+言語設定は自動的に保存され、次回起動時に前回選択した言語が使用されます。
+
+
+
diff --git a/website/content/ja/showcase/guide-plan-with-search.mdx b/website/content/ja/showcase/guide-plan-with-search.mdx
new file mode 100644
index 000000000..10fcead36
--- /dev/null
+++ b/website/content/ja/showcase/guide-plan-with-search.mdx
@@ -0,0 +1,59 @@
+---
+title: "プランモード + Web検索"
+description: "プランモードでWeb検索と組み合わせて、最初に最新情報を検索してから実行計画を策定し、複雑なタスクの精度を大幅に向上させます。"
+category: "入門ガイド"
+features:
+ - "Plan Mode"
+ - "Web Search"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+プランモードはQwen Codeのインテリジェントな計画能力であり、複雑なタスクを実行可能なステップに分解できます。Web検索と組み合わせて使用すると、最初に最新の技術ドキュメント、ベストプラクティス、ソリューションを能動的に検索し、その後、これらのリアルタイム情報に基づいてより正確な実行計画を策定します。この組み合わせは、新しいフレームワーク、新しいAPI、または最新の仕様に従う必要がある開発タスクを処理するのに特に適しており、コード品質とタスク完了効率を大幅に向上させることができます。プロジェクトの移行、新機能の統合、複雑な技術的問題の解決など、プラン + Web検索が最も先進的なソリューションを提供します。
+
+
+
+
+
+## 操作手順
+
+
+
+### プランモードを有効にする
+
+会話で`/approval-mode plan`コマンドを入力してプランモードを有効にします。この時点で、Qwen Codeは計画状態に入り、タスク説明を受け取り、思考を開始する準備が整います。プランモードはタスクの複雑さを自動的に分析し、ナレッジベースを補充するために外部情報を検索する必要があるかどうかを判断します。
+
+```bash
+/approval-mode plan
+```
+
+### 最新情報の検索をリクエスト
+
+タスク要件を記述すると、Qwen Codeが検索が必要なキーワードを自動的に識別します。最新の技術ドキュメント、APIリファレンス、ベストプラクティス、ソリューションを取得するために能動的にWeb検索リクエストを開始します。検索結果はナレッジベースに統合され、後続の計画のための正確な情報基盤を提供します。
+
+```
+AI分野の最新ニュースを検索して、私にレポートとしてまとめてください
+```
+
+### 実行計画を表示
+
+検索された情報に基づいて、Qwen Codeが詳細な実行計画を生成します。計画には明確なステップ説明、注意すべき技術的要点、潜在的な落とし穴とソリューションが含まれます。この計画を確認し、変更提案を行うか、実行を開始することを確認できます。
+
+### 計画を段階的に実行
+
+計画を確認すると、Qwen Codeがステップごとに実行します。各重要なノードで、進捗と結果を報告し、プロセス全体を完全に制御できるようにします。問題が発生した場合、古い知識に頼るのではなく、最新の検索情報に基づいてソリューションを提供します。
+
+
+
+
+Web検索はタスク内の技術キーワードを自動的に識別し、検索内容を手動で指定する必要はありません。急速に反復するフレームワークとライブラリの場合は、最新情報を取得するためにプランモードでWeb検索を有効にすることをお勧めします。
+
+
+
diff --git a/website/content/ja/showcase/guide-resume-session.mdx b/website/content/ja/showcase/guide-resume-session.mdx
new file mode 100644
index 000000000..b7f5add40
--- /dev/null
+++ b/website/content/ja/showcase/guide-resume-session.mdx
@@ -0,0 +1,63 @@
+---
+title: "Resumeセッション回復"
+description: "中断された会話はいつでも再開でき、コンテキストと進捗を失うことはありません。"
+category: "入門ガイド"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Resumeセッション回復機能により、会話をいつでも中断し、必要に応じて再開でき、コンテキストと進捗を失うことはありません。一時的に用事がある場合でも、マルチタスクを並行して処理する場合でも、会話を安全に一時停止し、後でシームレスに続けることができます。この機能は作業の柔軟性を大幅に向上させ、時間とタスクをより効率的に管理できます。
+
+
+
+
+
+## 操作手順
+
+
+
+### セッションリストを表示
+
+`qwen --resume`コマンドを使用してすべての履歴セッションを表示します。システムは各セッションの時間、トピック、簡単な情報を表示し、再開する必要がある会話を素早く見つけるのに役立ちます。
+
+```bash
+qwen --resume
+```
+
+### セッションを再開
+
+`qwen --resume`コマンドを使用して指定されたセッションを再開します。セッションIDまたは番号で再開する会話を選択でき、システムが完全なコンテキスト履歴をロードします。
+
+```bash
+qwen --resume
+```
+
+### 作業を続行
+
+セッションを再開すると、中断されなかったかのように会話を続けることができます。すべてのコンテキスト、履歴、進捗が完全に保持され、AIは以前のディスカッション内容を正確に理解できます。
+
+### Qwen Codeを起動した後にセッションを切り替え
+
+Qwen Codeを起動した後、`/resume`コマンドを使用して以前のセッションに切り替えることができます。
+
+```bash
+/resume
+```
+
+
+
+
+セッション履歴は自動的に保存され、クロスデバイス同期をサポートしており、異なるデバイスで同じセッションを再開できます。
+
+
+
diff --git a/website/content/ja/showcase/guide-retry-shortcut.mdx b/website/content/ja/showcase/guide-retry-shortcut.mdx
new file mode 100644
index 000000000..c7d43f20d
--- /dev/null
+++ b/website/content/ja/showcase/guide-retry-shortcut.mdx
@@ -0,0 +1,50 @@
+---
+title: "Ctrl+Y クイックリトライ"
+description: "AIの回答に満足できませんか?ショートカットキーでワンクリックリトライし、より良い結果を素早く取得します。"
+category: "入門ガイド"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+AIの回答に満足できませんか?Ctrl+Y(Windows/Linux)またはCmd+Y(macOS)ショートカットキーでワンクリックリトライし、より良い結果を素早く取得します。この機能により、質問を再入力することなくAIに回答を再生成させることができ、時間を節約し効率を向上させます。満足のいく回答が得られるまで何度でもリトライできます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 満足できない回答を発見
+
+AIの回答が期待に応えない場合、がっかりしないでください。AIの回答はコンテキストの理解やランダム性により異なる場合があり、リトライすることでより良い結果を得ることができます。
+
+### リトライをトリガー
+
+Ctrl+Y(Windows/Linux)またはCmd+Y(macOS)ショートカットキーを押すと、AIが回答を再生成します。リトライプロセスは高速でスムーズであり、ワークフローを中断しません。
+
+```bash
+Ctrl+Y / Cmd+Y
+```
+
+### 補足説明
+
+リトライ後も満足できない場合は、ニーズに対して補足説明を追加し、AIが意図をより正確に理解できるようにすることができます。より多くの詳細を追加し、質問の表現方法を変更したり、より多くのコンテキスト情報を提供したりできます。
+
+
+
+
+リトライ機能は元の質問を保持しますが、異なるランダムシードを使用して回答を生成し、結果の多様性を確保します。
+
+
+
diff --git a/website/content/ja/showcase/guide-script-install.mdx b/website/content/ja/showcase/guide-script-install.mdx
new file mode 100644
index 000000000..356f93421
--- /dev/null
+++ b/website/content/ja/showcase/guide-script-install.mdx
@@ -0,0 +1,59 @@
+---
+title: "スクリプトワンクリックインストール"
+description: "スクリプトコマンドでQwen Codeを素早くインストール。数秒で環境設定を完了。Linux、macOS、Windowsシステムに対応。"
+category: "入門ガイド"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Qwen Codeは、1行のスクリプトコマンドによる高速インストールをサポートしています。環境変数の手動設定や依存関係のダウンロードは不要です。スクリプトはOSタイプを自動検出し、対応するインストールパッケージをダウンロードして設定を完了します。全体のプロセスは数秒で完了し、**Linux**、**macOS**、**Windows**の3つの主要プラットフォームに対応しています。
+
+
+
+
+
+## 操作手順
+
+
+
+### Linux / macOS インストール
+
+ターミナルを開き、以下のコマンドを実行します。スクリプトはシステムアーキテクチャ(x86_64 / ARM)を自動検出し、対応するバージョンをダウンロードしてインストール設定を完了します。
+
+```bash
+bash -c "$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)" -s --source website
+```
+
+### Windows インストール
+
+PowerShellで以下のコマンドを実行します。スクリプトはバッチファイルをダウンロードし、インストールプロセスを自動実行します。完了後、任意のターミナルで`qwen`コマンドを使用できます。
+
+```bash
+curl -fsSL -o %TEMP%\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\install-qwen.bat --source website
+```
+
+### インストールの確認
+
+インストール完了後、ターミナルで以下のコマンドを実行してQwen Codeが正しくインストールされたことを確認します。バージョン番号が表示されれば、インストール成功です。
+
+```bash
+qwen --version
+```
+
+
+
+
+npmをご希望の場合、`npm install -g @qwen-code/qwen-code`でグローバルインストールも可能です。インストール後、`qwen`と入力して起動します。権限の問題がある場合は、`sudo npm install -g @qwen-code/qwen-code`を使用し、パスワードを入力してインストールしてください。
+
+
+
diff --git a/website/content/ja/showcase/guide-skill-install.mdx b/website/content/ja/showcase/guide-skill-install.mdx
new file mode 100644
index 000000000..700bb93e7
--- /dev/null
+++ b/website/content/ja/showcase/guide-skill-install.mdx
@@ -0,0 +1,78 @@
+---
+title: "Skillsをインストール"
+description: "コマンドラインインストールやフォルダインストールなど、複数の方法でSkill拡張をインストールし、様々なシーンのニーズに対応します。"
+category: "入門ガイド"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Qwen Codeは複数のSkillインストール方法をサポートしています。実際のシーンに合わせて最適な方法を選択できます。コマンドラインインストールはオンライン環境に適しており、高速で便利です。フォルダインストールはオフライン環境やカスタムSkillに適しており、柔軟で制御可能です。
+
+
+
+
+
+## 操作手順
+
+
+
+### find-skills Skillを確認してインストール
+
+Qwen Codeでニーズを直接記述し、必要なSkillの確認とインストールを手伝ってもらいます:
+
+```
+find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code
+```
+
+### 必要なSkillをインストール、例えばweb-component-designをインストール:
+
+```
+/skills find-skills install web-component-design -y -a qwen-code
+```
+
+Qwen Codeがインストールコマンドを自動実行し、指定されたリポジトリからSkillをダウンロードしてインストールします。1文でインストールすることもできます:
+
+```
+find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、そして【スキル名】を現在のqwen code skillsディレクトリにインストールしてください。
+```
+
+### インストールの確認
+
+インストール完了後、Skillが正常に読み込まれたことを確認します:
+
+```bash
+/skills
+```
+
+
+
+
+コマンドラインインストールにはネットワーク接続が必要です。`-y`パラメータは自動確認を意味し、`-a qwen-code`はQwen Codeへのインストールを指定します。
+
+
+
+**Skillディレクトリ構造要件**
+
+各Skillフォルダには`skill.md`ファイルを含める必要があり、Skillの名前、説明、トリガールールを定義します:
+
+```
+~/.qwen/skills/
+├── my-skill/
+│ ├── SKILL.md # 必須:Skill設定ファイル
+│ └── scripts/ # オプション:スクリプトファイル
+└── another-skill/
+ └── SKILL.md
+```
+
+
+
diff --git a/website/content/ja/showcase/guide-skills-panel.mdx b/website/content/ja/showcase/guide-skills-panel.mdx
new file mode 100644
index 000000000..9d4147129
--- /dev/null
+++ b/website/content/ja/showcase/guide-skills-panel.mdx
@@ -0,0 +1,50 @@
+---
+title: "Skillsパネル"
+description: "Skillsパネルを通じて既存のSkill拡張を閲覧・インストール・管理し、AI機能ライブラリをワンストップで管理します。"
+category: "入門ガイド"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Skillsパネルは、Qwen Codeの拡張機能を管理するためのコントロールセンターです。この直感的なインターフェースを通じて、公式およびコミュニティが提供する様々なSkillを閲覧し、各Skillの機能と用途を理解し、ワンクリックで拡張機能をインストールまたはアンインストールできます。新しいAI機能を発見したい場合でも、インストール済みのSkillを管理したい場合でも、Skillsパネルは便利な操作体験を提供し、パーソナライズされたAIツールボックスを簡単に構築できます。
+
+
+
+
+
+## 操作手順
+
+
+
+### Skillsパネルを開く
+
+Qwen Code会話でコマンドを入力してSkillsパネルを開きます。このコマンドは、インストール済みおよび未インストールの拡張機能を含む、利用可能なすべてのSkillのリストを表示します。
+
+```bash
+/skills
+```
+
+### Skillsを閲覧・検索
+
+パネルで様々なSkill拡張を閲覧します。各Skillには詳細な説明と機能説明があります。検索機能を使用して必要な特定のSkillを素早く見つけたり、カテゴリ別に様々なタイプの拡張機能を閲覧したりできます。
+
+### Skillをインストールまたはアンインストール
+
+興味のあるSkillを見つけたら、インストールボタンをクリックしてQwen Codeにワンクリックで追加します。同様に、不要なSkillはいつでもアンインストールでき、AI機能ライブラリを整理・効率化できます。
+
+
+
+
+Skillsパネルは定期的に更新され、最新リリースのSkill拡張を表示します。定期的にパネルを確認して、作業効率を向上させる強力なAI機能を発見することをお勧めします。
+
+
+
diff --git a/website/content/ja/showcase/guide-vscode-integration.mdx b/website/content/ja/showcase/guide-vscode-integration.mdx
new file mode 100644
index 000000000..57a7b7fad
--- /dev/null
+++ b/website/content/ja/showcase/guide-vscode-integration.mdx
@@ -0,0 +1,51 @@
+---
+title: "VS Code統合インターフェース"
+description: "VS CodeでのQwen Codeの完全なインターフェース表示。各機能エリアのレイアウトと使用方法を理解します。"
+category: "入門ガイド"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+VS Codeは最も人気のあるコードエディタの一つであり、Qwen Codeは深く統合されたVS Code拡張機能を提供しています。この拡張機能を通じて、馴染みのあるエディタ環境でAIと直接会話し、シームレスなプログラミング体験を享受できます。拡張機能は直感的なインターフェースレイアウトを提供し、すべての機能に簡単にアクセスできます。コード補完、問題解決、ファイル操作など、すべてを効率的に完了できます。
+
+
+
+
+
+## 操作手順
+
+
+
+### VS Code拡張機能をインストール
+
+VS Code拡張機能マーケットプレースで「Qwen Code」を検索し、インストールをクリックします。インストールプロセスはシンプルで高速で、数秒で完了します。インストール後、VS CodeサイドバーにQwen Codeのアイコンが表示され、拡張機能が正常に読み込まれたことを示します。
+
+### アカウントにログイン
+
+`/auth`コマンドを使用して認証プロセスをトリガーします。システムが自動的にブラウザを開いてログインします。ログインプロセスは安全で便利で、複数の認証方法をサポートしています。ログイン成功後、アカウント情報がVS Code拡張機能に自動的に同期され、すべての機能がアンロックされます。
+
+```bash
+/auth
+```
+
+### 使用を開始
+
+サイドバーでQwen Codeパネルを開き、AIとの会話を開始します。質問を直接入力したり、ファイルを参照したり、コマンドを実行したりできます。すべての操作がVS Codeで完了します。拡張機能はマルチタブ、履歴、ショートカットキーなどの機能をサポートし、完全なプログラミングアシスタンス体験を提供します。
+
+
+
+
+VS Code拡張機能はコマンドラインバージョンと完全に同じ機能です。使用シーンに合わせて自由に選択できます。
+
+
+
diff --git a/website/content/ja/showcase/guide-web-search.mdx b/website/content/ja/showcase/guide-web-search.mdx
new file mode 100644
index 000000000..f82cb7ce0
--- /dev/null
+++ b/website/content/ja/showcase/guide-web-search.mdx
@@ -0,0 +1,55 @@
+---
+title: "Web検索"
+description: "Qwen CodeにWebコンテンツを検索させ、リアルタイム情報を取得してプログラミングと問題解決を支援します。"
+category: "入門ガイド"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Web検索機能により、Qwen CodeはWebコンテンツをリアルタイムで検索し、最新の技術ドキュメント、フレームワークの更新、ソリューションを取得できます。開発中に問題に遭遇したり、新しい技術の最新動向を理解したりする必要がある場合、この機能が非常に役立ちます。AIは関連情報をインテリジェントに検索し、理解しやすい形式に整理して返します。
+
+
+
+
+
+## 操作手順
+
+
+
+### 検索機能を有効にする
+
+会話でAIに最新情報を検索する必要があることを明確に伝えます。最新技術、フレームワークバージョン、リアルタイムデータを含む質問を直接行えます。Qwen Codeはニーズを自動的に認識し、Web検索機能を開始して最も正確な情報を取得します。
+
+```bash
+React 19の新機能を検索してください
+```
+
+### 検索結果を表示
+
+AIは検索した情報を返し、理解しやすい形式に整理します。検索結果には通常、重要情報の要約、ソースリンク、関連する技術詳細が含まれます。これらの情報を素早く閲覧して、最新の技術動向を理解したり、問題の解決策を見つけたりできます。
+
+### 検索結果に基づいて質問
+
+検索結果に基づいてさらに質問を行い、より深い説明を得ることができます。特定の技術詳細について疑問がある場合や、検索結果をプロジェクトに適用する方法を知りたい場合、直接質問を続けることができます。AIは検索した情報に基づいてより具体的なガイダンスを提供します。
+
+```bash
+これらの新機能は私のプロジェクトにどのような影響がありますか
+```
+
+
+
+
+Web検索機能は、最新のAPI変更、フレームワークバージョン更新、リアルタイム技術動向のクエリに特に適しています。
+
+
+
diff --git a/website/content/ja/showcase/office-batch-file-organize.mdx b/website/content/ja/showcase/office-batch-file-organize.mdx
new file mode 100644
index 000000000..aed17cbfd
--- /dev/null
+++ b/website/content/ja/showcase/office-batch-file-organize.mdx
@@ -0,0 +1,60 @@
+---
+title: "ファイルの一括処理、デスクトップ整理"
+description: "Qwen CodeのCowork機能を使用して、散らかったデスクトップファイルをワンクリックで一括整理し、タイプ別に自動分類して対応するフォルダに配置します。"
+category: "日常タスク"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+デスクトップファイルが散らかっていますか?Qwen CodeのCowork機能を使用すると、ワンクリックでファイルを一括整理でき、ファイルタイプを自動識別して対応するフォルダに分類できます。ドキュメント、画像、動画、その他のファイルタイプに関わらず、すべてインテリジェントに識別してアーカイブでき、作業環境を整理し、作業効率を向上させることができます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 会話を開始
+
+ターミナルまたはコマンドラインを開き、`qwen`と入力してQwen Codeを起動します。整理が必要なディレクトリにいるか、どのディレクトリのファイルを整理するかをAIに明確に伝えます。Qwen Codeは整理指示を受け入れる準備ができています。
+
+```bash
+cd ~/Desktop
+qwen
+```
+
+### 整理指示を出す
+
+Qwen Codeにデスクトップファイルを整理したいと伝えます。AIはファイルタイプを自動識別し、分類フォルダを作成します。整理するディレクトリ、分類ルール、ターゲットフォルダ構造を指定できます。AIはニーズに基づいて整理計画を作成します。
+
+```bash
+デスクトップのファイルを整理してください。ドキュメント、画像、動画、圧縮ファイルなどタイプ別に異なるフォルダに分類します
+```
+
+### 実行計画を確認
+
+Qwen Codeはまず実行される操作計画をリストアップします。問題がないことを確認した後、実行を許可します。このステップは非常に重要です。整理計画を確認して、AIがニーズを理解していることを確認し、誤操作を回避できます。
+
+### 整理を完了
+
+AIがファイル移動操作を自動実行し、完了後に整理レポートを表示し、どのファイルがどこに移動されたかを伝えます。全体のプロセスは高速で効率的で、手動操作は不要で、大幅な時間を節約できます。
+
+
+
+
+Cowork機能はカスタム分類ルールをサポートしています。必要に応じてファイルタイプとターゲットフォルダのマッピング関係を指定できます。
+
+
+
diff --git a/website/content/ja/showcase/office-clipboard-paste.mdx b/website/content/ja/showcase/office-clipboard-paste.mdx
new file mode 100644
index 000000000..71504a4ef
--- /dev/null
+++ b/website/content/ja/showcase/office-clipboard-paste.mdx
@@ -0,0 +1,46 @@
+---
+title: "クリップボード画像貼り付け"
+description: "クリップボードのスクリーンショットを会話ウィンドウに直接貼り付けます。AIは画像コンテンツを即座に理解し、支援を提供します。"
+category: "日常タスク"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+クリップボード画像貼り付け機能により、任意のスクリーンショットをQwen Codeの会話ウィンドウに直接貼り付けることができ、ファイルを保存してからアップロードする必要がありません。エラースクリーンショット、UIデザインモックアップ、コードスニペットスクリーンショット、その他の画像に関わらず、Qwen Codeはコンテンツを即座に理解し、ニーズに基づいて支援を提供できます。この便利な対話方法はコミュニケーション効率を大幅に向上させ、問題に遭遇した際にAIの分析と提案を迅速に取得できます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 画像をクリップボードにコピー
+
+システムスクリーンショットツール(macOS: `Cmd+Shift+4`、Windows: `Win+Shift+S`)を使用して画面コンテンツをキャプチャするか、ブラウザやファイルマネージャから画像をコピーします。スクリーンショットは自動的にクリップボードに保存され、追加の操作は不要です。
+
+### 会話ウィンドウに貼り付け
+
+Qwen Code会話入力ボックスで、`Cmd+V`(macOS)または`Ctrl+V`(Windows)を使用して画像を貼り付けます。画像が入力ボックスに自動的に表示され、質問やニーズを記述するテキストを同時に入力できます。
+
+### AI分析結果を取得
+
+メッセージを送信後、Qwen Codeは画像コンテンツを分析して返信します。コードスクリーンショットのエラーを識別し、UIデザインモックアップのレイアウトを分析し、チャートデータを解釈できます。さらに質問して、画像の詳細を深く議論できます。
+
+
+
+
+PNG、JPEG、GIFなどの一般的な画像フォーマットをサポートしています。画像サイズは10MB以下を推奨し、最適な認識効果を確保します。コードスクリーンショットの場合、テキスト認識精度を向上させるために高解像度を使用することをお勧めします。
+
+
+
diff --git a/website/content/ja/showcase/office-export-conversation.mdx b/website/content/ja/showcase/office-export-conversation.mdx
new file mode 100644
index 000000000..8ace4fcad
--- /dev/null
+++ b/website/content/ja/showcase/office-export-conversation.mdx
@@ -0,0 +1,58 @@
+---
+title: "会話履歴をエクスポート"
+description: "会話履歴をMarkdown、HTML、またはJSON形式でエクスポートし、アーカイブや共有を容易にします。"
+category: "日常タスク"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+会話履歴エクスポート機能
+
+
+
+
+
+## 操作手順
+
+
+
+### セッションリストを表示
+
+`/resume`コマンドを使用してすべての履歴セッションを表示します。リストは各セッションの作成時間、トピック要約などの情報を表示し、エクスポートが必要な会話を素早く見つけるのに役立ちます。キーワード検索や時間による並べ替えを使用して、ターゲットセッションを正確に特定できます。
+
+```bash
+/resume
+```
+
+### エクスポート形式を選択
+
+エクスポートするセッションを決定した後、`/export`コマンドを使用して形式とセッションIDを指定します。3つの形式がサポートされています:`markdown`、`html`、`json`。Markdown形式はドキュメントツールでの使用に適しており、HTML形式はブラウザで直接開いて表示でき、JSON形式はプログラムによる処理に適しています。
+
+```bash
+# パラメータがない場合、デフォルトで現在のセッションをエクスポート
+/export html # HTML形式でエクスポート
+/export markdown # Markdown形式でエクスポート
+/export json # JSON形式でエクスポート
+```
+
+### 共有とアーカイブ
+
+エクスポートされたファイルは指定されたディレクトリに保存されます。MarkdownおよびHTMLファイルは同僚と直接共有したり、チームドキュメントで使用したりできます。JSONファイルは他のツールにインポートして二次処理できます。重要な会話を定期的にアーカイブしてチームナレッジベースを構築することをお勧めします。エクスポートされたファイルはバックアップとしても使用でき、重要な情報の損失を防ぐことができます。
+
+
+
+
+エクスポートされたHTML形式には完全なスタイルが含まれており、任意のブラウザで直接開いて表示できます。JSON形式はすべてのメタデータを保持し、データ分析と処理に適しています。
+
+
+
diff --git a/website/content/ja/showcase/office-file-reference.mdx b/website/content/ja/showcase/office-file-reference.mdx
new file mode 100644
index 000000000..5bc6e3cc1
--- /dev/null
+++ b/website/content/ja/showcase/office-file-reference.mdx
@@ -0,0 +1,61 @@
+---
+title: "@file参照機能"
+description: "会話で@fileを使用してプロジェクトファイルを参照し、AIにコードコンテキストを正確に理解させます。"
+category: "入門ガイド"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+@file参照機能により、会話でプロジェクトファイルを直接参照でき、AIにコードコンテキストを正確に理解させることができます。単一ファイルでも複数ファイルでも、AIはコードコンテンツを読み取り・分析し、より正確な提案と回答を提供します。この機能はコードレビュー、問題トラブルシューティング、コードリファクタリングなどのシーンに特に適しています。
+
+
+
+
+
+## 操作手順
+
+
+
+### 単一ファイルを参照
+
+`@file`コマンドの後にファイルパスを続けて使用し、単一ファイルを参照します。AIはファイルコンテンツを読み取り、コード構造とロジックを理解し、質問に基づいて的確な回答を提供します。
+
+```bash
+@file ./src/main.py
+この関数の役割を説明してください
+```
+
+参照ファイルを参照し、Qwen Codeに新しいドキュメントとして整理・作成させることもできます。これにより、AIがニーズを誤解して参照資料に含まれないコンテンツを生成することを大幅に回避できます:
+
+```bash
+@file このファイルに基づいて公式アカウントの記事を書いてください
+```
+
+### ニーズを記述
+
+ファイルを参照した後、ニーズや質問を明確に記述します。AIはファイルコンテンツに基づいて分析し、正確な回答や提案を提供します。コードロジック、問題検索、最適化要求などを尋ねることができます。
+
+### 複数ファイルを参照
+
+`@file`コマンドを複数回使用することで、複数のファイルを同時に参照できます。AIは参照されたすべてのファイルを包括的に分析し、それらの関係とコンテンツを理解し、より包括的な回答を提供します。
+
+```bash
+@file1 @file2 これら2つのファイルの資料に基づいて、初心者向けの学習ドキュメントを整理してください
+```
+
+
+
+
+@fileは相対パスと絶対パスをサポートし、複数ファイルのワイルドカードマッチもサポートしています。
+
+
+
diff --git a/website/content/ja/showcase/office-image-recognition.mdx b/website/content/ja/showcase/office-image-recognition.mdx
new file mode 100644
index 000000000..b2d14a984
--- /dev/null
+++ b/website/content/ja/showcase/office-image-recognition.mdx
@@ -0,0 +1,53 @@
+---
+title: "画像認識"
+description: "Qwen Codeは画像コンテンツを読み取り・理解できます。UIデザインモックアップ、エラースクリーンショット、アーキテクチャ図など。"
+category: "日常タスク"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png"
+videoUrl: "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Qwen Codeは強力な画像認識機能を備えており、様々なタイプの画像コンテンツを読み取り・理解できます。UIデザインモックアップ、エラースクリーンショット、アーキテクチャ図、フローチャート、手書きメモなどに関わらず、Qwen Codeは正確に識別し、価値ある分析を提供できます。この能力により、視覚情報をプログラミングワークフローに直接統合でき、コミュニケーション効率と問題解決速度を大幅に向上させることができます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 画像をアップロード
+
+画像を会話ウィンドウにドラッグ&ドロップするか、クリップボード貼り付け(`Cmd+V` / `Ctrl+V`)を使用します。PNG、JPEG、GIF、WebPなどの一般的なフォーマットをサポートしています。
+
+参考:[クリップボード画像貼り付け](./office-clipboard-paste.mdx)は、スクリーンショットを会話に素早く貼り付ける方法を示しています。
+
+### ニーズを記述
+
+入力ボックスで、AIに画像に対して何を望むかを記述します。例えば:
+
+```
+画像コンテンツに基づいて、シンプルなhtmlファイルを生成してください
+```
+
+### 分析結果を取得
+
+Qwen Codeは画像コンテンツを分析して詳細な返信を提供します。さらに質問して、画像の詳細を深く議論したり、AIに画像コンテンツに基づいてコードを生成させたりできます。
+
+
+
+
+画像認識機能は複数のシーンをサポートしています:コードスクリーンショット分析、UIデザインモックアップからコードへの変換、エラー情報の解釈、アーキテクチャ図の理解、チャートデータの抽出など。最適な認識効果を得るために、明確な高解像度画像を使用することをお勧めします。
+
+
+
diff --git a/website/content/ja/showcase/office-mcp-image-gen.mdx b/website/content/ja/showcase/office-mcp-image-gen.mdx
new file mode 100644
index 000000000..72cd49a87
--- /dev/null
+++ b/website/content/ja/showcase/office-mcp-image-gen.mdx
@@ -0,0 +1,47 @@
+---
+title: "MCP画像生成"
+description: "MCPを通じて画像生成サービスを統合します。自然言語の記述でAIを駆動し、高品質な画像を作成します。"
+category: "日常タスク"
+features:
+ - "MCP"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+MCP(Model Context Protocol)画像生成機能により、自然言語の記述を通じてQwen CodeでAIを直接駆動し、高品質な画像を作成できます。専用の画像生成ツールに切り替える必要はなく、会話でニーズを記述するだけで、Qwen Codeが統合された画像生成サービスを呼び出し、要件を満たす画像を生成します。UIプロトタイプデザイン、アイコン作成、イラスト描画、コンセプト図制作に関わらず、MCP画像生成は強力なサポートを提供します。このシームレスに統合されたワークフローはデザインと開発の効率を大幅に向上させ、クリエイティブの実現をより便利にします。
+
+
+
+
+
+## 操作手順
+
+
+
+### MCPサービスを設定
+
+まず、MCP画像生成サービスを設定する必要があります。設定ファイルに画像生成サービスのAPIキーとエンドポイント情報を追加します。Qwen Codeは複数の主流画像生成サービスをサポートしており、ニーズと予算に応じて適切なサービスを選択できます。設定完了後、Qwen Codeを再起動して有効にします。
+
+### 画像要件を記述
+
+会話で自然言語で生成したい画像を詳細に記述します。画像のテーマ、スタイル、色、構成、詳細などの要素を含めます。記述が具体的であるほど、生成された画像は期待に近づきます。アートスタイル、特定のアーティストを参照したり、参照画像をアップロードしてAIがニーズをより良く理解するのを助けることができます。
+
+### 結果を表示・保存
+
+Qwen Codeは複数の画像を生成し、選択できるようにします。各画像をプレビューし、要件に最も適した画像を選択できます。調整が必要な場合は、修正意見を引き続き記述し、Qwen Codeはフィードバックに基づいて再生成します。満足したら、画像を直接ローカルに保存するか、画像リンクをコピーして他の場所で使用できます。
+
+
+
+
+MCP画像生成は複数のスタイルとサイズをサポートし、プロジェクトニーズに応じて柔軟に調整できます。生成された画像の著作権は使用されるサービスによって異なります。利用規約を確認してください。
+
+
+
diff --git a/website/content/ja/showcase/office-organize-desktop.mdx b/website/content/ja/showcase/office-organize-desktop.mdx
new file mode 100644
index 000000000..dc82ab4a5
--- /dev/null
+++ b/website/content/ja/showcase/office-organize-desktop.mdx
@@ -0,0 +1,56 @@
+---
+title: "デスクトップファイルを整理"
+description: "1文でQwen Codeにデスクトップファイルを自動整理させ、タイプ別にインテリジェントに分類します。"
+category: "日常タスク"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+デスクトップファイルが山積みしていて、必要なファイルが見つかりませんか?1文でQwen Codeにデスクトップファイルを自動整理させます。AIはファイルタイプをインテリジェントに識別し、画像、ドキュメント、コード、圧縮ファイルなどで自動的に分類し、明確なフォルダ構造を作成します。全体のプロセスは安全で制御可能です。AIはまず操作計画をリストアップして確認させ、重要なファイルが誤って移動されるのを防ぎます。デスクトップを瞬時に整理整頓し、作業効率を向上させます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 整理ニーズを記述
+
+デスクトップディレクトリに移動し、Qwen Codeを起動して、デスクトップファイルをどのように整理したいかをQwen Codeに伝えます。例えば、タイプ別、日付別など。
+
+```bash
+cd ~/Desktop
+デスクトップのファイルをタイプ別に整理してください
+```
+
+### 操作計画を確認
+
+Qwen Codeはデスクトップファイルを分析し、詳細な整理計画をリストアップします。どのファイルがどのフォルダに移動されるかが含まれます。計画を確認して問題がないことを確認できます。
+
+```bash
+この整理計画を実行してください
+```
+
+### 整理を実行して結果を表示
+
+確認後、Qwen Codeは計画通りに整理操作を実行します。完了後、整理されたデスクトップを表示でき、ファイルはすでにタイプ別に整然と配置されています。
+
+
+
+
+AIはまず操作計画をリストアップして確認させ、重要なファイルが誤って移動されるのを防ぎます。特定のファイルの分類に疑問がある場合は、実行前にQwen Codeにルールを調整するよう伝えることができます。
+
+
+
diff --git a/website/content/ja/showcase/office-ppt-presentation.mdx b/website/content/ja/showcase/office-ppt-presentation.mdx
new file mode 100644
index 000000000..9544179c5
--- /dev/null
+++ b/website/content/ja/showcase/office-ppt-presentation.mdx
@@ -0,0 +1,59 @@
+---
+title: "プレゼンテーション:PPT作成"
+description: "製品スクリーンショットに基づいてプレゼンテーションを作成します。スクリーンショットと説明を提供し、AIが美しいプレゼンテーションスライドを生成します。"
+category: "日常タスク"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png"
+videoUrl: "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+製品プレゼンテーションPPTを作成する必要がありますが、ゼロから始めたくありませんか?製品スクリーンショットと簡単な説明を提供するだけで、Qwen Codeが構造化された美しくデザインされたプレゼンテーションスライドを生成できます。AIはスクリーンショットコンテンツを分析し、製品の特徴を理解し、スライド構造を自動的に整理し、適切なコピーとレイアウトを追加します。製品リリース、チームプレゼンテーション、クライアントプレゼンテーションに関わらず、プロフェッショナルなPPTを素早く取得でき、大幅な時間とエネルギーを節約できます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 製品スクリーンショットを準備
+
+表示する製品インターフェースのスクリーンショットを収集します。主要機能ページ、特徴機能のデモなどが含まれます。スクリーンショットは明確で、製品の価値と特徴を十分に表示する必要があります。フォルダに配置します。例:qwen-code-images
+
+### 関連Skillsをインストール
+
+PPT生成関連のSkillsをインストールします。これらのSkillsにはスクリーンショットコンテンツを分析し、プレゼンテーションスライドを生成する機能が含まれています。
+
+```
+find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、そしてzarazhangrui/frontend-slidesをqwen code skillsにインストールしてください。
+```
+
+### プレゼンテーションを生成
+
+対応するファイルを参照し、Qwen Codeにニーズを伝えます。プレゼンテーションの目的、ターゲット、重点コンテンツなど。AIはこれらの情報に基づいてPPTを生成します。
+
+```
+@qwen-code-images これらのスクリーンショットに基づいて製品プレゼンテーションPPTを作成してください。技術チーム向けで、新機能に焦点を当てます
+```
+
+### 調整とエクスポート
+
+生成されたPPTを表示します。調整が必要な場合はQwen Codeに伝えることができます。例:「アーキテクチャ紹介ページを追加」「このページのコピーを調整」。満足したら、編集可能な形式でエクスポートします。
+
+```
+3ページ目のコピーを調整して、より簡潔にしてください
+```
+
+
+
+
diff --git a/website/content/ja/showcase/office-terminal-theme.mdx b/website/content/ja/showcase/office-terminal-theme.mdx
new file mode 100644
index 000000000..bb4ccb174
--- /dev/null
+++ b/website/content/ja/showcase/office-terminal-theme.mdx
@@ -0,0 +1,55 @@
+---
+title: "ターミナルテーマ切り替え"
+description: "1文でターミナルテーマを切り替えます。自然言語でスタイルを記述し、AIが自動的に適用します。"
+category: "日常タスク"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+デフォルトのターミナルテーマに飽きていませんか?自然言語で望むスタイルを記述すると、Qwen Codeが適切なテーマを見つけて適用します。ダークテックスタイル、フレッシュでシンプルなスタイル、レトロクラシックスタイルに関わらず、1文でAIが美的嗜好を理解し、ターミナルのカラースキームとスタイルを自動的に設定します。面倒な手動設定に別れを告げ、作業環境を瞬時に新しくします。
+
+
+
+
+
+## 操作手順
+
+
+
+### 望むテーマスタイルを記述
+
+会話で自然言語で好きなスタイルを記述します。例:「ターミナルテーマをダークテックスタイルに変更」「フレッシュでシンプルなライトテーマが欲しい」。Qwen Codeがニーズを理解します。
+
+```
+ターミナルテーマをダークテックスタイルに変更してください
+```
+
+### テーマを確認して適用
+
+Qwen Codeは記述に一致する複数のテーマオプションを推奨し、プレビュー効果を表示します。お気に入りのテーマを選択し、確認後、AIが自動的に設定を適用します。
+
+```
+良さそう、テーマを直接適用してください
+```
+
+### 微調整とパーソナライズ
+
+さらに調整が必要な場合は、引き続きQwen Codeに考えを伝えることができます。例:「背景色をもう少し暗く」「フォントサイズを調整」。AIが微調整を支援します。
+
+
+
+
+テーマ切り替えはターミナル設定ファイルを変更します。特定のターミナルアプリ(iTerm2、Terminal.appなど)を使用している場合、Qwen Codeが自動的に識別し、対応するテーマファイルを設定します。
+
+
+
diff --git a/website/content/ja/showcase/office-web-search-detail.mdx b/website/content/ja/showcase/office-web-search-detail.mdx
new file mode 100644
index 000000000..c54b01631
--- /dev/null
+++ b/website/content/ja/showcase/office-web-search-detail.mdx
@@ -0,0 +1,47 @@
+---
+title: "Web検索"
+description: "Qwen CodeにWebコンテンツを検索させ、リアルタイム情報を取得してプログラミングを支援します。最新の技術動向とドキュメントを理解します。"
+category: "入門ガイド"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+Web検索機能により、Qwen Codeはインターネット上の最新情報をリアルタイムで検索し、最新の技術ドキュメント、APIリファレンス、ベストプラクティス、ソリューションを取得できます。馴染みのない技術スタックに遭遇したり、最新バージョンの変更を理解したり、特定の問題の解決策を見つけたりする必要がある場合、Web検索によりAIが最新のWeb情報に基づいて正確な回答を提供できます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 検索リクエストを開始
+
+会話で検索したい内容を直接記述します。例:「React 19の新機能を検索」「Next.js App Routerのベストプラクティスを見つける」。Qwen Codeはネットワーク検索が必要かどうかを自動的に判断します。
+
+### 統合結果を表示
+
+AIは複数のWebソースを検索し、検索結果を統合して構造化された回答を提供します。回答には重要情報のソースリンクが含まれ、さらに深く理解するのに便利です。
+
+### 結果に基づいて継続
+
+検索結果に基づいてさらに質問でき、AIに検索した情報を実際のプログラミングタスクに適用させるよう依頼できます。例えば、新しいAPI使用法を検索した後、AIにコードのリファクタリングを手伝ってもらうことができます。
+
+
+
+
+Web検索は以下のシーンに特に適しています:最新のフレームワークバージョンの変更を理解する、特定のエラーの解決策を見つける、最新のAPIドキュメントを取得する、業界のベストプラクティスを理解するなど。検索結果はリアルタイムで更新され、最新情報を取得できます。
+
+
+
diff --git a/website/content/ja/showcase/office-weekly-report.mdx b/website/content/ja/showcase/office-weekly-report.mdx
new file mode 100644
index 000000000..f0bf81454
--- /dev/null
+++ b/website/content/ja/showcase/office-weekly-report.mdx
@@ -0,0 +1,67 @@
+---
+title: "週報を自動生成"
+description: "Skillsをカスタマイズします。1コマンドで今週の更新を自動クロールし、テンプレートに従って製品更新週報を作成します。"
+category: "日常タスク"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png"
+videoUrl: "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+毎週製品更新週報を作成するのは反復的で時間のかかる作業です。Qwen CodeのカスタムSkillsを使用すると、AIに今週の製品更新情報を自動クロールさせ、標準テンプレートに従って構造化された週報を生成させることができます。1コマンドで、AIがデータを収集し、コンテンツを分析し、ドキュメントに整理し、作業効率を大幅に向上させます。製品自体に集中でき、AIに面倒なドキュメント作業を任せることができます。
+
+
+
+
+
+## 操作手順
+
+
+
+### skills-creator Skillをインストール
+
+まず、SkillをインストールしてAIにどのデータソースの情報を収集する必要があるかを理解させます。
+
+```
+find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、そしてskills-creatorをqwen code skillsにインストールしてください。
+```
+
+### 週報Skillを作成
+
+Skill作成機能を使用して、カスタム週報生成Skillが必要であることをAIに伝えます。収集する必要があるデータタイプと週報構造を記述します。AIはニーズに基づいて新しいSkillを生成します。
+
+```
+オープンソースプロジェクト:https://github.com/QwenLM/qwen-code の週報を作成する必要があります。主に今週提出されたissue、解決されたbug、新しいバージョンとfeature、および振り返りと反省を含みます。言語はユーザー中心で、利他的で、感知可能である必要があります。Skillを作成してください。
+```
+
+### 週報コンテンツを生成
+
+設定完了後、生成コマンドを入力します。Qwen Codeが今週の更新情報を自動クロールし、製品週報テンプレートに従って構造化されたドキュメントに整理します。
+
+```
+今週のqwen-code製品更新週報を生成してください
+```
+
+### 週報を開き、編集・調整
+
+生成された週報は開いて調整でき、さらに編集したりチームと共有したりできます。AIにフォーマットとコンテンツの重点を調整させることもできます。
+
+```
+週報の言語をより活発にしてください
+```
+
+
+
+
+初回使用時はデータソースを設定する必要があります。一度設定すると再利用できます。スケジュールタスクを設定して、Qwen Codeに毎週自動的に週報を生成させ、完全に手を解放することもできます。
+
+
+
diff --git a/website/content/ja/showcase/office-write-file.mdx b/website/content/ja/showcase/office-write-file.mdx
new file mode 100644
index 000000000..51b5800d7
--- /dev/null
+++ b/website/content/ja/showcase/office-write-file.mdx
@@ -0,0 +1,59 @@
+---
+title: "1文でファイルを書き込む"
+description: "Qwen Codeにどのファイルを作成したいかを伝え、AIが自動的にコンテンツを生成して書き込みます。"
+category: "日常タスク"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+新しいファイルを作成する必要がありますが、ゼロからコンテンツを書き始めたくありませんか?Qwen Codeにどのファイルを作成したいかを伝えると、AIが適切なコンテンツを自動生成してファイルに書き込みます。README、設定ファイル、コードファイル、ドキュメントに関わらず、Qwen Codeはニーズに基づいて高品質なコンテンツを生成できます。ファイルの用途と基本要件を記述するだけで、AIが残りを処理し、ファイル作成効率を大幅に向上させます。
+
+
+
+
+
+## 操作手順
+
+
+
+### ファイルコンテンツと用途を記述
+
+Qwen Codeにどのタイプのファイルを作成したいか、およびファイルの主なコンテンツと用途を伝えます。
+
+```bash
+README.mdを作成してください。プロジェクト紹介とインストール手順を含めます
+```
+
+### 生成されたコンテンツを確認
+
+Qwen Codeが記述に基づいてファイルコンテンツを生成し、確認のために表示します。コンテンツを表示してニーズに合っていることを確認できます。
+
+```bash
+良さそう、ファイル作成を続けてください
+```
+
+### 修正と改善
+
+調整が必要な場合は、Qwen Codeに具体的な修正要件を伝えることができます。例:「使用例を追加」「フォーマットを調整」。
+
+```bash
+いくつかのコード例を追加してください
+```
+
+
+
+
+Qwen Codeはテキストファイル、コードファイル、設定ファイルなど様々なファイルタイプをサポートしています。生成されたファイルは指定されたディレクトリに自動的に保存され、エディタでさらに修正できます。
+
+
+
diff --git a/website/content/ja/showcase/product-insight.mdx b/website/content/ja/showcase/product-insight.mdx
new file mode 100644
index 000000000..c9c7d1f2a
--- /dev/null
+++ b/website/content/ja/showcase/product-insight.mdx
@@ -0,0 +1,53 @@
+---
+title: "Insightデータインサイト"
+description: "個人AI使用レポートを表示します。プログラミング効率とコラボレーションデータを理解します。データ駆動の習慣最適化を使用します。"
+category: "日常タスク"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+InsightはQwen Codeの個人使用データ分析パネルであり、包括的なAIプログラミング効率インサイトを提供します。会話回数、コード生成量、頻繁に使用される機能、プログラミング言語の好みなどの主要指標を追跡し、視覚化されたデータレポートを生成します。これらのデータを通じて、プログラミング習慣、AI支援効果、コラボレーションパターンを明確に理解できます。Insightは効率改善の余地を発見するだけでなく、どの分野でAIを最も効果的に使用しているかを示し、AIの価値をより良く発揮できるようにします。データ駆動のインサイトにより、すべての使用がより意味のあるものになります。
+
+
+
+
+
+## 操作手順
+
+
+
+### Insightパネルを開く
+
+会話で`/insight`コマンドを入力してInsightデータインサイトパネルを開きます。パネルは使用概要を表示し、総会話回数、コード生成行数、推定節約時間などの主要指標が含まれます。これらのデータは直感的なチャート形式で表示され、AI使用状況を一目で理解できます。
+
+```bash
+/insight
+```
+
+### 使用レポートを分析
+
+詳細な使用レポートを深く表示します。日次会話トレンド、頻繁に使用される機能分布、プログラミング言語の好み、コードタイプ分析などの次元が含まれます。Insightは使用パターンに基づいてパーソナライズされたインサイトと提案を提供し、潜在的な改善空間を発見するのに役立ちます。時間範囲でデータをフィルタリングし、異なる期間の使用効率を比較できます。
+
+### 使用習慣を最適化
+
+データインサイトに基づいて、AI使用戦略を調整します。例えば、特定の機能を頻繁に使用しているが効率が低いことに気づいた場合、より効率的な使用方法を学習できます。特定のプログラミング言語やタスクタイプでAI支援がより効果的であることに気づいた場合、同様のシーンでAIをより頻繁に使用できます。データの変化を継続的に追跡し、最適化効果を検証します。
+
+Insight機能の使用方法を知りたいですか?私たちの[AIにAIをより良く使用する方法を教えてもらう](../blog/how-to-use-qwencode-insight.mdx)を確認できます
+
+
+
+
+Insightデータはローカルのみに保存され、クラウドにアップロードされないため、使用プライバシーとデータセキュリティが保証されます。定期的にレポートを確認し、データ駆動の使用習慣を身につけてください。
+
+
+
diff --git a/website/content/ja/showcase/study-learning.mdx b/website/content/ja/showcase/study-learning.mdx
new file mode 100644
index 000000000..1f4dacc17
--- /dev/null
+++ b/website/content/ja/showcase/study-learning.mdx
@@ -0,0 +1,71 @@
+---
+title: "コード学習"
+description: "オープンソースリポジトリをクローンしてコードを学習・理解します。Qwen Codeがオープンソースプロジェクトへの貢献方法をガイドします。"
+category: "学習・研究"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+優れたオープンソースコードを学習することは、プログラミング能力を向上させる素晴らしい方法です。Qwen Codeは複雑なプロジェクトのアーキテクチャと実装の詳細を深く理解し、適切な貢献ポイントを見つけ、コード修正をガイドするのを助けることができます。新しい技術スタックを学習したい場合でも、オープンソースコミュニティに貢献したい場合でも、Qwen Codeは理想的なプログラミングメンターです。
+
+
+
+
+
+## 操作手順
+
+
+
+### リポジトリをクローン
+
+git cloneを使用してオープンソースプロジェクトをローカルにダウンロードします。興味のあるプロジェクトを選択し、開発環境にクローンします。プロジェクトが良好なドキュメントとアクティブなコミュニティを持っていることを確認すると、学習プロセスがよりスムーズになります。
+
+```bash
+git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code
+```
+
+### Qwen Codeを起動
+
+プロジェクトディレクトリでQwen Codeを起動します。これにより、AIがすべてのプロジェクトファイルにアクセスし、コンテキスト関連のコード説明と提案を提供できます。Qwen Codeはプロジェクト構造を自動的に分析し、主要なモジュールと依存関係を識別します。
+
+```bash
+qwen
+```
+
+### コード説明をリクエスト
+
+AIにプロジェクトのどの部分や機能を理解したいかを伝えます。全体アーキテクチャ、特定のモジュールの実装ロジック、特定の機能のデザインアイデアを尋ねることができます。AIは明確な言語でコードを説明し、関連する背景知識を提供します。
+
+```bash
+このプロジェクトの全体アーキテクチャと主要モジュールを説明してください
+```
+
+### 貢献ポイントを見つける
+
+AIに初心者が参加できる適切なissueや機能を見つけるのを手伝ってもらいます。AIはプロジェクトのissueリストを分析し、難易度、タグ、説明に基づいて適切な貢献ポイントを推奨します。これはオープンソース貢献を始める良い方法です。
+
+```bash
+初心者が参加できるオープンissueはありますか?
+```
+
+### 修正を実装
+
+AIのガイダンスに従ってコード修正を段階的に実装します。AIは問題の分析、ソリューションの設計、コードの記述を支援し、修正がプロジェクトのコード標準に準拠していることを保証します。修正完了後、PRを提出してオープンソースプロジェクトに貢献できます。
+
+
+
+
+オープンソースプロジェクトに参加することで、プログラミングスキルを向上させるだけでなく、技術的影響力を構築し、志を同じくする開発者と出会うことができます。
+
+
+
diff --git a/website/content/ja/showcase/study-read-paper.mdx b/website/content/ja/showcase/study-read-paper.mdx
new file mode 100644
index 000000000..157f0eae2
--- /dev/null
+++ b/website/content/ja/showcase/study-read-paper.mdx
@@ -0,0 +1,67 @@
+---
+title: "論文を読む"
+description: "学術論文を直接読み取り・分析します。AIが複雑な研究コンテンツを理解し、学習カードを生成します。"
+category: "学習・研究"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## 概要
+
+学術論文は難解で理解するのに多くの時間を要することがよくあります。Qwen Codeは論文を直接読み取り・分析し、主要なポイントを抽出し、複雑な概念を説明し、研究方法を要約するのを助けることができます。AIは論文コンテンツを深く理解し、理解しやすい言語で説明し、構造化された学習カードを生成して復習や共有を容易にします。新しい技術を学習する場合でも、最先端分野を研究する場合でも、学習効率を大幅に向上させることができます。
+
+
+
+
+
+## 操作手順
+
+
+
+### 論文情報を提供
+
+Qwen Codeに読みたい論文を伝えます。論文タイトル、PDFファイルパス、arXivリンクを提供できます。AIが論文コンテンツを自動的に取得・分析します。
+
+```
+この論文をダウンロード・分析してください:attention is all you need https://arxiv.org/abs/1706.03762
+```
+
+### 論文を読む
+
+PDF関連のSkillsをインストールして、Qwen Codeに論文コンテンツを分析させ、構造化された学習カードを生成させます。論文要約、主要ポイント、主要概念、重要な結論を表示できます。
+
+```
+find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、そしてAnthropic pdfなどのオフィスSkillsをqwen code skillsにインストールしてください。
+```
+
+### 深い学習と質問
+
+読書中、いつでもQwen Codeに質問できます。例:「自己注意メカニズムを説明してください」「この式はどのように導出されたか」。AIが詳細に回答し、深く理解するのを支援します。
+
+```
+Transformerアーキテクチャの主要なアイデアを説明してください
+```
+
+### 学習カードを生成
+
+学習完了後、Qwen Codeに学習カードを生成させ、論文の主要ポイント、主要概念、重要な結論を要約させます。これらのカードは復習やチームとの共有を容易にします。
+
+```bash
+この論文の学習カードを生成してください
+```
+
+
+
+
+Qwen CodeはPDF、arXivリンクなど複数の論文フォーマットをサポートしています。数式とチャートの場合、AIがその意味を詳細に説明し、論文コンテンツを完全に理解するのを支援します。
+
+
+
diff --git a/website/content/pt-BR/showcase/code-lsp-intelligence.mdx b/website/content/pt-BR/showcase/code-lsp-intelligence.mdx
new file mode 100644
index 000000000..9af65bc1a
--- /dev/null
+++ b/website/content/pt-BR/showcase/code-lsp-intelligence.mdx
@@ -0,0 +1,46 @@
+---
+title: "LSP IntelliSense"
+description: "Ao integrar o LSP (Language Server Protocol), o Qwen Code oferece conclusão de código e navegação de nível profissional com diagnósticos em tempo real."
+category: "Programação"
+features:
+ - "LSP"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O LSP (Language Server Protocol) IntelliSense permite que o Qwen Code forneça experiências de conclusão de código e navegação comparáveis às IDEs profissionais. Ao integrar servidores de linguagem, o Qwen Code pode entender com precisão a estrutura do código, informações de tipo e relações contextuais para fornecer sugestões de código de alta qualidade. Seja para assinaturas de funções, dicas de parâmetros, conclusão de nomes de variáveis, saltos de definição, busca de referências ou operações de refatoração, o LSP IntelliSense lida com tudo de forma fluida.
+
+
+
+
+
+## Passos
+
+
+
+### Detecção Automática
+
+O Qwen Code detecta automaticamente as configurações do servidor de linguagem no seu projeto. Para linguagens de programação e frameworks comuns, ele reconhece e inicia automaticamente o serviço LSP correspondente. Sem configuração manual necessária, pronto para usar imediatamente.
+
+### Aproveitar o IntelliSense
+
+Ao codificar, o LSP IntelliSense é ativado automaticamente. Enquanto você digita, ele fornece sugestões de conclusão precisas baseadas no contexto, incluindo nomes de funções, nomes de variáveis e anotações de tipo. Pressione Tab para aceitar rapidamente uma sugestão.
+
+### Diagnóstico de Erros
+
+O diagnóstico em tempo real do LSP analisa continuamente seu código durante a codificação, detectando problemas potenciais. Erros e avisos são exibidos intuitivamente com localização do problema, tipo de erro e sugestões de correção.
+
+
+
+
+Suporta linguagens comuns como TypeScript, Python, Java, Go, Rust e frameworks frontend como React, Vue e Angular.
+
+
+
diff --git a/website/content/pt-BR/showcase/code-pr-review.mdx b/website/content/pt-BR/showcase/code-pr-review.mdx
new file mode 100644
index 000000000..0d174d30e
--- /dev/null
+++ b/website/content/pt-BR/showcase/code-pr-review.mdx
@@ -0,0 +1,63 @@
+---
+title: "Revisão de PR"
+description: "Use o Qwen Code para realizar revisões de código inteligentes em Pull Requests e descobrir automaticamente problemas potenciais."
+category: "Programação"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+A revisão de código é um passo crucial para garantir a qualidade do código, mas muitas vezes é demorada e propensa a erros. O Qwen Code pode ajudá-lo a realizar revisões de código inteligentes em Pull Requests, analisar automaticamente as alterações de código, encontrar bugs potenciais, verificar padrões de código e fornecer relatórios de revisão detalhados.
+
+
+
+
+
+## Passos
+
+
+
+### Especificar a PR para Revisão
+
+Informe ao Qwen Code qual Pull Request você deseja revisar fornecendo o número ou link da PR.
+
+
+Você pode usar o skill pr-review para analisar PRs. Para instalação do skill, veja: [Instalar Skills](./guide-skill-install.mdx).
+
+
+```bash
+/skill pr-review Por favor, revise esta PR:
+```
+
+### Executar Testes e Verificações
+
+O Qwen Code analisará as alterações de código, identificará casos de teste relevantes e executará testes para verificar a correção do código.
+
+```bash
+Executar testes para verificar se esta PR passa em todos os casos de teste
+```
+
+### Ver o Relatório de Revisão
+
+Após a revisão, o Qwen Code gera um relatório detalhado incluindo problemas descobertos, riscos potenciais e sugestões de melhoria.
+
+```bash
+Exibir o relatório de revisão e listar todos os problemas descobertos
+```
+
+
+
+
+A revisão de código do Qwen Code analisa não apenas sintaxe e padrões, mas também a lógica do código para identificar problemas de desempenho potenciais, vulnerabilidades de segurança e falhas de design.
+
+
+
diff --git a/website/content/pt-BR/showcase/code-solve-issue.mdx b/website/content/pt-BR/showcase/code-solve-issue.mdx
new file mode 100644
index 000000000..157ea4549
--- /dev/null
+++ b/website/content/pt-BR/showcase/code-solve-issue.mdx
@@ -0,0 +1,71 @@
+---
+title: "Resolver Issues"
+description: "Use o Qwen Code para analisar e resolver issues de projetos open source, com rastreamento completo do processo desde a compreensão até a submissão do código."
+category: "Programação"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Resolver issues de projetos open source é uma forma importante de melhorar habilidades de programação e construir influência técnica. O Qwen Code pode ajudá-lo a localizar problemas rapidamente, entender o código relacionado, formular planos de correção e implementar alterações de código.
+
+
+
+
+
+## Passos
+
+
+
+### Escolher uma Issue
+
+Encontre uma issue interessante ou adequada no GitHub. Priorize issues com descrições claras, etapas de reprodução e resultados esperados. Labels como `good first issue` ou `help wanted` são boas para iniciantes.
+
+### Clonar o Projeto e Localizar o Problema
+
+Baixe o código do projeto e deixe a IA localizar o problema. Use `@file` para referenciar arquivos relevantes.
+
+```bash
+Me ajude a analisar onde está o problema descrito nesta issue, link da issue:
+```
+
+### Entender o Código Relacionado
+
+Peça à IA para explicar a lógica do código relacionado e as dependências.
+
+### Formular um Plano de Correção
+
+Discuta soluções possíveis com a IA e escolha a melhor.
+
+### Implementar Alterações de Código
+
+Modifique o código gradualmente com orientação da IA e teste-o.
+
+```bash
+Me ajude a modificar este código para resolver o problema
+```
+
+### Submeter uma PR
+
+Após concluir as alterações, submeta uma PR e aguarde a revisão do mantenedor do projeto.
+
+```bash
+Me ajude a submeter uma PR para resolver este problema
+```
+
+
+
+
+Resolver issues open source não apenas melhora habilidades técnicas, mas também constrói influência técnica e promove o desenvolvimento de carreira.
+
+
+
diff --git a/website/content/pt-BR/showcase/creator-oss-promo-video.mdx b/website/content/pt-BR/showcase/creator-oss-promo-video.mdx
new file mode 100644
index 000000000..2c9aedb77
--- /dev/null
+++ b/website/content/pt-BR/showcase/creator-oss-promo-video.mdx
@@ -0,0 +1,48 @@
+---
+title: "Criar Vídeo Promocional para Seu Projeto Open Source"
+description: "Forneça uma URL de repositório e a IA gera um belo vídeo de demonstração do projeto para você."
+category: "Ferramentas de Criação"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Quer criar um vídeo promocional para seu projeto open source mas não tem experiência em produção de vídeo? O Qwen Code pode gerar automaticamente belos vídeos de demonstração de projeto. Basta fornecer a URL do repositório GitHub, e a IA analisará a estrutura do projeto, extrairá funcionalidades-chave, gerará scripts de animação e renderizará um vídeo profissional com Remotion.
+
+
+
+
+
+## Passos
+
+
+
+### Preparar o Repositório
+
+Certifique-se de que seu repositório GitHub contém informações completas do projeto e documentação, incluindo README, capturas de tela e descrições de funcionalidades.
+
+### Gerar o Vídeo Promocional
+
+Informe ao Qwen Code o estilo e foco do vídeo desejado, e a IA analisará automaticamente o projeto e gerará o vídeo.
+
+```bash
+Com base neste skill https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, me ajude a gerar um vídeo de demonstração para o repositório open source:
+```
+
+
+
+
+Os vídeos gerados suportam múltiplas resoluções e formatos, e podem ser enviados diretamente para o YouTube e outras plataformas de vídeo.
+
+
+
diff --git a/website/content/pt-BR/showcase/creator-remotion-video.mdx b/website/content/pt-BR/showcase/creator-remotion-video.mdx
new file mode 100644
index 000000000..fee266a37
--- /dev/null
+++ b/website/content/pt-BR/showcase/creator-remotion-video.mdx
@@ -0,0 +1,68 @@
+---
+title: "Criação de Vídeo Remotion"
+description: "Descreva suas ideias criativas em linguagem natural e use o Skill Remotion para criar conteúdo de vídeo gerado por código."
+category: "Ferramentas de Criação"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Quer criar vídeos mas não sabe programar? Ao descrever suas ideias criativas em linguagem natural, o Qwen Code pode usar o Skill Remotion para gerar código de vídeo. A IA entende sua descrição criativa e gera automaticamente o código do projeto Remotion, incluindo configuração de cenas, efeitos de animação e layout de texto.
+
+
+
+
+
+## Passos
+
+
+
+### Instalar o Skill Remotion
+
+Primeiro, instale o Skill Remotion, que contém melhores práticas e templates para criação de vídeo.
+
+```bash
+Verifique se tenho find skills, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, depois me ajude a instalar remotion-best-practice.
+```
+
+### Descrever Sua Ideia Criativa
+
+Descreva em linguagem natural o conteúdo de vídeo que deseja criar, incluindo tema, estilo, duração e cenas-chave.
+
+```bash
+@file Com base no documento, crie um vídeo promocional de produto de 30 segundos com estilo moderno e minimalista.
+```
+
+### Visualizar e Ajustar
+
+O Qwen Code gerará o código do projeto Remotion com base na sua descrição. Inicie o servidor de desenvolvimento para visualizar.
+
+```bash
+npm run dev
+```
+
+### Renderizar e Exportar
+
+Quando estiver satisfeito, use o comando build para renderizar o vídeo final.
+
+```bash
+Me ajude a renderizar e exportar o vídeo diretamente.
+```
+
+
+
+
+A abordagem baseada em prompts é ideal para prototipagem rápida e exploração criativa. O código gerado pode ser editado manualmente para implementar funcionalidades mais complexas.
+
+
+
diff --git a/website/content/pt-BR/showcase/creator-resume-site-quick.mdx b/website/content/pt-BR/showcase/creator-resume-site-quick.mdx
new file mode 100644
index 000000000..506571cb4
--- /dev/null
+++ b/website/content/pt-BR/showcase/creator-resume-site-quick.mdx
@@ -0,0 +1,67 @@
+---
+title: "Criar Site de Currículo Pessoal"
+description: "Crie um site de currículo pessoal com uma frase – integre suas experiências para gerar uma página de apresentação com exportação em PDF."
+category: "Ferramentas de Criação"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Um site de currículo pessoal é uma ferramenta importante para busca de emprego e autopresentação. O Qwen Code pode gerar rapidamente uma página de apresentação profissional com base no conteúdo do seu currículo, com suporte a exportação em PDF para facilitar candidaturas.
+
+
+
+
+
+## Passos
+
+
+
+### Fornecer Experiências Pessoais
+
+Informe à IA sua formação educacional, experiência profissional, experiência em projetos e habilidades.
+
+```bash
+Sou desenvolvedor frontend, formado pela universidade XX, com 3 anos de experiência, especializado em React e TypeScript...
+```
+
+### Instalar o Skill de Design Web
+
+Instale o Skill de design web que fornece templates de design de currículo.
+
+```bash
+Verifique se tenho find skills, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills, depois me ajude a instalar web-component-design.
+```
+
+### Escolher Estilo de Design
+
+Descreva o estilo de currículo que prefere, como minimalista, profissional ou criativo.
+
+```bash
+/skills web-component-design Me ajude a criar um site de currículo com estilo minimalista e profissional
+```
+
+### Gerar o Site de Currículo
+
+A IA criará um projeto completo de site de currículo com layout responsivo e estilos de impressão.
+
+```bash
+npm run dev
+```
+
+
+
+
+Seu site de currículo deve destacar seus pontos fortes e realizações principais, usando dados e exemplos específicos para embasar as descrições.
+
+
+
diff --git a/website/content/pt-BR/showcase/creator-website-clone.mdx b/website/content/pt-BR/showcase/creator-website-clone.mdx
new file mode 100644
index 000000000..570ec2de8
--- /dev/null
+++ b/website/content/pt-BR/showcase/creator-website-clone.mdx
@@ -0,0 +1,63 @@
+---
+title: "Replicar Seu Site Favorito com Uma Frase"
+description: "Dê uma captura de tela ao Qwen Code e a IA analisa a estrutura da página para gerar código frontend completo."
+category: "Ferramentas de Criação"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Encontrou um design de site que gostou e quer replicá-lo rapidamente? Basta dar uma captura de tela ao Qwen Code e a IA pode analisar a estrutura da página e gerar código frontend completo. O Qwen Code reconhecerá o layout da página, esquema de cores e estrutura de componentes, e gerará código executável usando tecnologias frontend modernas.
+
+
+
+
+
+## Passos
+
+
+
+### Preparar Captura de Tela do Site
+
+Faça uma captura de tela da interface do site que deseja replicar, garantindo que seja clara e completa.
+
+### Instalar o Skill Correspondente
+
+Instale o Skill de reconhecimento de imagens e geração de código frontend.
+
+```bash
+Verifique se tenho find skills, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, depois me ajude a instalar web-component-design.
+```
+
+### Colar a Captura de Tela e Descrever os Requisitos
+
+Cole a captura de tela na conversa e informe ao Qwen Code seus requisitos específicos.
+
+```bash
+/skills web-component-design Com base neste skill, replique uma página web HTML baseada em @website.png, garantindo que as referências de imagens sejam válidas.
+```
+
+Exemplo de captura de tela:
+
+
+
+### Executar e Visualizar
+
+Abra a página web correspondente para verificar. Se precisar ajustar o design ou funcionalidades, continue interagindo com a IA para modificar o código.
+
+
+
+
+O código gerado segue as melhores práticas frontend modernas com boa estrutura e manutenibilidade. Você pode personalizá-lo e expandi-lo ainda mais.
+
+
+
diff --git a/website/content/pt-BR/showcase/creator-youtube-to-blog.mdx b/website/content/pt-BR/showcase/creator-youtube-to-blog.mdx
new file mode 100644
index 000000000..ceceae446
--- /dev/null
+++ b/website/content/pt-BR/showcase/creator-youtube-to-blog.mdx
@@ -0,0 +1,52 @@
+---
+title: "Converter Vídeos do YouTube em Artigos de Blog"
+description: "Use o Qwen Code para converter automaticamente vídeos do YouTube em artigos de blog estruturados."
+category: "Ferramentas de Criação"
+features:
+ - "Skills"
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Encontrou um ótimo vídeo no YouTube e quer convertê-lo em um artigo de blog? O Qwen Code pode extrair automaticamente o conteúdo do vídeo e gerar artigos de blog bem estruturados e ricos em conteúdo. A IA obtém a transcrição do vídeo, entende os pontos-chave e organiza o conteúdo no formato padrão de artigo de blog.
+
+
+
+
+
+## Passos
+
+
+
+### Fornecer o Link do Vídeo
+
+Informe ao Qwen Code o link do vídeo do YouTube que deseja converter.
+
+```
+Com base neste skill: https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, me ajude a escrever este vídeo como um blog: https://www.youtube.com/watch?v=fJSLnxi1i64
+```
+
+### Gerar e Editar o Artigo de Blog
+
+A IA analisará a transcrição e gerará um artigo com título, introdução, corpo e conclusão.
+
+```
+Me ajude a ajustar o estilo de linguagem deste artigo para ser mais adequado a um blog técnico
+```
+
+
+
+
+Os artigos gerados suportam o formato Markdown e podem ser publicados diretamente em plataformas de blog ou GitHub Pages.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-agents-config.mdx b/website/content/pt-BR/showcase/guide-agents-config.mdx
new file mode 100644
index 000000000..a61cc1b66
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-agents-config.mdx
@@ -0,0 +1,66 @@
+---
+title: "Arquivo de configuração do Agents"
+description: "Personalize o comportamento da IA através do arquivo MD Agents, permitindo que a IA se adapte às especificações do seu projeto e estilo de codificação."
+category: "Guia de Início"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O arquivo de configuração do Agents permite que você personalize o comportamento da IA através de arquivos Markdown, permitindo que a IA se adapte às especificações do seu projeto e estilo de codificação. Você pode definir estilo de código, convenções de nomenclatura, requisitos de comentários, etc., e a IA gerará código que atende aos padrões do projeto com base nessas configurações. Este recurso é especialmente adequado para colaboração em equipe, garantindo que os estilos de código gerados por todos os membros sejam consistentes.
+
+
+
+
+
+## Passos
+
+
+
+### Criar arquivo de configuração
+
+Crie uma pasta `.qwen` no diretório raiz do projeto e crie um arquivo `AGENTS.md` dentro dela. Este arquivo armazenará sua configuração de comportamento da IA.
+
+```bash
+mkdir -p .qwen && touch .qwen/AGENTS.md
+```
+
+### Escrever configuração
+
+Escreva a configuração no formato Markdown, descrevendo as especificações do projeto em linguagem natural. Você pode definir estilo de código, convenções de nomenclatura, requisitos de comentários, preferências de framework, etc., e a IA ajustará seu comportamento com base nessas configurações.
+
+```markdown
+# Especificações do projeto
+
+### Estilo de código
+
+- Usar TypeScript
+- Usar programação funcional
+- Adicionar comentários detalhados
+
+### Convenções de nomenclatura
+
+- Usar camelCase para variáveis
+- Usar UPPER_SNAKE_CASE para constantes
+- Usar PascalCase para nomes de classes
+```
+
+### Aplicar configuração
+
+Após salvar o arquivo de configuração, a IA o lerá automaticamente e o aplicará. Na próxima conversa, a IA gerará código que atende aos padrões do projeto com base na configuração, sem necessidade de repetir as especificações.
+
+
+
+
+Suporta formato Markdown, descreva as especificações do projeto em linguagem natural.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-api-setup.mdx b/website/content/pt-BR/showcase/guide-api-setup.mdx
new file mode 100644
index 000000000..ceba3616c
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-api-setup.mdx
@@ -0,0 +1,111 @@
+---
+title: "Guia de configuração de API"
+description: "Configure a chave API e parâmetros do modelo para personalizar sua experiência de programação com IA, suportando múltiplas seleções de modelo."
+category: "Guia de Início"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Configurar uma chave API é uma etapa importante para usar o Qwen Code, pois desbloqueia todos os recursos e permite acessar modelos de IA poderosos. Através da plataforma Alibaba Cloud Bailian, você pode obter facilmente uma chave API e escolher o modelo mais adequado para diferentes cenários. Seja para desenvolvimento diário ou tarefas complexas, a configuração adequada do modelo pode melhorar significativamente sua eficiência de trabalho.
+
+
+
+
+
+## Passos
+
+
+
+### Obter chave API
+
+Visite a [plataforma Alibaba Cloud Bailian](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), encontre a página de gerenciamento de chaves API no centro pessoal. Clique para criar uma nova chave API, e o sistema gerará uma chave única. Esta chave é sua credencial para acessar os serviços Qwen Code, por favor, mantenha-a em segurança.
+
+
+
+
+Por favor, mantenha sua chave API segura e não a divulgue para outras pessoas ou a commit no repositório de código.
+
+
+### Configurar chave API no Qwen Code
+
+**1. Deixar Qwen Code configurar automaticamente**
+
+Abra o terminal, inicie Qwen Code diretamente no diretório raiz, copie o seguinte código e informe sua CHAVE-API, a configuração será bem-sucedida. Reinicie Qwen Code e digite `/model` para alternar para o modelo configurado.
+
+```json
+Ajude-me a configurar `settings.json` para o modelo Bailian de acordo com o seguinte conteúdo:
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "",
+ "name": "[Bailian] ",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": ""
+ },
+}
+Para entrada do nome do modelo, consulte: https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all
+Minha CHAVE-API é:
+```
+
+Em seguida, cole sua CHAVE-API na caixa de entrada, informe o nome do modelo necessário, como `qwen3.5-plus`, e envie para concluir a configuração.
+
+
+
+**2. Configuração manual**
+
+Configure manualmente o arquivo settings.json. O local do arquivo está no diretório `/.qwen`. Você pode copiar o seguinte conteúdo e modificar sua CHAVE-API e nome do modelo.
+
+```json
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "",
+ "name": "[Bailian] ",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": ""
+ },
+}
+```
+
+### Selecionar modelo
+
+Escolha o modelo apropriado de acordo com suas necessidades, equilibrando velocidade e desempenho. Diferentes modelos são adequados para diferentes cenários. Você pode escolher com base na complexidade da tarefa e requisitos de tempo de resposta. Use o comando `/model` para alternar rapidamente entre modelos.
+
+Opções comuns de modelo:
+- `qwen3.5-plus`: Poderoso, adequado para tarefas complexas
+- `qwen3.5-flash`: Rápido, adequado para tarefas simples
+- `qwen-max`: Modelo mais poderoso, adequado para tarefas de alta dificuldade
+
+### Testar conexão
+
+Envie uma mensagem de teste para confirmar que a configuração da API está correta. Se a configuração for bem-sucedida, Qwen Code responderá imediatamente, o que significa que você está pronto para começar a usar a programação assistida por IA. Se encontrar problemas, verifique se a chave API está configurada corretamente.
+
+```bash
+Hello, can you help me with coding?
+```
+
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-authentication.mdx b/website/content/pt-BR/showcase/guide-authentication.mdx
new file mode 100644
index 000000000..d38523cdc
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-authentication.mdx
@@ -0,0 +1,50 @@
+---
+title: "Autenticação e login"
+description: "Entenda o processo de autenticação do Qwen Code, conclua rapidamente o login da conta e desbloqueie todos os recursos."
+category: "Guia de Início"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+A autenticação e login são a primeira etapa para usar o Qwen Code. Através de um processo de autenticação simples, você pode desbloquear rapidamente todos os recursos. O processo de autenticação é seguro e confiável, suporta múltiplos métodos de login e garante a segurança da sua conta e dados. Após concluir a autenticação, você pode desfrutar de uma experiência de programação com IA personalizada, incluindo configuração personalizada de modelo, salvamento de histórico, etc.
+
+
+
+
+
+## Passos
+
+
+
+### Acionar autenticação
+
+Após iniciar o Qwen Code, digite o comando `/auth`, e o sistema iniciará automaticamente o processo de autenticação. O comando de autenticação pode ser usado na linha de comando ou na extensão VS Code, e o método de operação é consistente. O sistema detectará o status de autenticação atual e, se não estiver conectado, guiará você para completar o login.
+
+```bash
+/auth
+```
+
+### Login via navegador
+
+O sistema abrirá automaticamente o navegador e redirecionará para a página de autenticação. Na página de autenticação, você pode escolher usar uma conta Alibaba Cloud ou outros métodos de login suportados. O processo de login é rápido e conveniente, levando apenas alguns segundos.
+
+### Confirmar login
+
+Após um login bem-sucedido, o navegador fechará automaticamente ou exibirá uma mensagem de sucesso. Ao retornar à interface Qwen Code, você verá a mensagem de sucesso da autenticação, indicando que você fez login com sucesso e desbloqueou todos os recursos. As informações de autenticação serão salvas automaticamente, então não há necessidade de fazer login novamente.
+
+
+
+
+As informações de autenticação são armazenadas com segurança localmente, sem necessidade de fazer login novamente a cada vez.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-bailian-coding-plan.mdx b/website/content/pt-BR/showcase/guide-bailian-coding-plan.mdx
new file mode 100644
index 000000000..749e90a17
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-bailian-coding-plan.mdx
@@ -0,0 +1,57 @@
+---
+title: "Modo Bailian Coding Plan"
+description: "Configure para usar Bailian Coding Plan, múltiplas seleções de modelo, melhorar a qualidade de conclusão de tarefas complexas."
+category: "Guia de Início"
+features:
+ - "Plan Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O modo Bailian Coding Plan é um recurso avançado do Qwen Code, projetado especificamente para tarefas de programação complexas. Através da colaboração inteligente de múltiplos modelos, ele pode decompor grandes tarefas em etapas executáveis e planejar automaticamente o caminho de execução ideal. Seja refatorando grandes bases de código ou implementando funcionalidades complexas, o Coding Plan pode melhorar significativamente a qualidade e a eficiência de conclusão de tarefas.
+
+
+
+
+
+## Passos
+
+
+
+### Entrar na interface de configurações
+
+Inicie Qwen Code e digite o comando `/auth`.
+
+### Selecionar Coding Plan
+
+Habilite o modo Bailian Coding Plan nas configurações, digite sua chave API, e Qwen Code configurará automaticamente os modelos suportados pelo Coding Plan para você.
+
+
+
+### Selecionar modelo
+
+Digite diretamente o comando `/model` para selecionar o modelo desejado.
+
+### Iniciar tarefa complexa
+
+Descreva sua tarefa de programação, e o Coding Plan planejará automaticamente as etapas de execução. Você pode explicar em detalhes os objetivos, restrições e resultados esperados da tarefa. A IA analisará os requisitos da tarefa e gerará um plano de execução estruturado, incluindo operações específicas e resultados esperados para cada etapa.
+
+```bash
+Preciso refatorar a camada de dados deste projeto, migrar o banco de dados de MySQL para PostgreSQL mantendo a interface API inalterada
+```
+
+
+
+
+O modo Coding Plan é especialmente adequado para tarefas complexas que exigem colaboração de múltiplas etapas, como refatoração de arquitetura, migração de funcionalidades, etc.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-copy-optimization.mdx b/website/content/pt-BR/showcase/guide-copy-optimization.mdx
new file mode 100644
index 000000000..6a2206de0
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-copy-optimization.mdx
@@ -0,0 +1,42 @@
+---
+title: "Otimização de cópia de caracteres"
+description: "Experiência de cópia de código otimizada, seleção precisa e cópia de trechos de código, preservando formato completo."
+category: "Guia de Início"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+A experiência de cópia de código otimizada permite que você selecione e copie trechos de código com precisão, preservando o formato completo e o recuo. Seja blocos de código inteiros ou linhas parciais, você pode facilmente copiar e colar em seu projeto. A função de cópia suporta múltiplos métodos, incluindo cópia com um clique, cópia por seleção e cópia por atalho de teclado, atendendo às necessidades de diferentes cenários.
+
+
+
+
+
+## Passos
+
+
+
+### Selecionar bloco de código
+
+Clique no botão de cópia no canto superior direito do bloco de código para copiar todo o bloco com um clique. O botão de cópia é claramente visível e a operação é simples e rápida. O conteúdo copiado manterá o formato original, incluindo recuo, destaque de sintaxe, etc.
+
+### Colar e usar
+
+Cole o código copiado em seu editor, e o formato será mantido automaticamente. Você pode usá-lo diretamente sem precisar ajustar manualmente o recuo ou formatação. O código colado é totalmente consistente com o código original, garantindo a correção do código.
+
+### Seleção precisa
+
+Se você só precisa copiar parte do código, pode usar o mouse para selecionar o conteúdo necessário e, em seguida, usar o atalho de teclado para copiar. Suporta seleção de múltiplas linhas, permitindo copiar com precisão os trechos de código necessários.
+
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-first-conversation.mdx b/website/content/pt-BR/showcase/guide-first-conversation.mdx
new file mode 100644
index 000000000..0934a0105
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-first-conversation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Iniciar primeira conversa"
+description: "Após a instalação, inicie sua primeira conversa com IA com Qwen Code para entender suas capacidades principais e métodos de interação."
+category: "Guia de Início"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Após concluir a instalação do Qwen Code, você terá sua primeira conversa com ele. Esta é uma excelente oportunidade para entender as capacidades principais e métodos de interação do Qwen Code. Você pode começar com uma saudação simples e explorar gradualmente seus poderosos recursos em geração de código, resolução de problemas, compreensão de documentos, etc. Através da prática real, você sentirá como o Qwen Code se torna seu assistente capaz em sua jornada de programação.
+
+
+
+
+
+## Passos
+
+
+
+### Iniciar Qwen Code
+
+Digite o comando `qwen` no terminal para iniciar o aplicativo. Na primeira inicialização, o sistema realizará a configuração de inicialização, que leva apenas alguns segundos. Após a inicialização, você verá uma interface de linha de comando amigável, pronta para começar a conversa com a IA.
+
+```bash
+qwen
+```
+
+### Iniciar conversa
+
+Digite sua pergunta na caixa de entrada para começar a se comunicar com a IA. Você pode começar com uma simples apresentação, como perguntar o que é Qwen Code ou o que ele pode fazer por você. A IA responderá às suas perguntas em linguagem clara e fácil de entender e o guiará para explorar mais recursos.
+
+```bash
+what is qwen code?
+```
+
+### Explorar capacidades
+
+Tente pedir à IA para ajudá-lo a completar algumas tarefas simples, como explicar código, gerar funções, responder perguntas técnicas, etc. Através da prática real, você gradualmente se familiarizará com as várias capacidades do Qwen Code e descobrirá seu valor de aplicação em diferentes cenários.
+
+```bash
+Ajude-me a escrever uma função Python para calcular a sequência de Fibonacci
+```
+
+
+
+
+Qwen Code suporta conversas de múltiplas rodadas. Você pode continuar fazendo perguntas com base nas respostas anteriores para explorar tópicos de interesse em profundidade.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-headless-mode.mdx b/website/content/pt-BR/showcase/guide-headless-mode.mdx
new file mode 100644
index 000000000..c24706371
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-headless-mode.mdx
@@ -0,0 +1,62 @@
+---
+title: "Modo Headless"
+description: "Use Qwen Code em ambientes sem GUI, adequado para servidores remotos, pipelines CI/CD e cenários de scripts de automação."
+category: "Guia de Início"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O modo Headless permite que você use Qwen Code em ambientes sem GUI, especialmente adequado para servidores remotos, pipelines CI/CD e cenários de scripts de automação. Através de parâmetros de linha de comando e entrada de pipeline, você pode integrar perfeitamente o Qwen Code em seus fluxos de trabalho existentes, alcançando programação assistida por IA automatizada.
+
+
+
+
+
+## Passos
+
+
+
+### Usar modo prompt
+
+Use o parâmetro `--p` para passar prompts diretamente na linha de comando. Qwen Code retornará a resposta e sairá automaticamente. Este método é adequado para consultas únicas e pode ser facilmente integrado em scripts.
+
+```bash
+qwen --p 'what is qwen code?'
+```
+
+### Entrada de pipeline
+
+Passe a saída de outros comandos para Qwen Code através de pipelines para alcançar processamento automatizado. Você pode enviar arquivos de log, mensagens de erro, etc. diretamente para a IA para análise.
+
+```bash
+cat error.log | qwen --p 'analisar erros'
+```
+
+### Integração de script
+
+Integre Qwen Code em scripts Shell para alcançar fluxos de trabalho automatizados complexos. Você pode executar diferentes operações com base nos resultados de retorno da IA, criando scripts automatizados inteligentes.
+
+```bash
+#!/bin/bash
+result=$(qwen --p 'verificar se há problemas com o código')
+if [[ $result == *"tem problemas"* ]]; then
+ echo "Problemas de código encontrados"
+fi
+```
+
+
+
+
+O modo Headless suporta todos os recursos do Qwen Code, incluindo geração de código, resolução de problemas, operações de arquivo, etc.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-language-switch.mdx b/website/content/pt-BR/showcase/guide-language-switch.mdx
new file mode 100644
index 000000000..741462989
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-language-switch.mdx
@@ -0,0 +1,55 @@
+---
+title: "Troca de idioma"
+description: "Troca flexível de idioma da interface de usuário e idioma de saída da IA, suportando interação multilíngue."
+category: "Guia de Início"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Qwen Code suporta troca de idioma flexível. Você pode definir independentemente o idioma da interface de usuário e o idioma de saída da IA. Seja chinês, inglês ou outros idiomas, você pode encontrar configurações adequadas. O suporte multilíngue permite que você trabalhe em um ambiente de idioma familiar, melhorando a eficiência de comunicação e o conforto.
+
+
+
+
+
+## Passos
+
+
+
+### Trocar idioma da UI
+
+Use o comando `/language ui` para trocar o idioma da interface, suportando chinês, inglês e outros idiomas. Após trocar o idioma da UI, menus, mensagens de prompt, documentação de ajuda, etc. serão exibidos no idioma escolhido.
+
+```bash
+/language ui zh-CN
+```
+
+### Trocar idioma de saída
+
+Use o comando `/language output` para trocar o idioma de saída da IA. A IA usará o idioma especificado para responder perguntas, gerar comentários de código, fornecer explicações, etc., tornando a comunicação mais natural e suave.
+
+```bash
+/language output zh-CN
+```
+
+### Uso misto de idiomas
+
+Você também pode definir diferentes idiomas para UI e saída para alcançar uso misto de idiomas. Por exemplo, usar chinês para UI e inglês para saída da IA, adequado para cenários onde você precisa ler documentação técnica em inglês.
+
+
+
+
+As configurações de idioma são salvas automaticamente e usarão o idioma escolhido anteriormente na próxima inicialização.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-plan-with-search.mdx b/website/content/pt-BR/showcase/guide-plan-with-search.mdx
new file mode 100644
index 000000000..47bbc69fe
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-plan-with-search.mdx
@@ -0,0 +1,59 @@
+---
+title: "Modo Plan + Pesquisa Web"
+description: "Combine Pesquisa Web no modo Plan para pesquisar as últimas informações primeiro e depois formular um plano de execução, melhorando significativamente a precisão de tarefas complexas."
+category: "Guia de Início"
+features:
+ - "Plan Mode"
+ - "Web Search"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O modo Plan é a capacidade de planejamento inteligente do Qwen Code, capaz de decompor tarefas complexas em etapas executáveis. Quando combinado com Pesquisa Web, ele pesquisará proativamente as últimas documentações técnicas, melhores práticas e soluções primeiro, e depois formulará planos de execução mais precisos com base nessas informações em tempo real. Esta combinação é especialmente adequada para lidar com tarefas de desenvolvimento envolvendo novos frameworks, novas APIs ou necessidade de seguir as últimas especificações, o que pode melhorar significativamente a qualidade do código e a eficiência de conclusão de tarefas. Seja migrando projetos, integrando novas funcionalidades ou resolvendo problemas técnicos complexos, Plan + Pesquisa Web pode fornecer as soluções mais avançadas.
+
+
+
+
+
+## Passos
+
+
+
+### Habilitar modo Plan
+
+Digite o comando `/approval-mode plan` na conversa para ativar o modo Plan. Neste ponto, Qwen Code entrará no estado de planejamento, pronto para receber sua descrição de tarefa e começar a pensar. O modo Plan analisará automaticamente a complexidade da tarefa e determinará se é necessário pesquisar informações externas para complementar a base de conhecimento.
+
+```bash
+/approval-mode plan
+```
+
+### Solicitar pesquisa das últimas informações
+
+Descreva seus requisitos de tarefa, e Qwen Code identificará automaticamente as palavras-chave que precisam ser pesquisadas. Ele iniciará proativamente solicitações de Pesquisa Web para obter as últimas documentações técnicas, referências de API, melhores práticas e soluções. Os resultados da pesquisa serão integrados na base de conhecimento, fornecendo uma base de informações precisa para o planejamento subsequente.
+
+```
+Ajude-me a pesquisar as últimas notícias no campo de IA e organizá-las em um relatório para mim
+```
+
+### Ver plano de execução
+
+Com base nas informações pesquisadas, Qwen Code gerará um plano de execução detalhado para você. O plano incluirá descrições claras de etapas, pontos técnicos a serem observados, armadilhas potenciais e soluções. Você pode revisar este plano, fornecer sugestões de modificação ou confirmar para começar a execução.
+
+### Executar plano passo a passo
+
+Após confirmar o plano, Qwen Code o executará passo a passo. Em cada ponto chave, ele relatará o progresso e os resultados, garantindo que você tenha controle completo sobre todo o processo. Se surgirem problemas, ele fornecerá soluções com base nas últimas informações pesquisadas, em vez de depender de conhecimento desatualizado.
+
+
+
+
+A Pesquisa Web identificará automaticamente palavras-chave técnicas na tarefa, sem necessidade de especificar manualmente o conteúdo da pesquisa. Para frameworks e bibliotecas de iteração rápida, recomenda-se habilitar Pesquisa Web no modo Plan para obter as últimas informações.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-resume-session.mdx b/website/content/pt-BR/showcase/guide-resume-session.mdx
new file mode 100644
index 000000000..c88f3ffdb
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-resume-session.mdx
@@ -0,0 +1,63 @@
+---
+title: "Retomar sessão Resume"
+description: "Conversas interrompidas podem ser retomadas a qualquer momento sem perder contexto e progresso."
+category: "Guia de Início"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+A função de retomada de sessão Resume permite que você interrompa conversas a qualquer momento e as retome quando necessário, sem perder contexto e progresso. Seja algo temporário ou multitarefa em paralelo, você pode pausar a conversa com segurança e continuá-la mais tarde de forma perfeita. Este recurso melhora significativamente a flexibilidade do trabalho, permitindo que você gerencie tempo e tarefas com mais eficiência.
+
+
+
+
+
+## Passos
+
+
+
+### Ver lista de sessões
+
+Use o comando `qwen --resume` para ver todas as sessões históricas. O sistema exibirá o tempo, tópico e informações breves de cada sessão, ajudando você a encontrar rapidamente a conversa que precisa retomar.
+
+```bash
+qwen --resume
+```
+
+### Retomar sessão
+
+Use o comando `qwen --resume` para retomar uma sessão especificada. Você pode selecionar a conversa a retomar pelo ID da sessão ou número, e o sistema carregará o histórico completo do contexto.
+
+```bash
+qwen --resume
+```
+
+### Continuar trabalhando
+
+Após retomar a sessão, você pode continuar a conversa como se nunca tivesse sido interrompida. Todo o contexto, histórico e progresso serão totalmente preservados, e a IA poderá entender com precisão o conteúdo da discussão anterior.
+
+### Trocar sessões após iniciar Qwen Code
+
+Após iniciar Qwen Code, você pode usar o comando `/resume` para alternar para uma sessão anterior.
+
+```bash
+/resume
+```
+
+
+
+
+O histórico de sessões é salvo automaticamente e suporta sincronização entre dispositivos. Você pode retomar a mesma sessão em diferentes dispositivos.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-retry-shortcut.mdx b/website/content/pt-BR/showcase/guide-retry-shortcut.mdx
new file mode 100644
index 000000000..8b55a77be
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-retry-shortcut.mdx
@@ -0,0 +1,50 @@
+---
+title: "Ctrl+Y Tentar novamente rapidamente"
+description: "Não satisfeito com a resposta da IA? Use o atalho para tentar novamente com um clique e obter rapidamente melhores resultados."
+category: "Guia de Início"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Não satisfeito com a resposta da IA? Use o atalho Ctrl+Y (Windows/Linux) ou Cmd+Y (macOS) para tentar novamente com um clique e obter rapidamente melhores resultados. Este recurso permite que você faça a IA regerar a resposta sem precisar digitar a pergunta novamente, economizando tempo e melhorando a eficiência. Você pode tentar novamente várias vezes até obter uma resposta satisfatória.
+
+
+
+
+
+## Passos
+
+
+
+### Descobrir respostas insatisfatórias
+
+Quando a resposta da IA não atende às suas expectativas, não desanime. As respostas da IA podem variar devido à compreensão do contexto ou aleatoriedade, e você pode obter melhores resultados tentando novamente.
+
+### Acionar nova tentativa
+
+Pressione o atalho Ctrl+Y (Windows/Linux) ou Cmd+Y (macOS), e a IA regerará a resposta. O processo de nova tentativa é rápido e suave e não interromperá seu fluxo de trabalho.
+
+```bash
+Ctrl+Y / Cmd+Y
+```
+
+### Explicação suplementar
+
+Se ainda não estiver satisfeito após tentar novamente, você pode adicionar explicações suplementares às suas necessidades para que a IA possa entender melhor suas intenções. Você pode adicionar mais detalhes, modificar a forma como a pergunta é expressa, ou fornecer mais informações de contexto.
+
+
+
+
+A função de nova tentativa manterá a pergunta original, mas usará diferentes sementes aleatórias para gerar respostas, garantindo diversidade de resultados.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-script-install.mdx b/website/content/pt-BR/showcase/guide-script-install.mdx
new file mode 100644
index 000000000..44ef50dfe
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-script-install.mdx
@@ -0,0 +1,59 @@
+---
+title: "Instalação com um Clique de Script"
+description: "Instale o Qwen Code rapidamente com um comando de script. Configure seu ambiente em segundos. Compatível com Linux, macOS e Windows."
+category: "Guia de Início"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O Qwen Code suporta instalação rápida com um único comando de script. Não há necessidade de configurar variáveis de ambiente manualmente ou baixar dependências. O script detecta automaticamente o tipo de sistema operacional, baixa o pacote de instalação correspondente e conclui a configuração. Todo o processo leva apenas alguns segundos e suporta as três principais plataformas: **Linux**, **macOS** e **Windows**.
+
+
+
+
+
+## Passos
+
+
+
+### Instalação no Linux / macOS
+
+Abra o terminal e execute o seguinte comando. O script detectará automaticamente a arquitetura do sistema (x86_64 / ARM) e baixará a versão correspondente para concluir a instalação.
+
+```bash
+bash -c "$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)" -s --source website
+```
+
+### Instalação no Windows
+
+Execute o seguinte comando no PowerShell. O script baixará um arquivo em lote e executará automaticamente o processo de instalação. Após a conclusão, você poderá usar o comando `qwen` em qualquer terminal.
+
+```bash
+curl -fsSL -o %TEMP%\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\install-qwen.bat --source website
+```
+
+### Verificar a Instalação
+
+Após a conclusão da instalação, execute o seguinte comando no terminal para verificar se o Qwen Code foi instalado corretamente. Se o número da versão for exibido, a instalação foi bem-sucedida.
+
+```bash
+qwen --version
+```
+
+
+
+
+Se preferir usar o npm, você também pode instalar globalmente com `npm install -g @qwen-code/qwen-code`. Após a instalação, digite `qwen` para iniciar. Se houver problemas de permissão, use `sudo npm install -g @qwen-code/qwen-code` e digite sua senha para instalar.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-skill-install.mdx b/website/content/pt-BR/showcase/guide-skill-install.mdx
new file mode 100644
index 000000000..86d43738f
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-skill-install.mdx
@@ -0,0 +1,78 @@
+---
+title: "Instalar Skills"
+description: "Instale extensões de Skills de várias maneiras, incluindo instalação por linha de comando e por pasta, para atender às necessidades de diferentes cenários."
+category: "Guia de Início"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O Qwen Code suporta vários métodos de instalação de Skills. Você pode escolher o método mais adequado com base em seu cenário real. A instalação por linha de comando é adequada para ambientes online, sendo rápida e conveniente. A instalação por pasta é adequada para ambientes offline ou Skills personalizados, sendo flexível e controlável.
+
+
+
+
+
+## Passos
+
+
+
+### Verificar e Instalar Skill find-skills
+
+No Qwen Code, descreva suas necessidades diretamente e deixe o Qwen Code ajudá-lo a encontrar e instalar a Skill necessária:
+
+```
+Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code
+```
+
+### Instalar Skills Necessárias, por exemplo web-component-design:
+
+```
+/skills find-skills install web-component-design -y -a qwen-code
+```
+
+O Qwen Code executará automaticamente o comando de instalação, baixando e instalando a Skill do repositório especificado. Você também pode instalar em uma frase:
+
+```
+Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, e instale [nome da skill] no diretório atual de skills do qwen code.
+```
+
+### Verificar a Instalação
+
+Após a conclusão da instalação, verifique se a Skill foi carregada corretamente:
+
+```bash
+/skills
+```
+
+
+
+
+A instalação por linha de comando requer conexão com a internet. O parâmetro `-y` significa confirmação automática, e `-a qwen-code` especifica a instalação no Qwen Code.
+
+
+
+**Requisitos de Estrutura do Diretório de Skills**
+
+Cada pasta de Skill deve conter um arquivo `skill.md`, que define o nome, descrição e regras de acionamento da Skill:
+
+```
+~/.qwen/skills/
+├── my-skill/
+│ ├── SKILL.md # Obrigatório: arquivo de configuração da Skill
+│ └── scripts/ # Opcional: arquivos de script
+└── another-skill/
+ └── SKILL.md
+```
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-skills-panel.mdx b/website/content/pt-BR/showcase/guide-skills-panel.mdx
new file mode 100644
index 000000000..880b61801
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-skills-panel.mdx
@@ -0,0 +1,50 @@
+---
+title: "Painel de Skills"
+description: "Visualize, instale e gerencie extensões de Skills existentes através do Painel de Skills, gerenciando sua biblioteca de recursos de IA em um só lugar."
+category: "Guia de Início"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O Painel de Skills é o centro de controle para gerenciar as extensões do Qwen Code. Através desta interface intuitiva, você pode navegar por diversas Skills oficiais e da comunidade, entender a função e uso de cada Skill, e instalar ou desinstalar extensões com um clique. Seja descobrindo novos recursos de IA ou gerenciando Skills instaladas, o Painel de Skills oferece uma experiência de uso conveniente, permitindo construir facilmente sua caixa de ferramentas de IA personalizada.
+
+
+
+
+
+## Passos
+
+
+
+### Abrir o Painel de Skills
+
+Digite um comando na conversa do Qwen Code para abrir o Painel de Skills. Este comando exibirá uma lista de todas as Skills disponíveis, incluindo extensões instaladas e não instaladas.
+
+```bash
+/skills
+```
+
+### Navegar e Pesquisar Skills
+
+Navegue pelas diversas extensões de Skills no painel. Cada Skill tem descrições detalhadas e explicações de funcionalidades. Você pode usar a função de pesquisa para encontrar rapidamente Skills específicas ou navegar por diferentes tipos de extensões por categoria.
+
+### Instalar ou Desinstalar Skills
+
+Ao encontrar uma Skill de seu interesse, clique no botão de instalação para adicioná-la ao Qwen Code com um clique. Da mesma forma, você pode desinstalar Skills indesejadas a qualquer momento, mantendo sua biblioteca de recursos de IA organizada e eficiente.
+
+
+
+
+O Painel de Skills é atualizado regularmente para exibir as extensões de Skills mais recentes. Recomendamos verificar o painel regularmente para descobrir recursos poderosos de IA que podem melhorar sua eficiência de trabalho.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-vscode-integration.mdx b/website/content/pt-BR/showcase/guide-vscode-integration.mdx
new file mode 100644
index 000000000..0b67966e3
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-vscode-integration.mdx
@@ -0,0 +1,51 @@
+---
+title: "Interface de Integração VS Code"
+description: "Exibição completa da interface do Qwen Code no VS Code. Entenda o layout e uso de cada área funcional."
+category: "Guia de Início"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O VS Code é um dos editores de código mais populares, e o Qwen Code oferece uma extensão profundamente integrada para o VS Code. Através desta extensão, você pode conversar diretamente com a IA no ambiente de editor familiar, desfrutando de uma experiência de programação perfeita. A extensão fornece um layout de interface intuitivo, permitindo acesso fácil a todas as funcionalidades. Completamento de código, resolução de problemas, operações de arquivo - tudo pode ser feito com eficiência.
+
+
+
+
+
+## Passos
+
+
+
+### Instalar a Extensão VS Code
+
+Procure por "Qwen Code" no marketplace de extensões do VS Code e clique em instalar. O processo de instalação é simples e rápido, concluindo em segundos. Após a instalação, o ícone do Qwen Code aparecerá na barra lateral do VS Code, indicando que a extensão foi carregada com sucesso.
+
+### Fazer Login na Conta
+
+Use o comando `/auth` para acionar o processo de autenticação. O sistema abrirá automaticamente o navegador para fazer login. O processo de login é seguro e conveniente, suportando múltiplos métodos de autenticação. Após o login bem-sucedido, as informações da conta são sincronizadas automaticamente com a extensão do VS Code, desbloqueando todas as funcionalidades.
+
+```bash
+/auth
+```
+
+### Começar a Usar
+
+Abra o painel do Qwen Code na barra lateral e inicie a conversa com a IA. Você pode digitar perguntas diretamente, referenciar arquivos ou executar comandos. Todas as operações são concluídas no VS Code. A extensão suporta recursos como múltiplas abas, histórico e atalhos, fornecendo uma experiência completa de assistente de programação.
+
+
+
+
+A extensão do VS Code tem as mesmas funcionalidades que a versão de linha de comando. Você pode escolher livremente com base em seu cenário de uso.
+
+
+
diff --git a/website/content/pt-BR/showcase/guide-web-search.mdx b/website/content/pt-BR/showcase/guide-web-search.mdx
new file mode 100644
index 000000000..601c5248f
--- /dev/null
+++ b/website/content/pt-BR/showcase/guide-web-search.mdx
@@ -0,0 +1,55 @@
+---
+title: "Pesquisa Web"
+description: "Deixe o Qwen Code pesquisar conteúdo da web para obter informações em tempo real e auxiliar na programação e resolução de problemas."
+category: "Guia de Início"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O recurso de pesquisa web permite que o Qwen Code pesquise conteúdo da web em tempo real, obtendo a documentação técnica mais recente, atualizações de frameworks e soluções. Quando você encontra problemas durante o desenvolvimento ou precisa entender as tendências mais recentes de uma tecnologia, este recurso é muito útil. A IA pesquisa informações relevantes de forma inteligente e as retorna em um formato fácil de entender.
+
+
+
+
+
+## Passos
+
+
+
+### Habilitar Recurso de Pesquisa
+
+Deixe claro na conversa que a IA precisa pesquisar as informações mais recentes. Você pode fazer perguntas diretamente sobre as mais recentes tecnologias, versões de frameworks ou dados em tempo real. O Qwen Code reconhecerá automaticamente suas necessidades e iniciará o recurso de pesquisa web para obter as informações mais precisas.
+
+```bash
+Pesquise os novos recursos do React 19
+```
+
+### Exibir Resultados da Pesquisa
+
+A IA retornará as informações pesquisadas e as organizará em um formato fácil de entender. Os resultados da pesquisa geralmente incluem um resumo das informações importantes, links de origem e detalhes técnicos relevantes. Você pode visualizar rapidamente essas informações para entender as tendências tecnológicas mais recentes ou encontrar soluções para problemas.
+
+### Fazer Perguntas com Base nos Resultados
+
+Você pode fazer mais perguntas com base nos resultados da pesquisa para obter explicações mais detalhadas. Se tiver dúvidas sobre detalhes técnicos específicos ou quiser saber como aplicar os resultados da pesquisa ao seu projeto, pode continuar perguntando diretamente. A IA fornecerá orientações mais específicas com base nas informações pesquisadas.
+
+```bash
+Como esses novos recursos afetam meu projeto
+```
+
+
+
+
+O recurso de pesquisa web é especialmente adequado para consultar as mudanças mais recentes em APIs, atualizações de versões de frameworks e tendências técnicas em tempo real.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-batch-file-organize.mdx b/website/content/pt-BR/showcase/office-batch-file-organize.mdx
new file mode 100644
index 000000000..0beae3796
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-batch-file-organize.mdx
@@ -0,0 +1,60 @@
+---
+title: "Organização em Lote de Arquivos"
+description: "Use o recurso Cowork do Qwen Code para organizar arquivos de desktop espalhados com um clique, classificando automaticamente por tipo e colocando-os nas pastas correspondentes."
+category: "Tarefas Diárias"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Seus arquivos de desktop estão espalhados? Com o recurso Cowork do Qwen Code, você pode organizar arquivos em lote com um clique, identificando automaticamente o tipo de arquivo e classificando-os nas pastas correspondentes. Seja documentos, imagens, vídeos ou outros tipos de arquivos, tudo pode ser identificado e arquivado de forma inteligente, mantendo seu ambiente de trabalho organizado e melhorando sua eficiência.
+
+
+
+
+
+## Passos
+
+
+
+### Iniciar a Conversa
+
+Abra o terminal ou linha de comando e digite `qwen` para iniciar o Qwen Code. Certifique-se de estar no diretório que precisa ser organizado ou informe claramente à IA qual diretório deve ser organizado. O Qwen Code está pronto para aceitar suas instruções de organização.
+
+```bash
+cd ~/Desktop
+qwen
+```
+
+### Fornecer Instruções de Organização
+
+Informe ao Qwen Code que você deseja organizar os arquivos do desktop. A IA identificará automaticamente os tipos de arquivos e criará pastas de classificação. Você pode especificar o diretório a ser organizado, as regras de classificação e a estrutura de pastas desejada. A IA criará um plano de organização com base em suas necessidades.
+
+```bash
+Organize os arquivos do desktop. Classifique-os em pastas diferentes por tipo: documentos, imagens, vídeos, arquivos compactados, etc.
+```
+
+### Revisar o Plano de Execução
+
+O Qwen Code listará primeiro o plano de operações que serão executadas. Após verificar que não há problemas, você pode permitir a execução. Esta etapa é muito importante - você pode revisar o plano de organização para garantir que a IA entendeu suas necessidades e evitar operações incorretas.
+
+### Concluir a Organização
+
+A IA executará automaticamente as operações de movimentação de arquivos e exibirá um relatório de organização após a conclusão, informando quais arquivos foram movidos para onde. Todo o processo é rápido e eficiente, sem necessidade de operação manual, economizando muito tempo.
+
+
+
+
+O recurso Cowork suporta regras de classificação personalizadas. Você pode especificar o mapeamento entre tipos de arquivos e pastas de destino conforme necessário.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-clipboard-paste.mdx b/website/content/pt-BR/showcase/office-clipboard-paste.mdx
new file mode 100644
index 000000000..9d8467389
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-clipboard-paste.mdx
@@ -0,0 +1,46 @@
+---
+title: "Colar Imagem da Área de Transferência"
+description: "Cole capturas de tela da área de transferência diretamente na janela de conversa. A IA entende instantaneamente o conteúdo da imagem e oferece assistência."
+category: "Tarefas Diárias"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O recurso de colar imagem da área de transferência permite colar qualquer captura de tela diretamente na janela de conversa do Qwen Code, sem precisar salvar o arquivo e depois fazer upload. Seja capturas de tela de erro, mockups de design de UI, capturas de tela de trechos de código ou outras imagens, o Qwen Code pode entender instantaneamente o conteúdo e oferecer assistência com base em suas necessidades. Este método de conversa conveniente melhora significativamente a eficiência da comunicação, permitindo obter rapidamente a análise e sugestões da IA ao encontrar problemas.
+
+
+
+
+
+## Passos
+
+
+
+### Copiar Imagem para a Área de Transferência
+
+Use a ferramenta de captura de tela do sistema (macOS: `Cmd+Shift+4`, Windows: `Win+Shift+S`) para capturar o conteúdo da tela ou copie uma imagem de um navegador ou gerenciador de arquivos. A captura de tela é salva automaticamente na área de transferência, sem necessidade de operações adicionais.
+
+### Colar na Janela de Conversa
+
+Na caixa de entrada de conversa do Qwen Code, use `Cmd+V` (macOS) ou `Ctrl+V` (Windows) para colar a imagem. A imagem aparecerá automaticamente na caixa de entrada, e você pode digitar texto para suas perguntas ou necessidades ao mesmo tempo.
+
+### Obter Resultados da Análise da IA
+
+Após enviar a mensagem, o Qwen Code analisará o conteúdo da imagem e responderá. Pode identificar erros em capturas de tela de código, analisar layouts de mockups de design de UI, interpretar dados de gráficos e muito mais. Você pode fazer mais perguntas para discutir detalhes da imagem em profundidade.
+
+
+
+
+Suporta formatos de imagem comuns como PNG, JPEG, GIF, etc. Recomenda-se que o tamanho da imagem seja inferior a 10MB para garantir o melhor efeito de reconhecimento. Para capturas de tela de código, recomenda-se usar alta resolução para melhorar a precisão do reconhecimento de texto.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-export-conversation.mdx b/website/content/pt-BR/showcase/office-export-conversation.mdx
new file mode 100644
index 000000000..9477d44b2
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-export-conversation.mdx
@@ -0,0 +1,58 @@
+---
+title: "Exportar Histórico de Conversa"
+description: "Exporte o histórico de conversa em formatos Markdown, HTML ou JSON para facilitar arquivamento e compartilhamento."
+category: "Tarefas Diárias"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O recurso de exportação de histórico de conversa permite que você exporte conversas importantes em vários formatos. Você pode escolher entre Markdown, HTML ou JSON conforme suas necessidades. Isso facilita o arquivamento de conversas importantes, compartilhamento com colegas ou uso em documentação. O processo de exportação é simples e rápido, mantendo o formato e o conteúdo originais da conversa.
+
+
+
+
+
+## Passos
+
+
+
+### Exibir Lista de Sessões
+
+Use o comando `/resume` para exibir todas as sessões de histórico. A lista exibe informações como hora de criação e resumo do tópico de cada sessão, ajudando você a encontrar rapidamente a conversa que deseja exportar. Você pode usar pesquisa por palavra-chave ou classificação por tempo para localizar com precisão a sessão desejada.
+
+```bash
+/resume
+```
+
+### Escolher Formato de Exportação
+
+Após decidir qual sessão exportar, use o comando `/export` para especificar o formato e o ID da sessão. Três formatos são suportados: `markdown`, `html`, `json`. O formato Markdown é adequado para uso em ferramentas de documentação, o formato HTML pode ser aberto e visualizado diretamente em um navegador, e o formato JSON é adequado para processamento programático.
+
+```bash
+# Se não houver parâmetro , exporta a sessão atual por padrão
+/export html # Exportar em formato HTML
+/export markdown # Exportar em formato Markdown
+/export json # Exportar em formato JSON
+```
+
+### Compartilhar e Arquivar
+
+O arquivo exportado é salvo no diretório especificado. Os arquivos Markdown e HTML podem ser compartilhados diretamente com colegas ou usados em documentação da equipe. Os arquivos JSON podem ser importados para outras ferramentas para processamento secundário. Recomendamos arquivar regularmente conversas importantes para construir uma base de conhecimento da equipe. Os arquivos exportados também podem servir como backup, prevenindo a perda de informações importantes.
+
+
+
+
+O formato HTML exportado inclui estilos completos e pode ser aberto e visualizado diretamente em qualquer navegador. O formato JSON mantém todos os metadados e é adequado para análise e processamento de dados.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-file-reference.mdx b/website/content/pt-BR/showcase/office-file-reference.mdx
new file mode 100644
index 000000000..45b096221
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-file-reference.mdx
@@ -0,0 +1,61 @@
+---
+title: "Recurso @file"
+description: "Use @file na conversa para referenciar arquivos do projeto, permitindo que a IA entenda com precisão o contexto do código."
+category: "Guia de Início"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O recurso @file permite referenciar arquivos do projeto diretamente na conversa, permitindo que a IA entenda com precisão o contexto do código. Seja um único arquivo ou múltiplos arquivos, a IA pode ler e analisar o conteúdo do código, fornecendo sugestões e respostas mais precisas. Este recurso é especialmente adequado para cenários como revisão de código, solução de problemas e refatoração de código.
+
+
+
+
+
+## Passos
+
+
+
+### Referenciar Arquivo Único
+
+Use o comando `@file` seguido do caminho do arquivo para referenciar um único arquivo. A IA lerá o conteúdo do arquivo, entenderá a estrutura e lógica do código, e fornecerá respostas direcionadas com base em suas perguntas.
+
+```bash
+@file ./src/main.py
+Explique o papel desta função
+```
+
+Você também pode referenciar um arquivo e pedir ao Qwen Code para organizar e criar um novo documento com base nele. Isso evita muito que a IA entenda mal suas necessidades e gere conteúdo que não está incluído no material de referência:
+
+```bash
+@file Escreva um artigo para conta oficial com base neste arquivo
+```
+
+### Descrever Necessidades
+
+Após referenciar o arquivo, descreva claramente suas necessidades ou perguntas. A IA analisará com base no conteúdo do arquivo e fornecerá respostas ou sugestões precisas. Você pode perguntar sobre lógica de código, buscar problemas, solicitar otimizações, etc.
+
+### Referenciar Múltiplos Arquivos
+
+Você pode referenciar múltiplos arquivos simultaneamente usando o comando `@file` várias vezes. A IA analisará de forma abrangente todos os arquivos referenciados, entenderá suas relações e conteúdo, e fornecerá respostas mais abrangentes.
+
+```bash
+@file1 @file2 Organize um documento de aprendizagem para iniciantes com base nos materiais destes dois arquivos
+```
+
+
+
+
+@file suporta caminhos relativos e absolutos, e também suporta correspondência curinga para múltiplos arquivos.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-image-recognition.mdx b/website/content/pt-BR/showcase/office-image-recognition.mdx
new file mode 100644
index 000000000..59d550013
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-image-recognition.mdx
@@ -0,0 +1,53 @@
+---
+title: "Reconhecimento de Imagem"
+description: "O Qwen Code pode ler e entender conteúdo de imagens. Mockups de design de UI, capturas de tela de erro, diagramas de arquitetura, etc."
+category: "Tarefas Diárias"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png"
+videoUrl: "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O Qwen Code possui poderosos recursos de reconhecimento de imagem, podendo ler e entender vários tipos de conteúdo de imagem. Seja mockups de design de UI, capturas de tela de erro, diagramas de arquitetura, fluxogramas, notas manuscritas ou outros, o Qwen Code pode identificar com precisão e fornecer análises valiosas. Esta capacidade permite integrar informações visuais diretamente ao fluxo de trabalho de programação, melhorando significativamente a eficiência da comunicação e a velocidade de resolução de problemas.
+
+
+
+
+
+## Passos
+
+
+
+### Carregar Imagem
+
+Arraste e solte a imagem na janela de conversa ou use colagem da área de transferência (`Cmd+V` / `Ctrl+V`). Suporta formatos comuns como PNG, JPEG, GIF, WebP, etc.
+
+Referência: [Colar Imagem da Área de Transferência](./office-clipboard-paste.mdx) mostra como colar rapidamente capturas de tela na conversa.
+
+### Descrever Necessidades
+
+Na caixa de entrada, descreva o que deseja que a IA faça com a imagem. Por exemplo:
+
+```
+Com base no conteúdo da imagem, gere um arquivo html simples
+```
+
+### Obter Resultados da Análise
+
+O Qwen Code analisará o conteúdo da imagem e fornecerá uma resposta detalhada. Você pode fazer mais perguntas para discutir detalhes da imagem em profundidade ou pedir ao Qwen Code para gerar código com base no conteúdo da imagem.
+
+
+
+
+O recurso de reconhecimento de imagem suporta múltiplos cenários: análise de capturas de tela de código, conversão de mockups de design de UI para código, interpretação de informações de erro, compreensão de diagramas de arquitetura, extração de dados de gráficos, etc. Recomenda-se usar imagens claras e de alta resolução para obter o melhor efeito de reconhecimento.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-mcp-image-gen.mdx b/website/content/pt-BR/showcase/office-mcp-image-gen.mdx
new file mode 100644
index 000000000..3919bd841
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-mcp-image-gen.mdx
@@ -0,0 +1,47 @@
+---
+title: "Geração de Imagem MCP"
+description: "Integre serviços de geração de imagem através do MCP. Use descrições em linguagem natural para direcionar a IA a criar imagens de alta qualidade."
+category: "Tarefas Diárias"
+features:
+ - "MCP"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O recurso de geração de imagem MCP (Model Context Protocol) permite que você use descrições em linguagem natural para direcionar a IA a criar imagens de alta qualidade diretamente no Qwen Code. Não há necessidade de alternar para ferramentas de geração de imagem dedicadas - basta descrever suas necessidades na conversa, e o Qwen Code chamará o serviço de geração de imagem integrado para gerar imagens que atendam aos seus requisitos. Seja criação de protótipos de UI, criação de ícones, desenho de ilustrações ou produção de diagramas conceituais, a geração de imagem MCP oferece suporte poderoso. Este fluxo de trabalho perfeitamente integrado melhora significativamente a eficiência de design e desenvolvimento, tornando a realização criativa mais conveniente.
+
+
+
+
+
+## Passos
+
+
+
+### Configurar Serviço MCP
+
+Primeiro, você precisa configurar o serviço de geração de imagem MCP. Adicione informações de chave de API e endpoint do serviço de geração de imagem ao arquivo de configuração. O Qwen Code suporta vários serviços de geração de imagem mainstream, e você pode escolher o serviço apropriado com base em suas necessidades e orçamento. Após a configuração, reinicie o Qwen Code para ativar.
+
+### Descrever Requisitos de Imagem
+
+Na conversa, descreva em linguagem natural a imagem que deseja gerar em detalhes. Inclua elementos como tema, estilo, cores, composição e detalhes da imagem. Quanto mais específica a descrição, mais próxima a imagem gerada será de suas expectativas. Você pode especificar estilos artísticos, referenciar artistas específicos, ou carregar uma imagem de referência para ajudar a IA a entender melhor suas necessidades.
+
+### Visualizar e Salvar Resultados
+
+O Qwen Code gerará múltiplas imagens para você escolher. Você pode visualizar cada imagem e selecionar a que melhor atende aos seus requisitos. Se precisar de ajustes, pode continuar descrevendo opiniões de modificação, e o Qwen Code regenerará com base no feedback. Quando estiver satisfeito, pode salvar a imagem localmente ou copiar o link da imagem para uso em outros lugares.
+
+
+
+
+A geração de imagem MCP suporta múltiplos estilos e tamanhos, que podem ser ajustados flexivelmente de acordo com as necessidades do projeto. Os direitos autorais das imagens geradas variam dependendo do serviço usado. Verifique os termos de uso.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-organize-desktop.mdx b/website/content/pt-BR/showcase/office-organize-desktop.mdx
new file mode 100644
index 000000000..d9a19e1a5
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-organize-desktop.mdx
@@ -0,0 +1,56 @@
+---
+title: "Organizar Arquivos do Desktop"
+description: "Com uma frase, deixe o Qwen Code organizar automaticamente arquivos de desktop, classificando-os de forma inteligente por tipo."
+category: "Tarefas Diárias"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Seus arquivos de desktop estão acumulados e você não consegue encontrar o arquivo que precisa? Com uma frase, deixe o Qwen Code organizar automaticamente seus arquivos de desktop. A IA identificará de forma inteligente os tipos de arquivos e os classificará automaticamente em imagens, documentos, código, arquivos compactados, etc., criando uma estrutura de pastas clara. Todo o processo é seguro e controlável - a IA listará primeiro o plano de operações para sua confirmação, evitando que arquivos importantes sejam movidos incorretamente. Organize seu desktop instantaneamente e melhore sua eficiência de trabalho.
+
+
+
+
+
+## Passos
+
+
+
+### Descrever Necessidades de Organização
+
+Navegue até o diretório do desktop, inicie o Qwen Code e informe como deseja organizar os arquivos do desktop. Por exemplo, por tipo, por data, etc.
+
+```bash
+cd ~/Desktop
+Organize os arquivos do desktop por tipo
+```
+
+### Revisar Plano de Operações
+
+O Qwen Code analisará os arquivos do desktop e listará um plano de organização detalhado, incluindo quais arquivos serão movidos para quais pastas. Você pode revisar o plano para garantir que não há problemas.
+
+```bash
+Execute este plano de organização
+```
+
+### Executar Organização e Exibir Resultados
+
+Após confirmação, o Qwen Code executará as operações de organização conforme o plano. Após a conclusão, você pode visualizar o desktop organizado, com arquivos já organizados de forma ordenada por tipo.
+
+
+
+
+A IA listará primeiro o plano de operações para sua confirmação, evitando que arquivos importantes sejam movidos incorretamente. Se tiver dúvidas sobre a classificação de arquivos específicos, pode informar o Qwen Code para ajustar as regras antes da execução.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-ppt-presentation.mdx b/website/content/pt-BR/showcase/office-ppt-presentation.mdx
new file mode 100644
index 000000000..315801a91
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-ppt-presentation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Apresentação: Criação de PPT"
+description: "Crie uma apresentação com base em capturas de tela do produto. Fornça capturas de tela e descrições, e a IA gerará slides de apresentação bonitos."
+category: "Tarefas Diárias"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png"
+videoUrl: "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Precisa criar uma apresentação PPT do produto, mas não quer começar do zero? Basta fornecer capturas de tela do produto e uma breve descrição, e o Qwen Code pode gerar slides de apresentação estruturados e bem projetados. A IA analisará o conteúdo das capturas de tela, entenderá os recursos do produto, organizará automaticamente a estrutura dos slides, e adicionará textos e layouts apropriados. Seja para lançamento de produto, apresentação de equipe ou apresentação ao cliente, você pode obter rapidamente um PPT profissional, economizando muito tempo e energia.
+
+
+
+
+
+## Passos
+
+
+
+### Preparar Capturas de Tela do Produto
+
+Colete capturas de tela das interfaces do produto que deseja exibir. Inclui páginas principais de funcionalidades, demonstrações de recursos importantes, etc. As capturas de tela devem ser claras e mostrar plenamente o valor e os recursos do produto. Coloque-as em uma pasta. Por exemplo: qwen-code-images
+
+### Instalar Skills Relacionados
+
+Instale Skills relacionadas à geração de PPT. Essas Skills incluem funcionalidades para analisar conteúdo de capturas de tela e gerar slides de apresentação.
+
+```
+Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, e instale zarazhangrui/frontend-slides no qwen code skills.
+```
+
+### Gerar Apresentação
+
+Referencie os arquivos correspondentes e informe ao Qwen Code suas necessidades. Inclua o propósito da apresentação, público-alvo, conteúdo principal, etc. A IA gerará o PPT com base nessas informações.
+
+```
+@qwen-code-images Crie uma apresentação PPT do produto com base nessas capturas de tela. Para a equipe técnica, focando nos novos recursos
+```
+
+### Ajustar e Exportar
+
+Visualize o PPT gerado. Se precisar de ajustes, pode informar o Qwen Code. Por exemplo: "Adicionar página de introdução de arquitetura", "Ajustar o texto desta página". Quando estiver satisfeito, exporte em um formato editável.
+
+```
+Ajuste o texto da terceira página para ser mais conciso
+```
+
+
+
+
diff --git a/website/content/pt-BR/showcase/office-terminal-theme.mdx b/website/content/pt-BR/showcase/office-terminal-theme.mdx
new file mode 100644
index 000000000..f6c864c92
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-terminal-theme.mdx
@@ -0,0 +1,55 @@
+---
+title: "Alternar Tema do Terminal"
+description: "Altere o tema do terminal com uma frase. Descreva o estilo em linguagem natural, e a IA aplicará automaticamente."
+category: "Tarefas Diárias"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Cansado do tema padrão do terminal? Basta descrever o estilo que deseja em linguagem natural, e o Qwen Code encontrará e aplicará o tema apropriado. Seja um estilo de tecnologia escura, um estilo fresco e simples ou um estilo clássico retrô, com uma frase a IA entende suas preferências estéticas e configura automaticamente o esquema de cores e estilo do terminal. Diga adeus à configuração manual tediosa e renove seu ambiente de trabalho instantaneamente.
+
+
+
+
+
+## Passos
+
+
+
+### Descrever Estilo de Tema Desejado
+
+Na conversa, descreva o estilo que gosta em linguagem natural. Por exemplo: "Altere o tema do terminal para estilo de tecnologia escura", "Quero um tema claro fresco e simples". O Qwen Code entenderá suas necessidades.
+
+```
+Altere o tema do terminal para estilo de tecnologia escura
+```
+
+### Revisar e Aplicar Tema
+
+O Qwen Code recomendará múltiplas opções de tema que correspondem à sua descrição e exibirá o efeito de visualização. Selecione o tema de sua preferência e, após confirmação, a IA aplicará automaticamente as configurações.
+
+```
+Parece bom, aplique o tema diretamente
+```
+
+### Ajustes Finais e Personalização
+
+Se precisar de mais ajustes, pode continuar informando o Qwen Code sobre seus pensamentos. Por exemplo: "Deixe a cor de fundo um pouco mais escura", "Ajuste o tamanho da fonte". A IA ajudará com ajustes finos.
+
+
+
+
+A alternância de temas modifica os arquivos de configuração do terminal. Se você estiver usando um aplicativo de terminal específico (iTerm2, Terminal.app, etc.), o Qwen Code identificará automaticamente e configurará os arquivos de tema correspondentes.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-web-search-detail.mdx b/website/content/pt-BR/showcase/office-web-search-detail.mdx
new file mode 100644
index 000000000..df2470aa8
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-web-search-detail.mdx
@@ -0,0 +1,47 @@
+---
+title: "Pesquisa Web"
+description: "Deixe o Qwen Code pesquisar conteúdo da web para obter informações em tempo real e auxiliar na programação. Entenda as tendências técnicas e documentação mais recentes."
+category: "Guia de Início"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+O recurso de pesquisa web permite que o Qwen Code pesquise as informações mais recentes da internet em tempo real, obtendo documentação técnica atualizada, referências de API, melhores práticas e soluções. Quando você encontra uma pilha de tecnologia desconhecida, precisa entender as mudanças da versão mais recente ou encontrar soluções para problemas específicos, a pesquisa web permite que a IA forneça respostas precisas com base nas informações mais recentes da web.
+
+
+
+
+
+## Passos
+
+
+
+### Iniciar Solicitação de Pesquisa
+
+Na conversa, descreva diretamente o conteúdo que deseja pesquisar. Por exemplo: "Pesquise os novos recursos do React 19", "Encontre as melhores práticas do Next.js App Router". O Qwen Code determinará automaticamente se é necessária uma pesquisa na rede.
+
+### Exibir Resultados Integrados
+
+A IA pesquisa múltiplas fontes da web e fornece uma resposta estruturada integrando os resultados da pesquisa. A resposta inclui links de origem para informações importantes, facilitando a compreensão mais profunda.
+
+### Continuar com Base nos Resultados
+
+Você pode fazer mais perguntas com base nos resultados da pesquisa e pedir à IA para aplicar as informações pesquisadas a tarefas de programação reais. Por exemplo, após pesquisar o uso de uma nova API, pode pedir à IA para ajudar na refatoração de código.
+
+
+
+
+A pesquisa web é especialmente adequada para os seguintes cenários: entender as mudanças de versões de frameworks mais recentes, encontrar soluções para erros específicos, obter documentação de API atualizada, entender as melhores práticas da indústria, etc. Os resultados da pesquisa são atualizados em tempo real, garantindo que você obtenha as informações mais recentes.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-weekly-report.mdx b/website/content/pt-BR/showcase/office-weekly-report.mdx
new file mode 100644
index 000000000..8832a99d8
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-weekly-report.mdx
@@ -0,0 +1,67 @@
+---
+title: "Gerar Relatório Semanal Automaticamente"
+description: "Personalize Skills. Com um comando, rastreie automaticamente as atualizações desta semana e crie um relatório semanal de atualizações do produto seguindo um modelo."
+category: "Tarefas Diárias"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png"
+videoUrl: "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Criar relatórios semanais de atualizações do produto toda semana é uma tarefa repetitiva e demorada. Com as Skills personalizadas do Qwen Code, você pode fazer a IA rastrear automaticamente as informações de atualização do produto desta semana e gerar um relatório semanal estruturado seguindo um modelo padrão. Com um comando, a IA coleta dados, analisa conteúdo, organiza em documentos, melhorando significativamente a eficiência de trabalho. Você pode se concentrar no produto em si e deixar a IA lidar com o trabalho tedioso de documentação.
+
+
+
+
+
+## Passos
+
+
+
+### Instalar Skill skills-creator
+
+Primeiro, instale a Skill para que a IA entenda quais fontes de dados precisam coletar informações.
+
+```
+Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, e instale skills-creator no qwen code skills.
+```
+
+### Criar Skill de Relatório Semanal
+
+Use o recurso de criação de Skills para informar à IA que você precisa de uma Skill personalizada de geração de relatórios semanais. Descreva os tipos de dados que precisam ser coletados e a estrutura do relatório. A IA gerará uma nova Skill com base em suas necessidades.
+
+```
+Preciso criar um relatório semanal para o projeto de código aberto: https://github.com/QwenLM/qwen-code. Inclui principalmente issues enviadas esta semana, bugs resolvidos, novas versões e recursos, e reflexões e revisões. A linguagem deve ser centrada no usuário, altruísta e perceptível. Crie a Skill.
+```
+
+### Gerar Conteúdo do Relatório Semanal
+
+Após a configuração, digite o comando de geração. O Qwen Code rastreará automaticamente as informações de atualização desta semana e as organizará em um documento estruturado seguindo o modelo de relatório semanal do produto.
+
+```
+Gere o relatório semanal de atualizações do produto qwen-code desta semana
+```
+
+### Abrir e Editar/ajustar Relatório
+
+O relatório semanal gerado pode ser aberto para ajustes, e você pode editá-lo mais ou compartilhá-lo com a equipe. Você também pode pedir ao Qwen Code para ajustar o formato e o foco do conteúdo.
+
+```
+Torne a linguagem do relatório semanal mais vívida
+```
+
+
+
+
+Ao usar pela primeira vez, você precisa configurar as fontes de dados. Uma vez configurado, pode ser reutilizado. Você também pode configurar tarefas agendadas para fazer o Qwen Code gerar relatórios semanais automaticamente toda semana, liberando totalmente suas mãos.
+
+
+
diff --git a/website/content/pt-BR/showcase/office-write-file.mdx b/website/content/pt-BR/showcase/office-write-file.mdx
new file mode 100644
index 000000000..aa63b4e8f
--- /dev/null
+++ b/website/content/pt-BR/showcase/office-write-file.mdx
@@ -0,0 +1,59 @@
+---
+title: "Escrever Arquivo com Uma Frase"
+description: "Informe ao Qwen Code qual arquivo deseja criar, e a IA gerará e gravará o conteúdo automaticamente."
+category: "Tarefas Diárias"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Precisa criar um novo arquivo, mas não quer começar a escrever o conteúdo do zero? Basta informar ao Qwen Code qual arquivo deseja criar, e a IA gerará e gravará automaticamente o conteúdo apropriado. Seja README, arquivos de configuração, arquivos de código ou documentos, o Qwen Code pode gerar conteúdo de alta qualidade com base em suas necessidades. Basta descrever o propósito e requisitos básicos do arquivo, e a IA cuidará do resto, melhorando significativamente a eficiência de criação de arquivos.
+
+
+
+
+
+## Passos
+
+
+
+### Descrever Conteúdo e Propósito do Arquivo
+
+Informe ao Qwen Code que tipo de arquivo deseja criar, bem como o conteúdo principal e o propósito do arquivo.
+
+```bash
+Crie um README.md. Inclua introdução do projeto e instruções de instalação
+```
+
+### Revisar Conteúdo Gerado
+
+O Qwen Code gerará o conteúdo do arquivo com base em sua descrição e o exibirá para revisão. Você pode visualizar o conteúdo para garantir que atende às suas necessidades.
+
+```bash
+Parece bom, continue criando o arquivo
+```
+
+### Correções e Melhorias
+
+Se precisar de ajustes, pode informar ao Qwen Code os requisitos específicos de correção. Por exemplo: "Adicionar exemplos de uso", "Ajustar formato".
+
+```bash
+Adicione alguns exemplos de código
+```
+
+
+
+
+O Qwen Code suporta vários tipos de arquivos, incluindo arquivos de texto, arquivos de código, arquivos de configuração, etc. Os arquivos gerados são salvos automaticamente no diretório especificado e podem ser editados posteriormente em um editor.
+
+
+
diff --git a/website/content/pt-BR/showcase/product-insight.mdx b/website/content/pt-BR/showcase/product-insight.mdx
new file mode 100644
index 000000000..acca189e8
--- /dev/null
+++ b/website/content/pt-BR/showcase/product-insight.mdx
@@ -0,0 +1,53 @@
+---
+title: "Insights de Dados"
+description: "Visualize seu relatório pessoal de uso de IA. Entenda a eficiência de programação e dados de colaboração. Use hábitos otimizados orientados por dados."
+category: "Tarefas Diárias"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Insight é o painel de análise de dados de uso pessoal do Qwen Code, fornecendo insights abrangentes sobre a eficiência de programação com IA. Ele rastreia métricas principais como número de conversas, quantidade de código gerado, recursos usados frequentemente e preferências de linguagem de programação, gerando relatórios de dados visualizados. Através desses dados, você pode entender claramente seus hábitos de programação, o efeito do suporte da IA e padrões de colaboração. O Insight não apenas ajuda a descobrir espaço para melhorias de eficiência, mas também mostra em quais áreas você está usando a IA com mais eficácia, ajudando você a aproveitar melhor o valor da IA. Com insights orientados por dados, cada uso se torna mais significativo.
+
+
+
+
+
+## Passos
+
+
+
+### Abrir Painel Insight
+
+Digite o comando `/insight` na conversa para abrir o painel de insights de dados Insight. O painel exibe uma visão geral do uso, incluindo métricas principais como número total de conversas, linhas de código geradas e tempo estimado economizado. Esses dados são exibidos em formato de gráfico intuitivo, permitindo entender seu uso de IA de um relance.
+
+```bash
+/insight
+```
+
+### Analisar Relatório de Uso
+
+Explore o relatório de uso detalhado. Inclui dimensões como tendências de conversa diária, distribuição de recursos usados frequentemente, preferências de linguagem de programação, análise de tipos de código, etc. O Insight fornece insights e sugestões personalizadas com base em seus padrões de uso, ajudando você a descobrir espaço potencial de melhoria. Você pode filtrar dados por intervalo de tempo e comparar a eficiência de uso em diferentes períodos.
+
+### Otimizar Hábitos de Uso
+
+Ajuste sua estratégia de uso de IA com base nos insights de dados. Por exemplo, se perceber que usa um recurso específico com frequência mas com baixa eficiência, pode aprender a usá-lo de forma mais eficaz. Se perceber que o suporte da IA é mais eficaz para certas linguagens de programação ou tipos de tarefas, pode usar a IA com mais frequência em cenários semelhantes. Continue rastreando as mudanças nos dados e verificando os efeitos da otimização.
+
+Quer saber como usar o recurso Insight? Confira nosso [Deixe a IA nos ensinar a usar melhor a IA](../blog/how-to-use-qwencode-insight.mdx)
+
+
+
+
+Os dados do Insight são salvos apenas localmente e não são enviados para a nuvem, garantindo privacidade de uso e segurança de dados. Recomendamos verificar o relatório regularmente e desenvolver hábitos de uso orientados por dados.
+
+
+
diff --git a/website/content/pt-BR/showcase/study-learning.mdx b/website/content/pt-BR/showcase/study-learning.mdx
new file mode 100644
index 000000000..b362d425e
--- /dev/null
+++ b/website/content/pt-BR/showcase/study-learning.mdx
@@ -0,0 +1,71 @@
+---
+title: "Aprender Código"
+description: "Clone repositórios de código aberto para aprender e entender o código. O Qwen Code orienta como contribuir para projetos de código aberto."
+category: "Aprendizado e Pesquisa"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Aprender com código de código aberto de alta qualidade é uma excelente maneira de melhorar suas habilidades de programação. O Qwen Code pode ajudá-lo a entender profundamente a arquitetura e detalhes de implementação de projetos complexos, encontrar pontos de contribuição apropriados e orientar correções de código. Seja para aprender uma nova pilha de tecnologia ou contribuir com a comunidade de código aberto, o Qwen Code é o mentor de programação ideal.
+
+
+
+
+
+## Passos
+
+
+
+### Clonar Repositório
+
+Use git clone para baixar o projeto de código aberto localmente. Escolha um projeto de seu interesse e clone-o em seu ambiente de desenvolvimento. Certifique-se de que o projeto tenha boa documentação e uma comunidade ativa, o que tornará o processo de aprendizagem mais suave.
+
+```bash
+git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code
+```
+
+### Iniciar Qwen Code
+
+Inicie o Qwen Code no diretório do projeto. Isso permite que a IA acesse todos os arquivos do projeto e forneça explicações de código contextualmente relevantes. O Qwen Code analisará automaticamente a estrutura do projeto e identificará os principais módulos e dependências.
+
+```bash
+qwen
+```
+
+### Solicitar Explicação de Código
+
+Informe à IA qual parte ou funcionalidade do projeto você deseja entender. Você pode perguntar sobre a arquitetura geral, lógica de implementação de módulos específicos ou ideias de design de funcionalidades específicas. A IA explicará o código em linguagem clara e fornecerá conhecimento de fundo relevante.
+
+```bash
+Explique a arquitetura geral e os principais módulos deste projeto
+```
+
+### Encontrar Pontos de Contribuição
+
+Peça à IA para ajudá-lo a encontrar issues ou recursos apropriados para iniciantes participarem. A IA analisará a lista de issues do projeto e recomendará pontos de contribuição apropriados com base em dificuldade, tags e descrição. Esta é uma ótima maneira de começar a contribuir com código aberto.
+
+```bash
+Há issues abertas que iniciantes podem participar?
+```
+
+### Implementar Correção
+
+Implemente a correção de código passo a passo seguindo a orientação da IA. A IA ajudará a analisar o problema, projetar a solução e escrever o código, garantindo que a correção esteja em conformidade com os padrões de código do projeto. Após a conclusão, você pode enviar um PR para contribuir com o projeto de código aberto.
+
+
+
+
+Participar de projetos de código aberto não apenas melhora suas habilidades de programação, mas também constrói influência técnica e permite conhecer desenvolvedores com interesses semelhantes.
+
+
+
diff --git a/website/content/pt-BR/showcase/study-read-paper.mdx b/website/content/pt-BR/showcase/study-read-paper.mdx
new file mode 100644
index 000000000..e2a132881
--- /dev/null
+++ b/website/content/pt-BR/showcase/study-read-paper.mdx
@@ -0,0 +1,67 @@
+---
+title: "Ler Artigos"
+description: "Leia e analise artigos acadêmicos diretamente. A IA entende conteúdo de pesquisa complexo e gera cartões de aprendizagem."
+category: "Aprendizado e Pesquisa"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Visão geral
+
+Artigos acadêmicos são muitas vezes difíceis e demoram muito para serem compreendidos. O Qwen Code pode ajudá-lo a ler e analisar artigos diretamente, extrair pontos principais, explicar conceitos complexos e resumir métodos de pesquisa. A IA entende profundamente o conteúdo do artigo, explica em linguagem fácil de entender e gera cartões de aprendizagem estruturados para facilitar revisão e compartilhamento. Seja aprendendo uma nova tecnologia ou pesquisando fronteiras, você pode melhorar significativamente a eficiência de aprendizagem.
+
+
+
+
+
+## Passos
+
+
+
+### Fornecer Informações do Artigo
+
+Informe ao Qwen Code qual artigo deseja ler. Você pode fornecer o título do artigo, caminho do arquivo PDF ou link do arXiv. A IA obterá e analisará automaticamente o conteúdo do artigo.
+
+```
+Baixe e analise este artigo: attention is all you need https://arxiv.org/abs/1706.03762
+```
+
+### Ler o Artigo
+
+Instale Skills relacionadas a PDF para que o Qwen Code analise o conteúdo do artigo e gere cartões de aprendizagem estruturados. Você pode ver resumos do artigo, pontos principais, conceitos principais, conclusões importantes, etc.
+
+```
+Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, e instale Skills de escritório como Anthropic pdf no qwen code skills.
+```
+
+### Aprendizagem Profunda e Perguntas
+
+Durante a leitura, você pode perguntar ao Qwen Code a qualquer momento. Por exemplo: "Explique o mecanismo de auto-atenção", "Como esta fórmula foi derivada". A IA responderá em detalhes, ajudando você a entender profundamente.
+
+```
+Explique as principais ideias da arquitetura Transformer
+```
+
+### Gerar Cartão de Aprendizagem
+
+Após concluir o aprendizado, peça ao Qwen Code para gerar um cartão de aprendizagem, resumindo os pontos principais, conceitos principais e conclusões importantes do artigo. Esses cartões facilitam a revisão e o compartilhamento com a equipe.
+
+```bash
+Gere um cartão de aprendizagem para este artigo
+```
+
+
+
+
+O Qwen Code suporta múltiplos formatos de artigos, incluindo PDF, links do arXiv, etc. Para fórmulas e gráficos, a IA explicará seu significado em detalhes, ajudando você a entender completamente o conteúdo do artigo.
+
+
+
diff --git a/website/content/ru/showcase/code-lsp-intelligence.mdx b/website/content/ru/showcase/code-lsp-intelligence.mdx
new file mode 100644
index 000000000..da174b9e3
--- /dev/null
+++ b/website/content/ru/showcase/code-lsp-intelligence.mdx
@@ -0,0 +1,46 @@
+---
+title: "LSP IntelliSense"
+description: "Интегрируя LSP (Language Server Protocol), Qwen Code обеспечивает профессиональное автодополнение кода и навигацию с диагностикой в реальном времени."
+category: "Программирование"
+features:
+ - "LSP"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+LSP (Language Server Protocol) IntelliSense позволяет Qwen Code предоставлять опыт автодополнения кода и навигации, сравнимый с профессиональными IDE. Интегрируя языковые серверы, Qwen Code может точно понимать структуру кода, информацию о типах и контекстные связи для предоставления высококачественных предложений по коду. Будь то сигнатуры функций, подсказки параметров, автодополнение имён переменных, переходы к определениям, поиск ссылок или операции рефакторинга — LSP IntelliSense справляется со всем плавно.
+
+
+
+
+
+## Шаги
+
+
+
+### Автоматическое обнаружение
+
+Qwen Code автоматически обнаруживает конфигурации языкового сервера в вашем проекте. Для распространённых языков программирования и фреймворков он автоматически распознаёт и запускает соответствующий LSP-сервис. Ручная настройка не требуется — готово к использованию сразу.
+
+### Наслаждайтесь IntelliSense
+
+При написании кода LSP IntelliSense активируется автоматически. По мере ввода он предоставляет точные предложения автодополнения на основе контекста, включая имена функций, имена переменных и аннотации типов. Нажмите Tab, чтобы быстро принять предложение.
+
+### Диагностика ошибок
+
+Диагностика LSP в реальном времени непрерывно анализирует ваш код во время написания, обнаруживая потенциальные проблемы. Ошибки и предупреждения отображаются интуитивно с указанием местоположения проблемы, типа ошибки и предложений по исправлению.
+
+
+
+
+Поддерживает распространённые языки, такие как TypeScript, Python, Java, Go, Rust, а также фронтенд-фреймворки React, Vue и Angular.
+
+
+
diff --git a/website/content/ru/showcase/code-pr-review.mdx b/website/content/ru/showcase/code-pr-review.mdx
new file mode 100644
index 000000000..b0fbda741
--- /dev/null
+++ b/website/content/ru/showcase/code-pr-review.mdx
@@ -0,0 +1,63 @@
+---
+title: "Ревью PR"
+description: "Используйте Qwen Code для интеллектуального ревью кода Pull Request и автоматического обнаружения потенциальных проблем."
+category: "Программирование"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Ревью кода — важный шаг для обеспечения качества кода, но часто занимает много времени и чревато ошибками. Qwen Code может помочь вам проводить интеллектуальное ревью кода Pull Request, автоматически анализировать изменения кода, находить потенциальные баги, проверять стандарты кода и предоставлять подробные отчёты о ревью.
+
+
+
+
+
+## Шаги
+
+
+
+### Указать PR для ревью
+
+Сообщите Qwen Code, какой Pull Request вы хотите проверить, указав номер или ссылку на PR.
+
+
+Вы можете использовать скилл pr-review для анализа PR. Об установке скилла см.: [Установка скиллов](./guide-skill-install.mdx).
+
+
+```bash
+/skill pr-review Пожалуйста, проверьте этот PR: <ссылка или номер PR>
+```
+
+### Запустить тесты и проверки
+
+Qwen Code проанализирует изменения кода, определит соответствующие тест-кейсы и запустит тесты для проверки корректности кода.
+
+```bash
+Запустить тесты и проверить, проходит ли этот PR все тест-кейсы
+```
+
+### Просмотреть отчёт о ревью
+
+После ревью Qwen Code генерирует подробный отчёт, включающий обнаруженные проблемы, потенциальные риски и предложения по улучшению.
+
+```bash
+Показать отчёт о ревью и перечислить все обнаруженные проблемы
+```
+
+
+
+
+Ревью кода Qwen Code анализирует не только синтаксис и стандарты, но и логику кода для выявления потенциальных проблем производительности, уязвимостей безопасности и дефектов проектирования.
+
+
+
diff --git a/website/content/ru/showcase/code-solve-issue.mdx b/website/content/ru/showcase/code-solve-issue.mdx
new file mode 100644
index 000000000..45ce5d43d
--- /dev/null
+++ b/website/content/ru/showcase/code-solve-issue.mdx
@@ -0,0 +1,71 @@
+---
+title: "Решение Issues"
+description: "Используйте Qwen Code для анализа и решения issues open source проектов с полным отслеживанием процесса от понимания до отправки кода."
+category: "Программирование"
+features:
+ - "GitHub"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png"
+videoUrl: "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Решение issues open source проектов — важный способ улучшить навыки программирования и создать техническое влияние. Qwen Code может помочь вам быстро локализовать проблемы, понять связанный код, сформулировать планы исправления и реализовать изменения кода.
+
+
+
+
+
+## Шаги
+
+
+
+### Выбрать issue
+
+Найдите интересный или подходящий issue на GitHub. Отдавайте приоритет issues с чёткими описаниями, шагами воспроизведения и ожидаемыми результатами. Метки `good first issue` или `help wanted` хорошо подходят для начинающих.
+
+### Клонировать проект и локализовать проблему
+
+Загрузите код проекта и позвольте ИИ локализовать проблему. Используйте `@file` для ссылки на соответствующие файлы.
+
+```bash
+Помогите мне проанализировать, где находится проблема, описанная в этом issue, ссылка на issue: <ссылка на issue>
+```
+
+### Понять связанный код
+
+Попросите ИИ объяснить логику связанного кода и зависимости.
+
+### Сформулировать план исправления
+
+Обсудите возможные решения с ИИ и выберите наилучшее.
+
+### Реализовать изменения кода
+
+Постепенно изменяйте код с помощью ИИ и тестируйте его.
+
+```bash
+Помогите мне изменить этот код для решения проблемы
+```
+
+### Отправить PR
+
+После завершения изменений отправьте PR и дождитесь проверки мейнтейнера проекта.
+
+```bash
+Помогите мне отправить PR для решения этой проблемы
+```
+
+
+
+
+Решение open source issues не только улучшает технические навыки, но и создаёт техническое влияние и способствует карьерному росту.
+
+
+
diff --git a/website/content/ru/showcase/creator-oss-promo-video.mdx b/website/content/ru/showcase/creator-oss-promo-video.mdx
new file mode 100644
index 000000000..ce9f317f2
--- /dev/null
+++ b/website/content/ru/showcase/creator-oss-promo-video.mdx
@@ -0,0 +1,48 @@
+---
+title: "Создание промо-видео для вашего open source проекта"
+description: "Укажите URL репозитория, и ИИ создаст красивое демо-видео проекта для вас."
+category: "Инструменты для творчества"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Хотите создать промо-видео для своего open source проекта, но не имеете опыта в видеопроизводстве? Qwen Code может автоматически генерировать красивые демо-видео проекта. Просто укажите URL репозитория GitHub, и ИИ проанализирует структуру проекта, извлечёт ключевые функции, создаст анимационные скрипты и отрендерит профессиональное видео с помощью Remotion.
+
+
+
+
+
+## Шаги
+
+
+
+### Подготовить репозиторий
+
+Убедитесь, что ваш репозиторий GitHub содержит полную информацию о проекте и документацию, включая README, скриншоты и описания функций.
+
+### Создать промо-видео
+
+Сообщите Qwen Code желаемый стиль и фокус видео, и ИИ автоматически проанализирует проект и создаст видео.
+
+```bash
+На основе этого скилла https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, помогите мне создать демо-видео для open source репозитория:
+```
+
+
+
+
+Созданные видео поддерживают несколько разрешений и форматов, и могут быть напрямую загружены на YouTube и другие видеоплатформы.
+
+
+
diff --git a/website/content/ru/showcase/creator-remotion-video.mdx b/website/content/ru/showcase/creator-remotion-video.mdx
new file mode 100644
index 000000000..9a3facab0
--- /dev/null
+++ b/website/content/ru/showcase/creator-remotion-video.mdx
@@ -0,0 +1,68 @@
+---
+title: "Создание видео с Remotion"
+description: "Опишите свои творческие идеи на естественном языке и используйте скилл Remotion для создания видеоконтента с помощью кода."
+category: "Инструменты для творчества"
+features:
+ - "Skills"
+ - "Remotion"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Хотите создавать видео, но не умеете программировать? Описывая свои творческие идеи на естественном языке, Qwen Code может использовать скилл Remotion для генерации видеокода. ИИ понимает ваше творческое описание и автоматически генерирует код проекта Remotion, включая настройку сцен, анимационные эффекты и расположение текста.
+
+
+
+
+
+## Шаги
+
+
+
+### Установить скилл Remotion
+
+Сначала установите скилл Remotion, содержащий лучшие практики и шаблоны для создания видео.
+
+```bash
+Проверьте, есть ли у меня find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, затем помогите мне установить remotion-best-practice.
+```
+
+### Описать творческую идею
+
+Подробно опишите на естественном языке видеоконтент, который хотите создать, включая тему, стиль, продолжительность и ключевые сцены.
+
+```bash
+@file На основе документа создайте 30-секундное промо-видео продукта в современном минималистичном стиле.
+```
+
+### Предварительный просмотр и настройка
+
+Qwen Code создаст код проекта Remotion на основе вашего описания. Запустите сервер разработки для предварительного просмотра.
+
+```bash
+npm run dev
+```
+
+### Рендеринг и экспорт
+
+Когда будете довольны результатом, используйте команду build для рендеринга финального видео.
+
+```bash
+Помогите мне отрендерить и экспортировать видео напрямую.
+```
+
+
+
+
+Подход на основе промптов идеально подходит для быстрого прототипирования и творческого исследования. Сгенерированный код можно дополнительно редактировать вручную.
+
+
+
diff --git a/website/content/ru/showcase/creator-resume-site-quick.mdx b/website/content/ru/showcase/creator-resume-site-quick.mdx
new file mode 100644
index 000000000..c60898683
--- /dev/null
+++ b/website/content/ru/showcase/creator-resume-site-quick.mdx
@@ -0,0 +1,67 @@
+---
+title: "Создание персонального сайта-резюме"
+description: "Создайте персональный сайт-резюме одной фразой — интегрируйте свой опыт для создания страницы-портфолио с экспортом в PDF."
+category: "Инструменты для творчества"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png"
+videoUrl: "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Персональный сайт-резюме — важный инструмент для поиска работы и самопрезентации. Qwen Code может быстро создать профессиональную страницу-портфолио на основе содержимого вашего резюме с поддержкой экспорта в PDF для удобной подачи заявок.
+
+
+
+
+
+## Шаги
+
+
+
+### Предоставить личный опыт
+
+Сообщите ИИ о своём образовании, опыте работы, проектном опыте и навыках.
+
+```bash
+Я фронтенд-разработчик, окончил университет XX, имею 3 года опыта, специализируюсь на React и TypeScript...
+```
+
+### Установить скилл веб-дизайна
+
+Установите скилл веб-дизайна, предоставляющий шаблоны дизайна резюме.
+
+```bash
+Проверьте, есть ли у меня find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills, затем помогите мне установить web-component-design.
+```
+
+### Выбрать стиль дизайна
+
+Опишите предпочтительный стиль резюме, например минималистичный, профессиональный или творческий.
+
+```bash
+/skills web-component-design Помогите мне создать сайт-резюме в минималистичном профессиональном стиле
+```
+
+### Создать сайт-резюме
+
+ИИ создаст полный проект сайта-резюме с адаптивной вёрсткой и стилями печати.
+
+```bash
+npm run dev
+```
+
+
+
+
+Ваш сайт-резюме должен подчёркивать ваши ключевые сильные стороны и достижения, используя конкретные данные и примеры для подтверждения описаний.
+
+
+
diff --git a/website/content/ru/showcase/creator-website-clone.mdx b/website/content/ru/showcase/creator-website-clone.mdx
new file mode 100644
index 000000000..1f51fb2f2
--- /dev/null
+++ b/website/content/ru/showcase/creator-website-clone.mdx
@@ -0,0 +1,63 @@
+---
+title: "Воссоздать любимый сайт одной фразой"
+description: "Дайте Qwen Code скриншот, и ИИ проанализирует структуру страницы для создания полного фронтенд-кода."
+category: "Инструменты для творчества"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Нашли понравившийся дизайн сайта и хотите быстро его воссоздать? Просто дайте Qwen Code скриншот, и ИИ может проанализировать структуру страницы и создать полный фронтенд-код. Qwen Code распознает макет страницы, цветовую схему и структуру компонентов, затем создаст исполняемый код с использованием современных фронтенд-технологий.
+
+
+
+
+
+## Шаги
+
+
+
+### Подготовить скриншот сайта
+
+Сделайте скриншот интерфейса сайта, который хотите воссоздать, убедившись, что он чёткий и полный.
+
+### Установить соответствующий скилл
+
+Установите скилл распознавания изображений и генерации фронтенд-кода.
+
+```bash
+Проверьте, есть ли у меня find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, затем помогите мне установить web-component-design.
+```
+
+### Вставить скриншот и описать требования
+
+Вставьте скриншот в разговор и сообщите Qwen Code ваши конкретные требования.
+
+```bash
+/skills web-component-design На основе этого скилла воссоздайте HTML-страницу на основе @website.png, убедившись, что ссылки на изображения действительны.
+```
+
+Пример скриншота:
+
+
+
+### Запустить и просмотреть
+
+Откройте соответствующую веб-страницу для проверки. Если нужно скорректировать дизайн или функциональность, продолжайте взаимодействовать с ИИ для изменения кода.
+
+
+
+
+Сгенерированный код следует современным лучшим практикам фронтенда с хорошей структурой и поддерживаемостью. Вы можете дополнительно настраивать и расширять его.
+
+
+
diff --git a/website/content/ru/showcase/creator-youtube-to-blog.mdx b/website/content/ru/showcase/creator-youtube-to-blog.mdx
new file mode 100644
index 000000000..cd7a53f84
--- /dev/null
+++ b/website/content/ru/showcase/creator-youtube-to-blog.mdx
@@ -0,0 +1,52 @@
+---
+title: "Конвертация YouTube-видео в статьи блога"
+description: "Используйте Qwen Code для автоматической конвертации YouTube-видео в структурированные статьи блога."
+category: "Инструменты для творчества"
+features:
+ - "Skills"
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Нашли отличное YouTube-видео и хотите превратить его в статью блога? Qwen Code может автоматически извлекать содержимое видео и создавать хорошо структурированные, содержательные статьи блога. ИИ получает транскрипт видео, понимает ключевые моменты и организует контент в стандартном формате статьи блога.
+
+
+
+
+
+## Шаги
+
+
+
+### Предоставить ссылку на видео
+
+Сообщите Qwen Code ссылку на YouTube-видео, которое хотите конвертировать.
+
+```
+На основе этого скилла: https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, помогите мне написать это видео как блог: https://www.youtube.com/watch?v=fJSLnxi1i64
+```
+
+### Создать и отредактировать статью блога
+
+ИИ проанализирует транскрипт и создаст статью с заголовком, введением, основной частью и заключением.
+
+```
+Помогите мне скорректировать языковой стиль этой статьи, чтобы он больше подходил для технического блога
+```
+
+
+
+
+Созданные статьи поддерживают формат Markdown и могут быть напрямую опубликованы на блог-платформах или GitHub Pages.
+
+
+
diff --git a/website/content/ru/showcase/guide-agents-config.mdx b/website/content/ru/showcase/guide-agents-config.mdx
new file mode 100644
index 000000000..8d3cb8790
--- /dev/null
+++ b/website/content/ru/showcase/guide-agents-config.mdx
@@ -0,0 +1,66 @@
+---
+title: "Файл конфигурации Agents"
+description: "Настройте поведение ИИ через файл MD Agents, чтобы ИИ адаптировался к спецификациям вашего проекта и стилю кодирования."
+category: "Руководство по началу работы"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Файл конфигурации Agents позволяет настраивать поведение ИИ через файлы Markdown, позволяя ИИ адаптироваться к спецификациям вашего проекта и стилю кодирования. Вы можете определить стиль кода, соглашения об именовании, требования к комментариям и т.д., и ИИ будет генерировать код, соответствующий стандартам проекта, на основе этих конфигураций. Эта функция особенно подходит для командной работы, обеспечивая согласованность стилей кода, генерируемых всеми участниками.
+
+
+
+
+
+## Шаги
+
+
+
+### Создать файл конфигурации
+
+Создайте папку `.qwen` в корневом каталоге проекта и создайте файл `AGENTS.md` внутри неё. Этот файл будет хранить вашу конфигурацию поведения ИИ.
+
+```bash
+mkdir -p .qwen && touch .qwen/AGENTS.md
+```
+
+### Написать конфигурацию
+
+Напишите конфигурацию в формате Markdown, описывая спецификации проекта на естественном языке. Вы можете определить стиль кода, соглашения об именовании, требования к комментариям, предпочтения фреймворка и т.д., и ИИ настроит своё поведение на основе этих конфигураций.
+
+```markdown
+# Спецификации проекта
+
+### Стиль кода
+
+- Использовать TypeScript
+- Использовать функциональное программирование
+- Добавлять подробные комментарии
+
+### Соглашения об именовании
+
+- Использовать camelCase для переменных
+- Использовать UPPER_SNAKE_CASE для констант
+- Использовать PascalCase для имён классов
+```
+
+### Применить конфигурацию
+
+После сохранения файла конфигурации ИИ автоматически прочитает и применит её. В следующем разговоре ИИ будет генерировать код, соответствующий стандартам проекта, на основе конфигурации, без необходимости повторять спецификации.
+
+
+
+
+Поддерживает формат Markdown, опишите спецификации проекта на естественном языке.
+
+
+
diff --git a/website/content/ru/showcase/guide-api-setup.mdx b/website/content/ru/showcase/guide-api-setup.mdx
new file mode 100644
index 000000000..421ac01df
--- /dev/null
+++ b/website/content/ru/showcase/guide-api-setup.mdx
@@ -0,0 +1,111 @@
+---
+title: "Руководство по настройке API"
+description: "Настройте ключ API и параметры модели для настройки вашего опыта программирования с ИИ, поддерживая множественный выбор моделей."
+category: "Руководство по началу работы"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Настройка ключа API — это важный шаг для использования Qwen Code, так как она разблокирует все функции и позволяет получить доступ к мощным моделям ИИ. Через платформу Alibaba Cloud Bailian вы можете легко получить ключ API и выбрать наиболее подходящую модель для различных сценариев. Будь то ежедневная разработка или сложные задачи, правильная настройка модели может значительно повысить вашу эффективность работы.
+
+
+
+
+
+## Шаги
+
+
+
+### Получить ключ API
+
+Посетите [платформу Alibaba Cloud Bailian](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), найдите страницу управления ключами API в личном центре. Нажмите для создания нового ключа API, и система сгенерирует уникальный ключ. Этот ключ — ваше удостоверение для доступа к сервисам Qwen Code, пожалуйста, храните его в безопасности.
+
+
+
+
+Пожалуйста, храните свой ключ API в безопасности и не раскрывайте его другим лицам или не коммитите в репозиторий кода.
+
+
+### Настроить ключ API в Qwen Code
+
+**1. Позволить Qwen Code настроить автоматически**
+
+Откройте терминал, запустите Qwen Code напрямую в корневом каталоге, скопируйте следующий код и сообщите ваш КЛЮЧ-API, настройка будет успешной. Перезапустите Qwen Code и введите `/model`, чтобы переключиться на настроенную модель.
+
+```json
+Помогите мне настроить `settings.json` для модели Bailian в соответствии со следующим содержимым:
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "<имя модели>",
+ "name": "[Bailian] <имя модели>",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": "<заменить на КЛЮЧ пользователя>"
+ },
+}
+Для ввода имени модели, пожалуйста, обратитесь к: https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all
+Мой КЛЮЧ-API:
+```
+
+Затем вставьте ваш КЛЮЧ-API в поле ввода, сообщите имя нужной модели, например `qwen3.5-plus`, и отправьте для завершения настройки.
+
+
+
+**2. Ручная настройка**
+
+Настройте файл settings.json вручную. Расположение файла находится в каталоге `<корневой каталог пользователя>/.qwen`. Вы можете напрямую скопировать следующее содержимое и изменить ваш КЛЮЧ-API и имя модели.
+
+```json
+{
+ "modelProviders": {
+ "openai": [
+ {
+ "id": "<имя модели>",
+ "name": "[Bailian] <имя модели>",
+ "baseUrl": "https://dashscope.aliyuncs.com/compatible-mode/v1",
+ "envKey": "BAILIAN_API_KEY",
+ }
+ ]
+ },
+ "env": {
+ "BAILIAN_API_KEY": "<заменить на КЛЮЧ пользователя>"
+ },
+}
+```
+
+### Выбрать модель
+
+Выберите подходящую модель в соответствии с вашими потребностями, балансируя скорость и производительность. Различные модели подходят для различных сценариев. Вы можете выбрать на основе сложности задачи и требований к времени ответа. Используйте команду `/model` для быстрого переключения между моделями.
+
+Общие варианты модели:
+- `qwen3.5-plus`: Мощный, подходит для сложных задач
+- `qwen3.5-flash`: Быстрый, подходит для простых задач
+- `qwen-max`: Самая мощная модель, подходит для задач высокой сложности
+
+### Проверить соединение
+
+Отправьте тестовое сообщение для подтверждения правильности настройки API. Если настройка успешна, Qwen Code ответит вам немедленно, что означает, что вы готовы начать использование программирования с поддержкой ИИ. Если вы столкнулись с проблемами, пожалуйста, проверьте, правильно ли настроен ключ API.
+
+```bash
+Hello, can you help me with coding?
+```
+
+
+
+
diff --git a/website/content/ru/showcase/guide-authentication.mdx b/website/content/ru/showcase/guide-authentication.mdx
new file mode 100644
index 000000000..6800f8451
--- /dev/null
+++ b/website/content/ru/showcase/guide-authentication.mdx
@@ -0,0 +1,50 @@
+---
+title: "Аутентификация и вход"
+description: "Поймите процесс аутентификации Qwen Code, быстро завершите вход в аккаунт и разблокируйте все функции."
+category: "Руководство по началу работы"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Аутентификация и вход — это первый шаг для использования Qwen Code. Благодаря простому процессу аутентификации вы можете быстро разблокировать все функции. Процесс аутентификации безопасен и надежен, поддерживает множественные методы входа и обеспечивает безопасность вашего аккаунта и данных. После завершения аутентификации вы можете наслаждаться персонализированным опытом программирования с ИИ, включая настройку модели, сохранение истории и т.д.
+
+
+
+
+
+## Шаги
+
+
+
+### Инициировать аутентификацию
+
+После запуска Qwen Code введите команду `/auth`, и система автоматически начнёт процесс аутентификации. Команда аутентификации может использоваться в командной строке или расширении VS Code, и метод операции согласован. Система определит текущее состояние аутентификации, и если вы не вошли в систему, она направит вас для завершения входа.
+
+```bash
+/auth
+```
+
+### Вход через браузер
+
+Система автоматически откроет браузер и перенаправит на страницу аутентификации. На странице аутентификации вы можете выбрать использование аккаунта Alibaba Cloud или других поддерживаемых методов входа. Процесс входа быстрый и удобный, занимает всего несколько секунд.
+
+### Подтвердить вход
+
+После успешного входа браузер автоматически закроется или отобразит сообщение об успехе. Вернувшись к интерфейсу Qwen Code, вы увидите сообщение об успешной аутентификации, указывающее, что вы успешно вошли в систему и разблокировали все функции. Информация об аутентификации будет автоматически сохранена, поэтому нет необходимости входить повторно.
+
+
+
+
+Информация об аутентификации безопасно хранится локально, нет необходимости входить повторно каждый раз.
+
+
+
diff --git a/website/content/ru/showcase/guide-bailian-coding-plan.mdx b/website/content/ru/showcase/guide-bailian-coding-plan.mdx
new file mode 100644
index 000000000..af18794b9
--- /dev/null
+++ b/website/content/ru/showcase/guide-bailian-coding-plan.mdx
@@ -0,0 +1,57 @@
+---
+title: "Режим Bailian Coding Plan"
+description: "Настройте для использования Bailian Coding Plan, множественный выбор моделей, улучшение качества выполнения сложных задач."
+category: "Руководство по началу работы"
+features:
+ - "Plan Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png"
+videoUrl: "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Режим Bailian Coding Plan — это расширенная функция Qwen Code, специально разработанная для сложных задач программирования. Благодаря интеллектуальному мультимодельному сотрудничеству он может разлагать большие задачи на выполняемые этапы и автоматически планировать оптимальный путь выполнения. Будь то рефакторинг больших баз кода или реализация сложных функций, Coding Plan может значительно повысить качество и эффективность выполнения задач.
+
+
+
+
+
+## Шаги
+
+
+
+### Войти в интерфейс настроек
+
+Запустите Qwen Code и введите команду `/auth`.
+
+### Выбрать Coding Plan
+
+Включите режим Bailian Coding Plan в настройках, введите ваш ключ API, и Qwen Code автоматически настроит поддерживаемые Coding Plan модели для вас.
+
+
+
+### Выбрать модель
+
+Прямо введите команду `/model`, чтобы выбрать нужную модель.
+
+### Начать сложную задачу
+
+Опишите вашу задачу программирования, и Coding Plan автоматически спланирует этапы выполнения. Вы можете подробно объяснить цели, ограничения и ожидаемые результаты задачи. ИИ проанализирует требования задачи и сгенерирует структурированный план выполнения, включая конкретные операции и ожидаемые результаты для каждого этапа.
+
+```bash
+Мне нужно рефакторизировать слой данных этого проекта, перенести базу данных из MySQL в PostgreSQL, сохраняя интерфейс API неизменным
+```
+
+
+
+
+Режим Coding Plan особенно подходит для сложных задач, требующих многоэтапного сотрудничества, таких как рефакторинг архитектуры, миграция функций и т.д.
+
+
+
diff --git a/website/content/ru/showcase/guide-copy-optimization.mdx b/website/content/ru/showcase/guide-copy-optimization.mdx
new file mode 100644
index 000000000..83eaeda15
--- /dev/null
+++ b/website/content/ru/showcase/guide-copy-optimization.mdx
@@ -0,0 +1,42 @@
+---
+title: "Оптимизация копирования символов"
+description: "Оптимизированный опыт копирования кода, точный выбор и копирование фрагментов кода, сохранение полного формата."
+category: "Руководство по началу работы"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Оптимизированный опыт копирования кода позволяет точно выбирать и копировать фрагменты кода, сохраняя полный формат и отступы. Будь то целые блоки кода или частичные строки, вы можете легко копировать и вставлять их в ваш проект. Функция копирования поддерживает множественные методы, включая копирование в один клик, копирование по выбору и копирование по сочетанию клавиш, удовлетворяя потребности различных сценариев.
+
+
+
+
+
+## Шаги
+
+
+
+### Выбрать блок кода
+
+Нажмите кнопку копирования в правом верхнем углу блока кода, чтобы скопировать весь блок в один клик. Кнопка копирования чётко видна, операция простая и быстрая. Скопированное содержимое сохранит исходный формат, включая отступы, подсветку синтаксиса и т.д.
+
+### Вставить и использовать
+
+Вставьте скопированный код в ваш редактор, и формат будет автоматически сохранён. Вы можете использовать его напрямую без необходимости ручной настройки отступов или форматирования. Вставленный код полностью согласован с исходным кодом, обеспечивая правильность кода.
+
+### Точный выбор
+
+Если вам нужно скопировать только часть кода, вы можете использовать мышь для выбора необходимого содержимого, а затем использовать сочетание клавиш для копирования. Поддерживает выбор нескольких строк, позволяя точно копировать нужные фрагменты кода.
+
+
+
+
diff --git a/website/content/ru/showcase/guide-first-conversation.mdx b/website/content/ru/showcase/guide-first-conversation.mdx
new file mode 100644
index 000000000..8ab382623
--- /dev/null
+++ b/website/content/ru/showcase/guide-first-conversation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Начать первый разговор"
+description: "После установки инициируйте свой первый разговор с ИИ с Qwen Code, чтобы понять его основные возможности и методы взаимодействия."
+category: "Руководство по началу работы"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+После завершения установки Qwen Code вы будете иметь свой первый разговор с ним. Это отличная возможность понять основные возможности и методы взаимодействия Qwen Code. Вы можете начать с простого приветствия и постепенно исследовать его мощные функции в генерации кода, решении проблем, понимании документов и т.д. Через практическое применение вы почувствуете, как Qwen Code становится вашим способным помощником в вашем пути программирования.
+
+
+
+
+
+## Шаги
+
+
+
+### Запустить Qwen Code
+
+Введите команду `qwen` в терминале для запуска приложения. При первом запуске система выполнит инициализацию конфигурации, которая занимает всего несколько секунд. После запуска вы увидите дружественный интерфейс командной строки, готовый к началу разговора с ИИ.
+
+```bash
+qwen
+```
+
+### Инициировать разговор
+
+Введите ваш вопрос в поле ввода для начала общения с ИИ. Вы можете начать с простого самопредставления, например, спросить, что такое Qwen Code или что он может сделать для вас. ИИ ответит на ваши вопросы на ясном и понятном языке и направит вас исследовать больше функций.
+
+```bash
+what is qwen code?
+```
+
+### Исследовать возможности
+
+Попробуйте попросить ИИ помочь вам выполнить некоторые простые задачи, например, объяснить код, сгенерировать функции, ответить на технические вопросы и т.д. Через практическое применение вы постепенно познакомитесь с различными возможностями Qwen Code и откроете его ценность применения в различных сценариях.
+
+```bash
+Помогите мне написать функцию Python для вычисления последовательности Фибоначчи
+```
+
+
+
+
+Qwen Code поддерживает многоходовые разговоры. Вы можете продолжать задавать вопросы на основе предыдущих ответов для углублённого исследования интересующих тем.
+
+
+
diff --git a/website/content/ru/showcase/guide-headless-mode.mdx b/website/content/ru/showcase/guide-headless-mode.mdx
new file mode 100644
index 000000000..ce600569c
--- /dev/null
+++ b/website/content/ru/showcase/guide-headless-mode.mdx
@@ -0,0 +1,62 @@
+---
+title: "Режим Headless"
+description: "Используйте Qwen Code в средах без графического интерфейса, подходящий для удалённых серверов, конвейеров CI/CD и сценариев скриптов автоматизации."
+category: "Руководство по началу работы"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Режим Headless позволяет использовать Qwen Code в средах без графического интерфейса, особенно подходящий для удалённых серверов, конвейеров CI/CD и сценариев скриптов автоматизации. Через параметры командной строки и ввод по каналу вы можете беспрепятственно интегрировать Qwen Code в существующие рабочие процессы, достигая автоматизированного программирования с поддержкой ИИ.
+
+
+
+
+
+## Шаги
+
+
+
+### Использовать режим prompt
+
+Используйте параметр `--p` для передачи промптов напрямую в командной строке. Qwen Code вернёт ответ и автоматически выйдет. Этот метод подходит для одноразовых запросов и может быть легко интегрирован в скрипты.
+
+```bash
+qwen --p 'what is qwen code?'
+```
+
+### Ввод по каналу
+
+Передавайте вывод других команд в Qwen Code через каналы для достижения автоматизированной обработки. Вы можете напрямую отправлять файлы журналов, сообщения об ошибках и т.д. в ИИ для анализа.
+
+```bash
+cat error.log | qwen --p 'анализировать ошибки'
+```
+
+### Интеграция скрипта
+
+Интегрируйте Qwen Code в скрипты Shell для достижения сложных автоматизированных рабочих процессов. Вы можете выполнять различные операции на основе результатов возврата ИИ, создавая интеллектуальные автоматизированные скрипты.
+
+```bash
+#!/bin/bash
+result=$(qwen --p 'проверить, есть ли проблемы с кодом')
+if [[ $result == *"есть проблемы"* ]]; then
+ echo "Найдены проблемы с кодом"
+fi
+```
+
+
+
+
+Режим Headless поддерживает все функции Qwen Code, включая генерацию кода, решение проблем, операции с файлами и т.д.
+
+
+
diff --git a/website/content/ru/showcase/guide-language-switch.mdx b/website/content/ru/showcase/guide-language-switch.mdx
new file mode 100644
index 000000000..20bb2ef73
--- /dev/null
+++ b/website/content/ru/showcase/guide-language-switch.mdx
@@ -0,0 +1,55 @@
+---
+title: "Переключение языка"
+description: "Гибкое переключение языка интерфейса пользователя и языка вывода ИИ, поддерживающее многоязычное взаимодействие."
+category: "Руководство по началу работы"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Qwen Code поддерживает гибкое переключение языка. Вы можете независимо установить язык интерфейса пользователя и язык вывода ИИ. Будь то китайский, английский или другие языки, вы можете найти подходящие настройки. Многоязычная поддержка позволяет вам работать в знакомой языковой среде, повышая эффективность общения и комфорт.
+
+
+
+
+
+## Шаги
+
+
+
+### Переключить язык UI
+
+Используйте команду `/language ui` для переключения языка интерфейса, поддерживая китайский, английский и другие языки. После переключения языка UI меню, подсказки, справочная документация и т.д. будут отображаться на выбранном вами языке.
+
+```bash
+/language ui zh-CN
+```
+
+### Переключить язык вывода
+
+Используйте команду `/language output` для переключения языка вывода ИИ. ИИ будет использовать указанный вами язык для ответов на вопросы, генерации комментариев к коду, предоставления объяснений и т.д., делая общение более естественным и плавным.
+
+```bash
+/language output zh-CN
+```
+
+### Смешанное использование языков
+
+Вы также можете установить разные языки для UI и вывода для достижения смешанного использования языков. Например, использовать китайский для UI и английский для вывода ИИ, подходящий для сценариев, где вам нужно читать техническую документацию на английском.
+
+
+
+
+Настройки языка автоматически сохраняются и будут использовать язык, выбранный вами в прошлый раз, при следующем запуске.
+
+
+
diff --git a/website/content/ru/showcase/guide-plan-with-search.mdx b/website/content/ru/showcase/guide-plan-with-search.mdx
new file mode 100644
index 000000000..8fec3aeeb
--- /dev/null
+++ b/website/content/ru/showcase/guide-plan-with-search.mdx
@@ -0,0 +1,59 @@
+---
+title: "Режим Plan + Web Search"
+description: "Сочетайте Web Search в режиме Plan для поиска последних данных сначала, а затем формулирования плана выполнения, значительно повышая точность сложных задач."
+category: "Руководство по началу работы"
+features:
+ - "Plan Mode"
+ - "Web Search"
+thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Режим Plan — это интеллектуальная способность планирования Qwen Code, способная разлагать сложные задачи на выполняемые этапы. При сочетании с Web Search он будет сначала активно искать последние технические документации, лучшие практики и решения, а затем формулировать более точные планы выполнения на основе этих данных в реальном времени. Эта комбинация особенно подходит для обработки задач разработки, включающих новые фреймворки, новые API или необходимость следовать последним спецификациям, что может значительно повысить качество кода и эффективность выполнения задач. Будь то миграция проектов, интеграция новых функций или решение сложных технических проблем, Plan + Web Search может предоставить вам самые передовые решения.
+
+
+
+
+
+## Шаги
+
+
+
+### Включить режим Plan
+
+Введите команду `/approval-mode plan` в разговоре для активации режима Plan. В этот момент Qwen Code войдёт в состояние планирования, готовое получить описание задачи и начать размышление. Режим Plan автоматически проанализирует сложность задачи и определит, нужно ли искать внешние данные для дополнения базы знаний.
+
+```bash
+/approval-mode plan
+```
+
+### Запросить поиск последних данных
+
+Опишите ваши требования к задаче, и Qwen Code автоматически определит ключевые слова, которые нужно искать. Он активно инициирует запросы Web Search для получения последних технических документаций, ссылок API, лучших практик и решений. Результаты поиска будут интегрированы в базу знаний, обеспечивая точную информационную основу для последующего планирования.
+
+```
+Помогите мне найти последние новости в области ИИ и организовать их в отчёт для меня
+```
+
+### Просмотреть план выполнения
+
+На основе найденных данных Qwen Code сгенерирует для вас подробный план выполнения. План будет включать чёткие описания этапов, технические моменты, на которые нужно обратить внимание, потенциальные подводные камни и решения. Вы можете просмотреть этот план, предоставить предложения по изменению или подтвердить для начала выполнения.
+
+### Выполнять план поэтапно
+
+После подтверждения плана Qwen Code будет выполнять его поэтапно. В каждом ключевом узле он будет сообщать вам о прогрессе и результатах, обеспечивая ваш полный контроль над всем процессом. Если возникнут проблемы, он предоставит решения на основе последних найденных данных, а не полагаться на устаревшие знания.
+
+
+
+
+Web Search автоматически определит технические ключевые слова в задаче, нет необходимости вручную указывать содержимое поиска. Для быстро итерирующих фреймворков и библиотек рекомендуется включить Web Search в режиме Plan для получения последних данных.
+
+
+
diff --git a/website/content/ru/showcase/guide-resume-session.mdx b/website/content/ru/showcase/guide-resume-session.mdx
new file mode 100644
index 000000000..30afef2e5
--- /dev/null
+++ b/website/content/ru/showcase/guide-resume-session.mdx
@@ -0,0 +1,63 @@
+---
+title: "Возобновление сессии Resume"
+description: "Прерванные разговоры могут быть возобновлены в любое время без потери контекста и прогресса."
+category: "Руководство по началу работы"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Функция возобновления сессии Resume позволяет прерывать разговоры в любое время и возобновлять их при необходимости без потери контекста и прогресса. Будь то временные дела или многозадачность в параллели, вы можете безопасно приостановить разговор и продолжить позже бесшовно. Эта функция значительно повышает гибкость работы, позволяя вам более эффективно управлять временем и задачами.
+
+
+
+
+
+## Шаги
+
+
+
+### Просмотреть список сессий
+
+Используйте команду `qwen --resume` для просмотра всех исторических сессий. Система отобразит время, тему и краткую информацию каждой сессии, помогая вам быстро найти разговор, который нужно возобновить.
+
+```bash
+qwen --resume
+```
+
+### Возобновить сессию
+
+Используйте команду `qwen --resume` для возобновления указанной сессии. Вы можете выбрать разговор для возобновления через ID сессии или номер, и система загрузит полную историю контекста.
+
+```bash
+qwen --resume
+```
+
+### Продолжить работу
+
+После возобновления сессии вы можете продолжать разговор так, будто он никогда не прерывался. Весь контекст, история и прогресс будут полностью сохранены, и ИИ сможет точно понять предыдущее содержание обсуждения.
+
+### Переключать сессии после запуска Qwen Code
+
+После запуска Qwen Code вы можете использовать команду `/resume` для переключения на предыдущую сессию.
+
+```bash
+/resume
+```
+
+
+
+
+История сессий автоматически сохраняется и поддерживает синхронизацию между устройствами. Вы можете возобновить ту же сессию на разных устройствах.
+
+
+
diff --git a/website/content/ru/showcase/guide-retry-shortcut.mdx b/website/content/ru/showcase/guide-retry-shortcut.mdx
new file mode 100644
index 000000000..07a5e0ec2
--- /dev/null
+++ b/website/content/ru/showcase/guide-retry-shortcut.mdx
@@ -0,0 +1,50 @@
+---
+title: "Ctrl+Y Быстрая попытка"
+description: "Не удовлетворены ответом ИИ? Используйте сочетание клавиш для попытки в один клик и быстро получите лучшие результаты."
+category: "Руководство по началу работы"
+features:
+ - "Terminal"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Не удовлетворены ответом ИИ? Используйте сочетание клавиш Ctrl+Y (Windows/Linux) или Cmd+Y (macOS) для попытки в один клик и быстро получите лучшие результаты. Эта функция позволяет вам заставить ИИ регенерировать ответ без необходимости повторного ввода вопроса, экономя время и повышая эффективность. Вы можете пытаться несколько раз, пока не получите удовлетворительный ответ.
+
+
+
+
+
+## Шаги
+
+
+
+### Обнаружить неудовлетворительные ответы
+
+Когда ответ ИИ не соответствует вашим ожиданиям, не расстраивайтесь. Ответы ИИ могут отличаться из-за понимания контекста или случайности, и вы можете получить лучшие результаты, повторив попытку.
+
+### Инициировать попытку
+
+Нажмите сочетание клавиш Ctrl+Y (Windows/Linux) или Cmd+Y (macOS), и ИИ регенерирует ответ. Процесс попытки быстрый и плавный и не прервет ваш рабочий процесс.
+
+```bash
+Ctrl+Y / Cmd+Y
+```
+
+### Дополнительное объяснение
+
+Если после попытки вы всё ещё не удовлетворены, вы можете добавить дополнительные объяснения к вашим потребностям, чтобы ИИ мог более точно понять ваши намерения. Вы можете добавить больше деталей, изменить способ формулировки вопроса или предоставить больше контекстной информации.
+
+
+
+
+Функция попытки сохранит исходный вопрос, но будет использовать разные случайные семена для генерации ответов, обеспечивая разнообразие результатов.
+
+
+
diff --git a/website/content/ru/showcase/guide-script-install.mdx b/website/content/ru/showcase/guide-script-install.mdx
new file mode 100644
index 000000000..aed9c3419
--- /dev/null
+++ b/website/content/ru/showcase/guide-script-install.mdx
@@ -0,0 +1,59 @@
+---
+title: "Установка скриптом в один клик"
+description: "Быстро установите Qwen Code с помощью команды скрипта. Настройте среду за несколько секунд. Поддержка Linux, macOS и Windows."
+category: "Руководство по началу работы"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Qwen Code поддерживает быструю установку одной командой скрипта. Нет необходимости вручную настраивать переменные окружения или загружать зависимости. Скрипт автоматически определяет тип операционной системы, загружает соответствующий установочный пакет и завершает настройку. Весь процесс занимает всего несколько секунд и поддерживает три основные платформы: **Linux**, **macOS** и **Windows**.
+
+
+
+
+
+## Шаги
+
+
+
+### Установка на Linux / macOS
+
+Откройте терминал и выполните следующую команду. Скрипт автоматически определит архитектуру системы (x86_64 / ARM) и загрузит соответствующую версию для завершения установки.
+
+```bash
+bash -c "$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)" -s --source website
+```
+
+### Установка на Windows
+
+Выполните следующую команду в PowerShell. Скрипт загрузит пакетный файл и автоматически выполнит процесс установки. После завершения вы сможете использовать команду `qwen` в любом терминале.
+
+```bash
+curl -fsSL -o %TEMP%\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\install-qwen.bat --source website
+```
+
+### Проверка установки
+
+После завершения установки выполните следующую команду в терминале, чтобы проверить, что Qwen Code установлен правильно. Если отображается номер версии, установка прошла успешно.
+
+```bash
+qwen --version
+```
+
+
+
+
+Если вы предпочитаете использовать npm, вы также можете установить глобально с помощью `npm install -g @qwen-code/qwen-code`. После установки введите `qwen` для запуска. Если есть проблемы с правами доступа, используйте `sudo npm install -g @qwen-code/qwen-code` и введите пароль для установки.
+
+
+
diff --git a/website/content/ru/showcase/guide-skill-install.mdx b/website/content/ru/showcase/guide-skill-install.mdx
new file mode 100644
index 000000000..ebf43495e
--- /dev/null
+++ b/website/content/ru/showcase/guide-skill-install.mdx
@@ -0,0 +1,78 @@
+---
+title: "Установка Skills"
+description: "Установите расширения Skills различными способами, включая установку через командную строку и папку, для удовлетворения потребностей различных сценариев."
+category: "Руководство по началу работы"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Qwen Code поддерживает несколько методов установки Skills. Вы можете выбрать наиболее подходящий метод в зависимости от вашей реальной ситуации. Установка через командную строку подходит для онлайн-среды, она быстрая и удобная. Установка через папку подходит для офлайн-среды или пользовательских Skills, она гибкая и управляемая.
+
+
+
+
+
+## Шаги
+
+
+
+### Проверка и установка Skill find-skills
+
+В Qwen Code прямо опишите свои потребности и позвольте Qwen Code помочь вам найти и установить необходимую Skill:
+
+```
+Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code
+```
+
+### Установка необходимых Skills, например web-component-design:
+
+```
+/skills find-skills install web-component-design -y -a qwen-code
+```
+
+Qwen Code автоматически выполнит команду установки, загрузит и установит Skill из указанного репозитория. Вы также можете установить одной фразой:
+
+```
+Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, и установите [имя skill] в текущий каталог qwen code skills.
+```
+
+### Проверка установки
+
+После завершения установки проверьте, что Skill загружена правильно:
+
+```bash
+/skills
+```
+
+
+
+
+Установка через командную строку требует подключения к интернету. Параметр `-y` означает автоматическое подтверждение, а `-a qwen-code` указывает установку в Qwen Code.
+
+
+
+**Требования к структуре каталога Skills**
+
+Каждая папка Skill должна содержать файл `skill.md`, который определяет имя, описание и правила активации Skill:
+
+```
+~/.qwen/skills/
+├── my-skill/
+│ ├── SKILL.md # Обязательно: файл конфигурации Skill
+│ └── scripts/ # Опционально: файлы скриптов
+└── another-skill/
+ └── SKILL.md
+```
+
+
+
diff --git a/website/content/ru/showcase/guide-skills-panel.mdx b/website/content/ru/showcase/guide-skills-panel.mdx
new file mode 100644
index 000000000..c18c5aff0
--- /dev/null
+++ b/website/content/ru/showcase/guide-skills-panel.mdx
@@ -0,0 +1,50 @@
+---
+title: "Панель Skills"
+description: "Просматривайте, устанавливайте и управляйте существующими расширениями Skills через панель Skills, управляя своей библиотекой функций ИИ в одном месте."
+category: "Руководство по началу работы"
+features:
+ - "Skills"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Панель Skills — это центр управления для управления расширениями Qwen Code. Через этот интуитивный интерфейс вы можете просматривать различные официальные и общественные Skills, понимать функции и использование каждой Skill, а также устанавливать или удалять расширения одним кликом. Будь то открытие новых функций ИИ или управление установленными Skills, панель Skills предоставляет удобный опыт использования, позволяя легко создать свой персонализированный набор инструментов ИИ.
+
+
+
+
+
+## Шаги
+
+
+
+### Открытие панели Skills
+
+Введите команду в разговоре Qwen Code, чтобы открыть панель Skills. Эта команда отобразит список всех доступных Skills, включая установленные и неустановленные расширения.
+
+```bash
+/skills
+```
+
+### Просмотр и поиск Skills
+
+Просмотрите различные расширения Skills на панели. У каждой Skill есть подробные описания и объяснения функций. Вы можете использовать функцию поиска для быстрого поиска конкретных Skills или просматривать различные типы расширений по категориям.
+
+### Установка или удаление Skills
+
+Когда вы найдете интересующую вас Skill, нажмите кнопку установки, чтобы добавить её в Qwen Code одним кликом. Точно так же вы можете удалить ненужные Skills в любое время, поддерживая вашу библиотеку функций ИИ организованной и эффективной.
+
+
+
+
+Панель Skills регулярно обновляется для отображения последних расширений Skills. Мы рекомендуем регулярно проверять панель для обнаружения мощных функций ИИ, которые могут улучшить вашу эффективность работы.
+
+
+
diff --git a/website/content/ru/showcase/guide-vscode-integration.mdx b/website/content/ru/showcase/guide-vscode-integration.mdx
new file mode 100644
index 000000000..f683bb600
--- /dev/null
+++ b/website/content/ru/showcase/guide-vscode-integration.mdx
@@ -0,0 +1,51 @@
+---
+title: "Интерфейс интеграции VS Code"
+description: "Полное отображение интерфейса Qwen Code в VS Code. Понимайте макет и использование каждой функциональной области."
+category: "Руководство по началу работы"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+VS Code — один из самых популярных редакторов кода, и Qwen Code предлагает глубокую интеграцию с VS Code. Через это расширение вы можете напрямую общаться с ИИ в знакомой среде редактора, наслаждаясь бесшовным опытом программирования. Расширение предоставляет интуитивный интерфейс, позволяющий легко получить доступ ко всем функциям. Автодополнение кода, решение проблем, операции с файлами — всё можно сделать эффективно.
+
+
+
+
+
+## Шаги
+
+
+
+### Установка расширения VS Code
+
+Поищите "Qwen Code" в marketplace расширений VS Code и нажмите установить. Процесс установки прост и быстр, завершается за несколько секунд. После установки значок Qwen Code появится на боковой панели VS Code, указывая, что расширение успешно загружено.
+
+### Вход в аккаунт
+
+Используйте команду `/auth` для запуска процесса аутентификации. Система автоматически откроет браузер для входа. Процесс входа безопасен и удобен, поддерживает несколько методов аутентификации. После успешного входа информация об аккаунте автоматически синхронизируется с расширением VS Code, разблокируя все функции.
+
+```bash
+/auth
+```
+
+### Начало использования
+
+Откройте панель Qwen Code на боковой панели и начните разговор с ИИ. Вы можете напрямую вводить вопросы, ссылаться на файлы или выполнять команды. Все операции выполняются в VS Code. Расширение поддерживает функции, такие как несколько вкладок, история и горячие клавиши, предоставляя полный опыт помощника программирования.
+
+
+
+
+Расширение VS Code имеет те же функции, что и версия командной строки. Вы можете свободно выбирать в зависимости от вашего сценария использования.
+
+
+
diff --git a/website/content/ru/showcase/guide-web-search.mdx b/website/content/ru/showcase/guide-web-search.mdx
new file mode 100644
index 000000000..7552a6dec
--- /dev/null
+++ b/website/content/ru/showcase/guide-web-search.mdx
@@ -0,0 +1,55 @@
+---
+title: "Веб-поиск"
+description: "Позвольте Qwen Code искать веб-контент для получения информации в реальном времени и помощи в программировании и решении проблем."
+category: "Руководство по началу работы"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Функция веб-поиска позволяет Qwen Code искать веб-контент в реальном времени, получая самую свежую техническую документацию, обновления фреймворков и решения. Когда вы сталкиваетесь с проблемами при разработке или вам нужно понять последние тенденции технологии, эта функция очень полезна. ИИ интеллектуально ищет релевантную информацию и возвращает её в понятном формате.
+
+
+
+
+
+## Шаги
+
+
+
+### Включение функции поиска
+
+Ясно укажите в разговоре, что ИИ нужно искать самую свежую информацию. Вы можете напрямую задавать вопросы о новейших технологиях, версиях фреймворков или данных в реальном времени. Qwen Code автоматически определит ваши потребности и запустит функцию веб-поиска для получения наиболее точной информации.
+
+```bash
+Поищите новые функции React 19
+```
+
+### Отображение результатов поиска
+
+ИИ вернет найденную информацию и организует её в понятный формат. Результаты поиска обычно включают сводку важной информации, ссылки на источники и соответствующие технические детали. Вы можете быстро просмотреть эту информацию, чтобы понять последние технологические тенденции или найти решения проблем.
+
+### Задание вопросов на основе результатов
+
+Вы можете задавать дополнительные вопросы на основе результатов поиска для получения более подробных объяснений. Если у вас есть вопросы о конкретных технических деталях или вы хотите знать, как применить результаты поиска к вашему проекту, вы можете продолжать задавать вопросы напрямую. ИИ предоставит более конкретные рекомендации на основе найденной информации.
+
+```bash
+Как эти новые функции повлияют на мой проект
+```
+
+
+
+
+Функция веб-поиска особенно подходит для запроса последних изменений в API, обновлений версий фреймворков и технологических тенденций в реальном времени.
+
+
+
diff --git a/website/content/ru/showcase/office-batch-file-organize.mdx b/website/content/ru/showcase/office-batch-file-organize.mdx
new file mode 100644
index 000000000..e0d29d782
--- /dev/null
+++ b/website/content/ru/showcase/office-batch-file-organize.mdx
@@ -0,0 +1,60 @@
+---
+title: "Массовая организация файлов"
+description: "Используйте функцию Cowork Qwen Code для организации разбросанных файлов рабочего стола одним кликом, автоматически классифицируя их по типу и помещая в соответствующие папки."
+category: "Ежедневные задачи"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Ваши файлы рабочего стола разбросаны? С функцией Cowork Qwen Code вы можете организовать файлы массово одним кликом, автоматически определяя тип файла и классифицируя его в соответствующие папки. Будь то документы, изображения, видео или другие типы файлов, всё может быть интеллектуально идентифицировано и архивировано, поддерживая вашу рабочую среду организованной и повышая вашу эффективность.
+
+
+
+
+
+## Шаги
+
+
+
+### Начало разговора
+
+Откройте терминал или командную строку и введите `qwen` для запуска Qwen Code. Убедитесь, что вы находитесь в каталоге, который нужно организовать, или ясно укажите ИИ, какой каталог нужно организовать. Qwen Code готов принять ваши инструкции по организации.
+
+```bash
+cd ~/Desktop
+qwen
+```
+
+### Предоставление инструкций по организации
+
+Сообщите Qwen Code, что вы хотите организовать файлы рабочего стола. ИИ автоматически определит типы файлов и создаст папки классификации. Вы можете указать каталог для организации, правила классификации и желаемую структуру папок. ИИ создаст план организации на основе ваших потребностей.
+
+```bash
+Организуйте файлы рабочего стола. Классифицируйте их в разные папки по типу: документы, изображения, видео, сжатые файлы и т.д.
+```
+
+### Просмотр плана выполнения
+
+Qwen Code сначала перечислит план операций, которые будут выполнены. После проверки, что нет проблем, вы можете разрешить выполнение. Этот шаг очень важен — вы можете просмотреть план организации, чтобы убедиться, что ИИ понял ваши потребности и избежать неправильных операций.
+
+### Завершение организации
+
+ИИ автоматически выполнит операции перемещения файлов и отобразит отчет об организации после завершения, сообщая, какие файлы были перемещены куда. Весь процесс быстрый и эффективный, без необходимости ручных операций, экономя много времени.
+
+
+
+
+Функция Cowork поддерживает пользовательские правила классификации. Вы можете указать сопоставление между типами файлов и целевыми папками по мере необходимости.
+
+
+
diff --git a/website/content/ru/showcase/office-clipboard-paste.mdx b/website/content/ru/showcase/office-clipboard-paste.mdx
new file mode 100644
index 000000000..89f9b697b
--- /dev/null
+++ b/website/content/ru/showcase/office-clipboard-paste.mdx
@@ -0,0 +1,46 @@
+---
+title: "Вставка изображения из буфера обмена"
+description: "Вставьте скриншоты из буфера обмена прямо в окно разговора. ИИ мгновенно понимает содержимое изображения и предлагает помощь."
+category: "Ежедневные задачи"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Функция вставки изображения из буфера обмена позволяет вставлять любые скриншоты прямо в окно разговора Qwen Code, без необходимости сохранять файл и затем загружать. Будь то скриншоты ошибок, макеты дизайна UI, скриншоты фрагментов кода или другие изображения, Qwen Code может мгновенно понять содержимое и предложить помощь на основе ваших потребностей. Этот удобный способ общения значительно повышает эффективность коммуникации, позволяя быстро получить анализ и рекомендации ИИ при возникновении проблем.
+
+
+
+
+
+## Шаги
+
+
+
+### Копирование изображения в буфер обмена
+
+Используйте системный инструмент скриншота (macOS: `Cmd+Shift+4`, Windows: `Win+Shift+S`) для захвата содержимого экрана или скопируйте изображение из браузера или файлового менеджера. Скриншот автоматически сохраняется в буфере обмена, без необходимости дополнительных операций.
+
+### Вставка в окно разговора
+
+В поле ввода разговора Qwen Code используйте `Cmd+V` (macOS) или `Ctrl+V` (Windows) для вставки изображения. Изображение автоматически появится в поле ввода, и вы можете одновременно вводить текст для ваших вопросов или потребностей.
+
+### Получение результатов анализа ИИ
+
+После отправки сообщения Qwen Code проанализирует содержимое изображения и ответит. Он может идентифицировать ошибки в скриншотах кода, анализировать макеты дизайна UI, интерпретировать данные графиков и многое другое. Вы можете задавать дополнительные вопросы для глубокого обсуждения деталей изображения.
+
+
+
+
+Поддерживает распространенные форматы изображений, такие как PNG, JPEG, GIF и т.д. Рекомендуется, чтобы размер изображения был менее 10 МБ для обеспечения наилучшего эффекта распознавания. Для скриншотов кода рекомендуется использовать высокое разрешение для повышения точности распознавания текста.
+
+
+
diff --git a/website/content/ru/showcase/office-export-conversation.mdx b/website/content/ru/showcase/office-export-conversation.mdx
new file mode 100644
index 000000000..ce1f763af
--- /dev/null
+++ b/website/content/ru/showcase/office-export-conversation.mdx
@@ -0,0 +1,58 @@
+---
+title: "Экспорт истории разговора"
+description: "Экспортируйте историю разговора в форматах Markdown, HTML или JSON для удобства архивации и совместного использования."
+category: "Ежедневные задачи"
+features:
+ - "Terminal"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Функция экспорта истории разговора позволяет вам экспортировать важные разговоры в различных форматах. Вы можете выбрать между Markdown, HTML или JSON в зависимости от ваших потребностей. Это упрощает архивацию важных разговоров, совместное использование с коллегами или использование в документации. Процесс экспорта прост и быстр, сохраняя исходный формат и содержание разговора.
+
+
+
+
+
+## Шаги
+
+
+
+### Отображение списка сессий
+
+Используйте команду `/resume` для отображения всех сессий истории. Список отображает информацию, такую как время создания и сводка темы каждой сессии, помогая вам быстро найти разговор, который хотите экспортировать. Вы можете использовать поиск по ключевым словам или сортировку по времени для точного поиска нужной сессии.
+
+```bash
+/resume
+```
+
+### Выбор формата экспорта
+
+После решения, какую сессию экспортировать, используйте команду `/export` для указания формата и идентификатора сессии. Поддерживаются три формата: `markdown`, `html`, `json`. Формат Markdown подходит для использования в инструментах документации, формат HTML можно открыть и просмотреть прямо в браузере, а формат JSON подходит для программной обработки.
+
+```bash
+# Если нет параметра , по умолчанию экспортируется текущая сессия
+/export html # Экспорт в формате HTML
+/export markdown # Экспорт в формате Markdown
+/export json # Экспорт в формате JSON
+```
+
+### Совместное использование и архивация
+
+Экспортированный файл сохраняется в указанном каталоге. Файлы Markdown и HTML можно напрямую делиться с коллегами или использовать в документации команды. Файлы JSON можно импортировать в другие инструменты для вторичной обработки. Рекомендуется регулярно архивировать важные разговоры для создания базы знаний команды. Экспортированные файлы также могут служить резервной копией, предотвращая потерю важной информации.
+
+
+
+
+Экспортированный формат HTML включает полные стили и может быть открыт и просмотрен прямо в любом браузере. Формат JSON сохраняет все метаданные и подходит для анализа и обработки данных.
+
+
+
diff --git a/website/content/ru/showcase/office-file-reference.mdx b/website/content/ru/showcase/office-file-reference.mdx
new file mode 100644
index 000000000..54c070e2b
--- /dev/null
+++ b/website/content/ru/showcase/office-file-reference.mdx
@@ -0,0 +1,61 @@
+---
+title: "Функция @file"
+description: "Используйте @file в разговоре для ссылки на файлы проекта, позволяя ИИ точно понимать контекст кода."
+category: "Руководство по началу работы"
+features:
+ - "Agent Mode"
+thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Функция @file позволяет ссылаться на файлы проекта прямо в разговоре, позволяя ИИ точно понимать контекст кода. Будь то один файл или несколько файлов, ИИ может читать и анализировать содержимое кода, предоставляя более точные предложения и ответы. Эта функция особенно подходит для таких сценариев, как обзор кода, решение проблем и рефакторинг кода.
+
+
+
+
+
+## Шаги
+
+
+
+### Ссылка на один файл
+
+Используйте команду `@file`, за которой следует путь к файлу, для ссылки на один файл. ИИ прочитает содержимое файла, поймёт структуру и логику кода, и предоставит целенаправленные ответы на основе ваших вопросов.
+
+```bash
+@file ./src/main.py
+Объясните роль этой функции
+```
+
+Вы также можете сослаться на файл и попросить Qwen Code организовать и создать новый документ на его основе. Это во многом избегает того, что ИИ неправильно поймёт ваши потребности и сгенерирует контент, не включенный в справочный материал:
+
+```bash
+@file Напишите статью для официального аккаунта на основе этого файла
+```
+
+### Описание потребностей
+
+После ссылки на файл чётко опишите свои потребности или вопросы. ИИ проанализирует на основе содержимого файла и предоставит точные ответы или предложения. Вы можете спросить о логике кода, искать проблемы, запрашивать оптимизации и т.д.
+
+### Ссылка на несколько файлов
+
+Вы можете ссылаться на несколько файлов одновременно, используя команду `@file` несколько раз. ИИ комплексно проанализирует все ссылочные файлы, поймёт их отношения и содержимое, и предоставит более исчерпывающие ответы.
+
+```bash
+@file1 @file2 Организуйте документ для обучения новичков на основе материалов этих двух файлов
+```
+
+
+
+
+@file поддерживает относительные и абсолютные пути, а также поддерживает сопоставление с шаблоном для нескольких файлов.
+
+
+
diff --git a/website/content/ru/showcase/office-image-recognition.mdx b/website/content/ru/showcase/office-image-recognition.mdx
new file mode 100644
index 000000000..a993aadfa
--- /dev/null
+++ b/website/content/ru/showcase/office-image-recognition.mdx
@@ -0,0 +1,53 @@
+---
+title: "Распознавание изображений"
+description: "Qwen Code может читать и понимать содержимое изображений. Макеты дизайна UI, скриншоты ошибок, диаграммы архитектуры и т.д."
+category: "Ежедневные задачи"
+features:
+ - "Image Recognition"
+thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png"
+videoUrl: "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Qwen Code обладает мощными возможностями распознавания изображений, способными читать и понимать различные типы содержимого изображений. Будь то макеты дизайна UI, скриншоты ошибок, диаграммы архитектуры, блок-схемы, рукописные заметки или другие, Qwen Code может точно идентифицировать и предоставить ценные анализы. Эта возможность позволяет интегрировать визуальную информацию прямо в рабочий процесс программирования, значительно повышая эффективность коммуникации и скорость решения проблем.
+
+
+
+
+
+## Шаги
+
+
+
+### Загрузка изображения
+
+Перетащите изображение в окно разговора или используйте вставку из буфера обмена (`Cmd+V` / `Ctrl+V`). Поддерживает распространенные форматы, такие как PNG, JPEG, GIF, WebP и т.д.
+
+Ссылка: [Вставка изображения из буфера обмена](./office-clipboard-paste.mdx) показывает, как быстро вставлять скриншоты в разговор.
+
+### Описание потребностей
+
+В поле ввода опишите, что вы хотите, чтобы ИИ сделал с изображением. Например:
+
+```
+На основе содержимого изображения сгенерируйте простой html файл
+```
+
+### Получение результатов анализа
+
+Qwen Code проанализирует содержимое изображения и предоставит подробный ответ. Вы можете задавать дополнительные вопросы для глубокого обсуждения деталей изображения или попросить Qwen Code сгенерировать код на основе содержимого изображения.
+
+
+
+
+Функция распознавания изображений поддерживает несколько сценариев: анализ скриншотов кода, преобразование макетов дизайна UI в код, интерпретация информации об ошибках, понимание диаграмм архитектуры, извлечение данных из графиков и т.д. Рекомендуется использовать чёткие изображения высокого разрешения для получения наилучшего эффекта распознавания.
+
+
+
diff --git a/website/content/ru/showcase/office-mcp-image-gen.mdx b/website/content/ru/showcase/office-mcp-image-gen.mdx
new file mode 100644
index 000000000..79b2c9ce1
--- /dev/null
+++ b/website/content/ru/showcase/office-mcp-image-gen.mdx
@@ -0,0 +1,47 @@
+---
+title: "Генерация изображений MCP"
+description: "Интегрируйте службы генерации изображений через MCP. Используйте описания на естественном языке для управления ИИ для создания изображений высокого качества."
+category: "Ежедневные задачи"
+features:
+ - "MCP"
+thumbnail: "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Функция генерации изображений MCP (Model Context Protocol) позволяет использовать описания на естественном языке для управления ИИ для создания изображений высокого качества прямо в Qwen Code. Нет необходимости переключаться на специализированные инструменты генерации изображений — просто опишите свои потребности в разговоре, и Qwen Code вызовет интегрированную службу генерации изображений для создания изображений, соответствующих вашим требованиям. Будь то создание прототипов UI, создание иконок, рисование иллюстраций или создание концептуальных диаграмм, генерация изображений MCP предоставляет мощную поддержку. Этот идеально интегрированный рабочий процесс значительно повышает эффективность дизайна и разработки, делая творческую реализацию более удобной.
+
+
+
+
+
+## Шаги
+
+
+
+### Настройка службы MCP
+
+Сначала вам нужно настроить службу генерации изображений MCP. Добавьте информацию о ключе API и конечной точке службы генерации изображений в файл конфигурации. Qwen Code поддерживает несколько основных служб генерации изображений, и вы можете выбрать соответствующую службу в зависимости от ваших потребностей и бюджета. После настройки перезапустите Qwen Code для активации.
+
+### Описание требований к изображению
+
+В разговоре подробно опишите на естественном языке изображение, которое хотите создать. Включите такие элементы, как тема, стиль, цвета, композиция и детали изображения. Чем более конкретно описание, тем ближе сгенерированное изображение будет к вашим ожиданиям. Вы можете указать художественные стили, ссылаться на конкретных художников или загрузить эталонное изображение, чтобы помочь ИИ лучше понять ваши потребности.
+
+### Просмотр и сохранение результатов
+
+Qwen Code сгенерирует несколько изображений для вашего выбора. Вы можете просмотреть каждое изображение и выбрать то, которое лучше всего соответствует вашим требованиям. Если вам нужны корректировки, вы можете продолжить описывать мнения о модификации, и Qwen Code перегенерирует на основе обратной связи. Когда вы удовлетворены, вы можете сохранить изображение локально или скопировать ссылку на изображение для использования в других местах.
+
+
+
+
+Генерация изображений MCP поддерживает несколько стилей и размеров, которые можно гибко регулировать в зависимости от потребностей проекта. Авторские права на сгенерированные изображения различаются в зависимости от используемой службы. Проверьте условия использования.
+
+
+
diff --git a/website/content/ru/showcase/office-organize-desktop.mdx b/website/content/ru/showcase/office-organize-desktop.mdx
new file mode 100644
index 000000000..dff4f8f90
--- /dev/null
+++ b/website/content/ru/showcase/office-organize-desktop.mdx
@@ -0,0 +1,56 @@
+---
+title: "Организовать файлы рабочего стола"
+description: "Одной фразой позвольте Qwen Code автоматически организовать файлы рабочего стола, интеллектуально классифицируя их по типу."
+category: "Ежедневные задачи"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Ваши файлы рабочего стола накопились, и вы не можете найти нужный файл? Одной фразой позвольте Qwen Code автоматически организовать ваши файлы рабочего стола. ИИ интеллектуально определит типы файлов и автоматически классифицирует их на изображения, документы, код, сжатые файлы и т.д., создавая чёткую структуру папок. Весь процесс безопасен и управляем — ИИ сначала перечислит план операций для вашего подтверждения, избегая неправильного перемещения важных файлов. Организуйте свой рабочий стол мгновенно и повысьте эффективность работы.
+
+
+
+
+
+## Шаги
+
+
+
+### Описание потребностей организации
+
+Перейдите в каталог рабочего стола, запустите Qwen Code и сообщите, как вы хотите организовать файлы рабочего стола. Например, по типу, по дате и т.д.
+
+```bash
+cd ~/Desktop
+Организуйте файлы рабочего стола по типу
+```
+
+### Просмотр плана операций
+
+Qwen Code проанализирует файлы рабочего стола и перечислит подробный план организации, включая какие файлы будут перемещены в какие папки. Вы можете просмотреть план, чтобы убедиться, что нет проблем.
+
+```bash
+Выполните этот план организации
+```
+
+### Выполнение организации и отображение результатов
+
+После подтверждения Qwen Code выполнит операции организации согласно плану. После завершения вы можете просмотреть организованный рабочий стол, файлы уже организованы по типу в порядке.
+
+
+
+
+ИИ сначала перечислит план операций для вашего подтверждения, избегая неправильного перемещения важных файлов. Если у вас есть сомнения по поводу классификации конкретных файлов, вы можете сообщить Qwen Code для корректировки правил перед выполнением.
+
+
+
diff --git a/website/content/ru/showcase/office-ppt-presentation.mdx b/website/content/ru/showcase/office-ppt-presentation.mdx
new file mode 100644
index 000000000..8a66cfc3b
--- /dev/null
+++ b/website/content/ru/showcase/office-ppt-presentation.mdx
@@ -0,0 +1,59 @@
+---
+title: "Презентация: Создание PPT"
+description: "Создайте презентацию на основе скриншотов продукта. Предоставьте скриншоты и описания, и ИИ сгенерирует красивые слайды презентации."
+category: "Ежедневные задачи"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png"
+videoUrl: "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Нужно создать презентацию PPT продукта, но не хотите начинать с нуля? Просто предоставьте скриншоты продукта и краткое описание, и Qwen Code может сгенерировать структурированные и хорошо спроектированные слайды презентации. ИИ проанализирует содержимое скриншотов, поймёт функции продукта, автоматически организует структуру слайдов и добавит соответствующие тексты и макеты. Будь то запуск продукта, презентация команды или презентация клиенту, вы можете быстро получить профессиональный PPT, экономя много времени и энергии.
+
+
+
+
+
+## Шаги
+
+
+
+### Подготовка скриншотов продукта
+
+Соберите скриншоты интерфейсов продукта, которые хотите показать. Включает основные страницы функций, демонстрации важных функций и т.д. Скриншоты должны быть чёткими и полностью показывать ценность и функции продукта. Поместите их в папку. Например: qwen-code-images
+
+### Установка связанных Skills
+
+Установите Skills, связанные с генерацией PPT. Эти Skills включают функции для анализа содержимого скриншотов и генерации слайдов презентации.
+
+```
+Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, и установите zarazhangrui/frontend-slides в qwen code skills.
+```
+
+### Генерация презентации
+
+Ссылайтесь на соответствующие файлы и сообщайте Qwen Code ваши потребности. Включает цель презентации, целевую аудиторию, основное содержание и т.д. ИИ сгенерирует PPT на основе этой информации.
+
+```
+@qwen-code-images Создайте презентацию PPT продукта на основе этих скриншотов. Для технической команды, фокусируясь на новых функциях
+```
+
+### Корректировка и экспорт
+
+Просмотрите сгенерированный PPT. Если вам нужны корректировки, вы можете сообщить Qwen Code. Например: "Добавить страницу введения архитектуры", "Скорректировать текст этой страницы". Когда вы удовлетворены, экспортируйте в редактируемый формат.
+
+```
+Скорректируйте текст третьей страницы, чтобы он был более кратким
+```
+
+
+
+
diff --git a/website/content/ru/showcase/office-terminal-theme.mdx b/website/content/ru/showcase/office-terminal-theme.mdx
new file mode 100644
index 000000000..6dccae8bc
--- /dev/null
+++ b/website/content/ru/showcase/office-terminal-theme.mdx
@@ -0,0 +1,55 @@
+---
+title: "Переключение темы терминала"
+description: "Измените тему терминала одной фразой. Опишите стиль на естественном языке, и ИИ применит автоматически."
+category: "Ежедневные задачи"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Устали от темы терминала по умолчанию? Просто опишите желаемый стиль на естественном языке, и Qwen Code найдёт и применит соответствующую тему. Будь то тёмный технический стиль, свежий простой стиль или классический ретро-стиль, одной фразой ИИ поймёт ваши эстетические предпочтения и автоматически настроит цветовую схему и стиль терминала. Попрощайтесь с утомительной ручной настройкой и мгновенно обновите свою рабочую среду.
+
+
+
+
+
+## Шаги
+
+
+
+### Описание желаемого стиля темы
+
+В разговоре опишите стиль, который вам нравится, на естественном языке. Например: "Измените тему терминала на тёмный технический стиль", "Хочу светлую свежую простую тему". Qwen Code поймёт ваши потребности.
+
+```
+Измените тему терминала на тёмный технический стиль
+```
+
+### Просмотр и применение темы
+
+Qwen Code порекомендует несколько вариантов темы, соответствующих вашему описанию, и отобразит эффект просмотра. Выберите тему по вашему вкусу, и после подтверждения ИИ автоматически применит настройки.
+
+```
+Похоже хорошо, примените тему напрямую
+```
+
+### Тонкая настройка и персонализация
+
+Если вам нужны дополнительные корректировки, вы можете продолжать сообщать Qwen Code свои мысли. Например: "Сделайте цвет фона немного темнее", "Скорректируйте размер шрифта". ИИ поможет с тонкой настройкой.
+
+
+
+
+Переключение темы изменяет файлы конфигурации терминала. Если вы используете конкретное приложение терминала (iTerm2, Terminal.app и т.д.), Qwen Code автоматически определит и настроит соответствующие файлы темы.
+
+
+
diff --git a/website/content/ru/showcase/office-web-search-detail.mdx b/website/content/ru/showcase/office-web-search-detail.mdx
new file mode 100644
index 000000000..50c88620c
--- /dev/null
+++ b/website/content/ru/showcase/office-web-search-detail.mdx
@@ -0,0 +1,47 @@
+---
+title: "Веб-поиск"
+description: "Позвольте Qwen Code искать веб-контент для получения информации в реальном времени и помощи в программировании. Понимайте последние технологические тенденции и документацию."
+category: "Руководство по началу работы"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Функция веб-поиска позволяет Qwen Code искать самую свежую информацию из интернета в реальном времени, получая актуальную техническую документацию, ссылки на API, лучшие практики и решения. Когда вы сталкиваетесь с незнакомой технологической стекой, вам нужно понять изменения последней версии или найти решения для конкретных проблем, веб-поиск позволяет ИИ предоставлять точные ответы на основе самой свежей информации из веба.
+
+
+
+
+
+## Шаги
+
+
+
+### Начало запроса поиска
+
+В разговоре напрямую опишите содержимое, которое хотите найти. Например: "Поищите новые функции React 19", "Найдите лучшие практики Next.js App Router". Qwen Code автоматически определит, требуется ли сетевой поиск.
+
+### Отображение интегрированных результатов
+
+ИИ ищет несколько веб-источников и предоставляет структурированный ответ, интегрируя результаты поиска. Ответ включает ссылки на источники важной информации, облегчая более глубокое понимание.
+
+### Продолжение на основе результатов
+
+Вы можете задавать дополнительные вопросы на основе результатов поиска и просить ИИ применить найденную информацию к реальным задачам программирования. Например, после поиска использования нового API вы можете попросить ИИ помочь с рефакторингом кода.
+
+
+
+
+Веб-поиск особенно подходит для следующих сценариев: понимание изменений последних версий фреймворков, поиск решений для конкретных ошибок, получение актуальной документации API, понимание лучших практик отрасли и т.д. Результаты поиска обновляются в реальном времени, гарантируя, что вы получаете самую свежую информацию.
+
+
+
diff --git a/website/content/ru/showcase/office-weekly-report.mdx b/website/content/ru/showcase/office-weekly-report.mdx
new file mode 100644
index 000000000..7f23932a6
--- /dev/null
+++ b/website/content/ru/showcase/office-weekly-report.mdx
@@ -0,0 +1,67 @@
+---
+title: "Автоматическая генерация еженедельного отчёта"
+description: "Настройте Skills. Одной командой автоматически соберите обновления этой недели и создайте еженедельный отчёт об обновлениях продукта, следуя шаблону."
+category: "Ежедневные задачи"
+features:
+ - "Skills"
+thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png"
+videoUrl: "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Создание еженедельных отчётов об обновлениях продукта каждую неделю — это повторяющаяся и трудоёмкая задача. С пользовательскими Skills Qwen Code вы можете позволить ИИ автоматически собирать информацию об обновлениях продукта этой недели и генерировать структурированный еженедельный отчёт, следуя стандартному шаблону. Одной командой ИИ собирает данные, анализирует содержимое, организует в документ, значительно повышая эффективность работы. Вы можете сосредоточиться на самом продукте и позволить ИИ справиться с утомительной работой по документации.
+
+
+
+
+
+## Шаги
+
+
+
+### Установка Skill skills-creator
+
+Сначала установите Skill, чтобы ИИ понял, какие источники данных нужно собирать информацию.
+
+```
+Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, и установите skills-creator в qwen code skills.
+```
+
+### Создание Skill еженедельного отчёта
+
+Используйте функцию создания Skills, чтобы сообщить ИИ, что вам нужна пользовательская Skill генерации еженедельных отчётов. Опишите типы данных, которые нужно собрать, и структуру отчёта. ИИ создаст новую Skill на основе ваших потребностей.
+
+```
+Мне нужно создать еженедельный отчёт для проекта с открытым исходным кодом: https://github.com/QwenLM/qwen-code. Включает в основном отправленные на этой неделе issues, решённые bugs, новые версии и функции, а также размышления и обзоры. Язык должен быть ориентирован на пользователя, альтруистичным и воспринимаемым. Создайте Skill.
+```
+
+### Генерация содержимого еженедельного отчёта
+
+После настройки введите команду генерации. Qwen Code автоматически соберёт информацию об обновлениях этой недели и организует её в структурированный документ, следуя шаблону еженедельного отчёта продукта.
+
+```
+Сгенерируйте еженедельный отчёт об обновлениях продукта qwen-code на этой неделе
+```
+
+### Открытие и редактирование/корректировка отчёта
+
+Сгенерированный еженедельный отчёт можно открыть для корректировки, вы можете дополнительно редактировать или делиться им с командой. Вы также можете попросить Qwen Code скорректировать формат и фокус содержания.
+
+```
+Сделайте язык еженедельного отчёта более живым
+```
+
+
+
+
+При первом использовании вам нужно настроить источники данных. После настройки их можно повторно использовать. Вы также можете настроить запланированные задачи, чтобы Qwen Code автоматически генерировал еженедельные отчёты каждую неделю, полностью освободив ваши руки.
+
+
+
diff --git a/website/content/ru/showcase/office-write-file.mdx b/website/content/ru/showcase/office-write-file.mdx
new file mode 100644
index 000000000..84a957fdb
--- /dev/null
+++ b/website/content/ru/showcase/office-write-file.mdx
@@ -0,0 +1,59 @@
+---
+title: "Написать файл одной фразой"
+description: "Сообщите Qwen Code, какой файл вы хотите создать, и ИИ автоматически сгенерирует и запишет содержимое."
+category: "Ежедневные задачи"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Нужно создать новый файл, но не хотите начинать писать содержимое с нуля? Просто сообщите Qwen Code, какой файл вы хотите создать, и ИИ автоматически сгенерирует и запишет соответствующее содержимое. Будь то README, файлы конфигурации, файлы кода или документы, Qwen Code может генерировать высококачественное содержимое на основе ваших потребностей. Просто опишите назначение и основные требования файла, и ИИ позаботится об остальном, значительно повышая эффективность создания файлов.
+
+
+
+
+
+## Шаги
+
+
+
+### Описание содержимого и назначения файла
+
+Сообщите Qwen Code, какой тип файла вы хотите создать, а также основное содержимое и назначение файла.
+
+```bash
+Создайте README.md. Включите введение в проект и инструкции по установке
+```
+
+### Просмотр сгенерированного содержимого
+
+Qwen Code сгенерирует содержимое файла на основе вашего описания и отобразит его для просмотра. Вы можете просмотреть содержимое, чтобы убедиться, что оно соответствует вашим потребностям.
+
+```bash
+Похоже хорошо, продолжайте создавать файл
+```
+
+### Коррекции и улучшения
+
+Если вам нужны корректировки, вы можете сообщить Qwen Code конкретные требования к корректировке. Например: "Добавить примеры использования", "Скорректировать формат".
+
+```bash
+Добавьте несколько примеров кода
+```
+
+
+
+
+Qwen Code поддерживает различные типы файлов, включая текстовые файлы, файлы кода, файлы конфигурации и т.д. Сгенерированные файлы автоматически сохраняются в указанном каталоге и могут быть дополнительно отредактированы в редакторе.
+
+
+
diff --git a/website/content/ru/showcase/product-insight.mdx b/website/content/ru/showcase/product-insight.mdx
new file mode 100644
index 000000000..d50b1568e
--- /dev/null
+++ b/website/content/ru/showcase/product-insight.mdx
@@ -0,0 +1,53 @@
+---
+title: "Аналитика данных"
+description: "Просмотрите свой личный отчёт об использовании ИИ. Понимайте эффективность программирования и данные о сотрудничестве. Используйте оптимизированные на основе данных привычки."
+category: "Ежедневные задачи"
+features:
+ - "Agent Mode"
+thumbnail: "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg"
+videoUrl: "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Insight — это панель анализа данных личного использования Qwen Code, предоставляющая исчерпывающие сведения об эффективности программирования с ИИ. Он отслеживает ключевые метрики, такие как количество разговоров, объём сгенерированного кода, часто используемые функции и предпочтения языков программирования, генерируя визуализированные отчёты данных. Через эти данные вы можете чётко понимать свои привычки программирования, эффект поддержки ИИ и паттерны сотрудничества. Insight не только помогает обнаружить пространство для улучшения эффективности, но и показывает, в каких областях вы наиболее эффективно используете ИИ, помогая вам лучше использовать ценность ИИ. С аналитикой, основанной на данных, каждое использование становится более значимым.
+
+
+
+
+
+## Шаги
+
+
+
+### Открытие панели Insight
+
+Введите команду `/insight` в разговоре, чтобы открыть панель аналитики данных Insight. Панель отображает обзор использования, включая ключевые метрики, такие как общее количество разговоров, строки сгенерированного кода и оценочное сэкономленное время. Эти данные отображаются в интуитивном формате графика, позволяя понять ваше использование ИИ одним взглядом.
+
+```bash
+/insight
+```
+
+### Анализ отчёта об использовании
+
+Изучите подробный отчёт об использовании. Включает такие измерения, как ежедневные тенденции разговоров, распределение часто используемых функций, предпочтения языков программирования, анализ типов кода и т.д. Insight предоставляет персонализированные аналитические сведения и рекомендации на основе ваших паттернов использования, помогая вам обнаружить потенциальное пространство для улучшения. Вы можете фильтровать данные по временному интервалу и сравнивать эффективность использования в разные периоды.
+
+### Оптимизация привычек использования
+
+Настройте стратегию использования ИИ на основе аналитических данных. Например, если вы заметите, что часто используете определённую функцию, но с низкой эффективностью, вы можете научиться использовать её более эффективно. Если вы заметите, что поддержка ИИ более эффективна для определённых языков программирования или типов задач, вы можете чаще использовать ИИ в подобных сценариях. Продолжайте отслеживать изменения данных и проверяйте эффекты оптимизации.
+
+Хотите узнать, как использовать функцию Insight? Ознакомьтесь с нашим [Позвольте ИИ научить нас лучше использовать ИИ](../blog/how-to-use-qwencode-insight.mdx)
+
+
+
+
+Данные Insight сохраняются только локально и не отправляются в облако, гарантируя конфиденциальность использования и безопасность данных. Рекомендуем регулярно проверять отчёт и развивать привычки использования, основанные на данных.
+
+
+
diff --git a/website/content/ru/showcase/study-learning.mdx b/website/content/ru/showcase/study-learning.mdx
new file mode 100644
index 000000000..4c0d71b76
--- /dev/null
+++ b/website/content/ru/showcase/study-learning.mdx
@@ -0,0 +1,71 @@
+---
+title: "Изучение кода"
+description: "Клонируйте репозитории с открытым исходным кодом для изучения и понимания кода. Qwen Code направляет, как вносить вклад в проекты с открытым исходным кодом."
+category: "Обучение и исследования"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Изучение из высококачественного кода с открытым исходным кодом — отличный способ улучшить навыки программирования. Qwen Code может помочь вам глубоко понять архитектуру и детали реализации сложных проектов, найти подходящие точки вклада и направить исправления кода. Будь то изучение новой технологической стеки или вклад в сообщество с открытым исходным кодом, Qwen Code — идеальный ментор по программированию.
+
+
+
+
+
+## Шаги
+
+
+
+### Клонирование репозитория
+
+Используйте git clone для загрузки проекта с открытым исходным кодом локально. Выберите проект, который вас интересует, и клонируйте его в среду разработки. Убедитесь, что у проекта хорошая документация и активное сообщество, это сделает процесс обучения более плавным.
+
+```bash
+git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code
+```
+
+### Запуск Qwen Code
+
+Запустите Qwen Code в каталоге проекта. Это позволит ИИ получить доступ ко всем файлам проекта и предоставлять контекстно-релевантные объяснения кода. Qwen Code автоматически проанализирует структуру проекта и определит основные модули и зависимости.
+
+```bash
+qwen
+```
+
+### Запрос объяснения кода
+
+Сообщите ИИ, какую часть или функцию проекта вы хотите понять. Вы можете спросить об общей архитектуре, логике реализации конкретных модулей или идеях дизайна конкретных функций. ИИ объяснит код на понятном языке и предоставит соответствующие справочные знания.
+
+```bash
+Объясните общую архитектуру и основные модули этого проекта
+```
+
+### Поиск точек вклада
+
+Попросите ИИ помочь вам найти подходящие issues или функции для участия новичков. ИИ проанализирует список issues проекта и порекомендует подходящие точки вклада на основе сложности, тегов и описания. Это отличный способ начать вкладываться в открытый исходный код.
+
+```bash
+Есть ли открытые issues, в которых могут участвовать новички?
+```
+
+### Реализация исправления
+
+Реализуйте исправление кода шаг за шагом, следуя руководству ИИ. ИИ поможет проанализировать проблему, спроектировать решение и написать код, гарантируя, что исправление соответствует стандартам кода проекта. После завершения вы можете отправить PR для вклада в проект с открытым исходным кодом.
+
+
+
+
+Участие в проектах с открытым исходным кодом не только улучшает навыки программирования, но и строит техническое влияние и позволяет встретить разработчиков со схожими интересами.
+
+
+
diff --git a/website/content/ru/showcase/study-read-paper.mdx b/website/content/ru/showcase/study-read-paper.mdx
new file mode 100644
index 000000000..fa5c6846b
--- /dev/null
+++ b/website/content/ru/showcase/study-read-paper.mdx
@@ -0,0 +1,67 @@
+---
+title: "Чтение статей"
+description: "Читайте и анализируйте академические статьи напрямую. ИИ понимает сложное исследовательское содержимое и генерирует карточки обучения."
+category: "Обучение и исследования"
+features:
+ - "Web Search"
+thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png"
+videoUrl: "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4"
+model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
+---
+import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
+
+## Обзор
+
+Академические статьи часто сложны и требуют много времени для понимания. Qwen Code может помочь вам читать и анализировать статьи напрямую, извлекать основные моменты, объяснять сложные концепции и резюмировать методы исследования. ИИ глубоко понимает содержимое статьи, объясняет на понятном языке и генерирует структурированные карточки обучения для облегчения повторения и совместного использования. Будь то изучение новой технологии или исследование передовых областей, вы можете значительно повысить эффективность обучения.
+
+
+
+
+
+## Шаги
+
+
+
+### Предоставление информации о статье
+
+Сообщите Qwen Code, какую статью вы хотите прочитать. Вы можете предоставить название статьи, путь к файлу PDF или ссылку на arXiv. ИИ автоматически получит и проанализирует содержимое статьи.
+
+```
+Загрузите и проанализируйте эту статью: attention is all you need https://arxiv.org/abs/1706.03762
+```
+
+### Чтение статьи
+
+Установите Skills, связанные с PDF, чтобы Qwen Code анализировал содержимое статьи и генерировал структурированные карточки обучения. Вы можете видеть резюме статьи, основные моменты, основные концепции, важные выводы и т.д.
+
+```
+Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, и установите офисные Skills, такие как Anthropic pdf, в qwen code skills.
+```
+
+### Глубокое обучение и вопросы
+
+Во время чтения вы можете спрашивать Qwen Code в любое время. Например: "Объясните механизм самовнимания", "Как была выведена эта формула". ИИ ответит подробно, помогая вам глубоко понять.
+
+```
+Объясните основные идеи архитектуры Transformer
+```
+
+### Генерация карточки обучения
+
+После завершения обучения попросите Qwen Code сгенерировать карточку обучения, резюмируя основные моменты, основные концепции и важные выводы статьи. Эти карточки облегчают повторение и совместное использование с командой.
+
+```bash
+Сгенерируйте карточку обучения для этой статьи
+```
+
+
+
+
+Qwen Code поддерживает несколько форматов статей, включая PDF, ссылки на arXiv и т.д. Для формул и графиков ИИ подробно объяснит их значение, помогая вам полностью понять содержимое статьи.
+
+
+
diff --git a/website/content/zh/showcase/code-lsp-intelligence.mdx b/website/content/zh/showcase/code-lsp-intelligence.mdx
index ed936204b..568089d53 100644
--- a/website/content/zh/showcase/code-lsp-intelligence.mdx
+++ b/website/content/zh/showcase/code-lsp-intelligence.mdx
@@ -6,21 +6,25 @@ features:
- "LSP"
thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
## 概述
LSP(Language Server Protocol)智能感知让 Qwen Code 能够提供与专业 IDE 相媲美的代码补全和导航体验。通过集成语言服务器,Qwen Code 可以精准理解代码结构、类型信息和上下文关系,提供高质量的代码建议。无论是函数签名、参数提示、变量名补全,还是定义跳转、引用查找、重构操作,LSP 智能感知都能流畅支持。实时诊断功能会在你编码时即时发现语法错误、类型问题和潜在 bug,让你能够快速修复,提升代码质量。
-
+
## 操作步骤
+
### 自动检测
Qwen Code 会自动检测项目中的语言服务器配置。对于主流的编程语言和框架,它会自动识别并启动对应的 LSP 服务。无需手动配置,开箱即用。如果项目使用的是自定义的语言服务器,也可以通过配置文件指定 LSP 的路径和参数。
@@ -32,15 +36,11 @@ Qwen Code 会自动检测项目中的语言服务器配置。对于主流的编
### 错误诊断
LSP 实时诊断会在你编码时持续分析代码,发现潜在的问题。错误和警告会以直观的方式显示,包括问题位置、错误类型和修复建议。点击问题可以直接跳转到对应位置,或者使用快捷键快速导航到下一个问题。这种即时反馈机制让你能够尽早发现并修复问题。
+
支持 TypeScript、Python、Java、Go、Rust 等主流语言,以及 React、Vue、Angular 等前端框架。LSP 服务的性能取决于语言服务器的实现,大型项目可能需要几秒钟的初始化时间。
-## 相关推荐
-
-- [VS Code 集成界面](./guide-vscode-integration.mdx) — 在 VS Code 中使用 Qwen Code
-- [代码学习](./study-learning.mdx) — 通过智能感知学习新代码库
-
diff --git a/website/content/zh/showcase/code-pr-review.mdx b/website/content/zh/showcase/code-pr-review.mdx
index df31020d0..efe0b54c1 100644
--- a/website/content/zh/showcase/code-pr-review.mdx
+++ b/website/content/zh/showcase/code-pr-review.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png"
videoUrl: "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
代码审查是保证代码质量的重要环节,但往往耗时且容易遗漏问题。Qwen Code 可以帮你对 Pull Request 进行智能代码审查,自动分析代码变更、发现潜在 bug、检查代码规范,并提供详细的审查报告。AI 会深入理解代码逻辑,识别出可能的问题和改进建议,让代码审查更全面、更高效,同时减轻开发者的负担。
-
+
@@ -31,10 +32,8 @@ import Link from 'next/link'
你可以使用相关的 pr review 技能来帮助你分析 PR,安装技能参考:[安装技能](./guide-skill-install.mdx)。
-
-
```bash
/skill pr-review 帮我 review 这个 PR:
```
@@ -61,11 +60,4 @@ Qwen Code 会分析代码变更,识别需要运行的测试用例,并执行
Qwen Code 的代码审查不仅关注语法和规范,还会深入分析代码逻辑,识别潜在的性能问题、安全漏洞和设计缺陷,提供更全面的审查意见。
-## 相关推荐
-
-- [解决 issue](./code-solve-issue.mdx) — 使用 Qwen Code 分析并解决开源项目的 issue
-- [解决 issue](./code-solve-issue.mdx) — 分析并解决开源项目的 issue
-
----
-
diff --git a/website/content/zh/showcase/code-solve-issue.mdx b/website/content/zh/showcase/code-solve-issue.mdx
index 4aff4707d..51aa6b656 100644
--- a/website/content/zh/showcase/code-solve-issue.mdx
+++ b/website/content/zh/showcase/code-solve-issue.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png"
videoUrl: "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
为开源项目解决 issue 是提升编程能力和建立技术影响力的重要途径。Qwen Code 能够帮助你快速定位问题、理解相关代码、制定修复方案,并实现代码修改。从问题分析到 PR 提交,全程 AI 辅助,让开源贡献变得更加高效和顺畅。
-
+
@@ -67,11 +68,4 @@ import Link from 'next/link'
解决开源 issue 不仅能提升技术能力,还能建立技术影响力,为职业发展加分。
-## 相关推荐
-
-- [代码学习](./study-learning.mdx) — 克隆开源仓库并学习理解代码
-- [PR Review](./code-pr-review.mdx) — 让 AI 帮你审查 Pull Request,提升代码质量
-
----
-
diff --git a/website/content/zh/showcase/creator-oss-promo-video.mdx b/website/content/zh/showcase/creator-oss-promo-video.mdx
index ef4552740..a08b0ed7c 100644
--- a/website/content/zh/showcase/creator-oss-promo-video.mdx
+++ b/website/content/zh/showcase/creator-oss-promo-video.mdx
@@ -8,17 +8,18 @@ features:
thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png"
videoUrl: "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
想要为你的开源项目制作宣传视频但缺乏视频制作经验?Qwen Code 可以帮你自动生成精美的项目演示视频。只需提供 GitHub 仓库地址,AI 就会分析项目结构、提取关键功能、生成动画脚本,并使用 Remotion 渲染成专业的视频。无论是项目发布、技术分享还是社区推广,都能快速获得高质量的宣传素材。
-
+
@@ -30,7 +31,6 @@ import Link from 'next/link'
确保你的 GitHub 仓库包含完整的项目信息和文档,包括 README、截图、功能说明等。这些信息将帮助 AI 更好地理解项目特点。
-
### 生成宣传视频
告诉 Qwen Code 你想要生成的视频风格和重点,AI 会自动分析项目并生成视频。你可以预览效果,调整动画和文案。
@@ -45,10 +45,4 @@ import Link from 'next/link'
生成的视频支持多种分辨率和格式,可以直接上传到 YouTube、B 站等视频平台。你也可以进一步编辑视频,添加背景音乐和字幕。
-## 相关推荐
-
-- [Remotion 视频创作](./creator-remotion-video.mdx) — 通过自然语言描述创意生成视频
-
----
-
diff --git a/website/content/zh/showcase/creator-remotion-video.mdx b/website/content/zh/showcase/creator-remotion-video.mdx
index 9c37d3c2a..f8966ed56 100644
--- a/website/content/zh/showcase/creator-remotion-video.mdx
+++ b/website/content/zh/showcase/creator-remotion-video.mdx
@@ -8,17 +8,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
想要创作视频但不会写代码?通过自然语言描述你的创意,Qwen Code 就能使用 Remotion Skill 生成视频代码。AI 会理解你的创意描述,自动生成 Remotion 项目代码,包括场景设置、动画效果、文字排版等。无论是产品宣传、社交媒体内容还是教学视频,都能快速生成专业的视频内容。
-
+
@@ -64,10 +65,4 @@ npm run dev
提示词方式适合快速原型和创意探索。你可以不断调整描述,让 AI 优化视频效果。生成的代码可以进一步手动编辑,实现更复杂的功能。
-## 相关推荐
-
-- [Remotion 视频创作(提示词方式)](./creator-remotion-video.mdx) — 通过自然语言描述创意生成视频
-
----
-
-
\ No newline at end of file
+
diff --git a/website/content/zh/showcase/creator-resume-site-quick.mdx b/website/content/zh/showcase/creator-resume-site-quick.mdx
index d3ffc6e55..f3179479a 100644
--- a/website/content/zh/showcase/creator-resume-site-quick.mdx
+++ b/website/content/zh/showcase/creator-resume-site-quick.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png"
videoUrl: "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
个人简历网站是求职和自我展示的重要工具。Qwen Code 能够根据你的简历内容快速生成专业的展示页面,支持导出 PDF 格式,方便投递。无论是求职应聘还是个人品牌建设,一个精美的简历网站都能让你脱颖而出。
-
+
@@ -63,12 +64,4 @@ npm run dev
简历网站应该突出你的核心优势和成就,使用具体的数据和案例来支撑你的描述。
-## 相关推荐
-
-- [一句话复刻你喜欢的网站](./creator-website-clone.mdx) — 截图给 Qwen Code,告诉它你想复刻的网站
-- [一句话写入文件](./office-write-file.mdx) — 告诉 Qwen Code 要写什么内容,它会帮你创建和写入文件
-- [Remotion 视频创作](./creator-remotion-video.mdx) — 通过自然语言描述,使用 Remotion Skill 驱动代码生成视频内容
-
----
-
diff --git a/website/content/zh/showcase/creator-website-clone.mdx b/website/content/zh/showcase/creator-website-clone.mdx
index 02d591f2f..cd50bcd9d 100644
--- a/website/content/zh/showcase/creator-website-clone.mdx
+++ b/website/content/zh/showcase/creator-website-clone.mdx
@@ -8,17 +8,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
看到喜欢的网站设计,想要快速复刻出来?只需截图给 Qwen Code,AI 就能分析页面结构,生成完整的前端代码。Qwen Code 会识别页面布局、颜色方案、组件结构,并使用现代前端技术栈生成可运行的代码。无论是学习设计、快速原型还是项目参考,都能大幅提升你的开发效率,让你在几分钟内获得高质量的代码。
-
+
@@ -48,7 +49,7 @@ import Link from 'next/link'
示例截图:
-
+
### 运行和预览
@@ -60,11 +61,4 @@ import Link from 'next/link'
生成的代码遵循现代前端最佳实践,具有良好的结构和可维护性。你可以进一步定制和扩展,添加交互功能和后端集成。
-## 相关推荐
-
-- [搭建个人简历网站](./creator-resume-site-quick.mdx) — 快速创建个人网站
-- [图片识别](./office-image-recognition.mdx) — 识别和分析图片内容
-
----
-
diff --git a/website/content/zh/showcase/creator-youtube-to-blog.mdx b/website/content/zh/showcase/creator-youtube-to-blog.mdx
index e876503a3..06bcf7b12 100644
--- a/website/content/zh/showcase/creator-youtube-to-blog.mdx
+++ b/website/content/zh/showcase/creator-youtube-to-blog.mdx
@@ -8,19 +8,20 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
看到精彩的 YouTube 视频,想要将其转化为博客文章分享给更多人?Qwen Code 可以帮你自动提取视频内容,生成结构清晰、内容丰富的博客文章。AI 会获取视频转录,理解内容要点,按照博客文章的标准格式组织内容,并添加合适的标题和小节。无论是技术教程、产品介绍还是知识分享,都能快速生成高质量的文章。
-
+
-
+
## 操作步骤
@@ -48,11 +49,4 @@ AI 会分析转录内容,提取关键信息,按照博客文章的结构生
生成的文章支持 Markdown 格式,可以直接发布到博客平台或 GitHub Pages。你也可以让 AI 帮你添加图片、代码块和引用等元素,让文章更丰富。
-## 相关推荐
-
-- [读论文](./study-read-paper.mdx) — 深入理解学术内容
-- [一句话写入文件](./office-write-file.mdx) — 快速创建各种文档
-
----
-
diff --git a/website/content/zh/showcase/guide-agents-config.mdx b/website/content/zh/showcase/guide-agents-config.mdx
index 857fd77e5..a3e4ac8c5 100644
--- a/website/content/zh/showcase/guide-agents-config.mdx
+++ b/website/content/zh/showcase/guide-agents-config.mdx
@@ -6,17 +6,18 @@ features:
- "Agent 模式"
thumbnail: "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Agents 配置文件让你能够通过 Markdown 文件自定义 AI 行为,让 AI 适配你的项目规范和编码风格。你可以定义代码风格、命名规范、注释要求等,AI 会根据这些配置生成符合项目标准的代码。这个功能特别适合团队协作,确保所有成员生成的代码风格一致。
-
+
@@ -39,12 +40,14 @@ mkdir -p .qwen && touch .qwen/AGENTS.md
```markdown
# 项目规范
-## 代码风格
+### 代码风格
+
- 使用 TypeScript
- 使用函数式编程
- 添加详细的注释
-## 命名规范
+### 命名规范
+
- 变量使用 camelCase
- 常量使用 UPPER_SNAKE_CASE
- 类名使用 PascalCase
@@ -60,9 +63,4 @@ mkdir -p .qwen && touch .qwen/AGENTS.md
支持 Markdown 格式,用自然语言描述项目规范。
-## 相关推荐
-
-- [Headless 模式](./guide-headless-mode) — 在无 GUI 环境下使用 Qwen Code
-- [API 设置](./guide-api-setup.mdx) — 配置 API Key 和模型参数,自定义你的 AI 编程体验
-
diff --git a/website/content/zh/showcase/guide-api-setup.mdx b/website/content/zh/showcase/guide-api-setup.mdx
index f2c55fe48..dbd1edb97 100644
--- a/website/content/zh/showcase/guide-api-setup.mdx
+++ b/website/content/zh/showcase/guide-api-setup.mdx
@@ -8,27 +8,26 @@ features:
thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png"
videoUrl: "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
配置 API Key 是使用 Qwen Code 的重要步骤,它将解锁全部功能并让你能够访问强大的 AI 模型。通过阿里云百炼平台,你可以轻松获取 API Key,并根据不同场景选择最适合的模型。无论是日常开发还是复杂任务,合适的模型配置都能显著提升你的工作效率。
-
+
## 操作步骤
-如果是百炼 Coding Plan 模式的用户,请参考 [百炼 Coding Plan API 配置指南](./guide-bailian-coding-plan.mdx) 来获取 API Key 和配置模型。
-
-## 获取 API Key
+### 获取 API Key
访问 [阿里云百炼平台](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key),在个人中心找到 API Key 管理页面。点击创建新的 API Key,系统会生成一个唯一的密钥。这个密钥是你访问 Qwen Code 服务的凭证,请务必妥善保管。
@@ -38,7 +37,7 @@ import Link from 'next/link'
请妥善保管你的 API Key,不要泄露给他人或在代码仓库中提交。
-## 在 Qwen Code 中配置 API Key
+### 在 Qwen Code 中配置 API Key
**1. 让 Qwen Code 自动配置**
@@ -91,7 +90,7 @@ import Link from 'next/link'
}
```
-## 选择模型
+### 选择模型
根据需要选择合适的模型,平衡速度和性能。不同的模型适用于不同的场景,你可以根据任务的复杂程度和响应时间要求来选择。使用 `/model` 命令可以快速切换模型。
@@ -100,7 +99,7 @@ import Link from 'next/link'
- `qwen3.5-flash`: 速度快,适合简单任务
- `qwen-max`: 最强模型,适合高难度任务
-## 测试连接
+### 测试连接
发送一条测试消息确认 API 配置正确。如果配置成功,Qwen Code 会立即回复你,这意味着你已经准备好开始使用 AI 辅助编程了。如果遇到问题,请检查 API Key 是否正确设置。
@@ -110,9 +109,4 @@ Hello, can you help me with coding?
-## 相关推荐
-
-- [开始第一次对话](./guide-first-conversation.mdx) — 安装完成后,发起你与 Qwen Code 的第一次 AI 对话
-- [百炼 Coding Plan 模式](./guide-bailian-coding-plan.mdx) — 配置使用百炼 Coding Plan,多模型选择,提升复杂任务的完成质量
-
diff --git a/website/content/zh/showcase/guide-authentication.mdx b/website/content/zh/showcase/guide-authentication.mdx
index a668ce1bb..a668fa68e 100644
--- a/website/content/zh/showcase/guide-authentication.mdx
+++ b/website/content/zh/showcase/guide-authentication.mdx
@@ -6,17 +6,18 @@ features:
- "终端操作"
thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
认证登录是使用 Qwen Code 的第一步,通过简单的认证流程,你可以快速解锁全部功能。认证过程安全可靠,支持多种登录方式,确保你的账号和数据安全。完成认证后,你可以享受个性化的 AI 编程体验,包括自定义模型配置、历史记录保存等功能。
-
+
@@ -46,9 +47,4 @@ import Link from 'next/link'
认证信息安全存储在本地,无需每次重新登录。
-## 相关推荐
-
-- [API 设置](./showcase/guide-api-setup) — 配置 API Key 和模型参数,自定义你的 AI 编程体验
-- [脚本一键安装](./showcase/guide-script-install) — 通过脚本命令快速安装 Qwen Code
-
diff --git a/website/content/zh/showcase/guide-bailian-coding-plan.mdx b/website/content/zh/showcase/guide-bailian-coding-plan.mdx
index 6a05ded65..5a837163e 100644
--- a/website/content/zh/showcase/guide-bailian-coding-plan.mdx
+++ b/website/content/zh/showcase/guide-bailian-coding-plan.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png"
videoUrl: "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
百炼 Coding Plan 模式是 Qwen Code 的高级功能,专为复杂编程任务设计。通过智能的多模型协作,它能够将大型任务拆解为可执行的步骤,并自动规划最优的执行路径。无论是重构大型代码库还是实现复杂功能,Coding Plan 都能显著提升任务完成的质量和效率。
-
+
@@ -53,9 +54,4 @@ import Link from 'next/link'
Coding Plan 模式特别适合需要多步骤协作的复杂任务,如架构重构、功能迁移等。
-## 相关推荐
-
-- [API 设置](./guide-api-setup.mdx) — 配置 API Key 和模型参数,自定义你的 AI 编程体验
-- [Plan 模式 + Web Search](./plan-with-search) — 结合 Web Search 处理需要最新信息的复杂任务
-
diff --git a/website/content/zh/showcase/guide-copy-optimization.mdx b/website/content/zh/showcase/guide-copy-optimization.mdx
index ff2b076ab..01dd46773 100644
--- a/website/content/zh/showcase/guide-copy-optimization.mdx
+++ b/website/content/zh/showcase/guide-copy-optimization.mdx
@@ -6,6 +6,8 @@ features:
- "体验优化"
thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
@@ -15,7 +17,7 @@ import Link from 'next/link'
优化的代码复制体验让你能够精准选取和复制代码片段,保留完整的格式和缩进。无论是整段代码还是部分行,都能轻松复制并粘贴到你的项目中。复制功能支持多种方式,包括一键复制、选中复制和快捷键复制,满足不同场景的需求。
-
+
@@ -37,11 +39,4 @@ import Link from 'next/link'
-## 相关推荐
-
-- [开始第一次对话](./guide-first-conversation.mdx) — 安装完成后,发起你与 Qwen Code 的第一次 AI 对话
-- [VS Code 集成界面](./guide-vscode-integration.mdx) — Qwen Code 在 VS Code 中的完整界面展示
-
----
-
diff --git a/website/content/zh/showcase/guide-first-conversation.mdx b/website/content/zh/showcase/guide-first-conversation.mdx
index 5c25f6f06..3713cf582 100644
--- a/website/content/zh/showcase/guide-first-conversation.mdx
+++ b/website/content/zh/showcase/guide-first-conversation.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
完成 Qwen Code 的安装后,你将迎来与它的第一次对话。这是一个了解 Qwen Code 核心能力和交互方式的绝佳机会。你可以从简单的问候开始,逐步探索它在代码生成、问题解答、文档理解等方面的强大功能。通过实际操作,你会感受到 Qwen Code 如何成为你编程路上的得力助手。
-
+
@@ -55,10 +56,4 @@ what is qwen code?
Qwen Code 支持多轮对话,你可以基于之前的回答继续追问,深入探讨感兴趣的话题。
-## 相关推荐
-
-- [脚本一键安装](./guide-script-install) — 通过脚本命令快速安装 Qwen Code
-- [API 设置](./guide-api-setup.mdx) — 配置 API Key 和模型参数,自定义你的 AI 编程体验
-- [Web Search](./guide-web-search.mdx) — 让 Qwen Code 搜索网络内容,获取实时信息辅助编程
-
diff --git a/website/content/zh/showcase/guide-headless-mode.mdx b/website/content/zh/showcase/guide-headless-mode.mdx
index 0f77c45d0..b993bc1a2 100644
--- a/website/content/zh/showcase/guide-headless-mode.mdx
+++ b/website/content/zh/showcase/guide-headless-mode.mdx
@@ -6,17 +6,18 @@ features:
- "Headless"
thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Headless 模式让你能够在无 GUI 环境下使用 Qwen Code,特别适合远程服务器、CI/CD 流水线和自动化脚本场景。通过命令行参数和管道输入,你可以将 Qwen Code 无缝集成到现有的工作流程中,实现自动化的 AI 辅助编程。
-
+
@@ -58,11 +59,4 @@ fi
Headless 模式支持所有 Qwen Code 功能,包括代码生成、问题解答、文件操作等。
-## 相关推荐
-
-- [认证登录](./guide-authentication.mdx) — 了解 Qwen Code 的认证流程,快速完成账号登录
-- [Agents 配置文件](./guide-agents-config.mdx) — 通过 Agents MD 文件自定义 AI 行为
-
----
-
diff --git a/website/content/zh/showcase/guide-language-switch.mdx b/website/content/zh/showcase/guide-language-switch.mdx
index b21c82490..737f89852 100644
--- a/website/content/zh/showcase/guide-language-switch.mdx
+++ b/website/content/zh/showcase/guide-language-switch.mdx
@@ -8,17 +8,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Qwen Code 支持灵活的语言切换,你可以独立设置 UI 界面语言和 AI 输出语言。无论是中文、英文还是其他语言,都能找到适合的设置。多语言支持让你能够在熟悉的语言环境中工作,提高沟通效率和舒适度。
-
+
@@ -52,9 +53,4 @@ Qwen Code 支持灵活的语言切换,你可以独立设置 UI 界面语言和
语言设置会自动保存,下次启动时会使用你上次选择的语言。
-## 相关推荐
-
-- [开始第一次对话](./guide-first-conversation.mdx) — 安装完成后,发起你与 Qwen Code 的第一次 AI 对话
-- [API 设置](./guide-api-setup.mdx) — 配置 API Key 和模型参数,自定义你的 AI 编程体验
-
diff --git a/website/content/zh/showcase/guide-plan-with-search.mdx b/website/content/zh/showcase/guide-plan-with-search.mdx
index 2c11f6eb9..992b1003f 100644
--- a/website/content/zh/showcase/guide-plan-with-search.mdx
+++ b/website/content/zh/showcase/guide-plan-with-search.mdx
@@ -1,29 +1,31 @@
---
title: "Plan 模式 + Web Search"
-description: 在 Plan 模式下结合 Web Search,先搜索最新信息再制定执行计划,显著提升复杂任务的准确性。
+description: "在 Plan 模式下结合 Web Search,先搜索最新信息再制定执行计划,显著提升复杂任务的准确性。"
category: "入门指南"
features:
- "Plan 模式"
- "Web Search"
thumbnail: "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Plan 模式是 Qwen Code 的智能规划能力,能够将复杂的任务分解为可执行的步骤。当与 Web Search 结合使用时,它会先主动搜索最新的技术文档、最佳实践和解决方案,然后基于这些实时信息制定更加精准的执行计划。这种组合特别适合处理涉及新框架、新 API 或需要遵循最新规范的开发任务,能够显著提升代码质量和任务完成效率。无论是迁移项目、集成新功能还是解决复杂的技术难题,Plan + Web Search 都能为你提供最前沿的解决方案。
-
+
## 操作步骤
+
### 启用 Plan 模式
在对话中输入 `/approval-mode plan` 命令即可激活 Plan 模式。此时 Qwen Code 会进入规划状态,准备接收你的任务描述并开始思考。Plan 模式会自动分析任务的复杂度,判断是否需要搜索外部信息来补充知识库。
@@ -47,17 +49,11 @@ Plan 模式是 Qwen Code 的智能规划能力,能够将复杂的任务分解
### 逐步执行计划
确认计划后,Qwen Code 会按照步骤逐步执行。在每个关键节点,它会向你汇报进度和结果,确保你对整个过程有完全的掌控。如果遇到问题,它会基于最新的搜索信息提供解决方案,而不是依赖过时的知识。
+
Web Search 会自动识别任务中的技术关键词,无需手动指定搜索内容。对于快速迭代的框架和库,建议在 Plan 模式下开启 Web Search 以获取最新信息。
-## 相关推荐
-
-- [Web Search](./guide-web-search.mdx) — 实时获取最新的技术文档和解决方案
-- [百炼 Coding Plan](./guide-bailian-coding-plan.mdx) — 针对百炼平台的专属规划能力
-
----
-
diff --git a/website/content/zh/showcase/guide-resume-session.mdx b/website/content/zh/showcase/guide-resume-session.mdx
index 5a7514c56..a64866bbc 100644
--- a/website/content/zh/showcase/guide-resume-session.mdx
+++ b/website/content/zh/showcase/guide-resume-session.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Resume 会话恢复功能让你能够随时中断对话,并在需要时恢复继续,不丢失任何上下文和进度。无论是临时有事还是多任务并行,你都可以放心地暂停对话,稍后无缝继续。这个功能大大提升了工作灵活性,让你能够更高效地管理时间和任务。
-
+
@@ -59,11 +60,4 @@ Qwen Code 启动后,你可以使用 `/resume` 命令切换到之前会话。
会话历史会自动保存,支持跨设备同步,你可以在不同设备上恢复同一个会话。
-## 相关推荐
-
-- [开始第一次对话](./guide-first-conversation.mdx) — 安装完成后,发起你与 Qwen Code 的第一次 AI 对话
-- [导出对话记录](./office-export-conversation.mdx) — 导出对话记录,方便保存和分享
-
----
-
diff --git a/website/content/zh/showcase/guide-retry-shortcut.mdx b/website/content/zh/showcase/guide-retry-shortcut.mdx
index 32bf886ab..7484485d3 100644
--- a/website/content/zh/showcase/guide-retry-shortcut.mdx
+++ b/website/content/zh/showcase/guide-retry-shortcut.mdx
@@ -6,17 +6,18 @@ features:
- "终端操作"
thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
对 AI 的回答不满意?使用 Ctrl+Y(Windows/Linux)或 Cmd+Y(macOS)快捷键一键重试,快速获取更好的结果。这个功能让你无需重新输入问题,就能让 AI 重新生成回答,节省时间并提高效率。你可以多次重试,直到获得满意的答案。
-
+
@@ -46,11 +47,4 @@ Ctrl+Y / Cmd+Y
重试功能会保留原始问题,但会使用不同的随机种子生成回答,确保结果多样化。
-## 相关推荐
-
-- [开始第一次对话](./guide-first-conversation.mdx) — 安装完成后,发起你与 Qwen Code 的第一次 AI 对话
-- [@file 引用功能](./office-file-reference.mdx) — 在对话中通过 @file 引用项目文件,让 AI 精准理解你的代码上下文
-
----
-
diff --git a/website/content/zh/showcase/guide-script-install.mdx b/website/content/zh/showcase/guide-script-install.mdx
index 0732af7ca..62aafe858 100644
--- a/website/content/zh/showcase/guide-script-install.mdx
+++ b/website/content/zh/showcase/guide-script-install.mdx
@@ -7,23 +7,25 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Qwen Code 支持通过一行脚本命令快速安装,无需手动配置环境变量或下载依赖。脚本会自动检测你的操作系统类型,下载对应的安装包并完成配置。整个过程只需几秒钟,支持 **Linux**、**macOS** 和 **Windows** 三大平台。
-
+
## 操作步骤
+
### Linux / macOS 安装
打开终端,运行以下命令。脚本会自动检测你的系统架构(x86_64 / ARM),下载对应版本并完成安装配置。
@@ -47,16 +49,11 @@ curl -fsSL -o %TEMP%\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.a
```bash
qwen --version
```
+
如果你更习惯使用 npm,也可以通过 `npm install -g @qwen-code/qwen-code` 全局安装。安装完成后输入 `qwen` 即可启动。遇到权限问题可使用`sudo npm install -g @qwen-code/qwen-code`,输入密码后安装。
-## 相关推荐
-
-- [开始第一次对话](./guide-first-conversation.mdx) — 安装完成后,发起你与 Qwen Code 的第一次 AI 对话
-- [API 设置](./guide-api-setup.mdx) — 配置 API Key 和模型参数,自定义你的 AI 编程体验
-- [VS Code 集成界面](./guide-vscode-integration.mdx) — 在 VS Code 中使用 Qwen Code 的完整功能
-
diff --git a/website/content/zh/showcase/guide-skill-install.mdx b/website/content/zh/showcase/guide-skill-install.mdx
index 561cf2d75..1c37f934c 100644
--- a/website/content/zh/showcase/guide-skill-install.mdx
+++ b/website/content/zh/showcase/guide-skill-install.mdx
@@ -7,23 +7,22 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Qwen Code 支持多种 Skill 安装方式,你可以根据实际场景选择最适合的方法。命令行安装适合在线环境,快速便捷;文件夹安装适合离线环境或自定义 Skill,灵活可控。
-
+
-## 方式一:让 Qwen Code 安装
-
-适合在线环境,通过 npx 命令直接从 GitHub 仓库安装 Skill。
+## 操作步骤
@@ -61,52 +60,6 @@ Qwen Code 会自动执行安装命令,从指定仓库下载并安装 Skill,
命令行安装需要网络连接。`-y` 参数表示自动确认,`-a qwen-code` 指定安装到 Qwen Code。
-## 方式二:文件夹安装
-
-适合离线环境、企业内网或使用自定义开发的 Skill。
-
-
-
-### 准备 Skill 文件
-
-获取你想要安装的 Skill 文件。可以从官方仓库下载,或使用自己开发的 Skill。确保 Skill 目录结构完整,包含 `skill.md` 配置文件。
-
-```bash
-# 从 GitHub 下载 Skill
-git clone https://github.com/username/qwen-skill-example.git
-
-# 或创建自己的 Skill 目录
-mkdir -p my-custom-skill
-```
-
-### 放入 Skills 目录
-
-将 Skill 文件夹复制到 Qwen Code 的 Skills 目录。默认位置为 `~/.qwen/skills/`,如果目录不存在需手动创建。
-
-手动创建与命令行创建复制都可以,下面是命令行方式:
-
-```bash
-# 创建目录(如果不存在)
-mkdir -p ~/.qwen/skills
-
-# 复制 Skill 到目录
-cp -r my-custom-skill ~/.qwen/skills/
-```
-
-### 验证安装
-
-在 Qwen Code 中执行重新加载命令,系统会扫描目录并加载所有可用的 Skill。
-
-```bash
-#启动 Qwen Code
-qwen
-
-# 验证安装
-/skills
-```
-
-
-
**Skill 目录结构要求**
@@ -122,17 +75,4 @@ qwen
```
-
-## 安装方式对比
-
-| 方式 | 适用场景 | 优点 | 缺点 |
-|------|----------|------|------|
-| 命令行安装 | 在线环境 | 快速便捷,自动下载 | 需要网络 |
-| 文件夹安装 | 离线/自定义 | 灵活可控,支持自定义 | 需手动操作 |
-
-## 相关推荐
-
-- [通过提示词安装 Skills](./guide-skill-install.mdx-prompt) — 快速在线安装官方 Skill
-- [Skills 面板](./guide-skills-panel.mdx) — 一站式管理所有 Skill 扩展
-
-
\ No newline at end of file
+
diff --git a/website/content/zh/showcase/guide-skills-panel.mdx b/website/content/zh/showcase/guide-skills-panel.mdx
index d27e4a6af..678b26edc 100644
--- a/website/content/zh/showcase/guide-skills-panel.mdx
+++ b/website/content/zh/showcase/guide-skills-panel.mdx
@@ -6,17 +6,18 @@ features:
- "Skills"
thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Skills 面板是你管理 Qwen Code 扩展能力的控制中心。通过这个直观的界面,你可以浏览官方和社区提供的各种 Skill,了解每个 Skill 的功能和用途,一键安装或卸载扩展。无论你是想要发现新的 AI 能力,还是管理已安装的 Skill,Skills 面板都能提供便捷的操作体验,让你轻松构建个性化的 AI 工具箱。
-
+
@@ -46,10 +47,4 @@ Skills 面板是你管理 Qwen Code 扩展能力的控制中心。通过这个
Skills 面板会定期更新,展示最新发布的 Skill 扩展。建议定期查看面板,发现更多强大的 AI 能力来提升你的工作效率。
-## 相关推荐
-
-- [安装 Skills](./guide-skill-install.mdx) — 多种方式安装 Skill 扩展
-
----
-
diff --git a/website/content/zh/showcase/guide-vscode-integration.mdx b/website/content/zh/showcase/guide-vscode-integration.mdx
index dce888a7a..ab01ca3e3 100644
--- a/website/content/zh/showcase/guide-vscode-integration.mdx
+++ b/website/content/zh/showcase/guide-vscode-integration.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
VS Code 是最流行的代码编辑器之一,Qwen Code 提供了深度集成的 VS Code 扩展。通过这个扩展,你可以在熟悉的编辑器环境中直接与 AI 对话,享受无缝的编程体验。扩展提供了直观的界面布局,让你能够轻松访问所有功能,无论是代码补全、问题解答还是文件操作,都能高效完成。
-
+
@@ -47,11 +48,4 @@ VS Code 是最流行的代码编辑器之一,Qwen Code 提供了深度集成
VS Code 扩展与命令行版本功能完全一致,你可以根据使用场景自由选择。
-## 相关推荐
-
-- [脚本一键安装](./guide-script-install.mdx) — 通过脚本命令快速安装 Qwen Code
-- [开始第一次对话](./guide-first-conversation.mdx) — 安装完成后,发起你与 Qwen Code 的第一次 AI 对话
-
----
-
diff --git a/website/content/zh/showcase/guide-web-search.mdx b/website/content/zh/showcase/guide-web-search.mdx
index 47af766c6..6611ceb96 100644
--- a/website/content/zh/showcase/guide-web-search.mdx
+++ b/website/content/zh/showcase/guide-web-search.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Web Search 功能让 Qwen Code 能够实时搜索网络内容,获取最新的技术文档、框架更新和解决方案。当你在开发中遇到问题,或者需要了解某个新技术的最新动态时,这个功能会非常有用。AI 会智能地搜索相关信息,并整理成易于理解的格式返回给你。
-
+
@@ -51,11 +52,4 @@ AI 会返回搜索到的信息,并整理成易于理解的格式。搜索结
Web Search 功能特别适合查询最新的 API 变更、框架版本更新和实时技术动态。
-## 相关推荐
-
-- [Plan 模式 + Web Search](./guide-plan-with-search.mdx) — 结合 Plan 模式使用 Web Search,处理复杂任务
-- [读论文](./study-read-paper.mdx) — 让 AI 帮你阅读和理解学术论文,提取关键信息
-
----
-
diff --git a/website/content/zh/showcase/office-batch-file-organize.mdx b/website/content/zh/showcase/office-batch-file-organize.mdx
index ed97bf6d9..e29a3ce94 100644
--- a/website/content/zh/showcase/office-batch-file-organize.mdx
+++ b/website/content/zh/showcase/office-batch-file-organize.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
桌面文件杂乱无章?Qwen Code 的 Cowork 功能可以帮你一键批量整理文件,自动识别文件类型并分类到对应文件夹。无论是文档、图片、视频还是其他类型的文件,都能智能识别并归档,让你的工作环境井然有序,提升工作效率。
-
+
@@ -56,11 +57,4 @@ AI 自动执行文件移动操作,完成后显示整理报告,告诉你哪
Cowork 功能支持自定义分类规则,你可以根据需要指定文件类型和目标文件夹的映射关系。
-## 相关推荐
-
-- [制作个人简历网站](./creator-resume-site-quick.mdx) — 一句话制作个人简历网站
-- [整理桌面文件](./office-organize-desktop.mdx) — 使用 AI 智能整理桌面文件
-
----
-
diff --git a/website/content/zh/showcase/office-clipboard-paste.mdx b/website/content/zh/showcase/office-clipboard-paste.mdx
index 3a1a2c88f..0e57527e5 100644
--- a/website/content/zh/showcase/office-clipboard-paste.mdx
+++ b/website/content/zh/showcase/office-clipboard-paste.mdx
@@ -6,21 +6,25 @@ features:
- "图片识别"
thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
## 概述
剪贴板图片粘贴功能让你能够将任何截图直接粘贴到 Qwen Code 的对话窗口中,无需先保存文件再上传。无论是错误截图、UI 设计稿、代码片段截图还是任何其他图片,Qwen Code 都能即时理解其内容,并根据你的需求提供帮助。这种便捷的交互方式极大地提升了沟通效率,让你能够在遇到问题时快速获得 AI 的分析和建议。
-
+
## 操作步骤
+
### 复制图片到剪贴板
使用系统截图工具(macOS: `Cmd+Shift+4`,Windows: `Win+Shift+S`)截取屏幕内容,或者从浏览器、文件管理器中复制图片。截图会自动保存到剪贴板中,无需额外操作。
@@ -32,17 +36,11 @@ import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-det
### 获取 AI 分析结果
发送消息后,Qwen Code 会分析图片内容并给出回复。它可以识别代码截图中的错误、分析 UI 设计稿的布局、解读图表数据等。你可以继续追问,深入讨论图片中的任何细节。
+
支持 PNG、JPEG、GIF 等常见图片格式。图片大小建议不超过 10MB,以确保最佳的识别效果。对于代码截图,建议使用高分辨率以提高文字识别准确率。
-## 相关推荐
-
-- [图片识别](./office-image-recognition.mdx) — 深入了解 Qwen Code 的图片理解能力
-- [MCP 图片生成](./office-mcp-image-gen.mdx) — 使用 MCP 工具生成图片
-
----
-
-
\ No newline at end of file
+
diff --git a/website/content/zh/showcase/office-export-conversation.mdx b/website/content/zh/showcase/office-export-conversation.mdx
index dd8358d8d..7a2364cd9 100644
--- a/website/content/zh/showcase/office-export-conversation.mdx
+++ b/website/content/zh/showcase/office-export-conversation.mdx
@@ -7,21 +7,25 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
## 概述
导出对话记录功能
-
+
## 操作步骤
+
### 查看会话列表
使用 `/resume` 命令查看所有历史会话。列表会显示每个会话的创建时间、主题摘要等信息,帮助你快速找到需要导出的对话。可以使用关键词搜索或按时间排序,精确定位目标会话。
@@ -44,15 +48,11 @@ import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-det
### 分享和归档
导出的文件会保存到指定的目录。Markdown 和 HTML 文件可以直接分享给同事或在团队文档中使用。JSON 文件可以导入到其他工具进行二次处理。建议定期归档重要的对话,构建团队的知识库。导出的文件也可以作为备份,防止重要信息丢失。
+
导出的 HTML 格式包含完整的样式,可以在任何浏览器中直接打开查看。JSON 格式保留所有元数据,适合进行数据分析和处理。
-## 相关推荐
-
-- [Resume 会话恢复](./guide-resume-session.mdx) — 恢复之前的对话继续讨论
-- [Insight 数据洞察](./product-insight.mdx) — 分析你的使用数据和对话模式
-
diff --git a/website/content/zh/showcase/office-file-reference.mdx b/website/content/zh/showcase/office-file-reference.mdx
index 8c25e8503..3dec10f3b 100644
--- a/website/content/zh/showcase/office-file-reference.mdx
+++ b/website/content/zh/showcase/office-file-reference.mdx
@@ -6,17 +6,18 @@ features:
- "文件引用"
thumbnail: "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
@file 引用功能让你能够在对话中直接引用项目文件,让 AI 精准理解你的代码上下文。无论是单个文件还是多个文件,AI 都会读取并分析代码内容,提供更准确的建议和解答。这个功能特别适合代码审查、问题排查和代码重构等场景。
-
+
@@ -57,9 +58,4 @@ import Link from 'next/link'
@file 支持相对路径和绝对路径,也支持通配符匹配多个文件。
-## 相关推荐
-
-- [代码学习](./study-learning.mdx) — 克隆开源仓库并学习理解代码
-- [开始第一次对话](./guide-first-conversation.mdx) — 安装完成后,发起你与 Qwen Code 的第一次 AI 对话
-
diff --git a/website/content/zh/showcase/office-image-recognition.mdx b/website/content/zh/showcase/office-image-recognition.mdx
index a4b761e00..c86df6957 100644
--- a/website/content/zh/showcase/office-image-recognition.mdx
+++ b/website/content/zh/showcase/office-image-recognition.mdx
@@ -7,21 +7,25 @@ features:
thumbnail: "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png"
videoUrl: "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
## 概述
Qwen Code 具备强大的图片识别能力,可以读取和理解各种类型的图片内容。无论是 UI 设计稿、错误截图、架构图、流程图还是手写笔记,Qwen Code 都能准确识别并提供有价值的分析。这项能力让你可以直接将视觉信息融入编程工作流,大幅提升沟通效率和问题解决速度。
-
+
-
+
## 操作步骤
+
### 上传图片
将图片拖拽到对话窗口中,或者使用剪贴板粘贴(`Cmd+V` / `Ctrl+V`)。支持 PNG、JPEG、GIF、WebP 等常见格式。
@@ -39,17 +43,11 @@ Qwen Code 具备强大的图片识别能力,可以读取和理解各种类型
### 获取分析结果
Qwen Code 会分析图片内容并给出详细回复。你可以继续追问,深入讨论图片中的任何细节,或者要求 AI 基于图片内容生成代码。
+
图片识别功能支持多种场景:代码截图分析、UI 设计稿转代码、错误信息解读、架构图理解、图表数据提取等。建议使用清晰的高分辨率图片以获得最佳识别效果。
-## 相关推荐
-
-- [剪贴板图片粘贴](./office-clipboard-paste.mdx) — 快速粘贴截图到对话中
-- [MCP 图片生成](./office-mcp-image-gen.mdx) — 使用 MCP 工具生成图片
-
----
-
-
\ No newline at end of file
+
diff --git a/website/content/zh/showcase/office-mcp-image-gen.mdx b/website/content/zh/showcase/office-mcp-image-gen.mdx
index 610dff272..9d0d473ef 100644
--- a/website/content/zh/showcase/office-mcp-image-gen.mdx
+++ b/website/content/zh/showcase/office-mcp-image-gen.mdx
@@ -1,6 +1,6 @@
---
title: "MCP 图片生成"
-description: 通过 MCP 接入图片生成服务,用自然语言描述即可驱动 AI 创作高质量图像。"
+description: "通过 MCP 接入图片生成服务,用自然语言描述即可驱动 AI 创作高质量图像。"
category: "日常任务"
features:
- "MCP"
@@ -8,23 +8,25 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
MCP(Model Context Protocol)图片生成功能让你能够通过自然语言描述,直接在 Qwen Code 中驱动 AI 创作高质量图像。无需切换到专门的图片生成工具,只需在对话中描述你的需求,Qwen Code 就会调用集成的图片生成服务,为你生成符合要求的图片。无论是 UI 原型设计、图标创作、插画绘制还是概念图制作,MCP 图片生成都能提供强大的支持。这种无缝集成的工作流极大地提升了设计和开发的效率,让创意实现更加便捷。
-
+
## 操作步骤
+
### 配置 MCP 服务
首先需要配置 MCP 图片生成服务。在配置文件中添加图片生成服务的 API 密钥和端点信息。Qwen Code 支持多种主流的图片生成服务,你可以根据自己的需求和预算选择合适的服务。配置完成后,重启 Qwen Code 即可生效。
@@ -36,15 +38,11 @@ MCP(Model Context Protocol)图片生成功能让你能够通过自然语言
### 查看和保存结果
Qwen Code 会生成多张图片供你选择。你可以预览每张图片,选择最符合需求的一张。如果需要调整,可以继续描述修改意见,Qwen Code 会根据反馈重新生成。满意后,可以直接保存图片到本地,或者复制图片链接在其他地方使用。
+
MCP 图片生成支持多种风格和尺寸,可以根据项目需求灵活调整。生成的图片版权归属取决于所使用的服务,请注意查看服务条款。
-## 相关推荐
-
-- [图片识别](./office-image-recognition.mdx) — 让 AI 理解和分析图片内容
-- [剪贴板图片粘贴](./office-clipboard-paste.mdx) — 快速将图片粘贴到对话中
-
diff --git a/website/content/zh/showcase/office-organize-desktop.mdx b/website/content/zh/showcase/office-organize-desktop.mdx
index 3c9b88e58..ab02c36b4 100644
--- a/website/content/zh/showcase/office-organize-desktop.mdx
+++ b/website/content/zh/showcase/office-organize-desktop.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
桌面文件堆积如山,找不到需要的文件?用一句话让 Qwen Code 帮你自动整理桌面文件。AI 会智能识别文件类型,按照图片、文档、代码、压缩包等类别自动归类,创建清晰的文件夹结构。整个过程安全可控,AI 会先列出操作计划供你确认,确保不会误移重要文件。让你的桌面瞬间变得整洁有序,提升工作效率。
-
+
@@ -46,16 +47,10 @@ Qwen Code 会分析桌面文件,列出详细的整理计划,包括哪些文
确认后,Qwen Code 会按照计划执行整理操作。完成后你可以查看整理后的桌面,文件已经按类型整齐排列。
-
AI 会先列出操作计划供你确认,确保不会误移重要文件。如果你对某些文件的分类有疑问,可以在执行前告诉 Qwen Code 调整规则。
-## 相关推荐
-
-- [批量处理文件](./office-batch-file-organize.mdx) — 一次处理多个文件操作
-- [一句话写入文件](./office-write-file.mdx) — 快速创建新文件
-
diff --git a/website/content/zh/showcase/office-ppt-presentation.mdx b/website/content/zh/showcase/office-ppt-presentation.mdx
index 75fe3f6d5..ffbbdc00f 100644
--- a/website/content/zh/showcase/office-ppt-presentation.mdx
+++ b/website/content/zh/showcase/office-ppt-presentation.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png"
videoUrl: "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
需要制作产品演示 PPT 但不想从零开始?只需提供产品截图和简单的描述,Qwen Code 就能帮你生成结构清晰、设计精美的演示文稿。AI 会分析截图内容,理解产品特点,自动组织幻灯片结构,并添加合适的文案和排版。无论是产品发布、团队汇报还是客户展示,都能快速获得专业的 PPT,节省你大量时间和精力。
-
+
@@ -55,11 +56,4 @@ import Link from 'next/link'
-## 相关推荐
-
-- [自动获取生成周报](./office-weekly-report.mdx) — 自动收集数据生成报告
-- [一句话写入文件](./office-write-file.mdx) — 快速创建各种文档
-
----
-
diff --git a/website/content/zh/showcase/office-terminal-theme.mdx b/website/content/zh/showcase/office-terminal-theme.mdx
index ececa4d30..6ceda1d97 100644
--- a/website/content/zh/showcase/office-terminal-theme.mdx
+++ b/website/content/zh/showcase/office-terminal-theme.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
厌倦了默认的 terminal 主题?用自然语言描述你想要的风格,Qwen Code 就能帮你找到并应用合适的主题。无论是深色科技风、清新简洁风,还是复古经典风,只需一句话,AI 就能理解你的审美偏好,自动配置 terminal 的颜色方案和样式。告别繁琐的手动配置,让你的工作环境瞬间焕然一新。
-
+
@@ -51,11 +52,4 @@ Qwen Code 会推荐几个符合你描述的主题选项,并展示预览效果
主题切换会修改你的终端配置文件。如果你使用的是特定的终端应用(如 iTerm2、Terminal.app),Qwen Code 会自动识别并配置相应的主题文件。
-## 相关推荐
-
-- [语言切换](./guide-language-switch.mdx) — 切换 Qwen Code 的交互语言
-- [开始第一次对话](./guide-first-conversation.mdx) — 了解如何更好地与 Qwen Code 沟通
-
----
-
diff --git a/website/content/zh/showcase/office-web-search-detail.mdx b/website/content/zh/showcase/office-web-search-detail.mdx
index eb1321f4b..66a53aa96 100644
--- a/website/content/zh/showcase/office-web-search-detail.mdx
+++ b/website/content/zh/showcase/office-web-search-detail.mdx
@@ -7,21 +7,25 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'
## 概述
Web Search 功能让 Qwen Code 能够实时搜索互联网上的最新信息,帮助你获取最新的技术文档、API 参考、最佳实践和解决方案。当你遇到不熟悉的技术栈、需要了解最新版本的变更,或者想要查找特定问题的解决方案时,Web Search 可以让 AI 基于最新的网络信息为你提供准确的回答。
-
+
-
+
## 操作步骤
+
### 发起搜索请求
在对话中直接描述你想要搜索的内容。例如:"搜索最新的 React 19 新特性"、"查找 Next.js App Router 的最佳实践"。Qwen Code 会自动判断是否需要联网搜索。
@@ -33,18 +37,11 @@ AI 会搜索多个网络来源,整合搜索结果并给出结构化的回答
### 基于结果继续对话
你可以基于搜索结果继续提问,让 AI 帮你将搜索到的信息应用到实际的编程任务中。例如,搜索到新的 API 用法后,可以直接让 AI 帮你重构代码。
+
Web Search 特别适合以下场景:了解最新框架版本的变更、查找特定错误的解决方案、获取最新的 API 文档、了解行业最佳实践等。搜索结果会实时更新,确保你获取到最新的信息。
-## 相关推荐
-
-- [Plan 模式 + Web Search](./guide-plan-with-search.mdx) — 结合 Plan 模式和 Web Search 处理复杂任务
-- [代码学习](./study-learning.mdx) — 利用搜索能力学习开源项目
-
----
-
-
diff --git a/website/content/zh/showcase/office-weekly-report.mdx b/website/content/zh/showcase/office-weekly-report.mdx
index 3201f6af7..70a59efc2 100644
--- a/website/content/zh/showcase/office-weekly-report.mdx
+++ b/website/content/zh/showcase/office-weekly-report.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png"
videoUrl: "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
每周写产品更新周报是一项重复且耗时的工作。使用 Qwen Code 的定制技能,你可以让 AI 自动爬取本周的产品更新信息,按照标准模板生成结构化的周报。只需一行命令,AI 就会收集数据、分析内容、整理成文档,大幅提升你的工作效率。你可以专注于产品本身,让 AI 处理繁琐的文档工作。
-
+
@@ -63,11 +64,4 @@ import Link from 'next/link'
首次使用时需要配置数据源,配置一次后可以重复使用。你可以设置定时任务,让 Qwen Code 每周自动生成周报,彻底解放你的双手。
-## 相关推荐
-
-- [汇报展示:做 PPT](./office-ppt-presentation.mdx) — 将周报内容转化为精美的演示文稿
-- [导出对话记录](./office-export-conversation.mdx) — 导出和整理历史对话内容
-
----
-
diff --git a/website/content/zh/showcase/office-write-file.mdx b/website/content/zh/showcase/office-write-file.mdx
index 40222199e..6215247f8 100644
--- a/website/content/zh/showcase/office-write-file.mdx
+++ b/website/content/zh/showcase/office-write-file.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
需要创建一个新文件但不想从零开始写内容?告诉 Qwen Code 你想创建什么文件,AI 就会自动生成合适的内容并写入文件。无论是 README、配置文件、代码文件还是文档,Qwen Code 都能根据你的需求生成高质量的内容。你只需要描述文件用途和基本要求,AI 就会处理剩下的工作,大幅提升你的文件创建效率。
-
+
@@ -55,11 +56,4 @@ Qwen Code 会根据你的描述生成文件内容,展示给你确认。你可
Qwen Code 支持各种文件类型,包括文本文件、代码文件、配置文件等。生成的文件会自动保存到指定目录,你可以在编辑器中进一步修改。
-## 相关推荐
-
-- [批量处理文件](./office-batch-file-organize.mdx) — 一次处理多个文件
-- [自动获取生成周报](./office-weekly-report.mdx) — 自动生成报告文档
-
----
-
diff --git a/website/content/zh/showcase/product-insight.mdx b/website/content/zh/showcase/product-insight.mdx
index 4d2d31136..89258d5f2 100644
--- a/website/content/zh/showcase/product-insight.mdx
+++ b/website/content/zh/showcase/product-insight.mdx
@@ -1,29 +1,31 @@
---
title: "Insight 数据洞察"
-description: 查看个人 AI 使用报告,了解编程效率和协作数据,用数据驱动习惯优化。
+description: "查看个人 AI 使用报告,了解编程效率和协作数据,用数据驱动习惯优化。"
category: "日常任务"
features:
- "insight"
thumbnail: "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg"
videoUrl: "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
Insight 是 Qwen Code 的个人使用数据分析面板,为你提供全方位的 AI 编程效率洞察。它会追踪你的对话次数、代码生成量、常用功能、编程语言偏好等关键指标,生成可视化的数据报告。通过这些数据,你可以清楚地了解自己的编程习惯、AI 辅助效果和协作模式。Insight 不仅帮助你发现效率提升的空间,还能让你看到自己在哪些领域使用 AI 最为得心应手,从而更好地发挥 AI 的价值。数据驱动的洞察让每一次使用都更有意义。
-
+
## 操作步骤
+
### 打开洞察面板
在对话中输入 `/insight` 命令,即可打开 Insight 数据洞察面板。面板会展示你的使用概况,包括总对话次数、代码生成行数、节省时间估算等核心指标。这些数据以直观的图表形式呈现,让你一目了然地了解自己的 AI 使用情况。
@@ -48,11 +50,4 @@ Insight 是 Qwen Code 的个人使用数据分析面板,为你提供全方位
Insight 数据仅保存在本地,不会上传到云端,确保你的使用隐私和数据安全。定期查看报告,养成数据驱动的使用习惯。
-## 相关推荐
-
-- [导出对话记录](./office-export-conversation.mdx) — 归档和分享重要的对话内容
-- [开始第一次对话](./guide-first-conversation.mdx) — 快速上手 Qwen Code 的基础功能
-
----
-
diff --git a/website/content/zh/showcase/study-learning.mdx b/website/content/zh/showcase/study-learning.mdx
index 799ee70e3..a2debf965 100644
--- a/website/content/zh/showcase/study-learning.mdx
+++ b/website/content/zh/showcase/study-learning.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png"
videoUrl: "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
学习优秀的开源代码是提升编程能力的绝佳途径。Qwen Code 可以帮助你深入理解复杂项目的架构和实现细节,找到适合你的贡献点,并指导你完成代码修改。无论是想学习新技术栈,还是想为开源社区做贡献,Qwen Code 都是你理想的编程导师。
-
+
@@ -67,9 +68,4 @@ qwen
通过参与开源项目,你不仅能提升编程技能,还能建立技术影响力,结识志同道合的开发者。
-## 相关推荐
-
-- [解决 issue](./code-solve-issue.mdx) — 使用 Qwen Code 分析并解决开源项目的 issue
-- [PR Review](./code-pr-review.mdx) — 让 AI 帮你审查 Pull Request,提升代码质量
-
diff --git a/website/content/zh/showcase/study-read-paper.mdx b/website/content/zh/showcase/study-read-paper.mdx
index 573eaae97..4453a4f71 100644
--- a/website/content/zh/showcase/study-read-paper.mdx
+++ b/website/content/zh/showcase/study-read-paper.mdx
@@ -7,17 +7,18 @@ features:
thumbnail: "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png"
videoUrl: "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4"
model: "qwen3.5-plus"
+author: "Qwen Code Team"
+date: "2025-06-01"
---
import { Steps, Callout } from 'nextra/components'
import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
import Link from 'next/link'
-
## 概述
学术论文往往晦涩难懂,需要花费大量时间阅读和理解。Qwen Code 可以帮你直接读取和分析论文,提取核心观点、解释复杂概念、总结研究方法。AI 会深入理解论文内容,用通俗易懂的语言为你解释,并生成结构化的学习卡片,方便你复习和分享。无论是学习新技术还是研究前沿领域,都能大幅提升你的学习效率。
-
+
@@ -34,6 +35,7 @@ import Link from 'next/link'
```
### 阅读论文
+
安装 PDF 相关技能,让 Qwen Code 分析论文内容,并生成结构化的学习卡片。你可以查看论文摘要、核心观点、关键概念和重要结论。
```
@@ -62,11 +64,4 @@ import Link from 'next/link'
Qwen Code 支持多种论文格式,包括 PDF、arXiv 链接等。对于数学公式和图表,AI 会详细解释其含义,帮助你完全理解论文内容。
-## 相关推荐
-
-- [Web Search](./guide-web-search.mdx) — 搜索相关资料和背景信息
-- [代码学习](./study-learning.mdx) — 学习论文中的代码实现
-
----
-
diff --git a/website/package.json b/website/package.json
index 2915e59f9..d56190ed9 100644
--- a/website/package.json
+++ b/website/package.json
@@ -5,8 +5,10 @@
"scripts": {
"clean": "rm -rf .next",
"generate-showcase": "node scripts/generate-showcase-data.js",
- "dev": "npm run generate-showcase && npm run clean && next dev",
- "build": "npm run generate-showcase && npm run clean && next build",
+ "generate-showcase-mdx": "node scripts/generate-showcase-mdx.js",
+ "watch-showcase": "node scripts/watch-showcase.js",
+ "dev": "npm run generate-showcase-mdx && npm run generate-showcase && npm run clean && next dev",
+ "build": "npm run generate-showcase && npm run generate-showcase-mdx && npm run clean && next build",
"postbuild": "node scripts/set-html-lang.js && pagefind --site out --output-path out/_pagefind --exclude-selectors 'noscript,script,style,pre,code,.nextra-code-block,.nextra-toc,.nextra-sidebar,.nextra-breadcrumb,.nextra-banner'",
"preview": "node scripts/preview.js"
},
diff --git a/website/scripts/extract-showcase-data.js b/website/scripts/extract-showcase-data.js
new file mode 100644
index 000000000..6a738e1ca
--- /dev/null
+++ b/website/scripts/extract-showcase-data.js
@@ -0,0 +1,209 @@
+#!/usr/bin/env node
+
+/**
+ * extract-showcase-data.js
+ *
+ * Extracts showcase MDX content from content/{lang}/showcase/*.mdx files
+ * and produces per-language JSON files under showcase-i18n/.
+ *
+ * Each JSON file maps showcase id → { frontmatter fields, body }.
+ * The "body" is the raw MDX content after the frontmatter + import block,
+ * so the generate script can reconstruct the full MDX file.
+ *
+ * Usage:
+ * node scripts/extract-showcase-data.js # extract from zh (main branch)
+ * node scripts/extract-showcase-data.js --from-git pr-87 # extract all langs from a git branch
+ */
+
+const fs = require("fs");
+const path = require("path");
+const { execSync } = require("child_process");
+
+const CONTENT_DIR = path.resolve(__dirname, "../content");
+const OUTPUT_DIR = path.resolve(__dirname, "../showcase-i18n");
+const ALL_LANGS = ["zh", "en", "de", "fr", "ja", "pt-BR", "ru"];
+const SKIP_FILES = new Set(["index.mdx"]);
+
+// ── Frontmatter parser ──────────────────────────────────────────────
+
+function parseFrontmatter(raw) {
+ const match = raw.match(/^---\n([\s\S]*?)\n---\n([\s\S]*)$/);
+ if (!match) return { meta: {}, body: raw };
+
+ const yamlBlock = match[1];
+ const rest = match[2];
+ const meta = {};
+
+ let currentKey = null;
+ let arrayValues = null;
+
+ for (const line of yamlBlock.split("\n")) {
+ const kvMatch = line.match(/^(\w[\w-]*):\s*(.*)$/);
+ if (kvMatch) {
+ // Flush previous array
+ if (currentKey && arrayValues) {
+ meta[currentKey] = arrayValues;
+ arrayValues = null;
+ }
+ currentKey = kvMatch[1];
+ let value = kvMatch[2].trim();
+ if (value === "") {
+ // Could be start of an array
+ arrayValues = [];
+ } else {
+ // Remove surrounding quotes
+ value = value.replace(/^["']|["']$/g, "");
+ meta[currentKey] = value;
+ currentKey = null;
+ }
+ } else if (arrayValues !== null) {
+ const itemMatch = line.match(/^\s+-\s*["']?(.+?)["']?\s*$/);
+ if (itemMatch) {
+ arrayValues.push(itemMatch[1]);
+ }
+ }
+ }
+ // Flush last array
+ if (currentKey && arrayValues) {
+ meta[currentKey] = arrayValues;
+ }
+
+ return { meta, body: rest };
+}
+
+// ── Body cleaner: strip import block ────────────────────────────────
+
+function stripImports(body) {
+ // Remove all import lines at the top of the body
+ const lines = body.split("\n");
+ let startIndex = 0;
+
+ // Skip leading empty lines
+ while (startIndex < lines.length && lines[startIndex].trim() === "") {
+ startIndex++;
+ }
+
+ // Skip import lines
+ while (startIndex < lines.length && lines[startIndex].trim().startsWith("import ")) {
+ startIndex++;
+ }
+
+ // Skip trailing empty lines after imports
+ while (startIndex < lines.length && lines[startIndex].trim() === "") {
+ startIndex++;
+ }
+
+ return lines.slice(startIndex).join("\n").trimEnd();
+}
+
+// ── Extract from filesystem ─────────────────────────────────────────
+
+function extractFromFilesystem(lang) {
+ const showcaseDir = path.join(CONTENT_DIR, lang, "showcase");
+ if (!fs.existsSync(showcaseDir)) return null;
+
+ const files = fs.readdirSync(showcaseDir)
+ .filter((f) => f.endsWith(".mdx") && !SKIP_FILES.has(f));
+
+ const data = {};
+ for (const file of files) {
+ const id = file.replace(/\.mdx$/, "");
+ const raw = fs.readFileSync(path.join(showcaseDir, file), "utf-8");
+ const { meta, body } = parseFrontmatter(raw);
+ const cleanBody = stripImports(body);
+
+ data[id] = {
+ title: meta.title || "",
+ description: meta.description || "",
+ category: meta.category || "",
+ features: meta.features || [],
+ thumbnail: meta.thumbnail || "",
+ videoUrl: meta.videoUrl || "",
+ model: meta.model || "qwen3.5-plus",
+ body: cleanBody,
+ };
+ }
+ return data;
+}
+
+// ── Extract from git branch ─────────────────────────────────────────
+
+function extractFromGit(branch, lang) {
+ const treePath = `website/content/${lang}/showcase`;
+
+ let fileList;
+ try {
+ fileList = execSync(`git ls-tree --name-only ${branch}:${treePath}`, {
+ encoding: "utf-8",
+ cwd: path.resolve(__dirname, "../.."),
+ }).trim().split("\n");
+ } catch {
+ return null;
+ }
+
+ const mdxFiles = fileList.filter((f) => f.endsWith(".mdx") && !SKIP_FILES.has(f));
+ const data = {};
+
+ for (const file of mdxFiles) {
+ const id = file.replace(/\.mdx$/, "");
+ let raw;
+ try {
+ raw = execSync(`git show ${branch}:${treePath}/${file}`, {
+ encoding: "utf-8",
+ cwd: path.resolve(__dirname, "../.."),
+ });
+ } catch {
+ continue;
+ }
+
+ const { meta, body } = parseFrontmatter(raw);
+ const cleanBody = stripImports(body);
+
+ data[id] = {
+ title: meta.title || "",
+ description: meta.description || "",
+ category: meta.category || "",
+ features: meta.features || [],
+ thumbnail: meta.thumbnail || "",
+ videoUrl: meta.videoUrl || "",
+ model: meta.model || "qwen3.5-plus",
+ body: cleanBody,
+ };
+ }
+ return data;
+}
+
+// ── Main ────────────────────────────────────────────────────────────
+
+function main() {
+ const args = process.argv.slice(2);
+ const fromGitIndex = args.indexOf("--from-git");
+ const gitBranch = fromGitIndex >= 0 ? args[fromGitIndex + 1] : null;
+
+ if (!fs.existsSync(OUTPUT_DIR)) {
+ fs.mkdirSync(OUTPUT_DIR, { recursive: true });
+ }
+
+ const langsToExtract = gitBranch ? ALL_LANGS : ["zh"];
+
+ console.log(`\n📦 Extracting showcase data${gitBranch ? ` from git branch "${gitBranch}"` : " from filesystem"}\n`);
+
+ for (const lang of langsToExtract) {
+ const data = gitBranch
+ ? extractFromGit(gitBranch, lang)
+ : extractFromFilesystem(lang);
+
+ if (!data || Object.keys(data).length === 0) {
+ console.log(` [${lang}] ⚠️ No showcase files found, skipping`);
+ continue;
+ }
+
+ const outputPath = path.join(OUTPUT_DIR, `${lang}.json`);
+ fs.writeFileSync(outputPath, JSON.stringify(data, null, 2) + "\n", "utf-8");
+ console.log(` [${lang}] ✅ Extracted ${Object.keys(data).length} showcases → showcase-i18n/${lang}.json`);
+ }
+
+ console.log("\n✅ Done!\n");
+}
+
+main();
diff --git a/website/scripts/generate-showcase-data.js b/website/scripts/generate-showcase-data.js
index f02c463a4..ddc7b2934 100644
--- a/website/scripts/generate-showcase-data.js
+++ b/website/scripts/generate-showcase-data.js
@@ -85,10 +85,12 @@ function generateShowcaseData() {
thumbnail: frontmatter.thumbnail || "",
videoUrl: frontmatter.videoUrl || null,
model: frontmatter.model || "qwen3.5-plus",
+ author: frontmatter.author || "Qwen Code Team",
+ date: frontmatter.date || null,
});
}
- // Sort by category order, then by id
+ // Sort by date (newest first), then by category order, then by id
const categoryOrder = {
"入门指南": 1,
"编程开发": 2,
@@ -98,6 +100,13 @@ function generateShowcaseData() {
};
items.sort((a, b) => {
+ // Primary sort: date descending (newest first)
+ const dateA = a.date || "1970-01-01";
+ const dateB = b.date || "1970-01-01";
+ if (dateA !== dateB) {
+ return dateB.localeCompare(dateA);
+ }
+ // Secondary sort: category order
const orderA = categoryOrder[a.category] || 99;
const orderB = categoryOrder[b.category] || 99;
if (orderA !== orderB) {
diff --git a/website/scripts/generate-showcase-mdx.js b/website/scripts/generate-showcase-mdx.js
new file mode 100644
index 000000000..56eb0d9cc
--- /dev/null
+++ b/website/scripts/generate-showcase-mdx.js
@@ -0,0 +1,319 @@
+#!/usr/bin/env node
+
+/**
+ * generate-showcase-mdx.js
+ *
+ * Reads per-language structured JSON files from showcase-i18n/ and generates
+ * MDX files under content/{lang}/showcase/.
+ *
+ * The source of truth is zh.json — only showcase ids present in zh.json
+ * are generated. For each target language, if a translation exists in
+ * {lang}.json it is used; otherwise the zh content is used as fallback.
+ *
+ * Supports both structured format (overview/steps/callouts) and legacy
+ * format (body). Structured format is preferred.
+ *
+ * Usage:
+ * node scripts/generate-showcase-mdx.js # generate all languages
+ * node scripts/generate-showcase-mdx.js en ja # generate only en and ja
+ */
+
+const fs = require("fs");
+const path = require("path");
+
+const I18N_DIR = path.resolve(__dirname, "../showcase-i18n");
+const CONTENT_DIR = path.resolve(__dirname, "../content");
+const ALL_LANGS = ["zh", "en", "de", "fr", "ja", "pt-BR", "ru"];
+const SKIP_FILES = new Set(["index"]);
+
+// ── Section headers per language ────────────────────────────────────
+
+const SECTION_HEADERS = {
+ zh: { overview: "概述", steps: "操作步骤", related: "相关推荐" },
+ en: { overview: "Overview", steps: "Steps", related: "Related" },
+ de: { overview: "Übersicht", steps: "Schritte", related: "Verwandte Empfehlungen" },
+ fr: { overview: "Vue d'ensemble", steps: "Étapes", related: "Recommandations connexes" },
+ ja: { overview: "概要", steps: "操作手順", related: "関連コンテンツ" },
+ "pt-BR": { overview: "Visão geral", steps: "Passos", related: "Recomendações relacionadas" },
+ ru: { overview: "Обзор", steps: "Шаги", related: "Связанные рекомендации" },
+};
+
+// ── Imports block (shared across all generated MDX files) ───────────
+
+const IMPORTS_BLOCK = `import { Steps, Callout } from 'nextra/components'
+import { ShowcaseDetailMeta, ShowcaseDetailCta } from '@/components/showcase-detail-meta'
+import Link from 'next/link'`;
+
+// ── Load JSON data ──────────────────────────────────────────────────
+
+function loadLangData(lang) {
+ const filePath = path.join(I18N_DIR, `${lang}.json`);
+ if (!fs.existsSync(filePath)) return null;
+ return JSON.parse(fs.readFileSync(filePath, "utf-8"));
+}
+
+// ── Render inline callout markers back to tags ────────────
+
+function renderInlineCallouts(content) {
+ return content.replace(
+ /:::callout\{type="(\w+)"\}\n([\s\S]*?)\n:::/g,
+ (_, type, text) => `\n${text.trim()}\n`
+ );
+}
+
+// ── Render blocks array to MDX string ───────────────────────────────
+
+const IMAGE_STYLE = `style={{width: '70%', borderRadius: '12px', marginTop: '32px', marginBottom: '32px', display: 'block', marginLeft: 'auto', marginRight: 'auto'}}`;
+
+function renderBlocks(blocks) {
+ const parts = [];
+
+ for (const block of blocks) {
+ switch (block.type) {
+ case "text":
+ parts.push(block.value);
+ break;
+ case "code":
+ parts.push(`\`\`\`${block.lang || ""}\n${block.value}\n\`\`\``);
+ break;
+ case "image":
+ parts.push(
+ ``
+ );
+ break;
+ case "callout":
+ parts.push(
+ `\n${block.value}\n`
+ );
+ break;
+ default:
+ // Unknown block type, output value as-is
+ if (block.value) parts.push(block.value);
+ break;
+ }
+ }
+
+ return parts.join("\n\n");
+}
+
+// ── Render step content (blocks or legacy content) ──────────────────
+
+function renderStepContent(step) {
+ if (step.blocks && Array.isArray(step.blocks) && step.blocks.length > 0) {
+ return renderBlocks(step.blocks);
+ }
+ if (step.content) {
+ return renderInlineCallouts(step.content);
+ }
+ return "";
+}
+
+// ── Build the media block (video or image) ──────────────────────────
+
+function buildMediaBlock(item) {
+ const mediaStyle = `style={{width: '70%', borderRadius: '12px', marginTop: '32px', marginBottom: '32px', display: 'block', marginLeft: 'auto', marginRight: 'auto'}}`;
+
+ if (item.videoUrl) {
+ return ``;
+ }
+ // No video — show thumbnail as static image
+ return ``;
+}
+
+// ── Build the ShowcaseDetailMeta component call ─────────────────────
+
+function buildMetaComponent(item) {
+ const featuresArray = (item.features || []).map((f) => `"${f}"`).join(", ");
+ const author = item.author || "Qwen Code Team";
+ return ``;
+}
+
+// ── Generate a single MDX file (structured format) ──────────────────
+
+function generateMDX(item, lang) {
+ const headers = SECTION_HEADERS[lang] || SECTION_HEADERS.zh;
+
+ // Frontmatter
+ const featuresYaml = (item.features || [])
+ .map((f) => ` - "${f}"`)
+ .join("\n");
+
+ const frontmatter = [
+ "---",
+ `title: "${escapeYamlString(item.title)}"`,
+ `description: "${escapeYamlString(item.description)}"`,
+ `category: "${escapeYamlString(item.category)}"`,
+ "features:",
+ featuresYaml,
+ `thumbnail: "${item.thumbnail}"`,
+ item.videoUrl ? `videoUrl: "${item.videoUrl}"` : null,
+ `model: "${item.model || "qwen3.5-plus"}"`,
+ `author: "${escapeYamlString(item.author || "Qwen Code Team")}"`,
+ item.date ? `date: "${item.date}"` : null,
+ "---",
+ ]
+ .filter(Boolean)
+ .join("\n");
+
+ // If legacy body format, use it directly
+ if (item.body !== undefined) {
+ return `${frontmatter}\n${IMPORTS_BLOCK}\n\n${item.body}\n`;
+ }
+
+ // Build structured MDX body
+ const sections = [];
+
+ // 1. Overview
+ sections.push(`## ${headers.overview}`);
+ sections.push("");
+ sections.push(item.overview || "");
+ sections.push("");
+
+ // 2. Meta component
+ sections.push(buildMetaComponent(item));
+ sections.push("");
+
+ // 3. Media (video or image)
+ sections.push(buildMediaBlock(item));
+ sections.push("");
+
+ // 4. Steps
+ const steps = item.steps || [];
+ if (steps.length > 0) {
+ sections.push(`## ${headers.steps}`);
+ sections.push("");
+ sections.push("");
+ sections.push("");
+
+ for (const step of steps) {
+ if (step.title) {
+ sections.push(`### ${step.title}`);
+ sections.push("");
+ }
+ const stepBody = renderStepContent(step);
+ if (stepBody) {
+ sections.push(stepBody);
+ sections.push("");
+ }
+ }
+
+ sections.push("");
+ sections.push("");
+ }
+
+ // 5. Callouts (after Steps)
+ const callouts = item.callouts || [];
+ for (const callout of callouts) {
+ sections.push(``);
+ sections.push(callout.content);
+ sections.push("");
+ sections.push("");
+ }
+
+ // 6. Related links
+ const relatedLinks = item.relatedLinks || [];
+ if (relatedLinks.length > 0) {
+ sections.push(`## ${headers.related}`);
+ sections.push("");
+ for (const link of relatedLinks) {
+ sections.push(`- ${link.title}`);
+ }
+ sections.push("");
+ }
+
+ // 7. CTA
+ sections.push("");
+
+ const body = sections.join("\n");
+ return `${frontmatter}\n${IMPORTS_BLOCK}\n\n${body}\n`;
+}
+
+function escapeYamlString(str) {
+ if (!str) return "";
+ return str.replace(/\\/g, "\\\\").replace(/"/g, '\\"');
+}
+
+function escapeAttr(str) {
+ if (!str) return "";
+ return str.replace(/"/g, '\\"');
+}
+
+// ── Main ────────────────────────────────────────────────────────────
+
+function main() {
+ const args = process.argv.slice(2);
+ const targetLangs = args.length > 0 ? args : ALL_LANGS;
+
+ // Validate target languages
+ const invalid = targetLangs.filter((l) => !ALL_LANGS.includes(l));
+ if (invalid.length > 0) {
+ console.error(`Unknown language(s): ${invalid.join(", ")}`);
+ console.error(`Valid targets: ${ALL_LANGS.join(", ")}`);
+ process.exit(1);
+ }
+
+ // Load zh as the source of truth
+ const zhData = loadLangData("zh");
+ if (!zhData) {
+ console.error("❌ zh.json not found in showcase-i18n/. Run extract-showcase-data.js first.");
+ process.exit(1);
+ }
+
+ const showcaseIds = Object.keys(zhData).filter((id) => !SKIP_FILES.has(id));
+ console.log(`\n📦 Generating MDX for ${showcaseIds.length} showcases × ${targetLangs.length} language(s)\n`);
+
+ let totalCreated = 0;
+ let totalUpdated = 0;
+ let totalFallback = 0;
+
+ for (const lang of targetLangs) {
+ const langData = loadLangData(lang);
+ const targetDir = path.join(CONTENT_DIR, lang, "showcase");
+
+ // Ensure target directory exists
+ if (!fs.existsSync(targetDir)) {
+ fs.mkdirSync(targetDir, { recursive: true });
+ }
+
+ let created = 0;
+ let updated = 0;
+ let fallback = 0;
+
+ for (const id of showcaseIds) {
+ // Use lang-specific data if available, otherwise fallback to zh
+ const item = langData?.[id] || zhData[id];
+ if (!langData?.[id] && lang !== "zh") {
+ fallback++;
+ }
+
+ const mdxContent = generateMDX(item, lang);
+ const targetPath = path.join(targetDir, `${id}.mdx`);
+
+ if (fs.existsSync(targetPath)) {
+ const existing = fs.readFileSync(targetPath, "utf-8");
+ if (existing === mdxContent) continue; // unchanged
+ updated++;
+ totalUpdated++;
+ } else {
+ created++;
+ totalCreated++;
+ }
+
+ fs.writeFileSync(targetPath, mdxContent, "utf-8");
+ }
+
+ const langLabel = `[${lang}]`.padEnd(8);
+ const parts = [];
+ if (created > 0) parts.push(`+${created} created`);
+ if (updated > 0) parts.push(`~${updated} updated`);
+ if (fallback > 0) parts.push(`${fallback} fallback→zh`);
+ if (parts.length === 0) parts.push("(all up to date)");
+ console.log(` ${langLabel} ${parts.join(", ")}`);
+
+ totalFallback += fallback;
+ }
+
+ console.log(`\n✅ Done! Created: ${totalCreated}, Updated: ${totalUpdated}, Fallback: ${totalFallback}\n`);
+}
+
+main();
diff --git a/website/scripts/restructure-showcase-json.js b/website/scripts/restructure-showcase-json.js
new file mode 100644
index 000000000..f40b64251
--- /dev/null
+++ b/website/scripts/restructure-showcase-json.js
@@ -0,0 +1,152 @@
+#!/usr/bin/env node
+
+/**
+ * restructure-showcase-json.js
+ *
+ * Converts existing showcase JSON files from the "body" format
+ * to a structured format with overview, steps, callouts, etc.
+ *
+ * Usage:
+ * node scripts/restructure-showcase-json.js # convert all languages
+ * node scripts/restructure-showcase-json.js zh en # convert specific languages
+ */
+
+const fs = require("fs");
+const path = require("path");
+
+const I18N_DIR = path.resolve(__dirname, "../showcase-i18n");
+const ALL_LANGS = ["zh", "en", "de", "fr", "ja", "pt-BR", "ru"];
+
+// ── Parse body into structured fields ───────────────────────────────
+
+function parseBody(body) {
+ const result = {
+ overview: "",
+ steps: [],
+ callouts: [],
+ };
+
+ // 1. Extract overview: text before = 0) {
+ let overviewRaw = body.substring(0, metaIndex).trim();
+ // Remove the ## header line (概述 / Overview / etc.)
+ overviewRaw = overviewRaw.replace(/^##\s+.+\n+/, "").trim();
+ result.overview = overviewRaw;
+ }
+
+ // 2. Extract Steps section
+ const stepsMatch = body.match(/([\s\S]*?)<\/Steps>/);
+ if (stepsMatch) {
+ const stepsContent = stepsMatch[1];
+ result.steps = parseSteps(stepsContent);
+ }
+
+ // 3. Extract Callouts that are AFTER
+ const stepsEndIndex = body.indexOf("");
+ if (stepsEndIndex >= 0) {
+ const afterSteps = body.substring(stepsEndIndex);
+ const calloutRegex = /\n([\s\S]*?)\n<\/Callout>/g;
+ let calloutMatch;
+ while ((calloutMatch = calloutRegex.exec(afterSteps)) !== null) {
+ result.callouts.push({
+ type: calloutMatch[1],
+ content: calloutMatch[2].trim(),
+ });
+ }
+ }
+
+ return result;
+}
+
+function parseSteps(stepsContent) {
+ // Split by step headers (### or ##)
+ // We need to handle both ### and ## step headers
+ const stepRegex = /^(#{2,3})\s+(.+)$/gm;
+ const headers = [];
+ let match;
+
+ while ((match = stepRegex.exec(stepsContent)) !== null) {
+ headers.push({
+ index: match.index,
+ endIndex: match.index + match[0].length,
+ title: match[2].trim(),
+ });
+ }
+
+ if (headers.length === 0) {
+ // No step headers found, treat entire content as one step
+ const content = stepsContent.trim();
+ if (content) {
+ return [{ title: "", content }];
+ }
+ return [];
+ }
+
+ const steps = [];
+ for (let i = 0; i < headers.length; i++) {
+ const startIdx = headers[i].endIndex;
+ const endIdx = i + 1 < headers.length ? headers[i + 1].index : stepsContent.length;
+ let content = stepsContent.substring(startIdx, endIdx).trim();
+
+ // Process inline Callouts within step content
+ content = convertInlineCallouts(content);
+
+ steps.push({
+ title: headers[i].title,
+ content,
+ });
+ }
+
+ return steps;
+}
+
+function convertInlineCallouts(content) {
+ // Convert ...\n to :::callout{type="xxx"}\n...\n:::
+ return content.replace(
+ /\n([\s\S]*?)\n<\/Callout>/g,
+ (_, type, text) => `:::callout{type="${type}"}\n${text.trim()}\n:::`
+ );
+}
+
+// ── Main ────────────────────────────────────────────────────────────
+
+function main() {
+ const args = process.argv.slice(2);
+ const targetLangs = args.length > 0 ? args : ALL_LANGS;
+
+ console.log(`\n🔧 Restructuring showcase JSON for ${targetLangs.length} language(s)\n`);
+
+ for (const lang of targetLangs) {
+ const filePath = path.join(I18N_DIR, `${lang}.json`);
+ if (!fs.existsSync(filePath)) {
+ console.log(` [${lang}] ⚠️ File not found, skipping`);
+ continue;
+ }
+
+ const data = JSON.parse(fs.readFileSync(filePath, "utf-8"));
+ let converted = 0;
+
+ for (const [id, item] of Object.entries(data)) {
+ if (!item.body) continue; // Already structured or empty
+ if (item.overview !== undefined) continue; // Already converted
+
+ const parsed = parseBody(item.body);
+
+ // Replace body with structured fields
+ delete item.body;
+ item.overview = parsed.overview;
+ item.steps = parsed.steps;
+ item.callouts = parsed.callouts;
+ converted++;
+ }
+
+ // Write back
+ fs.writeFileSync(filePath, JSON.stringify(data, null, 2) + "\n", "utf-8");
+ console.log(` [${lang}] ✅ Converted ${converted} showcases`);
+ }
+
+ console.log("\n✅ Done!\n");
+}
+
+main();
diff --git a/website/scripts/restructure-steps-to-blocks.js b/website/scripts/restructure-steps-to-blocks.js
new file mode 100644
index 000000000..dc525f9c8
--- /dev/null
+++ b/website/scripts/restructure-steps-to-blocks.js
@@ -0,0 +1,135 @@
+#!/usr/bin/env node
+
+/**
+ * restructure-steps-to-blocks.js
+ *
+ * Converts step "content" strings into structured "blocks" arrays.
+ * Each block has a type (text, code, image, callout) and relevant fields.
+ *
+ * Usage:
+ * node scripts/restructure-steps-to-blocks.js # convert all languages
+ * node scripts/restructure-steps-to-blocks.js zh en # convert specific languages
+ */
+
+const fs = require("fs");
+const path = require("path");
+
+const I18N_DIR = path.resolve(__dirname, "../showcase-i18n");
+const ALL_LANGS = ["zh", "en", "de", "fr", "ja", "pt-BR", "ru"];
+
+/**
+ * Parse a step's content string into an array of typed blocks.
+ *
+ * Recognized patterns (in order of priority):
+ * 1. ```lang\n...\n``` → { type: "code", lang, value }
+ * 2. → { type: "image", src, alt }
+ * 3. :::callout{type="xxx"} → { type: "callout", calloutType, value }
+ * 4. remaining text → { type: "text", value }
+ */
+function parseContentToBlocks(content) {
+ if (!content || !content.trim()) return [];
+
+ const blocks = [];
+ let remaining = content;
+
+ // Tokenize by splitting on code blocks, images, and callouts
+ // We process the string sequentially, extracting special blocks
+ // and collecting text in between.
+
+ const TOKEN_REGEX =
+ /(?:```(\w*)\n([\s\S]*?)\n```)|(?:)|(?:::callout\{type="(\w+)"\}\n([\s\S]*?)\n:::)/g;
+
+ let lastIndex = 0;
+ let match;
+
+ while ((match = TOKEN_REGEX.exec(remaining)) !== null) {
+ // Collect text before this match
+ if (match.index > lastIndex) {
+ const textBefore = remaining.substring(lastIndex, match.index).trim();
+ if (textBefore) {
+ blocks.push({ type: "text", value: textBefore });
+ }
+ }
+
+ if (match[1] !== undefined || match[2] !== undefined) {
+ // Code block: ```lang\n...\n```
+ blocks.push({
+ type: "code",
+ lang: match[1] || "",
+ value: match[2],
+ });
+ } else if (match[3] !== undefined) {
+ // Image:
+ const attrs = match[3];
+ const srcMatch = attrs.match(/src="([^"]+)"/);
+ const altMatch = attrs.match(/alt="([^"]*)"/);
+ blocks.push({
+ type: "image",
+ src: srcMatch ? srcMatch[1] : "",
+ alt: altMatch ? altMatch[1] : "",
+ });
+ } else if (match[4] !== undefined) {
+ // Callout: :::callout{type="xxx"}\n...\n:::
+ blocks.push({
+ type: "callout",
+ calloutType: match[4],
+ value: match[5].trim(),
+ });
+ }
+
+ lastIndex = match.index + match[0].length;
+ }
+
+ // Collect trailing text
+ if (lastIndex < remaining.length) {
+ const textAfter = remaining.substring(lastIndex).trim();
+ if (textAfter) {
+ blocks.push({ type: "text", value: textAfter });
+ }
+ }
+
+ return blocks;
+}
+
+function main() {
+ const args = process.argv.slice(2);
+ const targetLangs = args.length > 0 ? args : ALL_LANGS;
+
+ console.log(
+ `\n🔧 Restructuring step content → blocks for ${targetLangs.length} language(s)\n`
+ );
+
+ for (const lang of targetLangs) {
+ const filePath = path.join(I18N_DIR, `${lang}.json`);
+ if (!fs.existsSync(filePath)) {
+ console.log(` [${lang}] ⚠️ File not found, skipping`);
+ continue;
+ }
+
+ const data = JSON.parse(fs.readFileSync(filePath, "utf-8"));
+ let convertedSteps = 0;
+
+ for (const [id, item] of Object.entries(data)) {
+ const steps = item.steps;
+ if (!steps || !Array.isArray(steps)) continue;
+
+ for (const step of steps) {
+ // Skip if already has blocks
+ if (step.blocks) continue;
+ // Skip if no content to convert
+ if (!step.content) continue;
+
+ step.blocks = parseContentToBlocks(step.content);
+ delete step.content;
+ convertedSteps++;
+ }
+ }
+
+ fs.writeFileSync(filePath, JSON.stringify(data, null, 2) + "\n", "utf-8");
+ console.log(` [${lang}] ✅ Converted ${convertedSteps} steps`);
+ }
+
+ console.log("\n✅ Done!\n");
+}
+
+main();
diff --git a/website/scripts/watch-showcase.js b/website/scripts/watch-showcase.js
new file mode 100644
index 000000000..8c8ae1283
--- /dev/null
+++ b/website/scripts/watch-showcase.js
@@ -0,0 +1,47 @@
+#!/usr/bin/env node
+
+/**
+ * watch-showcase.js
+ *
+ * Watches showcase-i18n/*.json for changes and automatically
+ * re-runs generate-showcase-mdx.js to regenerate MDX files.
+ *
+ * Usage:
+ * node scripts/watch-showcase.js
+ */
+
+const fs = require("fs");
+const path = require("path");
+const { execSync } = require("child_process");
+
+const I18N_DIR = path.resolve(__dirname, "../showcase-i18n");
+const GENERATE_SCRIPT = path.resolve(__dirname, "generate-showcase-mdx.js");
+
+let debounceTimer = null;
+const DEBOUNCE_MS = 500;
+
+function regenerate() {
+ console.log(`\n🔄 [${new Date().toLocaleTimeString()}] JSON changed, regenerating MDX...\n`);
+ try {
+ execSync(`node "${GENERATE_SCRIPT}"`, { stdio: "inherit" });
+ } catch (error) {
+ console.error("❌ Generation failed:", error.message);
+ }
+}
+
+function onFileChange(eventType, filename) {
+ if (!filename || !filename.endsWith(".json")) return;
+
+ // Debounce: wait for writes to settle before regenerating
+ if (debounceTimer) clearTimeout(debounceTimer);
+ debounceTimer = setTimeout(() => {
+ console.log(`📝 Detected change in ${filename}`);
+ regenerate();
+ }, DEBOUNCE_MS);
+}
+
+// Start watching
+console.log("👀 Watching showcase-i18n/*.json for changes...");
+console.log(" Press Ctrl+C to stop.\n");
+
+fs.watch(I18N_DIR, { persistent: true }, onFileChange);
diff --git a/website/showcase-i18n/de.json b/website/showcase-i18n/de.json
new file mode 100644
index 000000000..cc7205aa8
--- /dev/null
+++ b/website/showcase-i18n/de.json
@@ -0,0 +1,2886 @@
+{
+ "code-lsp-intelligence": {
+ "title": "LSP IntelliSense",
+ "description": "Durch die Integration von LSP (Language Server Protocol) bietet Qwen Code professionelle Code-Vervollständigung und Navigation mit Echtzeit-Diagnose.",
+ "category": "Programmierung",
+ "features": [
+ "LSP"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "LSP (Language Server Protocol) IntelliSense ermöglicht es Qwen Code, Code-Vervollständigung und Navigation auf dem Niveau professioneller IDEs bereitzustellen. Durch die Integration von Sprachservern kann Qwen Code Codestruktur, Typinformationen und Kontextbeziehungen präzise verstehen und hochwertige Code-Vorschläge liefern. Ob Funktionssignaturen, Parameterhinweise, Variablennamen-Vervollständigung, Definitionssprünge, Referenzsuche oder Refactoring – LSP IntelliSense unterstützt alles reibungslos. Die Echtzeit-Diagnose erkennt sofort Syntaxfehler, Typprobleme und potenzielle Bugs während des Codierens.",
+ "steps": [
+ {
+ "title": "Automatische Erkennung",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code erkennt automatisch Sprachserver-Konfigurationen in Ihrem Projekt. Für gängige Programmiersprachen und Frameworks erkennt und startet es den entsprechenden LSP-Dienst automatisch. Keine manuelle Konfiguration erforderlich – sofort einsatzbereit."
+ }
+ ]
+ },
+ {
+ "title": "IntelliSense genießen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beim Codieren aktiviert sich LSP IntelliSense automatisch. Während Sie tippen, liefert es präzise Vervollständigungsvorschläge basierend auf dem Kontext, einschließlich Funktionsnamen, Variablennamen und Typannotationen. Drücken Sie Tab, um einen Vorschlag schnell anzunehmen."
+ }
+ ]
+ },
+ {
+ "title": "Fehlerdiagnose",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Die LSP-Echtzeit-Diagnose analysiert Ihren Code kontinuierlich und erkennt potenzielle Probleme. Fehler und Warnungen werden intuitiv angezeigt, einschließlich Problemort, Fehlertyp und Korrekturvorschlägen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Unterstützt gängige Sprachen wie TypeScript, Python, Java, Go, Rust sowie Frontend-Frameworks wie React, Vue und Angular. Die Leistung des LSP-Dienstes hängt von der Implementierung des Sprachservers ab."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-pr-review": {
+ "title": "PR Review",
+ "description": "Verwenden Sie Qwen Code für intelligente Code-Reviews von Pull Requests und entdecken Sie automatisch potenzielle Probleme.",
+ "category": "Programmierung",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Code-Reviews sind ein wichtiger Schritt zur Sicherstellung der Codequalität, aber oft zeitaufwändig und fehleranfällig. Qwen Code kann Ihnen helfen, intelligente Code-Reviews für Pull Requests durchzuführen, Code-Änderungen automatisch zu analysieren, potenzielle Bugs zu finden, Code-Standards zu prüfen und detaillierte Review-Berichte zu erstellen.",
+ "steps": [
+ {
+ "title": "PR zum Review angeben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Teilen Sie Qwen Code mit, welchen Pull Request Sie reviewen möchten, indem Sie die PR-Nummer oder den Link angeben."
+ },
+ {
+ "type": "callout",
+ "calloutType": "tip",
+ "value": "Sie können den pr-review Skill verwenden, um PRs zu analysieren. Zur Skill-Installation siehe: [Skills installieren](./guide-skill-install.mdx)."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skill pr-review Bitte reviewe diesen PR: "
+ }
+ ]
+ },
+ {
+ "title": "Tests ausführen und prüfen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code analysiert die Code-Änderungen, identifiziert relevante Testfälle und führt Tests durch, um die Korrektheit des Codes zu überprüfen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Tests ausführen und prüfen, ob dieser PR alle Testfälle besteht"
+ }
+ ]
+ },
+ {
+ "title": "Review-Bericht ansehen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach dem Review erstellt Qwen Code einen detaillierten Bericht mit gefundenen Problemen, potenziellen Risiken und Verbesserungsvorschlägen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Review-Bericht anzeigen und alle gefundenen Probleme auflisten"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Codes Code-Review analysiert nicht nur Syntax und Standards, sondern auch Code-Logik, um potenzielle Performance-Probleme, Sicherheitslücken und Design-Schwächen zu identifizieren."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-solve-issue": {
+ "title": "Issues lösen",
+ "description": "Verwenden Sie Qwen Code, um Open-Source-Projekt-Issues zu analysieren und zu lösen – mit vollständiger Prozessverfolgung vom Verstehen bis zur Code-Einreichung.",
+ "category": "Programmierung",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Issues für Open-Source-Projekte zu lösen ist ein wichtiger Weg, um Programmierfähigkeiten zu verbessern und technischen Einfluss aufzubauen. Qwen Code hilft Ihnen, Probleme schnell zu lokalisieren, relevanten Code zu verstehen, Lösungspläne zu entwickeln und Code-Änderungen umzusetzen.",
+ "steps": [
+ {
+ "title": "Issue auswählen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Finden Sie ein interessantes oder geeignetes Issue auf GitHub. Priorisieren Sie Issues mit klaren Beschreibungen, Reproduktionsschritten und erwarteten Ergebnissen. Labels wie `good first issue` oder `help wanted` eignen sich gut für Einsteiger."
+ }
+ ]
+ },
+ {
+ "title": "Projekt klonen und Problem lokalisieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Laden Sie den Projektcode herunter und lassen Sie die KI das Problem lokalisieren. Verwenden Sie `@file`, um relevante Dateien zu referenzieren."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hilf mir zu analysieren, wo das in diesem Issue beschriebene Problem auftritt, Issue-Link: "
+ }
+ ]
+ },
+ {
+ "title": "Relevanten Code verstehen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Lassen Sie die KI die relevante Code-Logik und Abhängigkeiten erklären."
+ }
+ ]
+ },
+ {
+ "title": "Lösungsplan entwickeln",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Besprechen Sie mögliche Lösungen mit der KI und wählen Sie die beste aus."
+ }
+ ]
+ },
+ {
+ "title": "Code-Änderungen implementieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ändern Sie den Code schrittweise mit KI-Unterstützung und testen Sie ihn."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hilf mir, diesen Code zu ändern, um das Problem zu lösen"
+ }
+ ]
+ },
+ {
+ "title": "PR einreichen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach Abschluss der Änderungen einen PR einreichen und auf die Überprüfung durch den Projektbetreuer warten."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hilf mir, einen PR einzureichen, um dieses Problem zu lösen"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Open-Source-Issues zu lösen verbessert nicht nur technische Fähigkeiten, sondern baut auch technischen Einfluss auf und fördert die Karriereentwicklung."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-oss-promo-video": {
+ "title": "Werbevideo für Ihr Open-Source-Projekt erstellen",
+ "description": "Geben Sie eine Repository-URL an und die KI generiert ein professionelles Projekt-Demo-Video für Sie.",
+ "category": "Kreativ-Tools",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Möchten Sie ein Werbevideo für Ihr Open-Source-Projekt erstellen, haben aber keine Videoerfahrung? Qwen Code kann automatisch professionelle Projekt-Demo-Videos für Sie generieren. Geben Sie einfach die GitHub-Repository-URL an, und die KI analysiert die Projektstruktur, extrahiert Schlüsselfunktionen, generiert Animationsskripte und rendert ein professionelles Video mit Remotion.",
+ "steps": [
+ {
+ "title": "Repository vorbereiten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Stellen Sie sicher, dass Ihr GitHub-Repository vollständige Projektinformationen und Dokumentation enthält, einschließlich README, Screenshots und Funktionsbeschreibungen."
+ }
+ ]
+ },
+ {
+ "title": "Werbevideo generieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Teilen Sie Qwen Code den gewünschten Videostil und Fokus mit, und die KI analysiert das Projekt automatisch und generiert das Video."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Basierend auf diesem Skill https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, hilf mir, ein Demo-Video für das Open-Source-Repository zu generieren: "
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Generierte Videos unterstützen mehrere Auflösungen und Formate und können direkt auf YouTube und andere Videoplattformen hochgeladen werden."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-remotion-video": {
+ "title": "Remotion Videoerstellung",
+ "description": "Beschreiben Sie Ihre Ideen in natürlicher Sprache und verwenden Sie den Remotion Skill, um code-generierte Videoinhalte zu erstellen.",
+ "category": "Kreativ-Tools",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Möchten Sie Videos erstellen, können aber nicht programmieren? Beschreiben Sie Ihre Ideen in natürlicher Sprache, und Qwen Code verwendet den Remotion Skill, um Videocode zu generieren. Die KI versteht Ihre kreative Beschreibung und generiert automatisch Remotion-Projektcode, einschließlich Szenenaufbau, Animationseffekte und Textlayout.",
+ "steps": [
+ {
+ "title": "Remotion Skill installieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installieren Sie zunächst den Remotion-Skill, der Best Practices und Vorlagen für die Videoerstellung enthält."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Prüfe, ob ich find skills habe, falls nicht, installiere es direkt: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, dann hilf mir, remotion-best-practice zu installieren."
+ }
+ ]
+ },
+ {
+ "title": "Ihre Idee beschreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beschreiben Sie in natürlicher Sprache den Videoinhalt, den Sie erstellen möchten, einschließlich Thema, Stil, Dauer und Schlüsselszenen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file Erstelle basierend auf dem Dokument ein 30-sekündiges Produktwerbevideo im modernen Stil."
+ }
+ ]
+ },
+ {
+ "title": "Vorschau und Anpassung",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code generiert Remotion-Projektcode basierend auf Ihrer Beschreibung. Starten Sie den Entwicklungsserver zur Vorschau."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ },
+ {
+ "title": "Rendern und Exportieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Wenn Sie zufrieden sind, verwenden Sie den Build-Befehl, um das endgültige Video zu rendern."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hilf mir, das Video direkt zu rendern und zu exportieren."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Der Prompt-basierte Ansatz eignet sich hervorragend für schnelles Prototyping und kreative Erkundung. Der generierte Code kann weiter manuell bearbeitet werden."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-resume-site-quick": {
+ "title": "Persönliche Lebenslauf-Website erstellen",
+ "description": "Erstellen Sie mit einem Satz eine persönliche Lebenslauf-Website – integrieren Sie Ihre Erfahrungen, generieren Sie eine Präsentationsseite mit PDF-Export.",
+ "category": "Kreativ-Tools",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Eine persönliche Lebenslauf-Website ist ein wichtiges Werkzeug für die Jobsuche und Selbstpräsentation. Qwen Code kann basierend auf Ihrem Lebenslaufinhalt schnell eine professionelle Präsentationsseite generieren, die PDF-Export unterstützt.",
+ "steps": [
+ {
+ "title": "Persönliche Erfahrungen angeben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Teilen Sie der KI Ihren Bildungshintergrund, Berufserfahrung, Projekterfahrung und Fähigkeiten mit."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ich bin Frontend-Entwickler, habe an der XX-Universität studiert, 3 Jahre Erfahrung, spezialisiert auf React und TypeScript..."
+ }
+ ]
+ },
+ {
+ "title": "Web-Design Skill installieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installieren Sie den Web-Design Skill, der Lebenslauf-Design-Vorlagen bereitstellt."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Prüfe, ob ich find skills habe, falls nicht, installiere es direkt: npx skills add https://github.com/vercel-labs/skills --skill find-skills, dann hilf mir, web-component-design zu installieren."
+ }
+ ]
+ },
+ {
+ "title": "Designstil wählen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beschreiben Sie Ihren bevorzugten Lebenslaufstil, z.B. minimalistisch, professionell oder kreativ."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design Hilf mir, eine minimalistische professionelle Lebenslauf-Website zu gestalten"
+ }
+ ]
+ },
+ {
+ "title": "Lebenslauf-Website generieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Die KI erstellt ein vollständiges Lebenslauf-Website-Projekt mit responsivem Layout und Druckstilen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Ihre Lebenslauf-Website sollte Ihre Kernstärken und Leistungen hervorheben und spezifische Daten und Beispiele zur Untermauerung verwenden."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-website-clone": {
+ "title": "Ihre Lieblingswebsite mit einem Satz nachbilden",
+ "description": "Geben Sie einen Screenshot an Qwen Code und die KI analysiert die Seitenstruktur und generiert vollständigen Frontend-Code.",
+ "category": "Kreativ-Tools",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Haben Sie ein Website-Design entdeckt, das Sie schnell nachbilden möchten? Geben Sie einfach einen Screenshot an Qwen Code und die KI analysiert die Seitenstruktur und generiert vollständigen Frontend-Code. Qwen Code erkennt das Seitenlayout, Farbschema und die Komponentenstruktur und generiert ausführbaren Code mit modernen Frontend-Technologien.",
+ "steps": [
+ {
+ "title": "Website-Screenshot vorbereiten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Machen Sie einen Screenshot der Website-Oberfläche, die Sie nachbilden möchten, und stellen Sie sicher, dass er klar und vollständig ist."
+ }
+ ]
+ },
+ {
+ "title": "Entsprechenden Skill installieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installieren Sie den Skill für Bilderkennung und Frontend-Code-Generierung."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Prüfe, ob ich find skills habe, falls nicht, installiere es direkt: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, dann hilf mir, web-component-design zu installieren."
+ }
+ ]
+ },
+ {
+ "title": "Screenshot einfügen und Anforderungen beschreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Fügen Sie den Screenshot in das Gespräch ein und teilen Sie Qwen Code Ihre spezifischen Anforderungen mit."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design Basierend auf diesem Skill, bilde eine Webseite HTML basierend auf @website.png nach, achte darauf, dass Bildreferenzen gültig sind."
+ },
+ {
+ "type": "text",
+ "value": "Beispiel-Screenshot:"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01FUQtA51YIzygQQhLT_!!6000000003037-2-tps-2768-1552.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Ausführen und Vorschau",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Öffnen Sie die entsprechende Webseite zur Überprüfung. Bei Bedarf können Sie weiter mit der KI interagieren, um den Code anzupassen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Der generierte Code folgt modernen Frontend-Best-Practices mit guter Struktur und Wartbarkeit. Sie können ihn weiter anpassen und erweitern."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-youtube-to-blog": {
+ "title": "YouTube-Videos in Blog-Beiträge umwandeln",
+ "description": "Verwenden Sie Qwen Code, um YouTube-Videos automatisch in strukturierte Blog-Artikel umzuwandeln.",
+ "category": "Kreativ-Tools",
+ "features": [
+ "Skills",
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Haben Sie ein tolles YouTube-Video gefunden und möchten es in einen Blog-Beitrag umwandeln? Qwen Code kann automatisch Videoinhalte extrahieren und gut strukturierte, inhaltsreiche Blog-Artikel generieren. Die KI ruft das Video-Transkript ab, versteht die Kernpunkte und organisiert den Inhalt im Standard-Blog-Format.",
+ "steps": [
+ {
+ "title": "Video-Link angeben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Teilen Sie Qwen Code den YouTube-Video-Link mit, den Sie umwandeln möchten."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Basierend auf diesem Skill: https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, hilf mir, dieses Video als Blog zu schreiben: https://www.youtube.com/watch?v=fJSLnxi1i64"
+ }
+ ]
+ },
+ {
+ "title": "Blog-Beitrag generieren und bearbeiten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Die KI analysiert das Transkript und generiert einen Artikel mit Titel, Einleitung, Hauptteil und Fazit."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Hilf mir, den Sprachstil dieses Artikels für einen technischen Blog anzupassen"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Generierte Artikel unterstützen das Markdown-Format und können direkt auf Blog-Plattformen oder GitHub Pages veröffentlicht werden."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-agents-config": {
+ "title": "Agents-Konfigurationsdatei",
+ "description": "Passen Sie das KI-Verhalten über die Agents-MD-Datei an, damit sich die KI an Ihre Projektspezifikationen und Ihren Codierungsstil anpasst.",
+ "category": "Erste Schritte",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Die Agents-Konfigurationsdatei ermöglicht es Ihnen, das KI-Verhalten über Markdown-Dateien anzupassen, damit sich die KI an Ihre Projektspezifikationen und Ihren Codierungsstil anpasst. Sie können Codierungsstil, Benennungskonventionen, Kommentar-Anforderungen usw. definieren, und die KI generiert basierend auf diesen Konfigurationen Code, der den Projektstandards entspricht. Diese Funktion ist besonders für die Teamzusammenarbeit geeignet und stellt sicher, dass die von allen Mitgliedern generierten Codierungsstile konsistent sind.",
+ "steps": [
+ {
+ "title": "Konfigurationsdatei erstellen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Erstellen Sie im Projektstammverzeichnis einen `.qwen`-Ordner und erstellen Sie darin eine `AGENTS.md`-Datei. Diese Datei speichert Ihre KI-Verhaltenskonfiguration."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .qwen && touch .qwen/AGENTS.md"
+ }
+ ]
+ },
+ {
+ "title": "Konfiguration schreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Schreiben Sie die Konfiguration im Markdown-Format und beschreiben Sie Projektspezifikationen in natürlicher Sprache. Sie können Codierungsstil, Benennungskonventionen, Kommentar-Anforderungen, Framework-Präferenzen usw. definieren, und die KI passt ihr Verhalten basierend auf diesen Konfigurationen an.\n\n```markdown\n# Projektspezifikationen"
+ }
+ ]
+ },
+ {
+ "title": "Codierungsstil",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- TypeScript verwenden\n- Funktionale Programmierung verwenden\n- Detaillierte Kommentare hinzufügen"
+ }
+ ]
+ },
+ {
+ "title": "Benennungskonventionen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- camelCase für Variablen verwenden\n- UPPER_SNAKE_CASE für Konstanten verwenden\n- PascalCase für Klassennamen verwenden\n```"
+ }
+ ]
+ },
+ {
+ "title": "Konfiguration anwenden",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach dem Speichern der Konfigurationsdatei liest die KI diese automatisch und wendet sie an. Im nächsten Gespräch generiert die KI basierend auf der Konfiguration Code, der den Projektstandards entspricht, ohne dass die Spezifikationen wiederholt werden müssen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Unterstützt Markdown-Format, beschreiben Sie Projektspezifikationen in natürlicher Sprache."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-api-setup": {
+ "title": "API-Konfigurationsanleitung",
+ "description": "Konfigurieren Sie API-Schlüssel und Modellparameter, um Ihre KI-Programmiererfahrung anzupassen. Unterstützt mehrere Modellauswahlen.",
+ "category": "Erste Schritte",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Die Konfiguration eines API-Schlüssels ist ein wichtiger Schritt bei der Verwendung von Qwen Code, da sie alle Funktionen freischaltet und den Zugriff auf leistungsstarke KI-Modelle ermöglicht. Über die Alibaba Cloud Bailian-Plattform können Sie einfach einen API-Schlüssel erhalten und das für verschiedene Szenarien am besten geeignete Modell auswählen. Ob für die tägliche Entwicklung oder komplexe Aufgaben - die richtige Modellkonfiguration kann Ihre Arbeitseffizienz erheblich verbessern.",
+ "steps": [
+ {
+ "title": "API-Schlüssel abrufen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Besuchen Sie die [Alibaba Cloud Bailian-Plattform](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), finden Sie die API-Schlüssel-Verwaltungsseite im persönlichen Center. Klicken Sie auf \"Neuen API-Schlüssel erstellen\", und das System generiert einen eindeutigen Schlüssel. Dieser Schlüssel ist Ihre Berechtigung für den Zugriff auf Qwen Code-Dienste. Bitte bewahren Sie ihn sicher auf."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01oHcWmQ1zN7AQGsHzf_!!6000000006701-2-tps-2776-1538.png",
+ "alt": ""
+ },
+ {
+ "type": "callout",
+ "calloutType": "warning",
+ "value": "Bitte bewahren Sie Ihren API-Schlüssel sicher auf und geben Sie ihn nicht an andere weiter oder committen Sie ihn in das Code-Repository."
+ }
+ ]
+ },
+ {
+ "title": "API-Schlüssel in Qwen Code konfigurieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "**1. Qwen Code automatisch konfigurieren lassen**\n\nÖffnen Sie das Terminal, starten Sie Qwen Code direkt im Stammverzeichnis, kopieren Sie den folgenden Code und teilen Sie Ihren API-SCHLÜSSEL mit. Die Konfiguration ist erfolgreich. Starten Sie Qwen Code neu und geben Sie `/model` ein, um zum konfigurierten Modell zu wechseln."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "Helfen Sie mir, `settings.json` für Bailians Modell gemäß dem folgenden Inhalt zu konfigurieren:\n{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"\",\n \"name\": \"[Bailian] \",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"\"\n },\n}\nFür die Eingabe des Modellnamens beachten Sie bitte: https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all\nMein API-SCHLÜSSEL ist:"
+ },
+ {
+ "type": "text",
+ "value": "Fügen Sie dann Ihren API-SCHLÜSSEL in das Eingabefeld ein, teilen Sie ihm den gewünschten Modellnamen mit, z. B. `qwen3.5-plus`, und senden Sie ihn, um die Konfiguration abzuschließen."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i2/O1CN01MRati01egFmqe2eXe_!!6000000003900-2-tps-2180-1088.png",
+ "alt": ""
+ },
+ {
+ "type": "text",
+ "value": "**2. Manuelle Konfiguration**\n\nKonfigurieren Sie die Datei settings.json manuell. Der Dateipfad befindet sich im Verzeichnis `/.qwen`. Sie können den folgenden Inhalt direkt kopieren und Ihren API-SCHLÜSSEL und Modellnamen ändern."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"\",\n \"name\": \"[Bailian] \",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"\"\n },\n}"
+ }
+ ]
+ },
+ {
+ "title": "Modell auswählen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Wählen Sie das geeignete Modell entsprechend Ihren Anforderungen und balancieren Sie Geschwindigkeit und Leistung. Verschiedene Modelle sind für verschiedene Szenarien geeignet. Sie können basierend auf der Komplexität der Aufgabe und den Anforderungen an die Antwortzeit wählen. Verwenden Sie den Befehl `/model`, um schnell zwischen Modellen zu wechseln.\n\nHäufige Modelloptionen:\n- `qwen3.5-plus`: Leistungsstark, geeignet für komplexe Aufgaben\n- `qwen3.5-flash`: Schnell, geeignet für einfache Aufgaben\n- `qwen-max`: Stärkstes Modell, geeignet für Aufgaben mit hoher Schwierigkeit"
+ }
+ ]
+ },
+ {
+ "title": "Verbindung testen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Senden Sie eine Testnachricht, um zu bestätigen, dass die API-Konfiguration korrekt ist. Wenn die Konfiguration erfolgreich ist, antwortet Qwen Code Ihnen sofort, was bedeutet, dass Sie bereit sind, mit der KI-unterstützten Programmierung zu beginnen. Wenn Sie Probleme haben, überprüfen Sie bitte, ob der API-Schlüssel korrekt eingestellt ist."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hello, can you help me with coding?"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-arena-mode": {
+ "title": "Agent Arena: Mehrere Modelle gleichzeitig Aufgaben lösen lassen",
+ "description": "Verwenden Sie den /arena-Befehl, um mehrere KI-Modelle gleichzeitig dieselbe Aufgabe bearbeiten zu lassen, Ergebnisse zu vergleichen und die beste Lösung auszuwählen.",
+ "category": "Programmierung",
+ "features": [
+ "Arena"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000599/O1CN01EiacyZ1GIONIePrKv_!!6000000000599-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FB9dQJgQ_Rd57oKQSegUd_YJo3q1RAAWh0EkpAS0z2U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Bei wichtigem Code bitten Sie Kollegen um ein Review. Jetzt können Sie auch mehrere KI-Modelle gleichzeitig dieselbe Aufgabe bearbeiten lassen. Die Agent Arena ermöglicht es Ihnen, die Fähigkeiten verschiedener Modelle zu vergleichen — rufen Sie einfach `/arena` auf, wählen Sie Modelle aus, geben Sie Ihre Aufgabe ein und wählen Sie das beste Ergebnis.",
+ "steps": [
+ {
+ "title": "/arena-Befehl eingeben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie im Qwen Code Chat `/arena` ein und wählen Sie `start`, um den Arena-Modus zu betreten."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena start"
+ }
+ ]
+ },
+ {
+ "title": "Teilnehmende Modelle auswählen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Wählen Sie aus der verfügbaren Modellliste die Modelle aus, die Sie vergleichen möchten. Drücken Sie `space`, um 2 oder mehr Modelle auszuwählen."
+ }
+ ]
+ },
+ {
+ "title": "Aufgabenbeschreibung eingeben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie die Aufgabe ein, die jedes Modell bearbeiten soll, zum Beispiel:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Refaktorisiere diese Funktion, um Lesbarkeit und Leistung zu verbessern"
+ }
+ ]
+ },
+ {
+ "title": "Ergebnisse vergleichen und das beste auswählen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Alle Modelle bearbeiten die Aufgabe gleichzeitig. Nach Abschluss können Sie ihre Lösungen vergleichen und das beste Ergebnis auf Ihren Code anwenden."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena select"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Der Arena-Modus eignet sich besonders für wichtige Code-Entscheidungen und lässt mehrere KI-Modelle verschiedene Lösungsperspektiven bieten."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-authentication": {
+ "title": "Authentifizierungsanmeldung",
+ "description": "Verstehen Sie den Authentifizierungsprozess von Qwen Code, schließen Sie die Kontanmeldung schnell ab und schalten Sie alle Funktionen frei.",
+ "category": "Erste Schritte",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Die Authentifizierungsanmeldung ist der erste Schritt bei der Verwendung von Qwen Code. Durch einen einfachen Authentifizierungsprozess können Sie schnell alle Funktionen freischalten. Der Authentifizierungsprozess ist sicher und zuverlässig, unterstützt mehrere Anmeldemethoden und stellt die Sicherheit Ihres Kontos und Ihrer Daten sicher. Nach Abschluss der Authentifizierung können Sie eine personalisierte KI-Programmiererfahrung genießen, einschließlich benutzerdefinierter Modellkonfiguration, Verlaufsspeicherung und weiterer Funktionen.",
+ "steps": [
+ {
+ "title": "Authentifizierung auslösen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie nach dem Start von Qwen Code den Befehl `/auth` ein, und das System startet automatisch den Authentifizierungsprozess. Der Authentifizierungsbefehl kann in der Befehlszeile oder der VS Code-Erweiterung verwendet werden, und die Vorgehensweise ist konsistent. Das System erkennt den aktuellen Authentifizierungsstatus. Wenn Sie nicht angemeldet sind, führt es Sie durch die Anmeldung."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Browser-Anmeldung",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Das System öffnet automatisch den Browser und leitet zur Authentifizierungsseite weiter. Auf der Authentifizierungsseite können Sie wählen, ob Sie ein Alibaba Cloud-Konto oder andere unterstützte Anmeldemethoden verwenden möchten. Der Anmeldeprozess ist schnell und bequem und dauert nur wenige Sekunden."
+ }
+ ]
+ },
+ {
+ "title": "Anmeldung bestätigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach erfolgreicher Anmeldung schließt sich der Browser automatisch oder zeigt eine Erfolgsmeldung. Wenn Sie zur Qwen Code-Oberfläche zurückkehren, sehen Sie die Erfolgsmeldung zur Authentifizierung, die anzeigt, dass Sie sich erfolgreich angemeldet und alle Funktionen freigeschaltet haben. Authentifizierungsinformationen werden automatisch gespeichert, sodass Sie sich nicht erneut anmelden müssen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Authentifizierungsinformationen werden sicher lokal gespeichert, keine erneute Anmeldung bei jedem Mal erforderlich."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-bailian-coding-plan": {
+ "title": "Bailian Coding Plan-Modus",
+ "description": "Konfigurieren Sie die Verwendung von Bailian Coding Plan, mehrere Modellauswahlen, verbessern Sie die Abschlussqualität komplexer Aufgaben.",
+ "category": "Erste Schritte",
+ "features": [
+ "Plan Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Der Bailian Coding Plan-Modus ist eine erweiterte Funktion von Qwen Code, die speziell für komplexe Programmieraufgaben entwickelt wurde. Durch intelligente Multi-Modell-Zusammenarbeit kann er große Aufgaben in ausführbare Schritte zerlegen und automatisch den optimalen Ausführungspfad planen. Ob beim Refactoring großer Codebasen oder bei der Implementierung komplexer Funktionen - Coding Plan kann die Qualität und Effizienz der Aufgabenabwicklung erheblich verbessern.",
+ "steps": [
+ {
+ "title": "Einstellungsoberfläche aufrufen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Starten Sie Qwen Code und geben Sie den Befehl `/auth` ein."
+ }
+ ]
+ },
+ {
+ "title": "Coding Plan auswählen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Aktivieren Sie den Bailian Coding Plan-Modus in den Einstellungen, geben Sie Ihren API-Schlüssel ein, und Qwen Code konfiguriert automatisch die von Coding Plan unterstützten Modelle für Sie."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i1/O1CN01cDz8AJ1Cq30rXjuXS_!!6000000000131-2-tps-1696-952.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Modell auswählen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie direkt den Befehl `/model` ein, um das gewünschte Modell auszuwählen."
+ }
+ ]
+ },
+ {
+ "title": "Komplexe Aufgabe starten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beschreiben Sie Ihre Programmiertask, und Coding Plan plant automatisch die Ausführungsschritte. Sie können die Ziele, Einschränkungen und erwarteten Ergebnisse der Aufgabe detailliert erklären. Die KI analysiert die Aufgabenanforderungen und generiert einen strukturierten Ausführungsplan, einschließlich spezifischer Operationen und erwarteter Ergebnisse für jeden Schritt."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ich muss die Datenschicht dieses Projekts refaktorieren, die Datenbank von MySQL zu PostgreSQL migrieren und dabei die API-Schnittstelle unverändert lassen"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Der Coding Plan-Modus ist besonders geeignet für komplexe Aufgaben, die eine mehrstufige Zusammenarbeit erfordern, wie z. B. Architektur-Refactoring, Funktionsmigration usw."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-btw-sidebar": {
+ "title": "/btw Seitenleiste: Schnell eine Frage stellen beim Programmieren",
+ "description": "Fügen Sie eine unabhängige Frage in das aktuelle Gespräch ein. Die KI beantwortet sie und kehrt automatisch zum vorherigen Kontext zurück, ohne das Hauptgespräch zu beeinträchtigen.",
+ "category": "Erste Schritte",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01gTHYPR1NgqpnQaf0y_!!6000000001600-1-tps-944-660.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Sie programmieren und können sich plötzlich nicht an die Parameterreihenfolge einer API erinnern. Früher mussten Sie ein neues Gespräch öffnen, nachschlagen und dann zurückwechseln — der gesamte Kontext ging verloren. Jetzt geben Sie einfach `/btw` ein und stellen eine Nebenfrage direkt im aktuellen Gespräch. Qwen Code beantwortet sie und kehrt automatisch zum vorherigen Kontext zurück, als wäre nichts passiert.",
+ "steps": [
+ {
+ "title": "Sie befinden sich mitten in einem Hauptgespräch",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sie besprechen eine Aufgabe mit Qwen Code, zum Beispiel das Refactoring einer Komponente."
+ }
+ ]
+ },
+ {
+ "title": "Geben Sie /btw gefolgt von Ihrer Frage ein",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Müssen Sie etwas nachschlagen? Geben Sie einfach `/btw` gefolgt von Ihrer Frage ein:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/btw Unterstützt die JavaScript Array.prototype.at()-Methode negative Indizes?"
+ }
+ ]
+ },
+ {
+ "title": "KI antwortet und stellt den Kontext automatisch wieder her",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nachdem Qwen Code Ihre Nebenfrage beantwortet hat, kehrt es automatisch zum Kontext des Hauptgesprächs zurück. Sie können Ihre vorherige Aufgabe fortsetzen, als wäre nichts passiert."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`/btw`-Antworten beeinträchtigen nicht den Kontext des Hauptgesprächs. Die KI behandelt Ihre Nebenfrage nicht als Teil der aktuellen Aufgabe."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-copy-optimization": {
+ "title": "Kopierzeichen-Optimierung",
+ "description": "Optimierte Code-Kopiererfahrung, präzise Auswahl und Kopieren von Code-Snippets, vollständiges Format beibehalten.",
+ "category": "Erste Schritte",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Die optimierte Code-Kopiererfahrung ermöglicht es Ihnen, Code-Snippets präzise auszuwählen und zu kopieren, während das vollständige Format und die Einrückung beibehalten werden. Ob ganze Codeblöcke oder Teile von Zeilen - Sie können sie einfach kopieren und in Ihr Projekt einfügen. Die Kopierfunktion unterstützt mehrere Methoden, einschließlich Ein-Klick-Kopieren, Auswählen-Kopieren und Tastenkürzel-Kopieren, und erfüllt die Anforderungen verschiedener Szenarien.",
+ "steps": [
+ {
+ "title": "Codeblock auswählen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Klicken Sie auf die Kopier-Schaltfläche in der oberen rechten Ecke des Codeblocks, um den gesamten Codeblock mit einem Klick zu kopieren. Die Kopier-Schaltfläche ist klar sichtbar und der Vorgang ist einfach und schnell. Der kopierte Inhalt behält das ursprüngliche Format bei, einschließlich Einrückung, Syntaxhervorhebung usw."
+ }
+ ]
+ },
+ {
+ "title": "Einfügen und verwenden",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Fügen Sie den kopierten Code in Ihren Editor ein, und das Format wird automatisch beibehalten. Sie können ihn direkt verwenden, ohne Einrückungen oder Formatierungen manuell anpassen zu müssen. Der eingefügte Code ist vollständig mit dem ursprünglichen Code konsistent und stellt die Korrektheit des Codes sicher."
+ }
+ ]
+ },
+ {
+ "title": "Präzise Auswahl",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Wenn Sie nur einen Teil des Codes kopieren müssen, können Sie mit der Maus den gewünschten Inhalt auswählen und dann mit dem Tastenkürzel kopieren. Unterstützt die Auswahl mehrerer Zeilen, sodass Sie die benötigten Code-Snippets präzise kopieren können."
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-explore-agent": {
+ "title": "Explore Agent: KI zuerst recherchieren lassen",
+ "description": "Verwenden Sie den Explore Agent, um vor Codeänderungen die Codestruktur, Abhängigkeiten und wichtige Einstiegspunkte zu verstehen und die nachfolgende Entwicklung präziser zu gestalten.",
+ "category": "Programmierung",
+ "features": [
+ "Explore"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN017nnR8X1nEA2GZlZ5Z_!!6000000005057-2-tps-1698-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Bevor Sie Code ändern, lassen Sie den Explore Agent die Codestruktur verstehen, Abhängigkeiten analysieren und wichtige Einstiegspunkte finden. Erst recherchieren, dann den Haupt-Agent arbeiten lassen — präzisere Richtung, weniger Nacharbeit durch blindes Ändern.",
+ "steps": [
+ {
+ "title": "Zum Explore Agent wechseln",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Wechseln Sie in Qwen Code zum Explore-Agent-Modus, um sich auf Code-Recherche statt auf Änderungen zu konzentrieren."
+ }
+ ]
+ },
+ {
+ "title": "Rechercheziel beschreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Teilen Sie dem Explore Agent mit, was Sie verstehen möchten, zum Beispiel:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Analysiere das Authentifizierungsmodul dieses Projekts, finde alle zugehörigen Dateien und Abhängigkeiten"
+ }
+ ]
+ },
+ {
+ "title": "Recherchebericht erhalten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Der Explore Agent analysiert die Codestruktur und gibt einen detaillierten Recherchebericht aus, einschließlich Dateilisten, Abhängigkeitsgraphen, wichtiger Einstiegspunkte usw."
+ }
+ ]
+ },
+ {
+ "title": "Zum Haupt-Agent zurückwechseln und mit der Entwicklung beginnen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach Abschluss der Recherche wechseln Sie zum Haupt-Agent zurück und beginnen mit den eigentlichen Codeänderungen basierend auf den Rechercheergebnissen. Der Recherchebericht wird als Kontext an den Haupt-Agent übergeben."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Der Explore Agent recherchiert nur — er ändert keinen Code. Seine Ausgabe kann direkt als Eingabe für den Haupt-Agent verwendet werden und bildet einen effizienten Workflow: „Erst recherchieren, dann entwickeln\"."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-first-conversation": {
+ "title": "Erstes Gespräch starten",
+ "description": "Nach der Installation Ihr erstes KI-Gespräch mit Qwen Code initiieren, um seine Kernfähigkeiten und Interaktionsmethoden zu verstehen.",
+ "category": "Erste Schritte",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Nach Abschluss der Installation von Qwen Code werden Sie Ihr erstes Gespräch mit ihm führen. Dies ist eine hervorragende Gelegenheit, die Kernfähigkeiten und Interaktionsmethoden von Qwen Code zu verstehen. Sie können mit einer einfachen Begrüßung beginnen und schrittweise seine leistungsstarken Funktionen bei der Codegenerierung, Problemlösung, Dokumentenverständnis und mehr erkunden. Durch die praktische Anwendung werden Sie spüren, wie Qwen Code Ihr fähiger Assistent auf Ihrer Programmierreise wird.",
+ "steps": [
+ {
+ "title": "Qwen Code starten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie den Befehl `qwen` im Terminal ein, um die Anwendung zu starten. Beim ersten Start führt das System eine Initialisierungskonfiguration durch, die nur wenige Sekunden dauert. Nach dem Start sehen Sie eine freundliche Befehlszeilenoberfläche, bereit für den Beginn des Gesprächs mit der KI."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Gespräch initiieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie Ihre Frage in das Eingabefeld ein, um die Kommunikation mit der KI zu beginnen. Sie können mit einer einfachen Selbstvorstellung beginnen, z. B. fragen, was Qwen Code ist oder was es Ihnen helfen kann. Die KI wird Ihre Fragen in klarer und verständlicher Sprache beantworten und Sie dazu anleiten, mehr Funktionen zu erkunden."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "what is qwen code?"
+ }
+ ]
+ },
+ {
+ "title": "Fähigkeiten erkunden",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Versuchen Sie, die KI zu bitten, Ihnen bei einigen einfachen Aufgaben zu helfen, z. B. Code zu erklären, Funktionen zu generieren, technische Fragen zu beantworten usw. Durch die praktische Anwendung werden Sie sich allmählich mit den verschiedenen Fähigkeiten von Qwen Code vertraut machen und ihren Anwendungswert in verschiedenen Szenarien entdecken."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Helfen Sie mir, eine Python-Funktion zu schreiben, um die Fibonacci-Folge zu berechnen"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code unterstützt Mehrfach-Gespräche. Sie können basierend auf früheren Antworten weiter Fragen stellen, um Themen von Interesse eingehend zu erkunden."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-headless-mode": {
+ "title": "Headless-Modus",
+ "description": "Verwenden Sie Qwen Code in GUI-freien Umgebungen, geeignet für Remote-Server, CI/CD-Pipelines und Automatisierungsskript-Szenarien.",
+ "category": "Erste Schritte",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Der Headless-Modus ermöglicht es Ihnen, Qwen Code in GUI-freien Umgebungen zu verwenden, besonders geeignet für Remote-Server, CI/CD-Pipelines und Automatisierungsskript-Szenarien. Durch Befehlszeilenparameter und Pipeline-Eingabe können Sie Qwen Code nahtlos in vorhandene Workflows integrieren und automatisierte KI-unterstützte Programmierung erreichen.",
+ "steps": [
+ {
+ "title": "Prompt-Modus verwenden",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie den Parameter `--p`, um Prompts direkt in der Befehlszeile zu übergeben. Qwen Code gibt die Antwort zurück und beendet sich automatisch. Diese Methode eignet sich für einmalige Abfragen und kann einfach in Skripte integriert werden."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --p 'what is qwen code?'"
+ }
+ ]
+ },
+ {
+ "title": "Pipeline-Eingabe",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Übergeben Sie die Ausgabe anderer Befehle über Pipelines an Qwen Code, um automatisierte Verarbeitung zu erreichen. Sie können Protokolldateien, Fehlermeldungen usw. direkt an die KI zur Analyse senden."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cat error.log | qwen --p 'Fehler analysieren'"
+ }
+ ]
+ },
+ {
+ "title": "Skript-Integration",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Integrieren Sie Qwen Code in Shell-Skripte, um komplexe automatisierte Workflows zu erreichen. Sie können basierend auf den Rückgabeergebnissen der KI verschiedene Operationen ausführen und intelligente automatisierte Skripte erstellen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\nresult=$(qwen --p 'prüfen, ob es Probleme mit dem Code gibt')\nif [[ $result == *\"hat Probleme\"* ]]; then\n echo \"Code-Probleme gefunden\"\nfi"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Der Headless-Modus unterstützt alle Qwen Code-Funktionen, einschließlich Codegenerierung, Problemlösung, Dateioperationen usw."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-hooks-auto-test": {
+ "title": "Hooks: Testskripte automatisch vor dem Commit ausführen",
+ "description": "Hängen Sie benutzerdefinierte Skripte an Schlüsselstellen in Qwen Code an, um automatisierte Workflows wie Tests vor dem Commit und automatische Formatierung nach der Codegenerierung zu implementieren.",
+ "category": "Programmierung",
+ "features": [
+ "Hooks"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003073/O1CN019sCyMD1YZUF13PhMD_!!6000000003073-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IZNbQ8iy56UZYVmxWv5TsKMlOJPAxM7lNk162RC6JaY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "KI hat Code generiert, aber die Formatierung stimmt nicht, und Sie müssen jedes Mal manuell prettier ausführen? Oder Sie haben vor dem Commit vergessen, Tests auszuführen, und die CI ist fehlgeschlagen? Das Hooks-System löst diese Probleme. Sie können an 10 Schlüsselstellen in Qwen Code eigene Skripte anhängen, die zu bestimmten Zeitpunkten automatisch ausgeführt werden.",
+ "steps": [
+ {
+ "title": "Hooks-Verzeichnis erstellen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Erstellen Sie ein `.agents/hooks`-Verzeichnis im Projektstammverzeichnis für Hook-Skripte:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .agents/hooks"
+ }
+ ]
+ },
+ {
+ "title": "Hook-Skript schreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Erstellen Sie ein Hook-Skript, zum Beispiel automatische Formatierung nach Codeänderung:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\n# post-edit-format.sh\n# Prettier-Formatierung nach Codeänderung automatisch ausführen\n\nINPUT=$(cat)\nTOOL_NAME=$(echo \"$INPUT\" | jq -r '.tool_name // empty')\n\ncase \"$TOOL_NAME\" in\n write_file|edit) ;;\n *) exit 0 ;;\nesac\n\nFILE_PATH=$(echo \"$INPUT\" | jq -r '.tool_input.file_path // empty')\n[ -z \"$FILE_PATH\" ] && exit 0\n\n# Prettier-Formatierung ausführen\nnpx prettier --write \"$FILE_PATH\" 2>/dev/null\n\necho '{\"decision\": \"allow\", \"reason\": \"File formatted\"}'\nexit 0"
+ },
+ {
+ "type": "text",
+ "value": "Ausführungsrechte erteilen:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "chmod +x .agents/hooks/post-edit-format.sh"
+ }
+ ]
+ },
+ {
+ "title": "Hooks konfigurieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Fügen Sie die Hooks-Konfiguration in `~/.qwen/settings.json` hinzu:"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"hooksConfig\": {\n \"enabled\": true\n },\n \"hooks\": {\n \"PostToolUse\": [\n {\n \"matcher\": \"(write_file|edit)\",\n \"hooks\": [\n {\n \"type\": \"command\",\n \"command\": \".agents/hooks/post-edit-format.sh\",\n \"name\": \"auto-format\",\n \"description\": \"Automatische Formatierung nach Codeänderung\",\n \"timeout\": 30000\n }\n ]\n }\n ]\n }\n}"
+ }
+ ]
+ },
+ {
+ "title": "Wirkung überprüfen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Starten Sie Qwen Code, lassen Sie die KI eine Codedatei ändern und beobachten Sie, ob der Hook die Formatierung automatisch auslöst."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Hooks unterstützen 10 Schlüsselstellen: PreToolUse, PostToolUse, SessionStart, SessionEnd und mehr. Die Konfiguration ist einfach — legen Sie einfach Skriptdateien unter `.agents/hooks` im Projektstammverzeichnis ab."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-language-switch": {
+ "title": "Sprachwechsel",
+ "description": "Flexibler Wechsel der UI-Oberflächensprache und KI-Ausgabesprache, unterstützt mehrsprachige Interaktion.",
+ "category": "Erste Schritte",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code unterstützt flexiblen Sprachwechsel. Sie können die UI-Oberflächensprache und die KI-Ausgabesprache unabhängig voneinander einstellen. Ob Chinesisch, Englisch oder andere Sprachen - Sie können geeignete Einstellungen finden. Die mehrsprachige Unterstützung ermöglicht es Ihnen, in einer vertrauten Sprachumgebung zu arbeiten, was die Kommunikationffizienz und den Komfort verbessert.",
+ "steps": [
+ {
+ "title": "UI-Sprache wechseln",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie den Befehl `/language ui`, um die Oberflächensprache zu wechseln. Unterstützt Chinesisch, Englisch und andere Sprachen. Nach dem Wechseln der UI-Sprache werden Menüs, Eingabeaufforderungen, Hilfedokumente usw. alle in der von Ihnen ausgewählten Sprache angezeigt."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language ui zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Ausgabesprache wechseln",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie den Befehl `/language output`, um die KI-Ausgabesprache zu wechseln. Die KI wird die von Ihnen angegebene Sprache verwenden, um Fragen zu beantworten, Codekommentare zu generieren, Erklärungen bereitzustellen usw., wodurch die Kommunikation natürlicher und reibungsloser wird."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language output zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Gemischte Sprachverwendung",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sie können auch für UI und Ausgabe unterschiedliche Sprachen einstellen, um eine gemischte Sprachverwendung zu erreichen. Beispielsweise Chinesisch für UI und Englisch für KI-Ausgabe, geeignet für Szenarien, in denen Sie englische technische Dokumentation lesen müssen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Spracheinstellungen werden automatisch gespeichert und verwenden beim nächsten Start die von Ihnen zuletzt ausgewählte Sprache."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-plan-with-search": {
+ "title": "Plan-Modus + Web-Suche",
+ "description": "Kombinieren Sie die Web-Suche im Plan-Modus, um zuerst die neuesten Informationen zu suchen und dann einen Ausführungsplan zu erstellen, was die Genauigkeit komplexer Aufgaben erheblich verbessert.",
+ "category": "Erste Schritte",
+ "features": [
+ "Plan Mode",
+ "Web Search"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Der Plan-Modus ist die intelligente Planungsfähigkeit von Qwen Code, die komplexe Aufgaben in ausführbare Schritte zerlegen kann. Wenn er mit der Web-Suche kombiniert wird, sucht er zuerst proaktiv nach den neuesten technischen Dokumentationen, Best Practices und Lösungen und formuliert dann basierend auf diesen Echtzeitinformationen genauere Ausführungspläne. Diese Kombination ist besonders geeignet für die Bearbeitung von Entwicklungsaufgaben, die neue Frameworks, neue APIs oder die Einhaltung der neuesten Spezifikationen erfordern, was die Codequalität und die Aufgabenabschluss-Effizienz erheblich verbessern kann. Ob beim Migrieren von Projekten, Integrieren neuer Funktionen oder Lösen komplexer technischer Probleme - Plan + Web-Suche kann Ihnen die modernsten Lösungen bieten.",
+ "steps": [
+ {
+ "title": "Plan-Modus aktivieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie den Befehl `/approval-mode plan` im Gespräch ein, um den Plan-Modus zu aktivieren. Zu diesem Zeitpunkt geht Qwen Code in den Planungsstatus, bereit, Ihre Aufgabenbeschreibung zu empfangen und mit dem Denken zu beginnen. Der Plan-Modus analysiert automatisch die Komplexität der Aufgabe und bestimmt, ob externe Informationen durchsucht werden müssen, um die Wissensdatenbank zu ergänzen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/approval-mode plan"
+ }
+ ]
+ },
+ {
+ "title": "Suche nach neuesten Informationen anfordern",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beschreiben Sie Ihre Aufgabenanforderungen, und Qwen Code identifiziert automatisch Schlüsselwörter, die durchsucht werden müssen. Es initiiert proaktiv Web-Suche-Anfragen, um die neuesten technischen Dokumentationen, API-Referenzen, Best Practices und Lösungen zu erhalten. Suchergebnisse werden in die Wissensdatenbank integriert und bieten eine präzise Informationsgrundlage für die nachfolgende Planung."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Helfen Sie mir, die neuesten Nachrichten im KI-Bereich zu suchen und sie mir als Bericht zusammenzustellen"
+ }
+ ]
+ },
+ {
+ "title": "Ausführungsplan anzeigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Basierend auf den durchsuchten Informationen generiert Qwen Code einen detaillierten Ausführungsplan für Sie. Der Plan enthält klare Schrittbeschreibungen, zu beachtende technische Punkte, potenzielle Fallstricke und Lösungen. Sie können diesen Plan überprüfen, Änderungsvorschläge machen oder den Beginn der Ausführung bestätigen."
+ }
+ ]
+ },
+ {
+ "title": "Plan schrittweise ausführen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach Bestätigung des Plans führt Qwen Code ihn schrittweise aus. An jedem wichtigen Knotenpunkt berichtet es Ihnen über Fortschritt und Ergebnisse und stellt sicher, dass Sie die vollständige Kontrolle über den gesamten Prozess haben. Wenn Probleme auftreten, bietet es Lösungen basierend auf den neuesten Suchinformationen an, anstatt sich auf veraltetes Wissen zu verlassen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Die Web-Suche identifiziert automatisch technische Schlüsselwörter in der Aufgabe, keine manuelle Angabe des Suchinhalts erforderlich. Für schnell iterierende Frameworks und Bibliotheken wird empfohlen, die Web-Suche im Plan-Modus zu aktivieren, um die neuesten Informationen zu erhalten."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-resume-session": {
+ "title": "Resume-Sitzungswiederherstellung",
+ "description": "Unterbrochene Gespräche können jederzeit fortgesetzt werden, ohne Kontext und Fortschritt zu verlieren.",
+ "category": "Erste Schritte",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Die Resume-Sitzungswiederherstellungsfunktion ermöglicht es Ihnen, Gespräche jederzeit zu unterbrechen und bei Bedarf fortzusetzen, ohne Kontext und Fortschritt zu verlieren. Ob Sie vorübergehend etwas zu tun haben oder mehrere Aufgaben parallel bearbeiten - Sie können das Gespräch sicher pausieren und später nahtlos fortsetzen. Diese Funktion verbessert die Arbeitsflexibilität erheblich und ermöglicht es Ihnen, Zeit und Aufgaben effizienter zu verwalten.",
+ "steps": [
+ {
+ "title": "Sitzungsliste anzeigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie den Befehl `qwen --resume`, um alle historischen Sitzungen anzuzeigen. Das System zeigt die Zeit, das Thema und kurze Informationen jeder Sitzung an und hilft Ihnen, das Gespräch zu finden, das Sie fortsetzen müssen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Sitzung fortsetzen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie den Befehl `qwen --resume`, um eine angegebene Sitzung fortzusetzen. Sie können das fortzusetzende Gespräch über die Sitzungs-ID oder die Nummer auswählen, und das System lädt den vollständigen Kontextverlauf."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Arbeit fortsetzen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach dem Fortsetzen der Sitzung können Sie das Gespräch so fortsetzen, als wäre es nie unterbrochen worden. Der gesamte Kontext, der Verlauf und der Fortschritt werden vollständig beibehalten, und die KI kann den vorherigen Diskussionsinhalt genau verstehen."
+ }
+ ]
+ },
+ {
+ "title": "Sitzungen nach dem Start von Qwen Code wechseln",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach dem Start von Qwen Code können Sie den Befehl `/resume` verwenden, um zu einer vorherigen Sitzung zu wechseln."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Sitzungsverlauf wird automatisch gespeichert und unterstützt geräteübergreifende Synchronisation. Sie können dieselbe Sitzung auf verschiedenen Geräten fortsetzen."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-retry-shortcut": {
+ "title": "Ctrl+Y Schnellwiederholung",
+ "description": "Nicht zufrieden mit der KI-Antwort? Verwenden Sie die Tastenkombination für Ein-Klick-Wiederholung, um schnell bessere Ergebnisse zu erhalten.",
+ "category": "Erste Schritte",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Nicht zufrieden mit der KI-Antwort? Verwenden Sie die Tastenkombination Ctrl+Y (Windows/Linux) oder Cmd+Y (macOS) für Ein-Klick-Wiederholung, um schnell bessere Ergebnisse zu erhalten. Diese Funktion ermöglicht es Ihnen, die KI neu generieren zu lassen, ohne die Frage erneut eingeben zu müssen, was Zeit spart und die Effizienz verbessert. Sie können mehrmals wiederholen, bis Sie eine zufriedenstellende Antwort erhalten.",
+ "steps": [
+ {
+ "title": "Unzufriedene Antworten entdecken",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Wenn die KI-Antwort nicht Ihren Erwartungen entspricht, geben Sie nicht auf. Die KI-Antworten können aufgrund des Kontextverständnisses oder der Zufälligkeit variieren, und Sie können durch Wiederholung bessere Ergebnisse erhalten."
+ }
+ ]
+ },
+ {
+ "title": "Wiederholung auslösen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Drücken Sie die Tastenkombination Ctrl+Y (Windows/Linux) oder Cmd+Y (macOS), und die KI generiert die Antwort neu. Der Wiederholungsprozess ist schnell und reibungslos und unterbricht Ihren Arbeitsablauf nicht."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ctrl+Y / Cmd+Y"
+ }
+ ]
+ },
+ {
+ "title": "Ergänzende Erklärung",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Wenn Sie nach der Wiederholung immer noch nicht zufrieden sind, können Sie ergänzende Erklärungen zu Ihren Anforderungen hinzufügen, damit die KI Ihre Absichten genauer verstehen kann. Sie können mehr Details hinzufügen, die Art und Weise ändern, wie die Frage formuliert ist, oder mehr Kontextinformationen bereitstellen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Die Wiederholungsfunktion behält die ursprüngliche Frage bei, verwendet jedoch unterschiedliche zufällige Seeds, um Antworten zu generieren, und stellt die Ergebnisdiversität sicher."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-review-command": {
+ "title": "/review: KI-gestützte Code-Überprüfung",
+ "description": "Verwenden Sie den /review-Befehl vor dem Commit, um die KI die Codequalität prüfen, potenzielle Probleme finden und Verbesserungsvorschläge machen zu lassen — wie ein erfahrener Kollege, der Ihren Code überprüft.",
+ "category": "Programmierung",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005221/O1CN01UxKttk1oRGzRA3yzH_!!6000000005221-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/LAfDzQoPY0KUMvKPOETNBKL0d3y696SoGSQl2QHf8To.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Sie möchten vor dem Commit jemanden bitten, Ihren Code zu überprüfen, aber Ihre Kollegen sind zu beschäftigt? Verwenden Sie einfach `/review` — die KI prüft die Codequalität, findet potenzielle Probleme und macht Verbesserungsvorschläge. Es ist keine einfache Lint-Prüfung, sondern eine gründliche Überprüfung Ihrer Logik, Benennung und Grenzfallbehandlung, wie ein erfahrener Kollege.",
+ "steps": [
+ {
+ "title": "Zu überprüfende Datei öffnen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Öffnen Sie in Qwen Code die Codedatei oder das Projektverzeichnis, das Sie überprüfen möchten. Stellen Sie sicher, dass Ihr Code gespeichert ist."
+ }
+ ]
+ },
+ {
+ "title": "/review-Befehl eingeben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie `/review` im Chat ein. Qwen Code analysiert automatisch die aktuelle Datei oder die letzten Codeänderungen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/review"
+ }
+ ]
+ },
+ {
+ "title": "Überprüfungsergebnisse ansehen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Die KI gibt Feedback aus mehreren Dimensionen: Codequalität, logische Korrektheit, Namenskonventionen und Grenzfallbehandlung, zusammen mit konkreten Verbesserungsvorschlägen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`/review` unterscheidet sich von einfachen Lint-Prüfungen — es versteht die Code-Logik tiefgehend und identifiziert potenzielle Bugs, Leistungsprobleme und Designfehler."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-script-install": {
+ "title": "Skript-Installation mit einem Klick",
+ "description": "Installieren Sie Qwen Code schnell über einen Skriptbefehl. Schließen Sie die Umgebungskonfiguration in Sekunden ab. Unterstützt Linux, macOS und Windows-Systeme.",
+ "category": "Erste Schritte",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code unterstützt die schnelle Installation über einen einzigen Skriptbefehl. Keine manuelle Konfiguration von Umgebungsvariablen oder Download von Abhängigkeiten erforderlich. Das Skript erkennt automatisch Ihren Betriebssystemtyp, lädt das entsprechende Installationspaket herunter und schließt die Konfiguration ab. Der gesamte Vorgang dauert nur wenige Sekunden und unterstützt drei Hauptplattformen: **Linux**, **macOS** und **Windows**.",
+ "steps": [
+ {
+ "title": "Linux / macOS Installation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Öffnen Sie Ihr Terminal und führen Sie den folgenden Befehl aus. Das Skript erkennt automatisch Ihre Systemarchitektur (x86_64 / ARM), lädt die entsprechende Version herunter und schließt die Installationskonfiguration ab."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "bash -c \"$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)\" -s --source website"
+ }
+ ]
+ },
+ {
+ "title": "Windows Installation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Führen Sie den folgenden Befehl in PowerShell aus. Das Skript lädt eine Batch-Datei herunter und führt den Installationsvorgang automatisch aus. Nach Abschluss können Sie den `qwen`-Befehl in jedem Terminal verwenden."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "curl -fsSL -o %TEMP%\\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\\install-qwen.bat --source website"
+ }
+ ]
+ },
+ {
+ "title": "Installation überprüfen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach Abschluss der Installation führen Sie den folgenden Befehl in Ihrem Terminal aus, um zu bestätigen, dass Qwen Code korrekt installiert wurde. Wenn Sie die Versionsnummer sehen, war die Installation erfolgreich."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --version"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Wenn Sie npm bevorzugen, können Sie auch global über `npm install -g @qwen-code/qwen-code` installieren. Geben Sie nach der Installation einfach `qwen` ein, um zu starten. Wenn Sie Berechtigungsprobleme haben, verwenden Sie `sudo npm install -g @qwen-code/qwen-code` und geben Sie Ihr Passwort ein, um zu installieren."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skill-install": {
+ "title": "Skills installieren",
+ "description": "Mehrere Möglichkeiten zur Installation von Skill-Erweiterungen, einschließlich Befehlszeileninstallation und Ordnerinstallation, die verschiedenen Szenarioanforderungen gerecht werden.",
+ "category": "Erste Schritte",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code unterstützt mehrere Skill-Installationsmethoden. Sie können die für Ihr Szenario am besten geeignete Methode wählen. Die Befehlszeileninstallation eignet sich für Online-Umgebungen und ist schnell und praktisch; die Ordnerinstallation eignet sich für Offline-Umgebungen oder benutzerdefinierte Skills und bietet Flexibilität und Kontrolle.",
+ "steps": [
+ {
+ "title": "find-skills Skill überprüfen und installieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beschreiben Sie Ihre Bedürfnisse direkt in Qwen Code und lassen Sie es Ihnen helfen, den erforderlichen Skill zu überprüfen und zu installieren:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Installieren Sie den Skill, den Sie benötigen, zum Beispiel web-component-design installieren:",
+ "blocks": [
+ {
+ "type": "code",
+ "lang": "",
+ "value": "/skills find-skills install web-component-design -y -a qwen-code"
+ },
+ {
+ "type": "text",
+ "value": "Qwen Code führt den Installationsbefehl automatisch aus, lädt den Skill aus dem angegebenen Repository herunter und installiert ihn. Sie können auch mit einem Satz installieren:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, und helfen Sie mir dann, [Skill-Name] im aktuellen qwen code skills-Verzeichnis zu installieren."
+ }
+ ]
+ },
+ {
+ "title": "Installation überprüfen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach Abschluss der Installation überprüfen Sie, ob der Skill erfolgreich geladen wurde:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Die Befehlszeileninstallation erfordert eine Netzwerkverbindung. Der Parameter `-y` bedeutet automatische Bestätigung, und `-a qwen-code` gibt die Installation bei Qwen Code an."
+ },
+ {
+ "type": "info",
+ "content": "**Anforderungen an die Skill-Verzeichnisstruktur**\n\nJeder Skill-Ordner muss eine `skill.md`-Datei enthalten, die den Namen, die Beschreibung und die Auslöserregeln des Skills definiert:\n\n```\n~/.qwen/skills/\n├── my-skill/\n│ ├── SKILL.md # Erforderlich: Skill-Konfigurationsdatei\n│ └── scripts/ # Optional: Skriptdateien\n└── another-skill/\n └── SKILL.md\n```"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skills-panel": {
+ "title": "Skills-Panel",
+ "description": "Durchsuchen, installieren und verwalten Sie vorhandene Skill-Erweiterungen über das Skills-Panel. One-Stop-Verwaltung Ihrer AI-Fähigkeitsbibliothek.",
+ "category": "Erste Schritte",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Das Skills-Panel ist Ihr Kontrollzentrum zur Verwaltung der Erweiterungsfähigkeiten von Qwen Code. Über diese intuitive Oberfläche können Sie verschiedene Skills durchsuchen, die von offiziellen und Community-Quellen bereitgestellt werden, die Funktionalität und den Zweck jedes Skills verstehen und Erweiterungen mit einem Klick installieren oder deinstallieren. Ob Sie neue AI-Fähigkeiten entdecken oder installierte Skills verwalten möchten, das Skills-Panel bietet eine praktische Bedienoberfläche, mit der Sie einfach ein personalisiertes AI-Toolkit erstellen können.",
+ "steps": [
+ {
+ "title": "Skills-Panel öffnen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie den Befehl im Qwen Code-Gespräch ein, um das Skills-Panel zu öffnen. Dieser Befehl zeigt eine Liste aller verfügbaren Skills an, einschließlich installierter und nicht installierter Erweiterungen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ },
+ {
+ "title": "Skills durchsuchen und suchen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Durchsuchen Sie verschiedene Skill-Erweiterungen im Panel. Jeder Skill hat detaillierte Beschreibungen und Funktionalitätserklärungen. Sie können die Suchfunktion verwenden, um schnell den spezifischen Skill zu finden, den Sie benötigen, oder verschiedene Arten von Erweiterungen nach Kategorie durchsuchen."
+ }
+ ]
+ },
+ {
+ "title": "Skills installieren oder deinstallieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nachdem Sie einen Skill gefunden haben, der Sie interessiert, klicken Sie auf die Installations-Schaltfläche, um ihn mit einem Klick zu Ihrem Qwen Code hinzuzufügen. Ebenso können Sie Skills, die Sie nicht mehr benötigen, jederzeit deinstallieren, um Ihre AI-Fähigkeitsbibliothek sauber und effizient zu halten."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Das Skills-Panel wird regelmäßig aktualisiert, um die neuesten veröffentlichten Skill-Erweiterungen zu präsentieren. Wir empfehlen, das Panel regelmäßig zu überprüfen, um mehr leistungsstarke AI-Fähigkeiten zu entdecken, die Ihre Arbeitseffizienz verbessern."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-system-prompt": {
+ "title": "Benutzerdefinierte System-Prompts: KI nach Ihrem Stil antworten lassen",
+ "description": "Konfigurieren Sie benutzerdefinierte System-Prompts über SDK und CLI, um den Antwortstil und das Verhalten der KI zu steuern und sicherzustellen, dass sie stets Ihren Teamkonventionen folgt.",
+ "category": "Erste Schritte",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000007824/O1CN01hCE0Ve27fRwwQtxTE_!!6000000007824-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/tdIxQgfQZPgWjPeBIp6-bUB4dGDc54wpKQdsH46LK-o.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Konfigurieren Sie benutzerdefinierte System-Prompts über SDK und CLI, um den Antwortstil und das Verhalten der KI zu steuern. Zum Beispiel, dass sie immer auf Chinesisch antwortet, Code-Kommentare auf Englisch schreibt oder die Namenskonventionen Ihres Teams befolgt. Sie müssen nicht bei jedem Gespräch wiederholen: „Bitte antworten Sie auf Chinesisch\".",
+ "steps": [
+ {
+ "title": "System-Prompt-Datei erstellen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Erstellen Sie eine `AGENTS.md`-Datei (ehemals `QWEN.md`) im Projektstammverzeichnis mit Ihrem benutzerdefinierten System-Prompt:"
+ },
+ {
+ "type": "code",
+ "lang": "markdown",
+ "value": "# Projektkonventionen\n\n- Immer auf Chinesisch antworten\n- Code-Kommentare auf Englisch\n- camelCase für Variablennamen verwenden\n- Funktionale Komponenten + Hooks für React\n- TypeScript bevorzugen"
+ }
+ ]
+ },
+ {
+ "title": "Globale System-Prompts konfigurieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Um Konventionen projektübergreifend anzuwenden, konfigurieren Sie globale System-Prompts in `~/.qwen/AGENTS.md`.\n\nSie können auch verwenden:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --system-prompt \"Wenn ich auf Chinesisch frage, antworte auf Chinesisch; wenn ich auf Englisch frage, antworte auf Englisch.\""
+ }
+ ]
+ },
+ {
+ "title": "Wirkung überprüfen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Starten Sie Qwen Code, beginnen Sie ein Gespräch und beobachten Sie, ob die KI gemäß Ihren System-Prompt-Konventionen antwortet."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Die projektspezifische `AGENTS.md` überschreibt die globale Konfiguration. Sie können für verschiedene Projekte unterschiedliche Konventionen festlegen, und Teammitglieder können dieselbe Konfigurationsdatei teilen, um konsistent zu bleiben."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-vscode-integration": {
+ "title": "VS Code-Integrationsoberfläche",
+ "description": "Vollständige Oberflächendarstellung von Qwen Code in VS Code. Verstehen Sie das Layout und die Nutzung jedes Funktionsbereichs.",
+ "category": "Erste Schritte",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "VS Code ist einer der beliebtesten Code-Editoren, und Qwen Code bietet eine tief integrierte VS Code-Erweiterung. Mit dieser Erweiterung können Sie direkt in der vertrauten Editorumgebung mit AI kommunizieren und ein nahtloses Programmiererlebnis genießen. Die Erweiterung bietet eine intuitive Oberflächengestaltung, mit der Sie einfach auf alle Funktionen zugreifen können. Ob Code-Vervollständigung, Problemlösung oder Dateioperationen – alles kann effizient erledigt werden.",
+ "steps": [
+ {
+ "title": "VS Code-Erweiterung installieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Suchen Sie im VS Code-Erweiterungsmarktplatz nach \"Qwen Code\" und klicken Sie auf installieren. Der Installationsvorgang ist einfach und schnell und in nur wenigen Sekunden abgeschlossen. Nach der Installation erscheint ein Qwen Code-Symbol in der VS Code-Seitenleiste, was anzeigt, dass die Erweiterung erfolgreich geladen wurde."
+ }
+ ]
+ },
+ {
+ "title": "In Ihr Konto einloggen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie den `/auth`-Befehl, um den Authentifizierungsprozess auszulösen. Das System öffnet automatisch einen Browser für die Anmeldung. Der Anmeldeprozess ist sicher und praktisch und unterstützt mehrere Authentifizierungsmethoden. Nach erfolgreicher Anmeldung werden Ihre Kontoinformationen automatisch mit der VS Code-Erweiterung synchronisiert und alle Funktionen freigeschaltet."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Starten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Öffnen Sie das Qwen Code-Panel in der Seitenleiste und beginnen Sie mit der Kommunikation mit AI. Sie können direkt Fragen eingeben, Dateien referenzieren, Befehle ausführen – alle Operationen werden in VS Code abgeschlossen. Die Erweiterung unterstützt mehrere Registerkarten, Verlauf, Tastenkürzel und andere Funktionen und bietet ein vollständiges Programmierunterstützungs-Erlebnis."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Die VS Code-Erweiterung hat identische Funktionen mit der Befehlszeilenversion. Sie können je nach Nutzungsszenario frei wählen."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-web-search": {
+ "title": "Web-Suche",
+ "description": "Lassen Sie Qwen Code Web-Inhalte durchsuchen, um Echtzeit-Informationen zur Unterstützung bei der Programmierung und Problemlösung zu erhalten.",
+ "category": "Erste Schritte",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Die Web-Suche-Funktion ermöglicht es Qwen Code, Web-Inhalte in Echtzeit zu durchsuchen und die neuesten technischen Dokumentationen, Framework-Updates und Lösungen zu erhalten. Wenn Sie während der Entwicklung auf Probleme stoßen oder die neuesten Entwicklungen einer neuen Technologie verstehen müssen, ist diese Funktion sehr nützlich. AI wird intelligent nach relevanten Informationen suchen und sie in ein leicht verständliches Format organisieren, um sie an Sie zurückzugeben.",
+ "steps": [
+ {
+ "title": "Suchfunktion aktivieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sagen Sie AI im Gespräch deutlich, dass Sie die neuesten Informationen durchsuchen müssen. Sie können direkt Fragen stellen, die die neueste Technologie, Framework-Versionen oder Echtzeitdaten enthalten. Qwen Code erkennt Ihre Bedürfnisse automatisch und initiiert die Web-Suche-Funktion, um die genauesten Informationen zu erhalten."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Helfen Sie mir, die neuen Funktionen von React 19 zu suchen"
+ }
+ ]
+ },
+ {
+ "title": "Suchergebnisse anzeigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI gibt die durchsuchten Informationen zurück und organisiert sie in ein leicht verständliches Format. Suchergebnisse enthalten normalerweise Zusammenfassungen der wichtigsten Informationen, Quelllinks und relevante technische Details. Sie können diese Informationen schnell durchsuchen, um die neuesten technologischen Trends zu verstehen oder Lösungen für Probleme zu finden."
+ }
+ ]
+ },
+ {
+ "title": "Fragen basierend auf Suchergebnissen stellen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sie können basierend auf den Suchergebnissen weitere Fragen stellen, um tiefere Erklärungen zu erhalten. Wenn Sie Fragen zu einem bestimmten technischen Detail haben oder wissen möchten, wie Sie die Suchergebnisse in Ihrem Projekt anwenden können, können Sie direkt weiterfragen. AI wird basierend auf den durchsuchten Informationen spezifischere Anleitungen geben."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Welche Auswirkungen haben diese neuen Funktionen auf mein Projekt"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Die Web-Suche-Funktion eignet sich besonders für die Abfrage der neuesten API-Änderungen, Framework-Versionsupdates und Echtzeit-Technologietrends."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-batch-file-organize": {
+ "title": "Dateien stapelweise verarbeiten, Desktop organisieren",
+ "description": "Verwenden Sie die Cowork-Funktion von Qwen Code, um unordentliche Desktop-Dateien mit einem Klick stapelweise zu organisieren und automatisch nach Typen in entsprechende Ordner zu kategorisieren.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Desktop-Dateien in Unordnung? Die Cowork-Funktion von Qwen Code kann Ihnen helfen, Dateien mit einem Klick stapelweise zu organisieren, Dateitypen automatisch zu identifizieren und sie in entsprechende Ordner zu kategorisieren. Ob es sich um Dokumente, Bilder, Videos oder andere Dateitypen handelt – sie können alle intelligent identifiziert und archiviert werden, damit Ihre Arbeitsumgebung ordentlich ist und die Arbeitseffizienz verbessert wird.",
+ "steps": [
+ {
+ "title": "Gespräch starten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Öffnen Sie das Terminal oder die Befehlszeile, geben Sie `qwen` ein, um Qwen Code zu starten. Stellen Sie sicher, dass Sie sich in dem Verzeichnis befinden, das Sie organisieren müssen, oder sagen Sie AI deutlich, welche Dateien in welchem Verzeichnis organisiert werden sollen. Qwen Code ist bereit, Ihre Organisationsanweisungen zu empfangen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nqwen"
+ }
+ ]
+ },
+ {
+ "title": "Organisationsanweisungen geben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sagen Sie Qwen Code, dass Sie Desktop-Dateien organisieren möchten. AI wird Dateitypen automatisch identifizieren und kategorisierte Ordner erstellen. Sie können das zu organisierende Verzeichnis, Klassifizierungsregeln und die Zielordnerstruktur angeben. AI wird einen Organisationsplan basierend auf Ihren Bedürfnissen erstellen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Helfen Sie mir, die Desktop-Dateien zu organisieren und sie nach Typen in verschiedene Ordner zu kategorisieren: Dokumente, Bilder, Videos, komprimierte Pakete usw."
+ }
+ ]
+ },
+ {
+ "title": "Ausführungsplan bestätigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code listet zunächst den auszuführenden Operationsplan auf. Nachdem bestätigt wurde, dass keine Probleme vorliegen, erlauben Sie die Ausführung. Dieser Schritt ist sehr wichtig. Sie können den Organisationsplan überprüfen, um sicherzustellen, dass AI Ihre Bedürfnisse versteht und Fehlbedienungen vermeidet."
+ }
+ ]
+ },
+ {
+ "title": "Organisation abschließen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI führt Dateiverschiebeoperationen automatisch aus und zeigt nach Abschluss einen Organisationsbericht an, der Ihnen sagt, welche Dateien wohin verschoben wurden. Der gesamte Vorgang ist schnell und effizient, erfordert keine manuelle Bedienung und spart viel Zeit."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Die Cowork-Funktion unterstützt benutzerdefinierte Klassifizierungsregeln. Sie können bei Bedarf die Zuordnungsbeziehung zwischen Dateitypen und Zielordnern angeben."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-clipboard-paste": {
+ "title": "Clipboard-Bild einfügen",
+ "description": "Fügen Sie Screenshots direkt aus der Zwischenablage in das Gesprächsfenster ein. AI versteht den Bildinhalt sofort und bietet Hilfe an.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Die Funktion zum Einfügen von Clipboard-Bildern ermöglicht es Ihnen, jeden Screenshot direkt in das Gesprächsfenster von Qwen Code einzufügen, ohne die Datei zuerst zu speichern und dann hochzuladen. Ob es sich um Fehler-Screenshots, UI-Design-Mockups, Code-Snippet-Screenshots oder andere Bilder handelt – Qwen Code kann den Inhalt sofort verstehen und basierend auf Ihren Bedürfnissen Hilfe anbieten. Diese praktische Interaktionsmethode verbessert die Kommunikationseffizienz erheblich und ermöglicht es Ihnen, bei Problemen schnell AI-Analysen und Vorschläge zu erhalten.",
+ "steps": [
+ {
+ "title": "Bild in die Zwischenablage kopieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie das System-Screenshot-Tool (macOS: `Cmd+Shift+4`, Windows: `Win+Shift+S`), um Bildschirminhalte aufzunehmen, oder kopieren Sie Bilder aus Browsern oder Dateimanagern. Screenshots werden automatisch in der Zwischenablage gespeichert, ohne zusätzliche Operationen."
+ }
+ ]
+ },
+ {
+ "title": "In das Gesprächsfenster einfügen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie im Eingabefeld des Qwen Code-Gesprächs `Cmd+V` (macOS) oder `Ctrl+V` (Windows), um das Bild einzufügen. Das Bild wird automatisch im Eingabefeld angezeigt, und Sie können gleichzeitig Text eingeben, der Ihre Frage oder Bedürfnisse beschreibt."
+ }
+ ]
+ },
+ {
+ "title": "AI-Analyseergebnisse erhalten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach dem Senden der Nachricht analysiert Qwen Code den Bildinhalt und gibt eine Antwort. Es kann Fehler in Code-Screenshots identifizieren, das Layout von UI-Design-Mockups analysieren, Diagrammdaten interpretieren usw. Sie können weiter Fragen stellen und alle Details im Bild ausführlich diskutieren."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Unterstützt gängige Bildformate wie PNG, JPEG, GIF. Die Bildgröße sollte 10 MB nicht überschreiten, um den besten Erkennungseffekt zu gewährleisten. Für Code-Screenshots wird die Verwendung hoher Auflösung empfohlen, um die Genauigkeit der Texterkennung zu verbessern."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-export-conversation": {
+ "title": "Gesprächsverlauf exportieren",
+ "description": "Exportieren Sie den Gesprächsverlauf in Markdown-, HTML- oder JSON-Format für einfaches Archivieren und Teilen.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Funktion zum Exportieren des Gesprächsverlaufs",
+ "steps": [
+ {
+ "title": "Sitzungsliste anzeigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie den `/resume`-Befehl, um alle historischen Sitzungen anzuzeigen. Die Liste zeigt Informationen wie Erstellungszeit und Themenzusammenfassung für jede Sitzung an, was Ihnen hilft, das Gespräch zu finden, das Sie exportieren müssen. Sie können Schlüsselwortsuche verwenden oder nach Zeit sortieren, um die Zielsitzung präzise zu lokalisieren."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ },
+ {
+ "title": "Exportformat auswählen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nachdem Sie die zu exportierende Sitzung bestimmt haben, verwenden Sie den `/export`-Befehl und geben Sie Format und Sitzungs-ID an. Drei Formate werden unterstützt: `markdown`, `html` und `json`. Markdown-Format eignet sich für die Verwendung in Dokumentations-Tools, HTML-Format kann direkt im Browser zum Anzeigen geöffnet werden, und JSON-Format eignet sich für die programmatische Verarbeitung."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "# Wenn kein -Parameter vorhanden, wird standardmäßig die aktuelle Sitzung exportiert\n/export html # Als HTML-Format exportieren\n/export markdown # Als Markdown-Format exportieren\n/export json # Als JSON-Format exportieren"
+ }
+ ]
+ },
+ {
+ "title": "Teilen und archivieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Exportierte Dateien werden im angegebenen Verzeichnis gespeichert. Markdown- und HTML-Dateien können direkt mit Kollegen geteilt oder in Teamdokumentationen verwendet werden. JSON-Dateien können in andere Tools für die sekundäre Verarbeitung importiert werden. Wir empfehlen, wichtige Gespräche regelmäßig zu archivieren, um ein Team-Wissensrepository aufzubauen. Exportierte Dateien können auch als Sicherungen dienen, um den Verlust wichtiger Informationen zu verhindern."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Das exportierte HTML-Format enthält vollständige Stile und kann in jedem Browser direkt geöffnet werden. JSON-Format behält alle Metadaten bei und eignet sich für Datenanalyse und -verarbeitung."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-file-reference": {
+ "title": "@file-Referenzfunktion",
+ "description": "Verweisen Sie im Gespräch mit @file auf Projektdateien, damit AI Ihren Code-Kontext präzise versteht.",
+ "category": "Erste Schritte",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Die @file-Referenzfunktion ermöglicht es Ihnen, im Gespräch direkt auf Projektdateien zu verweisen, damit AI Ihren Code-Kontext präzise versteht. Ob es sich um eine einzelne Datei oder mehrere Dateien handelt – AI wird den Codeinhalt lesen und analysieren, um genauere Vorschläge und Antworten zu geben. Diese Funktion eignet sich besonders für Szenarien wie Code-Review, Fehlerbehebung und Code-Refactoring.",
+ "steps": [
+ {
+ "title": "Einzelne Datei referenzieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie den `@file`-Befehl gefolgt vom Dateipfad, um auf eine einzelne Datei zu verweisen. AI wird den Dateiinhalt lesen, die Codestruktur und -logik verstehen und dann basierend auf Ihren Fragen gezielte Antworten geben."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file ./src/main.py\nErklären Sie, was diese Funktion tut"
+ },
+ {
+ "type": "text",
+ "value": "Sie können auch Referenzdateien referenzieren und Qwen Code bitten, sie als neues Dokument zu organisieren und zu schreiben. Dies vermeidet weitgehend, dass AI Ihre Bedürfnisse missversteht und Inhalte generiert, die nicht in den Referenzmaterialien enthalten sind:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file Helfen Sie mir, basierend auf dieser Datei einen öffentlichen Account-Artikel zu schreiben"
+ }
+ ]
+ },
+ {
+ "title": "Anforderungen beschreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nachdem Sie die Datei referenziert haben, beschreiben Sie Ihre Bedürfnisse oder Fragen klar. AI wird basierend auf dem Dateiinhalt analysieren und genaue Antworten oder Vorschläge geben. Sie können nach Codelogik fragen, Probleme finden, Optimierungen anfordern usw."
+ }
+ ]
+ },
+ {
+ "title": "Mehrere Dateien referenzieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Durch mehrmalige Verwendung des `@file`-Befehls können Sie gleichzeitig auf mehrere Dateien verweisen. AI wird alle referenzierten Dateien umfassend analysieren, ihre Beziehungen und Inhalte verstehen und umfassendere Antworten geben."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file1 @file2 Basierend auf den Materialien in diesen beiden Dateien helfen Sie mir, ein Lern-Dokument für Anfänger zu organisieren"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "@file unterstützt relative und absolute Pfade sowie Platzhalterabgleich für mehrere Dateien."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-image-recognition": {
+ "title": "Bilderkennung",
+ "description": "Qwen Code kann Bildinhalte lesen und verstehen, ob es sich um UI-Design-Mockups, Fehler-Screenshots oder Architekturdiagramme handelt.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code verfügt über leistungsstarke Bilderkennungsfähigkeiten und kann verschiedene Arten von Bildinhalten lesen und verstehen. Ob es sich um UI-Design-Mockups, Fehler-Screenshots, Architekturdiagramme, Flussdiagramme oder handgeschriebene Notizen handelt – Qwen Code kann sie genau identifizieren und wertvolle Analysen bieten. Diese Fähigkeit ermöglicht es Ihnen, visuelle Informationen direkt in Ihren Programmier-Workflow zu integrieren, was die Kommunikationseffizienz und die Problemlösungsgeschwindigkeit erheblich verbessert.",
+ "steps": [
+ {
+ "title": "Bild hochladen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ziehen Sie das Bild in das Gesprächsfenster oder verwenden Sie das Einfügen aus der Zwischenablage (`Cmd+V` / `Ctrl+V`). Unterstützt gängige Formate wie PNG, JPEG, GIF, WebP usw.\n\nReferenz: [Clipboard-Bild einfügen](./office-clipboard-paste.mdx) zeigt, wie Sie Screenshots schnell in das Gespräch einfügen."
+ }
+ ]
+ },
+ {
+ "title": "Ihre Bedürfnisse beschreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beschreiben Sie im Eingabefeld, was AI mit dem Bild tun soll. Zum Beispiel:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Basierend auf dem Bildinhalt helfen Sie mir, eine einfache HTML-Datei zu generieren"
+ }
+ ]
+ },
+ {
+ "title": "Analyseergebnisse erhalten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code analysiert den Bildinhalt und gibt eine detaillierte Antwort. Sie können weiter Fragen stellen, alle Details im Bild ausführlich diskutieren oder AI bitten, basierend auf dem Bildinhalt Code zu generieren."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Die Bilderkennungsfunktion unterstützt mehrere Szenarien: Code-Screenshot-Analyse, UI-Design-Mockup-zu-Code-Konvertierung, Fehlerinformationsinterpretation, Architekturdiagrammverständnis, Diagrammdatenerfassung usw. Es wird empfohlen, klare hochauflösende Bilder für den besten Erkennungseffekt zu verwenden."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-mcp-image-gen": {
+ "title": "MCP-Bildgenerierung",
+ "description": "Integrieren Sie Bildgenerierungsdienste über MCP. Treiben Sie AI mit natürlichen Sprachbeschreibungen an, um hochwertige Bilder zu erstellen.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "MCP"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Die MCP-Bildgenerierungsfunktion (Model Context Protocol) ermöglicht es Ihnen, AI direkt in Qwen Code durch natürliche Sprachbeschreibungen anzutreiben, um hochwertige Bilder zu erstellen. Kein Wechsel zu spezialisierten Bildgenerierungstools erforderlich – beschreiben Sie einfach Ihre Bedürfnisse im Gespräch, und Qwen Code wird integrierte Bildgenerierungsdienste aufrufen, um Bilder zu generieren, die Ihren Anforderungen entsprechen. Ob es sich um UI-Prototyp-Design, Icon-Erstellung, Illustrationszeichnung oder Konzeptdiagrammproduktion handelt – MCP-Bildgenerierung bietet leistungsstarke Unterstützung. Dieser nahtlos integrierte Workflow verbessert die Design- und Entwicklungseffizienz erheblich und macht die kreative Realisierung bequemer.",
+ "steps": [
+ {
+ "title": "MCP-Dienst konfigurieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Zuerst müssen Sie den MCP-Bildgenerierungsdienst konfigurieren. Fügen Sie den API-Schlüssel und die Endpunktinformationen des Bildgenerierungsdienstes zur Konfigurationsdatei hinzu. Qwen Code unterstützt mehrere gängige Bildgenerierungsdienste. Sie können den entsprechenden Dienst basierend auf Ihren Bedürfnissen und Ihrem Budget auswählen. Nach der Konfiguration starten Sie Qwen Code neu, damit die Änderungen wirksam werden."
+ }
+ ]
+ },
+ {
+ "title": "Bildanforderungen beschreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beschreiben Sie im Gespräch das Bild, das Sie generieren möchten, ausführlich in natürlicher Sprache. Fügen Sie Elemente wie Thema, Stil, Farbe, Komposition und Details des Bildes ein. Je spezifischer die Beschreibung, desto mehr entspricht das generierte Bild Ihren Erwartungen. Sie können auf Kunststile, bestimmte Künstler verweisen oder Referenzbilder hochladen, um AI zu helfen, Ihre Bedürfnisse besser zu verstehen."
+ }
+ ]
+ },
+ {
+ "title": "Ergebnisse anzeigen und speichern",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code generiert mehrere Bilder zur Auswahl. Sie können jedes Bild in der Vorschau anzeigen und das Bild auswählen, das Ihren Anforderungen am besten entspricht. Wenn Anpassungen erforderlich sind, können Sie weiterhin Änderungsvorschläge beschreiben, und Qwen Code wird basierend auf dem Feedback neu generieren. Wenn Sie zufrieden sind, können Sie das Bild direkt lokal speichern oder den Bildlink kopieren, um es an anderer Stelle zu verwenden."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "MCP-Bildgenerierung unterstützt mehrere Stile und Größen, die je nach Projektanforderungen flexibel angepasst werden können. Das Urheberrecht an generierten Bildern hängt vom verwendeten Dienst ab. Bitte überprüfen Sie die Nutzungsbedingungen."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-organize-desktop": {
+ "title": "Desktop-Dateien organisieren",
+ "description": "Lassen Sie Qwen Code Desktop-Dateien mit einem Satz automatisch organisieren und intelligent nach Typen kategorisieren.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Desktop-Dateien aufgehäuft wie ein Berg, finden Sie die Dateien nicht, die Sie benötigen? Lassen Sie Qwen Code Desktop-Dateien mit einem Satz automatisch organisieren. AI wird Dateitypen intelligent identifizieren und sie automatisch nach Bildern, Dokumenten, Code, komprimierten Paketen usw. kategorisieren und eine klare Ordnerstruktur erstellen. Der gesamte Vorgang ist sicher und kontrollierbar. AI listet zunächst den Operationsplan zur Bestätigung auf, um sicherzustellen, dass wichtige Dateien nicht versehentlich verschoben werden. Lassen Sie Ihren Desktop sofort ordentlich und sauber werden und verbessern Sie die Arbeitseffizienz.",
+ "steps": [
+ {
+ "title": "Organisationsbedürfnisse beschreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Gehen Sie in das Desktop-Verzeichnis, starten Sie Qwen Code und sagen Sie Qwen Code, wie Sie Desktop-Dateien organisieren möchten, z. B. nach Typ kategorisieren, nach Datum gruppieren usw."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nHelfen Sie mir, die Dateien auf meinem Desktop nach Typ zu organisieren"
+ }
+ ]
+ },
+ {
+ "title": "Operationsplan bestätigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code analysiert Desktop-Dateien und listet einen detaillierten Organisationsplan auf, einschließlich welcher Dateien in welche Ordner verschoben werden. Sie können den Plan überprüfen, um sicherzustellen, dass keine Probleme vorliegen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Bestätigen Sie die Ausführung dieses Organisationsplans"
+ }
+ ]
+ },
+ {
+ "title": "Organisation ausführen und Ergebnisse anzeigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach der Bestätigung führt Qwen Code Organisationsoperationen gemäß dem Plan aus. Nach Abschluss können Sie den organisierten Desktop anzeigen, und die Dateien sind bereits ordentlich nach Typ angeordnet."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "warning",
+ "content": "AI listet zunächst den Operationsplan zur Bestätigung auf, um sicherzustellen, dass wichtige Dateien nicht versehentlich verschoben werden. Wenn Sie Fragen zur Klassifizierung bestimmter Dateien haben, können Sie Qwen Code vor der Ausführung bitten, die Regeln anzupassen."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-ppt-presentation": {
+ "title": "Präsentation: PPT erstellen",
+ "description": "Erstellen Sie Präsentationen basierend auf Produkt-Screenshots. Stellen Sie Screenshots und Beschreibungen bereit, und AI generiert schöne Präsentationsfolien.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Müssen Sie eine Produktpräsentation-PPT erstellen, möchten aber nicht bei Null anfangen? Stellen Sie einfach Produkt-Screenshots und einfache Beschreibungen bereit, und Qwen Code kann Ihnen helfen, gut strukturierte, schön gestaltete Präsentationsfolien zu generieren. AI analysiert Screenshot-Inhalte, versteht Produktmerkmale, organisiert automatisch die Folienstruktur und fügt geeigneten Text und Layout hinzu. Ob Produktstarts, Teampräsentationen oder Kundenpräsentationen – Sie können schnell professionelle PPTs erhalten und viel Zeit und Energie sparen.",
+ "steps": [
+ {
+ "title": "Produkt-Screenshots vorbereiten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sammeln Sie Produktoberflächen-Screenshots, die angezeigt werden müssen, einschließlich Hauptfunktionsseiten, Funktionsdemonstrationen usw. Screenshots sollten klar sein und den Wert und die Merkmale des Produkts vollständig anzeigen. Platzieren Sie sie in einem Ordner, zum Beispiel: qwen-code-images"
+ }
+ ]
+ },
+ {
+ "title": "Verwandte Skills installieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installieren Sie PPT-Generierungs-bezogene Skills. Diese Skills enthalten Fähigkeiten zur Analyse von Screenshot-Inhalten und Generierung von Präsentationsfolien."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, und helfen Sie mir dann, zarazhangrui/frontend-slides in qwen code skills zu installieren."
+ }
+ ]
+ },
+ {
+ "title": "Präsentation generieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Referenzieren Sie die entsprechende Datei und sagen Sie Qwen Code Ihre Bedürfnisse, wie Zweck der Präsentation, Zielgruppe, Hauptinhalt usw. AI generiert die PPT basierend auf diesen Informationen."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "@qwen-code-images Erstellen Sie eine Produktpräsentation-PPT basierend auf diesen Screenshots,面向 technisches Team, mit Fokus auf die Vorstellung neuer Funktionen"
+ }
+ ]
+ },
+ {
+ "title": "Anpassen und exportieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Zeigen Sie die generierte PPT an. Wenn Anpassungen erforderlich sind, können Sie Qwen Code sagen, wie z. B. \"eine Seite zur Architektur-Vorstellung hinzufügen\" oder \"den Text auf dieser Seite anpassen\". Wenn Sie zufrieden sind, exportieren Sie in ein bearbeitbares Format."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Helfen Sie mir, den Text auf Seite 3 anzupassen, um ihn prägnanter zu machen"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-terminal-theme": {
+ "title": "Terminal-Theme wechseln",
+ "description": "Wechseln Sie das Terminal-Theme mit einem Satz. Beschreiben Sie den Stil in natürlicher Sprache, und AI wendet ihn automatisch an.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Müde vom Standard-Terminal-Theme? Beschreiben Sie den Stil, den Sie möchten, in natürlicher Sprache, und Qwen Code kann Ihnen helfen, ein geeignetes Theme zu finden und anzuwenden. Ob dunkler Tech-Stil, frischer und einfacher Stil oder retro-klassischer Stil – mit nur einem Satz versteht AI Ihre ästhetischen Vorlieben und konfiguriert automatisch das Farbschema und den Stil des Terminals. Verabschieden Sie sich von mühsamer manueller Konfiguration und lassen Sie Ihre Arbeitsumgebung sofort wie neu aussehen.",
+ "steps": [
+ {
+ "title": "Den gewünschten Theme-Stil beschreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beschreiben Sie im Gespräch den Stil, den Sie mögen, in natürlicher Sprache. Zum Beispiel \"ändern Sie das Terminal-Theme in dunklen Tech-Stil\" oder \"ich möchte ein frisches und einfaches helles Theme\". Qwen Code wird Ihre Bedürfnisse verstehen."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Ändern Sie das Terminal-Theme in dunklen Tech-Stil"
+ }
+ ]
+ },
+ {
+ "title": "Theme bestätigen und anwenden",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code wird mehrere Theme-Optionen empfehlen, die Ihrer Beschreibung entsprechen, und Vorschau-Effekte anzeigen. Wählen Sie Ihr Lieblingstheme, und nach der Bestätigung wendet AI die Konfiguration automatisch an."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Sieht gut aus, wenden Sie das Theme direkt an"
+ }
+ ]
+ },
+ {
+ "title": "Feinabstimmung und Personalisierung",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Wenn weitere Anpassungen erforderlich sind, können Sie Qwen Code weiterhin Ihre Gedanken mitteilen, wie z. B. \"machen Sie die Hintergrundfarbe etwas dunkler\" oder \"passen Sie die Schriftgröße an\". AI wird Ihnen helfen, fein abzustimmen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Das Theme-Wechseln ändert Ihre Terminal-Konfigurationsdatei. Wenn Sie eine bestimmte Terminalanwendung verwenden (wie iTerm2, Terminal.app), erkennt Qwen Code automatisch und konfiguriert die entsprechenden Theme-Dateien."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-web-search-detail": {
+ "title": "Web-Suche",
+ "description": "Lassen Sie Qwen Code Web-Inhalte durchsuchen, um Echtzeit-Informationen zur Unterstützung bei der Programmierung zu erhalten. Erfahren Sie die neuesten Technologietrends und Dokumentationen.",
+ "category": "Erste Schritte",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Die Web-Suche-Funktion ermöglicht es Qwen Code, das Internet in Echtzeit nach den neuesten Informationen zu durchsuchen, um Ihnen zu helfen, die neuesten technischen Dokumentationen, API-Referenzen, Best Practices und Lösungen zu erhalten. Wenn Sie auf unbekannte Technologie-Stacks stoßen, Änderungen in den neuesten Versionen verstehen müssen oder Lösungen für spezifische Probleme finden möchten, ermöglicht die Web-Suche AI, genaue Antworten basierend auf den neuesten Web-Informationen zu geben.",
+ "steps": [
+ {
+ "title": "Suchanfrage initiieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Beschreiben Sie direkt im Gespräch, wonach Sie suchen möchten. Zum Beispiel: \"suchen Sie nach den neuen Funktionen von React 19\", \"finden Sie Best Practices für Next.js App Router\". Qwen Code bestimmt automatisch, ob eine Netzwerksuche erforderlich ist."
+ }
+ ]
+ },
+ {
+ "title": "Integrierte Ergebnisse anzeigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI durchsucht mehrere Web-Quellen, integriert Suchergebnisse und gibt eine strukturierte Antwort. Die Antwort enthält Quelllinks für Schlüsselinformationen, was es bequem macht, sie weiter ausführlich zu verstehen."
+ }
+ ]
+ },
+ {
+ "title": "Basierend auf Ergebnissen fortfahren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sie können basierend auf den Suchergebnissen weiter Fragen stellen und AI bitten, die durchsuchten Informationen auf tatsächliche Programmieraufgaben anzuwenden. Zum Beispiel, nachdem Sie nach neuen API-Verwendungen gesucht haben, können Sie AI direkt bitten, Ihnen beim Refactoring von Code zu helfen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Die Web-Suche eignet sich besonders für die folgenden Szenarien: Verstehen von Änderungen in den neuesten Framework-Versionen, Finden von Lösungen für spezifische Fehler, Erhalten der neuesten API-Dokumentationen, Verstehen von Branchen-Best-Practices usw. Suchergebnisse werden in Echtzeit aktualisiert, um sicherzustellen, dass Sie die neuesten Informationen erhalten."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-weekly-report": {
+ "title": "Automatisch Wochenbericht generieren",
+ "description": "Skills anpassen. Automatisch Updates dieser Woche mit einem Befehl crawlen und Produktupdate-Wochenberichte gemäß Vorlagen schreiben.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Jeden Woche Produktupdate-Wochenberichte zu schreiben ist eine repetitive und zeitaufwendige Aufgabe. Mit den angepassten Skills von Qwen Code können Sie AI automatisch die Produktupdate-Informationen dieser Woche crawlen lassen und gemäß Standardvorlagen strukturierte Wochenberichte generieren. Mit nur einem Befehl sammelt AI Daten, analysiert Inhalte und organisiert sie in ein Dokument, was Ihre Arbeitseffizienz erheblich verbessert. Sie können sich auf das Produkt selbst konzentrieren und AI die mühsame Dokumentarbeit erledigen lassen.",
+ "steps": [
+ {
+ "title": "skills-creator Skill installieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installieren Sie zuerst den Skill, damit AI versteht, welche Informationen aus welchen Datenquellen Sie sammeln müssen."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, und helfen Sie mir dann, skills-creator in qwen code skills zu installieren."
+ }
+ ]
+ },
+ {
+ "title": "Wochenbericht-Skill erstellen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie die Skill-Erstellungsfunktion, um AI zu sagen, dass Sie einen angepassten Wochenbericht-Generierungs-Skill benötigen. Beschreiben Sie die Datentypen, die Sie sammeln müssen, und die Wochenbericht-Struktur. AI generiert einen neuen Skill basierend auf Ihren Bedürfnissen."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Ich muss wöchentliche Berichte für das Open-Source-Projekt erstellen: https://github.com/QwenLM/qwen-code, hauptsächlich einschließlich Issues, die diese Woche eingereicht wurden, behobene Bugs, neue Versionen und Features, sowie Überprüfungen und Reflexionen. Die Sprache sollte benutzerzentriert, altruistisch und wahrnehmend sein. Erstellen Sie einen Skill."
+ }
+ ]
+ },
+ {
+ "title": "Wochenbericht-Inhalt generieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach Abschluss der Konfiguration geben Sie den Generierungsbefehl ein. Qwen Code crawlt automatisch die Update-Informationen dieser Woche und organisiert sie gemäß der Produkt-Wochenbericht-Vorlage in ein strukturiertes Dokument."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Generieren Sie den qwen-code Produktupdate-Wochenbericht dieser Woche"
+ }
+ ]
+ },
+ {
+ "title": "Wochenbericht öffnen, bearbeiten und anpassen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Der generierte Wochenbericht kann geöffnet und angepasst werden, um weiter bearbeitet oder mit dem Team geteilt zu werden. Sie können AI auch bitten, Format und Inhaltsfokus anzupassen."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Machen Sie die Sprache des Wochenberichts lebendiger"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Bei der ersten Verwendung müssen Sie Datenquellen konfigurieren. Nach einmaliger Konfiguration kann sie wiederverwendet werden. Sie können geplante Aufgaben einrichten, damit Qwen Code jeden Woche automatisch Wochenberichte generiert, was Ihre Hände vollständig befreit."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-write-file": {
+ "title": "Datei mit einem Satz schreiben",
+ "description": "Sagen Sie Qwen Code, welche Datei Sie erstellen möchten, und AI generiert automatisch Inhalt und schreibt sie.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Müssen Sie eine neue Datei erstellen, möchten aber nicht bei Null anfangen, Inhalt zu schreiben? Sagen Sie Qwen Code, welche Datei Sie erstellen möchten, und AI generiert automatisch geeigneten Inhalt und schreibt sie in die Datei. Ob es sich um README, Konfigurationsdateien, Codedateien oder Dokumentationen handelt – Qwen Code kann hochwertigen Inhalt basierend auf Ihren Bedürfnissen generieren. Sie müssen nur den Zweck und die grundlegenden Anforderungen der Datei beschreiben, und AI erledigt den Rest, was Ihre Dateierstellungseffizienz erheblich verbessert.",
+ "steps": [
+ {
+ "title": "Dateiinhalt und -zweck beschreiben",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sagen Sie Qwen Code, welche Art von Datei Sie erstellen möchten, sowie den Hauptinhalt und Zweck der Datei."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Helfen Sie mir, eine README.md zu erstellen, einschließlich Projektvorstellung und Installationsanweisungen"
+ }
+ ]
+ },
+ {
+ "title": "Generierten Inhalt bestätigen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code generiert Dateiinhalt basierend auf Ihrer Beschreibung und zeigt ihn zur Bestätigung an. Sie können den Inhalt anzeigen, um sicherzustellen, dass er Ihren Bedürfnissen entspricht."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Sieht gut aus, erstellen Sie die Datei weiter"
+ }
+ ]
+ },
+ {
+ "title": "Ändern und verbessern",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Wenn Anpassungen erforderlich sind, können Sie Qwen Code spezifische Änderungsanforderungen mitteilen, wie z. B. \"Verwendungsbeispiele hinzufügen\" oder \"Format anpassen\"."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Helfen Sie mir, einige Codebeispiele hinzuzufügen"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code unterstützt verschiedene Dateitypen, einschließlich Textdateien, Codedateien, Konfigurationsdateien usw. Generierte Dateien werden automatisch im angegebenen Verzeichnis gespeichert, und Sie können sie im Editor weiter bearbeiten."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "product-insight": {
+ "title": "Insight-Dateneinblicke",
+ "description": "Persönlichen AI-Nutzungsbericht anzeigen. Programmier- und Kollaborationsdaten verstehen. Datengetriebene Gewohnheitsoptimierung verwenden.",
+ "category": "Tägliche Aufgaben",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Insight ist das persönliche Nutzungsdatenanalyse-Panel von Qwen Code, das Ihnen umfassende AI-Programmiereffizienz-Einblicke bietet. Es verfolgt Schlüsselkennzahlen wie Ihre Gesprächsanzahl, Code-Generierungsvolumen, häufig verwendete Funktionen und Programmiersprachen-Präferenzen und generiert visualisierte Datenberichte. Durch diese Daten können Sie Ihre Programmiergewohnheiten, AI-Unterstützungseffektivität und Kollaborationsmuster klar verstehen. Insight hilft Ihnen nicht nur, Raum zur Effizienzverbesserung zu entdecken, sondern zeigt Ihnen auch, in welchen Bereichen Sie AI am besten einsetzen können, damit Sie den Wert von AI besser nutzen können. Datengetriebene Einblicke machen jede Nutzung sinnvoller.",
+ "steps": [
+ {
+ "title": "Insight-Panel öffnen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Geben Sie den `/insight`-Befehl im Gespräch ein, um das Insight-Dateneinblicke-Panel zu öffnen. Das Panel zeigt Ihre Nutzungsübersicht an, einschließlich Kernkennzahlen wie Gesamtgesprächsanzahl, Code-Generierungszeilen und geschätzte eingesparte Zeit. Diese Daten werden in intuitiver Diagrammform präsentiert, sodass Sie Ihre AI-Nutzung auf einen Blick verstehen können."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/insight"
+ }
+ ]
+ },
+ {
+ "title": "Nutzungsbericht analysieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Zeigen Sie detaillierte Nutzungsberichte ausführlich an, einschließlich Dimensionen wie tägliche Gesprächstrends, häufig verwendete Funktionsverteilung, Programmiersprachen-Präferenzen und Codetyp-Analyse. Insight bietet personalisierte Einblicke und Vorschläge basierend auf Ihren Nutzungsmustern und hilft Ihnen, potenziellen Verbesserungsraum zu entdecken. Sie können Daten nach Zeitbereich filtern und die Nutzungseffizienz verschiedener Zeiträume vergleichen."
+ }
+ ]
+ },
+ {
+ "title": "Nutzungsgewohnheiten optimieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Basierend auf Dateneinblicken passen Sie Ihre AI-Nutzungsstrategie an. Wenn Sie beispielsweise feststellen, dass Sie eine bestimmte Funktion häufig mit geringer Effizienz verwenden, können Sie versuchen, effizientere Nutzungsmethoden zu lernen. Wenn Sie feststellen, dass AI-Unterstützung für bestimmte Programmiersprachen oder Aufgabentypen effektiver ist, können Sie AI in ähnlichen Szenarien häufiger einsetzen. Verfolgen Sie kontinuierlich Datenänderungen und verifizieren Sie Optimierungseffekte.\n\nMöchten Sie wissen, wie wir die Insight-Funktion verwenden? Sie können unseren [Wie AI uns sagen kann, wie wir AI besser nutzen](../blog/how-to-use-qwencode-insight.mdx) überprüfen"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Insight-Daten werden nur lokal gespeichert und nicht in die Cloud hochgeladen, wodurch Ihre Nutzungssicherheit und Datensicherheit gewährleistet wird. Überprüfen Sie regelmäßig Berichte und entwickeln Sie datengesteuerte Nutzungsgewohnheiten."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-learning": {
+ "title": "Code-Lernen",
+ "description": "Open-Source-Repositories klonen und lernen, Code zu verstehen. Lassen Sie Qwen Code Sie anleiten, wie Sie zu Open-Source-Projekten beitragen können.",
+ "category": "Lernen & Forschen",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Lernen von exzellentem Open-Source-Code ist ein hervorragender Weg, um Programmierfähigkeiten zu verbessern. Qwen Code kann Ihnen helfen, komplexe Projektarchitekturen und Implementierungsdetails tief zu verstehen, geeignete Beiträge zu finden und Sie durch Codemodifikationen zu leiten. Ob Sie neue Technologie-Stacks lernen oder zur Open-Source-Community beitragen möchten – Qwen Code ist Ihr idealer Programmiermentor.",
+ "steps": [
+ {
+ "title": "Repository klonen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Verwenden Sie git clone, um das Open-Source-Projekt lokal herunterzuladen. Wählen Sie ein Projekt, das Sie interessiert, und klonen Sie es in Ihre Entwicklungsumgebung. Stellen Sie sicher, dass das Projekt gute Dokumentation und eine aktive Community hat, damit der Lernprozess reibungsloser verläuft."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Qwen Code starten",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Starten Sie Qwen Code im Projektverzeichnis. Auf diese Weise kann AI auf alle Projektdateien zugreifen und kontextrelevante Codeerklärungen und -vorschläge geben. Qwen Code analysiert automatisch die Projektstruktur und identifiziert Hauptmodule und Abhängigkeiten."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Codeerklärung anfordern",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sagen Sie AI, welchen Teil oder welche Funktionalität des Projekts Sie verstehen möchten. Sie können nach der Gesamtarchitektur, der Implementierungslogik bestimmter Module oder den Designideen bestimmter Funktionen fragen. AI erklärt den Code in klarer Sprache und bietet relevantes Hintergrundwissen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Helfen Sie mir, die Gesamtarchitektur und Hauptmodule dieses Projekts zu erklären"
+ }
+ ]
+ },
+ {
+ "title": "Beiträge finden",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Lassen Sie AI Ihnen helfen, Issues oder Funktionen zu finden, die für Anfänger geeignet sind, daran teilzunehmen. AI analysiert die Issues-Liste des Projekts und empfiehlt geeignete Beiträge basierend auf Schwierigkeit, Tags und Beschreibungen. Dies ist ein guter Weg, um mit Open-Source-Beiträgen zu beginnen."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Welche offenen Issues sind für Anfänger geeignet, daran teilzunehmen?"
+ }
+ ]
+ },
+ {
+ "title": "Modifikationen implementieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Implementieren Sie Codemodifikationen schrittweise basierend auf der Anleitung von AI. AI hilft Ihnen, Probleme zu analysieren, Lösungen zu entwerfen, Code zu schreiben und sicherzustellen, dass Modifikationen den Projekt-Codestandards entsprechen. Nach Abschluss der Modifikationen können Sie einen PR einreichen und zum Open-Source-Projekt beitragen."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Durch die Teilnahme an Open-Source-Projekten können Sie nicht nur Programmierfähigkeiten verbessern, sondern auch technischen Einfluss aufbauen und gleichgesinnte Entwickler kennenlernen."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-read-paper": {
+ "title": "Papers lesen",
+ "description": "Akademische Papers direkt lesen und analysieren. AI hilft Ihnen, komplexe Forschungsinhalte zu verstehen und generiert Lernkarten.",
+ "category": "Lernen & Forschen",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Akademische Papers sind oft dunkel und schwer zu verstehen und erfordern viel Zeit zum Lesen und Verstehen. Qwen Code kann Ihnen helfen, Papers direkt zu lesen und zu analysieren, Kernpunkte zu extrahieren, komplexe Konzepte zu erklären und Forschungsmethoden zusammenzufassen. AI versteht den Paper-Inhalt tief und erklärt ihn in leicht verständlicher Sprache und generiert strukturierte Lernkarten für Ihre Wiederholung und Weitergabe. Ob neue Technologien lernen oder Forschung in Spitzentechnologien – es kann Ihre Lerneffizienz erheblich verbessern.",
+ "steps": [
+ {
+ "title": "Paper-Informationen bereitstellen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Sagen Sie Qwen Code das Paper, das Sie lesen möchten. Sie können den Paper-Titel, den PDF-Dateipfad oder den arXiv-Link bereitstellen. AI erhält und analysiert den Paper-Inhalt automatisch."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Helfen Sie mir, dieses Paper herunterzuladen und zu analysieren: attention is all you need https://arxiv.org/abs/1706.03762"
+ }
+ ]
+ },
+ {
+ "title": "Paper lesen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installieren Sie PDF-bezogene Skills, damit Qwen Code den Paper-Inhalt analysieren und strukturierte Lernkarten generieren kann. Sie können Paper-Abstracts, Kernpunkte, Schlüsselkonzepte und wichtige Schlussfolgerungen anzeigen."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Überprüfen Sie, ob ich find-skills habe. Wenn nicht, helfen Sie mir, es direkt zu installieren: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, und helfen Sie mir dann, Anthropic pdf und andere Office-Skills in qwen code skills zu installieren."
+ }
+ ]
+ },
+ {
+ "title": "Tiefes Lernen und Fragen",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Während des Lesens können Sie Qwen Code jederzeit Fragen stellen, wie z. B. \"erklären Sie den Self-Attention-Mechanismus\" oder \"wie ist diese Formel abgeleitet\". AI antwortet ausführlich und hilft Ihnen, tief zu verstehen."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Bitte erklären Sie den Kerngedanken der Transformer-Architektur"
+ }
+ ]
+ },
+ {
+ "title": "Lernkarten generieren",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Nach dem Lernen lassen Sie Qwen Code Lernkarten generieren, die die Kernpunkte, Schlüsselkonzepte und wichtigen Schlussfolgerungen des Papers zusammenfassen. Diese Karten erleichtern Ihre Wiederholung und Weitergabe an das Team."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Helfen Sie mir, Lernkarten für dieses Paper zu generieren"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code unterstützt mehrere Paper-Formate, einschließlich PDF, arXiv-Links usw. Für mathematische Formeln und Diagramme erklärt AI ihre Bedeutung ausführlich und hilft Ihnen, den Paper-Inhalt vollständig zu verstehen."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ }
+}
diff --git a/website/showcase-i18n/en.json b/website/showcase-i18n/en.json
new file mode 100644
index 000000000..3aedcd73e
--- /dev/null
+++ b/website/showcase-i18n/en.json
@@ -0,0 +1,2886 @@
+{
+ "code-lsp-intelligence": {
+ "title": "LSP IntelliSense",
+ "description": "By integrating LSP (Language Server Protocol), Qwen Code provides professional-grade code completion and navigation, with real-time code diagnostics.",
+ "category": "Programming",
+ "features": [
+ "LSP"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "LSP (Language Server Protocol) IntelliSense enables Qwen Code to provide code completion and navigation on par with professional IDEs. By integrating language servers, Qwen Code can precisely understand code structure, type information, and contextual relationships to deliver high-quality code suggestions. Whether it's function signatures, parameter hints, variable name completion, definition jumping, reference finding, or refactoring operations, LSP IntelliSense handles them all smoothly. The real-time diagnostics feature instantly detects syntax errors, type issues, and potential bugs as you code, allowing you to fix them quickly and improve code quality.",
+ "steps": [
+ {
+ "title": "Auto Detection",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code automatically detects language server configurations in your project. For mainstream programming languages and frameworks, it automatically recognizes and starts the corresponding LSP service. No manual configuration needed—works out of the box. If your project uses a custom language server, you can also specify the LSP path and parameters via a configuration file."
+ }
+ ]
+ },
+ {
+ "title": "Enjoy IntelliSense",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "When you start coding, LSP IntelliSense activates automatically. As you type, it provides precise completion suggestions based on context, including function names, variable names, type annotations, and more. Completion suggestions display type information and documentation, helping you quickly select the correct code. Press Tab to quickly accept a suggestion, or use arrow keys to browse more options."
+ }
+ ]
+ },
+ {
+ "title": "Error Diagnostics",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "LSP real-time diagnostics continuously analyzes your code as you write, detecting potential issues. Errors and warnings are displayed intuitively, including problem location, error type, and fix suggestions. Click on an issue to jump directly to the corresponding location, or use keyboard shortcuts to navigate to the next issue. This instant feedback mechanism lets you detect and fix problems as early as possible."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Supports mainstream languages including TypeScript, Python, Java, Go, Rust, and frontend frameworks like React, Vue, and Angular. LSP service performance depends on the language server implementation; large projects may require a few seconds of initialization time."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-pr-review": {
+ "title": "PR Review",
+ "description": "Use Qwen Code to perform intelligent code review on Pull Requests, automatically discovering potential issues.",
+ "category": "Programming",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Code review is a critical step in ensuring code quality, but it's often time-consuming and prone to missing issues. Qwen Code can help you perform intelligent code review on Pull Requests, automatically analyzing code changes, finding potential bugs, checking code standards, and providing detailed review reports. The AI deeply understands code logic, identifies possible issues and improvement suggestions, making code review more comprehensive and efficient while reducing the burden on developers.",
+ "steps": [
+ {
+ "title": "Specify the PR to Review",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tell Qwen Code which Pull Request you want to review by providing the PR number or link. The AI will automatically fetch the PR's details and code changes."
+ },
+ {
+ "type": "callout",
+ "calloutType": "tip",
+ "value": "You can use the pr review skill to help you analyze PRs. For skill installation, see: [Install Skills](./guide-skill-install.mdx)."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skill pr-review Help me review this PR: "
+ }
+ ]
+ },
+ {
+ "title": "Run Tests and Checks",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code will analyze the code changes, identify test cases that need to run, and execute relevant tests to verify code correctness."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Run tests to check if this PR passes all test cases"
+ }
+ ]
+ },
+ {
+ "title": "View the Review Report",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After the review is complete, Qwen Code generates a detailed review report including discovered issues, potential risks, and improvement suggestions. You can decide whether to approve the PR based on the report."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "View the review report and list all discovered issues"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code's code review not only focuses on syntax and standards, but also deeply analyzes code logic to identify potential performance issues, security vulnerabilities, and design flaws, providing more comprehensive review feedback."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-solve-issue": {
+ "title": "Resolve Issues",
+ "description": "Use Qwen Code to analyze and resolve open source project issues, with full-process tracking from understanding to code submission.",
+ "category": "Programming",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Resolving issues for open source projects is an important way to improve programming skills and build technical influence. Qwen Code can help you quickly locate problems, understand related code, formulate fix plans, and implement code changes. From problem analysis to PR submission, AI assistance throughout the entire process makes open source contributions more efficient and smooth.",
+ "steps": [
+ {
+ "title": "Choose an Issue",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Find an interesting or suitable issue to resolve on GitHub. Prioritize issues with clear descriptions, reproduction steps, and expected results. Labels like `good first issue` or `help wanted` typically indicate tasks suitable for newcomers."
+ }
+ ]
+ },
+ {
+ "title": "Clone the Project and Locate the Problem",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Download the project code and let AI help you locate the problem. Use `@file` to reference relevant files, and the AI will analyze the code logic to find the root cause. This saves a lot of time and quickly pinpoints the code that needs to be modified."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me analyze where the problem described in this issue occurs, issue link: "
+ }
+ ]
+ },
+ {
+ "title": "Understand the Related Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Have the AI explain the relevant code logic and dependencies. Understanding the code context is very important and helps you formulate the correct fix plan. The AI will provide clear code explanations, including design rationale and potential problem points."
+ }
+ ]
+ },
+ {
+ "title": "Formulate a Fix Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Discuss possible solutions with the AI and choose the best one. The AI will analyze different fix plans, evaluating their scope of impact and potential risks. Choose a plan that solves the problem without introducing new issues."
+ }
+ ]
+ },
+ {
+ "title": "Implement Code Changes",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Gradually modify the code and test it with AI guidance. The AI will help you write the modified code and ensure it conforms to the project's code standards. After modifications, run tests to verify the fix."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me modify this code to resolve this issue"
+ }
+ ]
+ },
+ {
+ "title": "Submit a PR",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After completing the modifications, submit a PR and wait for the project maintainer to review. Clearly explain the problem cause and fix plan in the PR description, referencing the related issue. Once the maintainer approves, your code will be merged into the project."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me submit a PR to resolve this issue"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Resolving open source issues not only improves technical skills but also builds technical influence, adding value to your career development."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-oss-promo-video": {
+ "title": "Create a Promo Video for Your Open Source Project",
+ "description": "Provide a repository URL and AI will generate a beautiful project demo video for you.",
+ "category": "Creator Tools",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Want to create a promotional video for your open source project but lack video production experience? Qwen Code can automatically generate beautiful project demo videos for you. Just provide the GitHub repository URL, and the AI will analyze the project structure, extract key features, generate animation scripts, and render a professional video using Remotion. Whether for project releases, technical sharing, or community promotion, you can quickly obtain high-quality promotional materials.",
+ "steps": [
+ {
+ "title": "Prepare Your Repository",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Make sure your GitHub repository contains complete project information and documentation, including README, screenshots, and feature descriptions. This information will help the AI better understand the project's characteristics."
+ }
+ ]
+ },
+ {
+ "title": "Generate the Promo Video",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tell Qwen Code the video style and focus you want, and the AI will automatically analyze the project and generate the video. You can preview the result and adjust animations and copy."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Based on this skill https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, help me generate a demo video for the open source repository: "
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Generated videos support multiple resolutions and formats, and can be directly uploaded to YouTube, Bilibili, and other video platforms. You can also further edit the video to add background music and subtitles."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-remotion-video": {
+ "title": "Remotion Video Creation",
+ "description": "Describe your creative ideas in natural language and use the Remotion Skill to drive code-generated video content.",
+ "category": "Creator Tools",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Want to create videos but don't know how to code? By describing your creative ideas in natural language, Qwen Code can use the Remotion Skill to generate video code. The AI understands your creative description and automatically generates Remotion project code, including scene setup, animation effects, text layout, and more. Whether for product promotion, social media content, or educational videos, you can quickly generate professional video content.",
+ "steps": [
+ {
+ "title": "Install the Remotion Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "First, install the Remotion-related Skill, which contains best practices and templates for video creation."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Check if I have find skills, if not install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install remotion-best-practice and copy them to the current directory qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Describe Your Creative Idea",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use natural language to describe in detail the video content you want to create, including theme, style, duration, and key scenes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file Based on the document, create a 30-second product promo video with a clean modern style showcasing the main features."
+ }
+ ]
+ },
+ {
+ "title": "Preview and Adjust",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code will generate Remotion project code based on your description. Start the development server to preview the result, then render the final video when satisfied."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ },
+ {
+ "title": "Render and Export",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "When satisfied, use the build command to render the final video, supporting MP4, WebM, and other formats."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me render and export the video directly."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "The prompt-based approach is great for rapid prototyping and creative exploration. You can continuously refine your description to let the AI optimize the video. The generated code can be further manually edited to implement more complex features."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-resume-site-quick": {
+ "title": "Create a Personal Resume Website",
+ "description": "Build a personal resume website with one sentence—integrate your experience to generate a showcase page with PDF export support for easy submission.",
+ "category": "Creator Tools",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "A personal resume website is an important tool for job hunting and self-presentation. Qwen Code can quickly generate a professional showcase page based on your resume content, with PDF export support for easy submission. Whether for job applications or personal branding, a beautiful resume website can help you stand out.",
+ "steps": [
+ {
+ "title": "Provide Your Experience",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tell the AI your educational background, work experience, project experience, skill stack, and other information. You can provide it in sections or all at once. The AI will understand your experience and extract key information for the resume design."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "I'm a frontend engineer, graduated from XX University, with 3 years of experience, skilled in React and TypeScript..."
+ }
+ ]
+ },
+ {
+ "title": "Install the Web Design Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Install the web design Skill, which provides resume design templates. The AI will generate the resume website based on the template."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Check if I have find skills, if not install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills, then help me install web-component-design to the current directory qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Choose a Design Style",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Describe the resume style you prefer, such as minimalist, professional, or creative. The AI will generate a design based on your preferences. You can reference excellent resume websites and tell the AI which design elements and layouts you like."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design Help me design a minimalist professional resume website"
+ }
+ ]
+ },
+ {
+ "title": "Generate the Resume Website",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "The AI will create a complete resume website project, including responsive layout, print styles, and more. The project will contain all necessary files and configurations—just run the development server to preview."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Your resume website should highlight your core strengths and achievements, using specific data and examples to support your descriptions."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-website-clone": {
+ "title": "Replicate Your Favorite Website with One Sentence",
+ "description": "Give a screenshot to Qwen Code and AI analyzes the page structure to generate complete frontend code.",
+ "category": "Creator Tools",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "See a website design you love and want to quickly replicate it? Just give a screenshot to Qwen Code and the AI can analyze the page structure and generate complete frontend code. Qwen Code will recognize the page layout, color scheme, and component structure, then generate runnable code using modern frontend technology stacks. Whether for learning design, rapid prototyping, or project reference, this greatly improves your development efficiency, letting you obtain high-quality code in minutes.",
+ "steps": [
+ {
+ "title": "Prepare a Website Screenshot",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Take a screenshot of the website interface you want to replicate, making sure it's clear and complete, including the main layout and design elements."
+ }
+ ]
+ },
+ {
+ "title": "Install the Corresponding Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Install the image recognition and frontend code generation Skill, which contains the ability to analyze web designs and generate code."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Check if I have find skills, if not install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install web-component-design to the current directory qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Paste the Screenshot and Describe Your Requirements",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Paste the screenshot into the conversation and tell Qwen Code your specific requirements, such as which technology stack to use and what features are needed."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design Based on this skill, replicate a webpage HTML based on @website.png, making sure image references are valid."
+ },
+ {
+ "type": "text",
+ "value": "Example screenshot:"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01FUQtA51YIzygQQhLT_!!6000000003037-2-tps-2768-1552.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Run and Preview",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Open the corresponding webpage to check the result. If you need to adjust the design or functionality, continue interacting with the AI to modify the code until you're satisfied."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "The generated code follows modern frontend best practices with good structure and maintainability. You can further customize and extend it, adding interactive features and backend integration."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-youtube-to-blog": {
+ "title": "Convert YouTube Videos to Blog Posts",
+ "description": "Use Qwen Code to automatically convert YouTube videos into structured blog articles.",
+ "category": "Creator Tools",
+ "features": [
+ "Skills",
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Found an amazing YouTube video and want to convert it into a blog post to share with more people? Qwen Code can automatically extract video content and generate well-structured, content-rich blog articles. The AI fetches the video transcript, understands the key points, organizes the content in standard blog article format, and adds appropriate headings and sections. Whether it's technical tutorials, product introductions, or knowledge sharing, you can quickly generate high-quality articles.",
+ "steps": [
+ {
+ "title": "Provide the Video Link",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tell Qwen Code the YouTube video link you want to convert, and the AI will automatically fetch the video information and transcript."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Based on this skill: https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, help me write this video as a blog post: https://www.youtube.com/watch?v=fJSLnxi1i64"
+ }
+ ]
+ },
+ {
+ "title": "Generate the Blog Post and Edit",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "The AI will analyze the transcript, extract key information, and generate an article in blog post structure, including title, introduction, body, and conclusion. You can continue to refine it:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Help me adjust the language style of this article to be more suitable for a technical blog"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Generated articles support Markdown format and can be directly published to blog platforms or GitHub Pages. You can also have the AI help you add images, code blocks, and citations to enrich the article."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-agents-config": {
+ "title": "Agents Configuration File",
+ "description": "Customize AI behavior through the Agents MD file to make AI adapt to your project specifications and coding style.",
+ "category": "Getting Started",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "The Agents configuration file allows you to customize AI behavior through Markdown files, making AI adapt to your project specifications and coding style. You can define code style, naming conventions, comment requirements, etc., and AI will generate code that meets project standards based on these configurations. This feature is especially suitable for team collaboration, ensuring that code styles generated by all members are consistent.",
+ "steps": [
+ {
+ "title": "Create Configuration File",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Create a `.qwen` folder in the project root directory and create an `AGENTS.md` file in it. This file will store your AI behavior configuration."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .qwen && touch .qwen/AGENTS.md"
+ }
+ ]
+ },
+ {
+ "title": "Write Configuration",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Write the configuration using Markdown format, describing project specifications in natural language. You can define code style, naming conventions, comment requirements, framework preferences, etc., and AI will adjust behavior based on these configurations.\n\n```markdown\n# Project Specifications"
+ }
+ ]
+ },
+ {
+ "title": "Code Style",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- Use TypeScript\n- Use functional programming\n- Add detailed comments"
+ }
+ ]
+ },
+ {
+ "title": "Naming Conventions",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- Use camelCase for variables\n- Use UPPER_SNAKE_CASE for constants\n- Use PascalCase for class names\n```"
+ }
+ ]
+ },
+ {
+ "title": "Apply Configuration",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After saving the configuration file, AI will automatically read and apply these configurations. In the next conversation, AI will generate code that meets project standards based on the configuration, without needing to repeat the specifications."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Supports Markdown format, describe project specifications in natural language."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-api-setup": {
+ "title": "API Configuration Guide",
+ "description": "Configure API Key and model parameters to customize your AI programming experience, supporting multiple model selections.",
+ "category": "Getting Started",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Configuring an API Key is an important step in using Qwen Code, as it unlocks all features and allows you to access powerful AI models. Through the Alibaba Cloud Bailian platform, you can easily obtain an API Key and choose the most suitable model for different scenarios. Whether for daily development or complex tasks, the right model configuration can significantly improve your work efficiency.",
+ "steps": [
+ {
+ "title": "Get API Key",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Visit the [Alibaba Cloud Bailian Platform](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), find the API Key management page in the personal center. Click to create a new API Key, and the system will generate a unique key. This key is your credential for accessing Qwen Code services, so please keep it safe."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01oHcWmQ1zN7AQGsHzf_!!6000000006701-2-tps-2776-1538.png",
+ "alt": ""
+ },
+ {
+ "type": "callout",
+ "calloutType": "warning",
+ "value": "Please keep your API Key safe and do not disclose it to others or commit it to the code repository."
+ }
+ ]
+ },
+ {
+ "title": "Configure API Key in Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "**1. Let Qwen Code configure automatically**\n\nOpen the terminal, start Qwen Code directly in the root directory, copy the following code and tell your API-KEY, and the configuration will be successful. Restart Qwen Code and enter `/model` to switch to the configured model."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "Help me configure `settings.json` for Bailian's model according to the following content:\n{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"\",\n \"name\": \"[Bailian] \",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"\"\n },\n}\nFor model name input, please refer to: https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all\nMy API-KEY is:"
+ },
+ {
+ "type": "text",
+ "value": "Then paste your API-KEY into the input box, tell it the model name you need, such as `qwen3.5-plus`, and send it to complete the configuration."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i2/O1CN01MRati01egFmqe2eXe_!!6000000003900-2-tps-2180-1088.png",
+ "alt": ""
+ },
+ {
+ "type": "text",
+ "value": "**2. Manual Configuration**\n\nManually configure the settings.json file. The file location is in the `/.qwen` directory. You can directly copy the following content and modify your API-KEY and model name."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"\",\n \"name\": \"[Bailian] \",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"\"\n },\n}"
+ }
+ ]
+ },
+ {
+ "title": "Select Model",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Choose the appropriate model according to your needs, balancing speed and performance. Different models are suitable for different scenarios. You can choose based on the complexity of the task and response time requirements. Use the `/model` command to quickly switch models.\n\nCommon model options:\n- `qwen3.5-plus`: Powerful, suitable for complex tasks\n- `qwen3.5-flash`: Fast, suitable for simple tasks\n- `qwen-max`: Strongest model, suitable for high-difficulty tasks"
+ }
+ ]
+ },
+ {
+ "title": "Test Connection",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Send a test message to confirm the API configuration is correct. If the configuration is successful, Qwen Code will reply to you immediately, which means you are ready to start using AI-assisted programming. If you encounter problems, please check if the API Key is set correctly."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hello, can you help me with coding?"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-arena-mode": {
+ "title": "Agent Arena: Multiple Models Solving Problems Simultaneously",
+ "description": "Use the /arena command to have multiple AI models process the same task simultaneously, compare results, and choose the best solution.",
+ "category": "Programming",
+ "features": [
+ "Arena"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000599/O1CN01EiacyZ1GIONIePrKv_!!6000000000599-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FB9dQJgQ_Rd57oKQSegUd_YJo3q1RAAWh0EkpAS0z2U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "For important code, you'd ask a colleague to review it. Now you can have multiple AI models process the same task simultaneously. The Agent Arena lets you compare different models' capabilities — just call `/arena`, select models, input your task, and pick the best result.",
+ "steps": [
+ {
+ "title": "Enter the /arena command",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "In the Qwen Code chat, type `/arena` and select `start` to enter arena mode."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena start"
+ }
+ ]
+ },
+ {
+ "title": "Select participating models",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "From the available model list, select the models you want to compare. Press `space` to select 2 or more models to participate."
+ }
+ ]
+ },
+ {
+ "title": "Enter the task description",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Enter the task you want each model to handle, for example:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Refactor this function to improve readability and performance"
+ }
+ ]
+ },
+ {
+ "title": "Compare results and pick the best",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "All models will process the task simultaneously. Once done, you can compare their solutions and apply the best result to your code."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena select"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Arena mode is especially suited for important code decisions, letting multiple AI models provide different perspectives on solutions."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-authentication": {
+ "title": "Authentication Login",
+ "description": "Understand Qwen Code's authentication process, quickly complete account login, and unlock all features.",
+ "category": "Getting Started",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Authentication login is the first step in using Qwen Code. Through a simple authentication process, you can quickly unlock all features. The authentication process is safe and reliable, supports multiple login methods, and ensures your account and data security. After completing authentication, you can enjoy a personalized AI programming experience, including custom model configuration, history saving, and other features.",
+ "steps": [
+ {
+ "title": "Trigger Authentication",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After starting Qwen Code, enter the `/auth` command, and the system will automatically start the authentication process. The authentication command can be used in the command line or VS Code extension, and the operation method is consistent. The system will detect the current authentication status, and if not logged in, it will guide you to complete the login."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Browser Login",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "The system will automatically open the browser and jump to the authentication page. On the authentication page, you can choose to use an Alibaba Cloud account or other supported login methods. The login process is fast and convenient, taking only a few seconds to complete."
+ }
+ ]
+ },
+ {
+ "title": "Confirm Login",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After successful login, the browser will automatically close or display a success message. Returning to the Qwen Code interface, you will see the authentication success message, indicating that you have successfully logged in and unlocked all features. Authentication information will be automatically saved, so there is no need to log in repeatedly."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Authentication information is securely stored locally, no need to log in again each time."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-bailian-coding-plan": {
+ "title": "Bailian Coding Plan Mode",
+ "description": "Configure to use Bailian Coding Plan, multiple model selection, improve the completion quality of complex tasks.",
+ "category": "Getting Started",
+ "features": [
+ "Plan Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Bailian Coding Plan mode is an advanced feature of Qwen Code, designed specifically for complex programming tasks. Through intelligent multi-model collaboration, it can break down large tasks into executable steps and automatically plan the optimal execution path. Whether refactoring large codebases or implementing complex features, Coding Plan can significantly improve task completion quality and efficiency.",
+ "steps": [
+ {
+ "title": "Enter Settings Interface",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Start Qwen Code and enter the `/auth` command."
+ }
+ ]
+ },
+ {
+ "title": "Select Coding Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Enable Bailian Coding Plan mode in settings, enter your API Key, and Qwen Code will automatically configure the models supported by Coding Plan for you."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i1/O1CN01cDz8AJ1Cq30rXjuXS_!!6000000000131-2-tps-1696-952.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Select Model",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Directly enter the `/model` command to select the model you want."
+ }
+ ]
+ },
+ {
+ "title": "Start Complex Task",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Describe your programming task, and Coding Plan will automatically plan the execution steps. You can explain the task's goals, constraints, and expected results in detail. AI will analyze the task requirements and generate a structured execution plan, including specific operations and expected outputs for each step."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "I need to refactor this project's data layer, migrate the database from MySQL to PostgreSQL while keeping the API interface unchanged"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Coding Plan mode is especially suitable for complex tasks that require multi-step collaboration, such as architecture refactoring, feature migration, etc."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-btw-sidebar": {
+ "title": "/btw Sidebar: Quickly Ask a Question While Coding",
+ "description": "Insert an unrelated question into the current conversation. AI answers it and automatically returns to the previous context, keeping the main conversation clean.",
+ "category": "Getting Started",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01gTHYPR1NgqpnQaf0y_!!6000000001600-1-tps-944-660.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "You're coding and suddenly can't remember the parameter order of an API. Before, you'd have to open a new conversation to look it up, then switch back, losing all context. Now just type `/btw` to insert a side question right in the current conversation. Qwen Code answers it and automatically returns to the previous context, as if nothing happened.",
+ "steps": [
+ {
+ "title": "You're in the middle of a main conversation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "You're discussing a task with Qwen Code, like refactoring a component."
+ }
+ ]
+ },
+ {
+ "title": "Type /btw followed by your question",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Need to look something up? Just type `/btw` followed by your question:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/btw Does JavaScript's Array.prototype.at() method support negative indices?"
+ }
+ ]
+ },
+ {
+ "title": "AI answers and automatically restores context",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After Qwen Code answers your side question, it automatically returns to the main conversation context. You can continue your previous task as if nothing happened."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`/btw` answers won't pollute the main conversation context. AI won't treat your side question as part of the task you're working on."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-copy-optimization": {
+ "title": "Copy Character Optimization",
+ "description": "Optimized code copy experience, precisely select and copy code snippets, preserving complete formatting.",
+ "category": "Getting Started",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "The optimized code copy experience allows you to precisely select and copy code snippets while preserving complete formatting and indentation. Whether it's entire code blocks or partial lines, you can easily copy and paste them into your project. The copy function supports multiple methods, including one-click copy, selection copy, and shortcut key copy, meeting the needs of different scenarios.",
+ "steps": [
+ {
+ "title": "Select Code Block",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Click the copy button in the upper right corner of the code block to copy the entire code block with one click. The copy button is clearly visible and the operation is simple and fast. The copied content will retain the original format, including indentation, syntax highlighting, etc."
+ }
+ ]
+ },
+ {
+ "title": "Paste and Use",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Paste the copied code into your editor, and the format will be automatically maintained. You can use it directly without manually adjusting indentation or formatting. The pasted code is completely consistent with the original code, ensuring code correctness."
+ }
+ ]
+ },
+ {
+ "title": "Precise Selection",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "If you only need to copy part of the code, you can use the mouse to select the content you need, then use the shortcut key to copy. Supports multi-line selection, allowing you to precisely copy the code snippets you need."
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-explore-agent": {
+ "title": "Explore Agent: Let AI Research Before Taking Action",
+ "description": "Use Explore Agent to understand code structure, dependencies, and key entry points before modifying code, making subsequent development more accurate.",
+ "category": "Programming",
+ "features": [
+ "Explore"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN017nnR8X1nEA2GZlZ5Z_!!6000000005057-2-tps-1698-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Before modifying code, let Explore Agent help you understand the code structure, dependencies, and key entry points. Research first, then let the main Agent take action — more accurate direction, less rework from blind modifications.",
+ "steps": [
+ {
+ "title": "Switch to Explore Agent",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "In Qwen Code, switch to Explore Agent mode to focus on code research rather than modification."
+ }
+ ]
+ },
+ {
+ "title": "Describe your research goal",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tell Explore Agent what you want to understand, for example:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Analyze the authentication module of this project, find all related files and dependencies"
+ }
+ ]
+ },
+ {
+ "title": "Get the research report",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Explore Agent will analyze the code structure and output a detailed research report, including file lists, dependency graphs, key entry points, etc."
+ }
+ ]
+ },
+ {
+ "title": "Switch back to the main Agent to start development",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After research is complete, switch back to the main Agent and start actual code modifications based on the research results. The research report will be passed as context to the main Agent."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Explore Agent only does research — it won't modify any code. Its output can be directly used as input for the main Agent, forming an efficient \"research first, develop later\" workflow."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-first-conversation": {
+ "title": "Start First Conversation",
+ "description": "After installation, initiate your first AI conversation with Qwen Code to understand its core capabilities and interaction methods.",
+ "category": "Getting Started",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "After completing the installation of Qwen Code, you will have your first conversation with it. This is an excellent opportunity to understand Qwen Code's core capabilities and interaction methods. You can start with a simple greeting and gradually explore its powerful features in code generation, problem solving, document understanding, and more. Through actual operation, you will feel how Qwen Code becomes your capable assistant on your programming journey.",
+ "steps": [
+ {
+ "title": "Start Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Enter the `qwen` command in the terminal to start the application. On first startup, the system will perform initialization configuration, which takes only a few seconds. After startup, you will see a friendly command line interface, ready to start the conversation with AI."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Initiate Conversation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Enter your question in the input box to start communicating with AI. You can start with a simple self-introduction, such as asking what Qwen Code is or what it can help you do. AI will answer your questions in clear and easy-to-understand language and guide you to explore more features."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "what is qwen code?"
+ }
+ ]
+ },
+ {
+ "title": "Explore Capabilities",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Try asking AI to help you complete some simple tasks, such as explaining code, generating functions, answering technical questions, etc. Through actual operation, you will gradually become familiar with Qwen Code's various capabilities and discover its application value in different scenarios."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me write a Python function to calculate the Fibonacci sequence"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code supports multi-turn conversations. You can continue asking questions based on previous answers to explore topics of interest in depth."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-headless-mode": {
+ "title": "Headless Mode",
+ "description": "Use Qwen Code in GUI-less environments, suitable for remote servers, CI/CD pipelines, and automation script scenarios.",
+ "category": "Getting Started",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Headless mode allows you to use Qwen Code in GUI-less environments, especially suitable for remote servers, CI/CD pipelines, and automation script scenarios. Through command line parameters and pipeline input, you can seamlessly integrate Qwen Code into existing workflows, achieving automated AI-assisted programming.",
+ "steps": [
+ {
+ "title": "Use Prompt Mode",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the `--p` parameter to directly pass prompts in the command line. Qwen Code will return the answer and automatically exit. This method is suitable for one-time queries and can be easily integrated into scripts."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --p 'what is qwen code?'"
+ }
+ ]
+ },
+ {
+ "title": "Pipeline Input",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Pass the output of other commands to Qwen Code through pipelines to achieve automated processing. You can directly send log files, error messages, etc. to AI for analysis."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cat error.log | qwen --p 'analyze errors'"
+ }
+ ]
+ },
+ {
+ "title": "Script Integration",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Integrate Qwen Code in Shell scripts to achieve complex automated workflows. You can perform different operations based on AI's return results, building intelligent automated scripts."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\nresult=$(qwen --p 'check if there are any problems with the code')\nif [[ $result == *\"has problems\"* ]]; then\n echo \"Code problems found\"\nfi"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Headless mode supports all Qwen Code features, including code generation, problem solving, file operations, etc."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-hooks-auto-test": {
+ "title": "Hooks: Automatically Run Test Scripts Before Committing Code",
+ "description": "Attach custom scripts to key points in Qwen Code to automate workflows like running tests before commits and auto-formatting after code generation.",
+ "category": "Programming",
+ "features": [
+ "Hooks"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003073/O1CN019sCyMD1YZUF13PhMD_!!6000000003073-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IZNbQ8iy56UZYVmxWv5TsKMlOJPAxM7lNk162RC6JaY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "AI generated code but the formatting is off, and you have to manually run prettier every time? Or forgot to run tests before committing, and CI failed? The Hooks system solves these problems. You can attach your own scripts to 10 key points in Qwen Code, letting them run automatically at specific moments.",
+ "steps": [
+ {
+ "title": "Create the hooks directory",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Create a `.agents/hooks` directory in your project root to store hook scripts:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .agents/hooks"
+ }
+ ]
+ },
+ {
+ "title": "Write a hook script",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Create a hook script, for example, auto-format after code modification:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\n# post-edit-format.sh\n# Automatically run prettier formatting after code modification\n\nINPUT=$(cat)\nTOOL_NAME=$(echo \"$INPUT\" | jq -r '.tool_name // empty')\n\ncase \"$TOOL_NAME\" in\n write_file|edit) ;;\n *) exit 0 ;;\nesac\n\nFILE_PATH=$(echo \"$INPUT\" | jq -r '.tool_input.file_path // empty')\n[ -z \"$FILE_PATH\" ] && exit 0\n\n# Run prettier formatting\nnpx prettier --write \"$FILE_PATH\" 2>/dev/null\n\necho '{\"decision\": \"allow\", \"reason\": \"File formatted\"}'\nexit 0"
+ },
+ {
+ "type": "text",
+ "value": "Grant execution permission:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "chmod +x .agents/hooks/post-edit-format.sh"
+ }
+ ]
+ },
+ {
+ "title": "Configure hooks",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Add hooks configuration in `~/.qwen/settings.json`:"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"hooksConfig\": {\n \"enabled\": true\n },\n \"hooks\": {\n \"PostToolUse\": [\n {\n \"matcher\": \"(write_file|edit)\",\n \"hooks\": [\n {\n \"type\": \"command\",\n \"command\": \".agents/hooks/post-edit-format.sh\",\n \"name\": \"auto-format\",\n \"description\": \"Auto-format after code modification\",\n \"timeout\": 30000\n }\n ]\n }\n ]\n }\n}"
+ }
+ ]
+ },
+ {
+ "title": "Verify the effect",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Start Qwen Code, have AI modify a code file, and observe whether the hook automatically triggers formatting."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Hooks support 10 key points: PreToolUse, PostToolUse, SessionStart, SessionEnd, and more. Configuration is simple — just place script files under `.agents/hooks` in your project root."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-language-switch": {
+ "title": "Language Switch",
+ "description": "Flexibly switch UI interface language and AI output language, supporting multilingual interaction.",
+ "category": "Getting Started",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code supports flexible language switching. You can independently set the UI interface language and AI output language. Whether it's Chinese, English, or other languages, you can find suitable settings. Multilingual support allows you to work in a familiar language environment, improving communication efficiency and comfort.",
+ "steps": [
+ {
+ "title": "Switch UI Language",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the `/language ui` command to switch the interface language, supporting Chinese, English, and other languages. After switching the UI language, menus, prompt messages, help documents, etc. will all be displayed in the language you selected."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language ui zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Switch Output Language",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the `/language output` command to switch AI's output language. AI will use the language you specified to answer questions, generate code comments, provide explanations, etc., making communication more natural and smooth."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language output zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Mixed Language Usage",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "You can also set different languages for UI and output to achieve mixed language usage. For example, use Chinese for UI and English for AI output, suitable for scenarios where you need to read English technical documentation."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Language settings are automatically saved and will use the language you selected last time on next startup."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-plan-with-search": {
+ "title": "Plan Mode + Web Search",
+ "description": "Combine Web Search in Plan mode to search for the latest information first and then formulate an execution plan, significantly improving the accuracy of complex tasks.",
+ "category": "Getting Started",
+ "features": [
+ "Plan Mode",
+ "Web Search"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Plan mode is Qwen Code's intelligent planning capability, able to break down complex tasks into executable steps. When combined with Web Search, it will proactively search for the latest technical documentation, best practices, and solutions first, then formulate more accurate execution plans based on this real-time information. This combination is especially suitable for handling development tasks involving new frameworks, new APIs, or requiring compliance with the latest specifications, which can significantly improve code quality and task completion efficiency. Whether migrating projects, integrating new features, or solving complex technical problems, Plan + Web Search can provide you with the most cutting-edge solutions.",
+ "steps": [
+ {
+ "title": "Enable Plan Mode",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Enter the `/approval-mode plan` command in the conversation to activate Plan mode. At this point, Qwen Code will enter the planning state, ready to receive your task description and start thinking. Plan mode will automatically analyze the complexity of the task and determine whether it needs to search for external information to supplement the knowledge base."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/approval-mode plan"
+ }
+ ]
+ },
+ {
+ "title": "Request Search for Latest Information",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Describe your task requirements, and Qwen Code will automatically identify keywords that need to be searched. It will proactively initiate Web Search requests to obtain the latest technical documentation, API references, best practices, and solutions. Search results will be integrated into the knowledge base, providing an accurate information foundation for subsequent planning."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Help me search for the latest news in the AI field and organize it into a report for me"
+ }
+ ]
+ },
+ {
+ "title": "View Execution Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Based on the searched information, Qwen Code will generate a detailed execution plan for you. The plan will include clear step descriptions, technical points to focus on, potential pitfalls, and solutions. You can review this plan, provide modification suggestions, or confirm to start execution."
+ }
+ ]
+ },
+ {
+ "title": "Execute Plan Step by Step",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After confirming the plan, Qwen Code will execute it step by step. At each key node, it will report progress and results to you, ensuring you have complete control over the entire process. If problems are encountered, it will provide solutions based on the latest search information rather than relying on outdated knowledge."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Web Search will automatically identify technical keywords in the task, no need to manually specify search content. For rapidly iterating frameworks and libraries, it is recommended to enable Web Search in Plan mode to get the latest information."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-resume-session": {
+ "title": "Resume Session Recovery",
+ "description": "Interrupted conversations can be resumed at any time without losing any context and progress.",
+ "category": "Getting Started",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "The Resume session recovery feature allows you to interrupt conversations at any time and resume them when needed without losing any context and progress. Whether you have something to do temporarily or are multitasking, you can safely pause the conversation and seamlessly continue later. This feature greatly improves work flexibility, allowing you to manage time and tasks more efficiently.",
+ "steps": [
+ {
+ "title": "View Session List",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the `qwen --resume` command to view all historical sessions. The system will display the time, topic, and brief information of each session, helping you quickly find the conversation you need to resume."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Resume Session",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the `qwen --resume` command to resume a specified session. You can select the conversation to resume by session ID or number, and the system will load the complete context history."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Continue Working",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After resuming the session, you can continue the conversation as if it had never been interrupted. All context, history, and progress will be completely preserved, and AI can accurately understand the previous discussion content."
+ }
+ ]
+ },
+ {
+ "title": "Switch Sessions After Starting Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After starting Qwen Code, you can use the `/resume` command to switch to a previous session."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Session history is automatically saved and supports cross-device synchronization. You can resume the same session on different devices."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-retry-shortcut": {
+ "title": "Ctrl+Y Quick Retry",
+ "description": "Not satisfied with AI's answer? Use the shortcut key for one-click retry to quickly get better results.",
+ "category": "Getting Started",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Not satisfied with AI's answer? Use the Ctrl+Y (Windows/Linux) or Cmd+Y (macOS) shortcut key for one-click retry to quickly get better results. This feature allows you to let AI regenerate answers without re-entering questions, saving time and improving efficiency. You can retry multiple times until you get a satisfactory answer.",
+ "steps": [
+ {
+ "title": "Discover Unsatisfactory Answers",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "When AI's answer does not meet your expectations, don't be discouraged. AI's answers may vary due to context understanding or randomness, and you can get better results by retrying."
+ }
+ ]
+ },
+ {
+ "title": "Trigger Retry",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Press the Ctrl+Y (Windows/Linux) or Cmd+Y (macOS) shortcut key, and AI will regenerate the answer. The retry process is fast and smooth and will not interrupt your workflow."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ctrl+Y / Cmd+Y"
+ }
+ ]
+ },
+ {
+ "title": "Supplementary Explanation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "If you are still not satisfied after retrying, you can add supplementary explanations to your needs so that AI can more accurately understand your intentions. You can add more details, modify the way the question is expressed, or provide more context information."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "The retry function will retain the original question but will use different random seeds to generate answers, ensuring result diversity."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-review-command": {
+ "title": "/review: AI-Powered Code Review",
+ "description": "Use the /review command before committing to have AI check code quality, find potential issues, and suggest improvements — like having an experienced colleague review your code.",
+ "category": "Programming",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005221/O1CN01UxKttk1oRGzRA3yzH_!!6000000005221-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/LAfDzQoPY0KUMvKPOETNBKL0d3y696SoGSQl2QHf8To.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Want someone to review your code before committing, but your colleagues are too busy? Just use `/review` — AI will check code quality, find potential issues, and suggest improvements. It's not a simple lint check, but a thorough review of your logic, naming, and edge case handling, like an experienced colleague.",
+ "steps": [
+ {
+ "title": "Open the file to review",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "In Qwen Code, open the code file or project directory you want to review. Make sure your code is saved."
+ }
+ ]
+ },
+ {
+ "title": "Enter the /review command",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Type `/review` in the chat. Qwen Code will automatically analyze the current file or recent code changes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/review"
+ }
+ ]
+ },
+ {
+ "title": "View the review results",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI will provide review feedback from multiple dimensions including code quality, logical correctness, naming conventions, and edge case handling, along with specific improvement suggestions."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`/review` is different from simple lint checks — it deeply understands code logic, identifying potential bugs, performance issues, and design flaws."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-script-install": {
+ "title": "One-Click Script Installation",
+ "description": "Quickly install Qwen Code via script command. Complete environment setup in seconds, supporting Linux, macOS, and Windows systems.",
+ "category": "Getting Started",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code supports quick installation via a single script command. No need to manually configure environment variables or download dependencies. The script automatically detects your operating system type, downloads the appropriate installation package, and completes the configuration. The entire process takes just a few seconds and supports three major platforms: **Linux**, **macOS**, and **Windows**.",
+ "steps": [
+ {
+ "title": "Linux / macOS Installation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Open your terminal and run the following command. The script will automatically detect your system architecture (x86_64 / ARM), download the corresponding version, and complete the installation configuration."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "bash -c \"$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)\" -s --source website"
+ }
+ ]
+ },
+ {
+ "title": "Windows Installation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Run the following command in PowerShell. The script will download a batch file and automatically execute the installation process. After completion, you can use the `qwen` command in any terminal."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "curl -fsSL -o %TEMP%\\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\\install-qwen.bat --source website"
+ }
+ ]
+ },
+ {
+ "title": "Verify Installation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After installation is complete, run the following command in your terminal to confirm that Qwen Code has been correctly installed. If you see the version number output, the installation was successful."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --version"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "If you prefer using npm, you can also install globally via `npm install -g @qwen-code/qwen-code`. After installation, simply enter `qwen` to start. If you encounter permission issues, use `sudo npm install -g @qwen-code/qwen-code` and enter your password to install."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skill-install": {
+ "title": "Install Skills",
+ "description": "Multiple ways to install Skill extensions, including command-line installation and folder installation, meeting different scenario needs.",
+ "category": "Getting Started",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code supports multiple Skill installation methods. You can choose the most suitable approach based on your actual scenario. Command-line installation is suitable for online environments and is quick and convenient; folder installation is suitable for offline environments or custom Skills, offering flexibility and control.",
+ "steps": [
+ {
+ "title": "Check and Install find-skills Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Describe your needs directly in Qwen Code and let it help you check and install the required Skill:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Install the Skill You Need, for example installing web-component-design:",
+ "blocks": [
+ {
+ "type": "code",
+ "lang": "",
+ "value": "/skills find-skills install web-component-design -y -a qwen-code"
+ },
+ {
+ "type": "text",
+ "value": "Qwen Code will automatically execute the installation command, download and install the Skill from the specified repository. You can also install with a single sentence:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install [Skill Name] to the current qwen code skills directory."
+ }
+ ]
+ },
+ {
+ "title": "Verify Installation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After installation is complete, verify that the Skill has been successfully loaded:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Command-line installation requires network connection. The `-y` parameter indicates automatic confirmation, and `-a qwen-code` specifies installation to Qwen Code."
+ },
+ {
+ "type": "info",
+ "content": "**Skill Directory Structure Requirements**\n\nEach Skill folder must include a `skill.md` file that defines the Skill's name, description, and trigger rules:\n\n```\n~/.qwen/skills/\n├── my-skill/\n│ ├── SKILL.md # Required: Skill configuration file\n│ └── scripts/ # Optional: Script files\n└── another-skill/\n └── SKILL.md\n```"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skills-panel": {
+ "title": "Skills Panel",
+ "description": "Browse, install, and manage existing Skill extensions through the Skills panel. One-stop management of your AI capabilities library.",
+ "category": "Getting Started",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "The Skills Panel is your control center for managing Qwen Code's extension capabilities. Through this intuitive interface, you can browse various Skills provided by official and community sources, understand each Skill's functionality and purpose, and install or uninstall extensions with one click. Whether you want to discover new AI capabilities or manage installed Skills, the Skills Panel provides a convenient operation experience, allowing you to easily build a personalized AI toolkit.",
+ "steps": [
+ {
+ "title": "Open Skills Panel",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Enter the command in Qwen Code conversation to open the Skills Panel. This command will display a list of all available Skills, including installed and uninstalled extensions."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ },
+ {
+ "title": "Browse and Search Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Browse various Skill extensions in the panel. Each Skill has detailed descriptions and functionality explanations. You can use the search function to quickly find the specific skill you need, or browse different types of extensions by category."
+ }
+ ]
+ },
+ {
+ "title": "Install or Uninstall Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After finding a Skill of interest, click the install button to add it to your Qwen Code with one click. Similarly, you can uninstall Skills you no longer need at any time, keeping your AI capabilities library clean and efficient."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "The Skills Panel is updated regularly to showcase the latest released Skill extensions. We recommend checking the panel regularly to discover more powerful AI capabilities to improve your work efficiency."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-system-prompt": {
+ "title": "Custom System Prompts: Make AI Respond in Your Style",
+ "description": "Configure custom system prompts via SDK and CLI to control AI's response style and behavior, ensuring it always follows your team's conventions.",
+ "category": "Getting Started",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000007824/O1CN01hCE0Ve27fRwwQtxTE_!!6000000007824-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/tdIxQgfQZPgWjPeBIp6-bUB4dGDc54wpKQdsH46LK-o.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Configure custom system prompts via SDK and CLI to control AI's response style and behavior. For example, make it always respond in Chinese, write code comments in English, or follow your team's naming conventions. No need to repeat \"please respond in Chinese\" every conversation.",
+ "steps": [
+ {
+ "title": "Create a system prompt file",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Create an `AGENTS.md` file (formerly `QWEN.md`) in your project root with your custom system prompt:"
+ },
+ {
+ "type": "code",
+ "lang": "markdown",
+ "value": "# Project Conventions\n\n- Always respond in Chinese\n- Code comments in English\n- Use camelCase for variable naming\n- Use functional components + Hooks for React\n- Prefer TypeScript"
+ }
+ ]
+ },
+ {
+ "title": "Configure global system prompts",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "To apply conventions across all projects, configure global system prompts in `~/.qwen/AGENTS.md`.\n\nYou can also use:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --system-prompt \"When I ask in Chinese, respond in Chinese; when I ask in English, respond in English.\""
+ }
+ ]
+ },
+ {
+ "title": "Verify the effect",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Start Qwen Code, begin a conversation, and observe whether AI responds according to your system prompt conventions."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Project-level `AGENTS.md` overrides global configuration. You can set different conventions for different projects, and team members can share the same config file to stay consistent."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-vscode-integration": {
+ "title": "VS Code Integration Interface",
+ "description": "Complete interface display of Qwen Code in VS Code. Understand the layout and usage of each functional area.",
+ "category": "Getting Started",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "VS Code is one of the most popular code editors, and Qwen Code provides a deeply integrated VS Code extension. Through this extension, you can directly converse with AI in the familiar editor environment and enjoy a seamless programming experience. The extension provides an intuitive interface layout, allowing you to easily access all features. Whether it's code completion, problem solving, or file operations, everything can be completed efficiently.",
+ "steps": [
+ {
+ "title": "Install VS Code Extension",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Search for \"Qwen Code\" in the VS Code Extension Marketplace and click install. The installation process is simple and fast, completed in just a few seconds. After installation, a Qwen Code icon will appear in the VS Code sidebar, indicating the extension has been successfully loaded."
+ }
+ ]
+ },
+ {
+ "title": "Log In to Your Account",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the `/auth` command to trigger the authentication process. The system will automatically open a browser for login. The login process is secure and convenient, supporting multiple authentication methods. After successful login, your account information will automatically sync to the VS Code extension, unlocking all features."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Start Using",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Open the Qwen Code panel in the sidebar and start conversing with AI. You can directly input questions, reference files, execute commands—all operations completed within VS Code. The extension supports multi-tab, history, keyboard shortcuts, and other features, providing a complete programming assistance experience."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "The VS Code extension has identical functionality to the command-line version. You can freely choose based on your usage scenario."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-web-search": {
+ "title": "Web Search",
+ "description": "Let Qwen Code search web content to get real-time information to assist with programming and problem solving.",
+ "category": "Getting Started",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "The Web Search feature enables Qwen Code to search web content in real-time, obtaining the latest technical documentation, framework updates, and solutions. When you encounter problems during development or need to understand the latest developments of a new technology, this feature will be very useful. AI will intelligently search for relevant information and organize it into an easy-to-understand format to return to you.",
+ "steps": [
+ {
+ "title": "Enable Search Function",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Clearly tell AI in the conversation that you need to search for the latest information. You can directly ask questions containing the latest technology, framework versions, or real-time data. Qwen Code will automatically recognize your needs and initiate the web search function to get the most accurate information."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me search for the new features of React 19"
+ }
+ ]
+ },
+ {
+ "title": "View Search Results",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI will return the searched information and organize it into an easy-to-understand format. Search results typically include summaries of key information, source links, and relevant technical details. You can quickly browse this information to understand the latest technology trends or find solutions to problems."
+ }
+ ]
+ },
+ {
+ "title": "Ask Questions Based on Search Results",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "You can ask further questions based on the search results to get more in-depth explanations. If you have questions about a specific technical detail or want to know how to apply the search results to your project, you can continue to ask directly. AI will provide more specific guidance based on the searched information."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "What impact do these new features have on my project"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "The Web Search feature is particularly suitable for querying the latest API changes, framework version updates, and real-time technology trends."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-batch-file-organize": {
+ "title": "Batch Process Files, Organize Desktop",
+ "description": "Use Qwen Code's Cowork feature to batch organize messy desktop files with one click, automatically categorizing them into corresponding folders by type.",
+ "category": "Daily Tasks",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Desktop files in disarray? Qwen Code's Cowork feature can help you batch organize files with one click, automatically identifying file types and categorizing them into corresponding folders. Whether it's documents, images, videos, or other types of files, they can all be intelligently identified and archived, making your work environment orderly and improving work efficiency.",
+ "steps": [
+ {
+ "title": "Start Conversation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Open terminal or command line, enter `qwen` to start Qwen Code. Ensure you are in the directory you need to organize, or clearly tell AI which directory's files you want to organize. Qwen Code will be ready to receive your organization instructions."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nqwen"
+ }
+ ]
+ },
+ {
+ "title": "Issue Organization Instructions",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tell Qwen Code you want to organize desktop files. AI will automatically identify file types and create categorized folders. You can specify the directory to organize, classification rules, and target folder structure. AI will develop an organization plan based on your needs."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me organize the desktop files, categorize them into different folders by type: documents, images, videos, compressed packages, etc."
+ }
+ ]
+ },
+ {
+ "title": "Confirm Execution Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code will first list the operation plan to be executed. After confirming there are no issues, allow execution. This step is very important. You can review the organization plan to ensure AI understands your needs and avoid misoperations."
+ }
+ ]
+ },
+ {
+ "title": "Complete Organization",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI automatically executes file move operations and displays an organization report after completion, telling you which files were moved where. The entire process is fast and efficient, requiring no manual operation, saving a lot of time."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "The Cowork feature supports custom classification rules. You can specify the mapping relationship between file types and target folders as needed."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-clipboard-paste": {
+ "title": "Clipboard Image Paste",
+ "description": "Paste screenshots directly from the clipboard into the conversation window. AI instantly understands the image content and provides help.",
+ "category": "Daily Tasks",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "The clipboard image paste feature allows you to paste any screenshot directly into Qwen Code's conversation window without needing to save the file first and then upload it. Whether it's an error screenshot, UI design mockup, code snippet screenshot, or any other image, Qwen Code can instantly understand its content and provide help based on your needs. This convenient interaction method greatly improves communication efficiency, allowing you to quickly get AI's analysis and suggestions when encountering problems.",
+ "steps": [
+ {
+ "title": "Copy Image to Clipboard",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the system screenshot tool (macOS: `Cmd+Shift+4`, Windows: `Win+Shift+S`) to capture screen content, or copy images from browsers or file managers. Screenshots are automatically saved to the clipboard without additional operations."
+ }
+ ]
+ },
+ {
+ "title": "Paste into Conversation Window",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "In Qwen Code's conversation input box, use `Cmd+V` (macOS) or `Ctrl+V` (Windows) to paste the image. The image will automatically display in the input box, and you can simultaneously enter text describing your question or needs."
+ }
+ ]
+ },
+ {
+ "title": "Get AI Analysis Results",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After sending the message, Qwen Code will analyze the image content and give a reply. It can identify errors in code screenshots, analyze the layout of UI design mockups, interpret chart data, etc. You can continue to ask questions and discuss any details in the image in depth."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Supports common image formats such as PNG, JPEG, GIF. Image size is recommended not to exceed 10MB to ensure the best recognition effect. For code screenshots, it is recommended to use high resolution to improve text recognition accuracy."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-export-conversation": {
+ "title": "Export Conversation History",
+ "description": "Export conversation history to Markdown, HTML, or JSON format for easy archiving and sharing.",
+ "category": "Daily Tasks",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Export conversation history feature",
+ "steps": [
+ {
+ "title": "View Session List",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the `/resume` command to view all historical sessions. The list will display information such as creation time and topic summary for each session, helping you quickly find the conversation you need to export. You can use keyword search or sort by time to precisely locate the target session."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ },
+ {
+ "title": "Select Export Format",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After determining the session to export, use the `/export` command and specify the format and session ID. Three formats are supported: `markdown`, `html`, and `json`. Markdown format is suitable for use in documentation tools, HTML format can be opened directly in a browser for viewing, and JSON format is suitable for programmatic processing."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "# If no parameter, defaults to exporting current session\n/export html # Export as HTML format\n/export markdown # Export as Markdown format\n/export json # Export as JSON format"
+ }
+ ]
+ },
+ {
+ "title": "Share and Archive",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Exported files will be saved to the specified directory. Markdown and HTML files can be shared directly with colleagues or used in team documentation. JSON files can be imported into other tools for secondary processing. We recommend regularly archiving important conversations to build a team knowledge base. Exported files can also serve as backups to prevent loss of important information."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "The exported HTML format includes complete styles and can be opened directly in any browser. JSON format preserves all metadata and is suitable for data analysis and processing."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-file-reference": {
+ "title": "@file Reference Feature",
+ "description": "Reference project files in conversations using @file to let AI precisely understand your code context.",
+ "category": "Getting Started",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "The @file reference feature allows you to directly reference project files in conversations, letting AI precisely understand your code context. Whether it's a single file or multiple files, AI will read and analyze the code content to provide more accurate suggestions and answers. This feature is particularly suitable for scenarios such as code review, problem troubleshooting, and code refactoring.",
+ "steps": [
+ {
+ "title": "Reference Single File",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the `@file` command followed by the file path to reference a single file. AI will read the file content, understand the code structure and logic, and then provide targeted answers based on your questions."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file ./src/main.py\nExplain what this function does"
+ },
+ {
+ "type": "text",
+ "value": "You can also reference reference files and let Qwen Code organize and write them as new documents. This greatly avoids AI misunderstanding your needs and generating content not in the reference materials:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file Help me write a public account article based on this file"
+ }
+ ]
+ },
+ {
+ "title": "Describe Requirements",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After referencing the file, clearly describe your needs or questions. AI will analyze based on the file content and provide accurate answers or suggestions. You can ask about code logic, find problems, request optimizations, etc."
+ }
+ ]
+ },
+ {
+ "title": "Reference Multiple Files",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "By using the `@file` command multiple times, you can reference multiple files simultaneously. AI will comprehensively analyze all referenced files, understand their relationships and content, and provide more comprehensive answers."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file1 @file2 Based on the materials in these two files, help me organize a learning document suitable for beginners"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "@file supports relative paths and absolute paths, and also supports wildcard matching of multiple files."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-image-recognition": {
+ "title": "Image Recognition",
+ "description": "Qwen Code can read and understand image content, whether it's UI design mockups, error screenshots, or architecture diagrams.",
+ "category": "Daily Tasks",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code has powerful image recognition capabilities and can read and understand various types of image content. Whether it's UI design mockups, error screenshots, architecture diagrams, flowcharts, or handwritten notes, Qwen Code can accurately identify them and provide valuable analysis. This capability allows you to directly integrate visual information into your programming workflow, greatly improving communication efficiency and problem-solving speed.",
+ "steps": [
+ {
+ "title": "Upload Image",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Drag and drop the image into the conversation window, or use clipboard paste (`Cmd+V` / `Ctrl+V`). Supports common formats such as PNG, JPEG, GIF, WebP, etc.\n\nReference: [Clipboard Image Paste](./office-clipboard-paste.mdx) shows how to quickly paste screenshots into the conversation."
+ }
+ ]
+ },
+ {
+ "title": "Describe Your Needs",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "In the input box, describe what you want AI to do with the image. For example:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Based on the image content, help me generate a simple html file"
+ }
+ ]
+ },
+ {
+ "title": "Get Analysis Results",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code will analyze the image content and give a detailed reply. You can continue to ask questions, discuss any details in the image in depth, or ask AI to generate code based on the image content."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "The image recognition feature supports multiple scenarios: code screenshot analysis, UI design mockup to code conversion, error information interpretation, architecture diagram understanding, chart data extraction, etc. It is recommended to use clear high-resolution images for the best recognition effect."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-mcp-image-gen": {
+ "title": "MCP Image Generation",
+ "description": "Integrate image generation services via MCP. Drive AI to create high-quality images with natural language descriptions.",
+ "category": "Daily Tasks",
+ "features": [
+ "MCP"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "MCP (Model Context Protocol) image generation feature allows you to drive AI to create high-quality images directly in Qwen Code through natural language descriptions. No need to switch to specialized image generation tools—just describe your needs in the conversation, and Qwen Code will call integrated image generation services to generate images that meet your requirements. Whether it's UI prototype design, icon creation, illustration drawing, or concept diagram production, MCP image generation provides powerful support. This seamlessly integrated workflow greatly improves design and development efficiency, making creative realization more convenient.",
+ "steps": [
+ {
+ "title": "Configure MCP Service",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "First, you need to configure the MCP image generation service. Add the image generation service's API key and endpoint information to the configuration file. Qwen Code supports multiple mainstream image generation services. You can choose the appropriate service based on your needs and budget. After configuration, restart Qwen Code for it to take effect."
+ }
+ ]
+ },
+ {
+ "title": "Describe Image Requirements",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "In the conversation, describe in natural language the image you want to generate in detail. Include elements such as the image's theme, style, color, composition, and details. The more specific the description, the more the generated image will match your expectations. You can reference art styles, specific artists, or upload reference images to help AI better understand your needs."
+ }
+ ]
+ },
+ {
+ "title": "View and Save Results",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code will generate multiple images for you to choose from. You can preview each image and select the one that best meets your needs. If adjustments are needed, you can continue to describe modification opinions, and Qwen Code will regenerate based on feedback. When satisfied, you can directly save the image locally or copy the image link for use elsewhere."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "MCP image generation supports multiple styles and sizes, which can be flexibly adjusted according to project needs. The copyright ownership of generated images depends on the service used. Please review the service terms."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-organize-desktop": {
+ "title": "Organize Desktop Files",
+ "description": "Let Qwen Code automatically organize desktop files with one sentence, intelligently categorizing by type.",
+ "category": "Daily Tasks",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Desktop files piled up like a mountain, can't find the files you need? Let Qwen Code help you automatically organize desktop files with one sentence. AI will intelligently identify file types and automatically categorize them by images, documents, code, compressed packages, etc., creating a clear folder structure. The entire process is safe and controllable. AI will first list the operation plan for your confirmation to ensure important files are not mistakenly moved. Make your desktop instantly neat and orderly, improving work efficiency.",
+ "steps": [
+ {
+ "title": "Describe Organization Needs",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Enter the desktop directory, start Qwen Code, and tell Qwen Code how you want to organize desktop files, such as categorizing by type, grouping by date, etc."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nHelp me organize the files on my desktop by type"
+ }
+ ]
+ },
+ {
+ "title": "Confirm Operation Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code will analyze desktop files and list a detailed organization plan, including which files will be moved to which folders. You can check the plan to ensure there are no problems."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Confirm executing this organization plan"
+ }
+ ]
+ },
+ {
+ "title": "Execute Organization and View Results",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After confirmation, Qwen Code will execute organization operations according to the plan. After completion, you can view the organized desktop, and files are already neatly arranged by type."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "warning",
+ "content": "AI will first list the operation plan for your confirmation to ensure important files are not mistakenly moved. If you have questions about the classification of certain files, you can tell Qwen Code to adjust the rules before execution."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-ppt-presentation": {
+ "title": "Presentation: Create PPT",
+ "description": "Create presentations based on product screenshots. Provide screenshots and descriptions, and AI generates beautiful presentation slides.",
+ "category": "Daily Tasks",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Need to create a product presentation PPT but don't want to start from scratch? Just provide product screenshots and simple descriptions, and Qwen Code can help you generate well-structured, beautifully designed presentation slides. AI will analyze screenshot content, understand product features, automatically organize slide structure, and add appropriate copy and layout. Whether it's product launches, team presentations, or client presentations, you can quickly get professional PPTs, saving you a lot of time and energy.",
+ "steps": [
+ {
+ "title": "Prepare Product Screenshots",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Collect product interface screenshots that need to be displayed, including main function pages, feature demonstrations, etc. Screenshots should be clear and fully display the product's value and features. Place them in a folder, for example: qwen-code-images"
+ }
+ ]
+ },
+ {
+ "title": "Install Related Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Install PPT generation related Skills. These Skills include capabilities to analyze screenshot content and generate presentation slides."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install zarazhangrui/frontend-slides to qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Generate Presentation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Reference the corresponding file and tell Qwen Code your needs, such as the purpose of the presentation, audience, key content, etc. AI will generate the PPT based on this information."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "@qwen-code-images Create a product presentation PPT based on these screenshots,面向 technical team, focusing on showcasing new features"
+ }
+ ]
+ },
+ {
+ "title": "Adjust and Export",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "View the generated PPT. If adjustments are needed, you can tell Qwen Code, such as \"add a page introducing architecture\" or \"adjust the copy on this page\". When satisfied, export to an editable format."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Help me adjust the copy on page 3 to make it more concise"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-terminal-theme": {
+ "title": "Terminal Theme Switch",
+ "description": "Switch terminal theme with one sentence. Describe the style in natural language, and AI applies it automatically.",
+ "category": "Daily Tasks",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Tired of the default terminal theme? Describe the style you want in natural language, and Qwen Code can help you find and apply a suitable theme. Whether it's dark tech style, fresh and simple style, or retro classic style, with just one sentence, AI can understand your aesthetic preferences and automatically configure the terminal's color scheme and style. Say goodbye to tedious manual configuration and make your work environment instantly look brand new.",
+ "steps": [
+ {
+ "title": "Describe the Theme Style You Want",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "In the conversation, describe the style you like in natural language. For example, \"change the terminal theme to dark tech style\" or \"I want a fresh and simple light theme\". Qwen Code will understand your needs."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Change the terminal theme to dark tech style"
+ }
+ ]
+ },
+ {
+ "title": "Confirm and Apply Theme",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code will recommend several theme options that match your description and show preview effects. Choose your favorite theme, and after confirmation, AI will automatically apply the configuration."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Looks good, apply the theme directly"
+ }
+ ]
+ },
+ {
+ "title": "Fine-tune and Personalize",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "If further adjustments are needed, you can continue to tell Qwen Code your thoughts, such as \"make the background color a bit darker\" or \"adjust the font size\". AI will help you fine-tune."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Theme switching will modify your terminal configuration file. If you're using a specific terminal application (such as iTerm2, Terminal.app), Qwen Code will automatically recognize and configure the corresponding theme files."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-web-search-detail": {
+ "title": "Web Search",
+ "description": "Let Qwen Code search web content to get real-time information to assist with programming. Learn about the latest technology trends and documentation.",
+ "category": "Getting Started",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "The Web Search feature enables Qwen Code to search the internet in real-time for the latest information, helping you obtain the latest technical documentation, API references, best practices, and solutions. When you encounter unfamiliar technology stacks, need to understand changes in the latest versions, or want to find solutions to specific problems, Web Search allows AI to provide accurate answers based on the latest web information.",
+ "steps": [
+ {
+ "title": "Initiate Search Request",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Directly describe in the conversation what you want to search for. For example: \"search for the latest React 19 new features\", \"find best practices for Next.js App Router\". Qwen Code will automatically determine whether network search is needed."
+ }
+ ]
+ },
+ {
+ "title": "View Integrated Results",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI will search multiple web sources, integrate search results, and provide a structured answer. The answer will include source links for key information, making it convenient for you to further understand in depth."
+ }
+ ]
+ },
+ {
+ "title": "Continue Conversation Based on Results",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "You can continue to ask questions based on the search results, letting AI help you apply the searched information to actual programming tasks. For example, after searching for new API usage, you can directly ask AI to help you refactor code."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Web Search is particularly suitable for the following scenarios: understanding changes in the latest framework versions, finding solutions to specific errors, obtaining the latest API documentation, understanding industry best practices, etc. Search results are updated in real-time to ensure you get the latest information."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-weekly-report": {
+ "title": "Automatically Generate Weekly Report",
+ "description": "Customize skills. Automatically crawl this week's updates with one command and write product update weekly reports according to templates.",
+ "category": "Daily Tasks",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Writing product update weekly reports every week is a repetitive and time-consuming task. Using Qwen Code's customized skills, you can let AI automatically crawl this week's product update information and generate structured weekly reports according to standard templates. With just one command, AI will collect data, analyze content, and organize it into a document, greatly improving your work efficiency. You can focus on the product itself and let AI handle tedious document work.",
+ "steps": [
+ {
+ "title": "Install skills-creator Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "First, install the skill so AI understands which data sources' information you need to collect."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install skills-creator to qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Create Weekly Report Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use the skill creation feature to tell AI you need a customized weekly report generation skill. Describe the data types you need to collect and the weekly report structure. AI will generate a new skill based on your needs."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "I need to create weekly reports for the open source project: https://github.com/QwenLM/qwen-code, mainly including issues submitted this week, bugs resolved, new versions and features released, as well as reviews and reflections. The language should be user-centered, altruistic, and perceptive. Create a skill."
+ }
+ ]
+ },
+ {
+ "title": "Generate Weekly Report Content",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After configuration is complete, enter the generation command. Qwen Code will automatically crawl this week's update information and organize it into a structured document according to the product weekly report template."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Generate this week's qwen-code product update weekly report"
+ }
+ ]
+ },
+ {
+ "title": "Open Weekly Report, Edit and Adjust",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "The generated weekly report can be opened and adjusted for further editing or sharing with the team. You can also ask AI to help you adjust format and content focus."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Make the weekly report language more lively"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "On first use, you need to configure data sources. After configuration once, it can be reused. You can set up scheduled tasks to let Qwen Code automatically generate weekly reports every week, completely freeing your hands."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-write-file": {
+ "title": "Write File with One Sentence",
+ "description": "Tell Qwen Code what file you want to create, and AI automatically generates content and writes it.",
+ "category": "Daily Tasks",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Need to create a new file but don't want to start writing content from scratch? Tell Qwen Code what file you want to create, and AI will automatically generate appropriate content and write it to the file. Whether it's README, configuration files, code files, or documentation, Qwen Code can generate high-quality content based on your needs. You only need to describe the file's purpose and basic requirements, and AI will handle the rest, greatly improving your file creation efficiency.",
+ "steps": [
+ {
+ "title": "Describe File Content and Purpose",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tell Qwen Code what type of file you want to create, as well as the file's main content and purpose."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me create a README.md including project introduction and installation instructions"
+ }
+ ]
+ },
+ {
+ "title": "Confirm Generated Content",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code will generate file content based on your description and display it for your confirmation. You can view the content to ensure it meets your needs."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Looks good, continue creating the file"
+ }
+ ]
+ },
+ {
+ "title": "Modify and Improve",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "If adjustments are needed, you can tell Qwen Code specific modification requirements, such as \"add usage examples\" or \"adjust format\"."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me add some code examples"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code supports various file types, including text files, code files, configuration files, etc. Generated files are automatically saved to the specified directory, and you can further modify them in the editor."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "product-insight": {
+ "title": "Insight Data Insights",
+ "description": "View personal AI usage report. Understand programming efficiency and collaboration data. Use data-driven habit optimization.",
+ "category": "Daily Tasks",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Insight is Qwen Code's personal usage data analysis panel, providing you with comprehensive AI programming efficiency insights. It tracks key metrics such as your conversation count, code generation volume, frequently used features, and programming language preferences, generating visualized data reports. Through this data, you can clearly understand your programming habits, AI assistance effectiveness, and collaboration patterns. Insight not only helps you discover room for efficiency improvement but also lets you see which areas you are most skilled at using AI, allowing you to better leverage AI's value. Data-driven insights make every use more meaningful.",
+ "steps": [
+ {
+ "title": "Open Insight Panel",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Enter the `/insight` command in the conversation to open the Insight data insights panel. The panel will display your usage overview, including core metrics such as total conversation count, code generation lines, and estimated time saved. This data is presented in intuitive chart form, giving you a clear understanding of your AI usage at a glance."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/insight"
+ }
+ ]
+ },
+ {
+ "title": "Analyze Usage Report",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "View detailed usage reports in depth, including dimensions such as daily conversation trends, frequently used feature distribution, programming language preferences, and code type analysis. Insight will provide personalized insights and suggestions based on your usage patterns, helping you discover potential improvement space. You can filter data by time range and compare usage efficiency across different periods."
+ }
+ ]
+ },
+ {
+ "title": "Optimize Usage Habits",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Based on data insights, adjust your AI usage strategy. For example, if you find you use a certain feature frequently but with low efficiency, you can try learning more efficient usage methods. If you find AI assistance is more effective for certain programming languages or task types, you can use AI more in similar scenarios. Continuously track data changes and verify optimization effects.\n\nWant to know how we use the insight feature? You can check our [How to Let AI Tell Us How to Better Use AI](../blog/how-to-use-qwencode-insight.mdx)"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Insight data is stored locally only and will not be uploaded to the cloud, ensuring your usage privacy and data security. Regularly view reports and develop data-driven usage habits."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-learning": {
+ "title": "Code Learning",
+ "description": "Clone open source repositories and learn to understand code. Let Qwen Code guide you on how to contribute to open source projects.",
+ "category": "Learning & Research",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Learning excellent open source code is an excellent way to improve programming skills. Qwen Code can help you deeply understand complex project architectures and implementation details, find contribution points suitable for you, and guide you through code modifications. Whether you want to learn new technology stacks or contribute to the open source community, Qwen Code is your ideal programming mentor.",
+ "steps": [
+ {
+ "title": "Clone Repository",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use git clone to download the open source project locally. Choose a project you're interested in and clone it to your development environment. Ensure the project has good documentation and an active community so the learning process will be smoother."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Start Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Start Qwen Code in the project directory. This way AI can access all project files and provide context-relevant code explanations and suggestions. Qwen Code will automatically analyze project structure and identify main modules and dependencies."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Request Code Explanation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tell AI which part or functionality of the project you want to understand. You can ask about overall architecture, specific module implementation logic, or design ideas for certain features. AI will explain the code in clear language and provide relevant background knowledge."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me explain the overall architecture and main modules of this project"
+ }
+ ]
+ },
+ {
+ "title": "Find Contribution Points",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Let AI help you find issues or features suitable for beginners to participate in. AI will analyze the project's issues list and recommend contribution points suitable for you based on difficulty, tags, and descriptions. This is a good way to start open source contributions."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "What open issues are suitable for beginners to participate in?"
+ }
+ ]
+ },
+ {
+ "title": "Implement Modifications",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Gradually implement code modifications based on AI's guidance. AI will help you analyze problems, design solutions, write code, and ensure modifications comply with project code standards. After completing modifications, you can submit a PR and contribute to the open source project."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "By participating in open source projects, you can not only improve programming skills but also build technical influence and meet like-minded developers."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-read-paper": {
+ "title": "Read Papers",
+ "description": "Directly read and analyze academic papers. AI helps you understand complex research content and generates learning cards.",
+ "category": "Learning & Research",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Academic papers are often obscure and difficult to understand, requiring a lot of time to read and comprehend. Qwen Code can help you directly read and analyze papers, extract core points, explain complex concepts, and summarize research methods. AI will deeply understand paper content and explain it in easy-to-understand language, generating structured learning cards for your review and sharing. Whether learning new technologies or researching cutting-edge fields, it can greatly improve your learning efficiency.",
+ "steps": [
+ {
+ "title": "Provide Paper Information",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tell Qwen Code the paper you want to read. You can provide the paper title, PDF file path, or arXiv link. AI will automatically obtain and analyze the paper content."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Help me download and analyze this paper: attention is all you need https://arxiv.org/abs/1706.03762"
+ }
+ ]
+ },
+ {
+ "title": "Read Paper",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Install PDF related skills to let Qwen Code analyze paper content and generate structured learning cards. You can view paper abstracts, core points, key concepts, and important conclusions."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Check if I have find skills, if not, help me install it directly: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, then help me install Anthropic pdf and other office skills to qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Deep Learning and Questions",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "During reading, you can ask Qwen Code questions at any time, such as \"explain the self-attention mechanism\" or \"how is this formula derived\". AI will answer in detail, helping you understand deeply."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Please explain the core idea of Transformer architecture"
+ }
+ ]
+ },
+ {
+ "title": "Generate Learning Cards",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "After learning, let Qwen Code generate learning cards summarizing the paper's core points, key concepts, and important conclusions. These cards can facilitate your review and sharing with the team."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Help me generate learning cards for this paper"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code supports multiple paper formats, including PDF, arXiv links, etc. For mathematical formulas and charts, AI will explain their meanings in detail, helping you fully understand paper content."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ }
+}
diff --git a/website/showcase-i18n/fr.json b/website/showcase-i18n/fr.json
new file mode 100644
index 000000000..ee4835f87
--- /dev/null
+++ b/website/showcase-i18n/fr.json
@@ -0,0 +1,2886 @@
+{
+ "code-lsp-intelligence": {
+ "title": "LSP IntelliSense",
+ "description": "En intégrant LSP (Language Server Protocol), Qwen Code offre une complétion de code et une navigation de niveau professionnel avec des diagnostics en temps réel.",
+ "category": "Programmation",
+ "features": [
+ "LSP"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "LSP (Language Server Protocol) IntelliSense permet à Qwen Code de fournir une complétion de code et une navigation comparables aux IDE professionnels. En intégrant des serveurs de langage, Qwen Code peut comprendre précisément la structure du code, les informations de type et les relations contextuelles pour fournir des suggestions de code de haute qualité. Que ce soit pour les signatures de fonctions, les indices de paramètres, la complétion de noms de variables, la navigation vers les définitions, la recherche de références ou les opérations de refactoring, LSP IntelliSense les gère tous de manière fluide.",
+ "steps": [
+ {
+ "title": "Détection automatique",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code détecte automatiquement les configurations de serveur de langage dans votre projet. Pour les langages de programmation et frameworks courants, il reconnaît et démarre automatiquement le service LSP correspondant. Aucune configuration manuelle requise."
+ }
+ ]
+ },
+ {
+ "title": "Profiter de l'IntelliSense",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Lors du codage, LSP IntelliSense s'active automatiquement. En tapant, il fournit des suggestions de complétion précises basées sur le contexte, incluant les noms de fonctions, les noms de variables et les annotations de type. Appuyez sur Tab pour accepter rapidement une suggestion."
+ }
+ ]
+ },
+ {
+ "title": "Diagnostics d'erreurs",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Les diagnostics en temps réel LSP analysent continuellement votre code, détectant les problèmes potentiels. Les erreurs et avertissements sont affichés de manière intuitive avec l'emplacement du problème, le type d'erreur et les suggestions de correction."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Prend en charge les langages courants comme TypeScript, Python, Java, Go, Rust ainsi que les frameworks frontend comme React, Vue et Angular."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-pr-review": {
+ "title": "Revue de PR",
+ "description": "Utilisez Qwen Code pour effectuer des revues de code intelligentes sur les Pull Requests et découvrir automatiquement les problèmes potentiels.",
+ "category": "Programmation",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "La revue de code est une étape cruciale pour garantir la qualité du code, mais elle est souvent chronophage. Qwen Code peut vous aider à effectuer des revues de code intelligentes sur les Pull Requests, analyser automatiquement les changements de code, trouver les bugs potentiels, vérifier les standards de code et fournir des rapports de revue détaillés.",
+ "steps": [
+ {
+ "title": "Spécifier la PR à réviser",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Indiquez à Qwen Code quelle Pull Request vous souhaitez réviser en fournissant le numéro ou le lien de la PR."
+ },
+ {
+ "type": "callout",
+ "calloutType": "tip",
+ "value": "Vous pouvez utiliser le skill pr-review pour analyser les PRs. Pour l'installation du skill, voir : [Installer des Skills](./guide-skill-install.mdx)."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skill pr-review Aide-moi à réviser cette PR : "
+ }
+ ]
+ },
+ {
+ "title": "Exécuter les tests et vérifications",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code analysera les changements de code, identifiera les cas de test pertinents et exécutera les tests pour vérifier la correction du code."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Exécuter les tests pour vérifier si cette PR passe tous les cas de test"
+ }
+ ]
+ },
+ {
+ "title": "Consulter le rapport de revue",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après la revue, Qwen Code génère un rapport détaillé incluant les problèmes découverts, les risques potentiels et les suggestions d'amélioration."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Afficher le rapport de revue et lister tous les problèmes découverts"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "La revue de code de Qwen Code analyse non seulement la syntaxe et les standards, mais aussi la logique du code pour identifier les problèmes de performance potentiels, les failles de sécurité et les défauts de conception."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-solve-issue": {
+ "title": "Résoudre des issues",
+ "description": "Utilisez Qwen Code pour analyser et résoudre des issues de projets open source, avec un suivi complet du processus de la compréhension à la soumission du code.",
+ "category": "Programmation",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Résoudre des issues pour des projets open source est un moyen important d'améliorer les compétences en programmation et de construire une influence technique. Qwen Code peut vous aider à localiser rapidement les problèmes, comprendre le code associé, formuler des plans de correction et implémenter les changements de code.",
+ "steps": [
+ {
+ "title": "Choisir une issue",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Trouvez une issue intéressante ou appropriée sur GitHub. Priorisez les issues avec des descriptions claires, des étapes de reproduction et des résultats attendus. Les labels comme `good first issue` ou `help wanted` conviennent bien aux débutants."
+ }
+ ]
+ },
+ {
+ "title": "Cloner le projet et localiser le problème",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Téléchargez le code du projet et laissez l'IA localiser le problème. Utilisez `@file` pour référencer les fichiers pertinents."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aide-moi à analyser où se trouve le problème décrit dans cette issue, lien de l'issue : "
+ }
+ ]
+ },
+ {
+ "title": "Comprendre le code associé",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Demandez à l'IA d'expliquer la logique du code et les dépendances associées."
+ }
+ ]
+ },
+ {
+ "title": "Formuler un plan de correction",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Discutez des solutions possibles avec l'IA et choisissez la meilleure."
+ }
+ ]
+ },
+ {
+ "title": "Implémenter les changements de code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Modifiez le code progressivement avec l'aide de l'IA et testez-le."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aide-moi à modifier ce code pour résoudre ce problème"
+ }
+ ]
+ },
+ {
+ "title": "Soumettre une PR",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir terminé les modifications, soumettez une PR et attendez la révision du mainteneur du projet."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aide-moi à soumettre une PR pour résoudre ce problème"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Résoudre des issues open source améliore non seulement les compétences techniques, mais construit aussi une influence technique et favorise le développement de carrière."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-oss-promo-video": {
+ "title": "Créer une vidéo promotionnelle pour votre projet open source",
+ "description": "Fournissez une URL de dépôt et l'IA génère une belle vidéo de démonstration du projet pour vous.",
+ "category": "Outils créatifs",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Vous souhaitez créer une vidéo promotionnelle pour votre projet open source mais manquez d'expérience en production vidéo ? Qwen Code peut générer automatiquement de belles vidéos de démonstration de projet. Fournissez simplement l'URL du dépôt GitHub, et l'IA analysera la structure du projet, extraira les fonctionnalités clés, générera des scripts d'animation et rendra une vidéo professionnelle avec Remotion.",
+ "steps": [
+ {
+ "title": "Préparer le dépôt",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Assurez-vous que votre dépôt GitHub contient des informations complètes sur le projet et de la documentation, incluant README, captures d'écran et descriptions des fonctionnalités."
+ }
+ ]
+ },
+ {
+ "title": "Générer la vidéo promotionnelle",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Indiquez à Qwen Code le style et le focus de la vidéo souhaitée, et l'IA analysera automatiquement le projet et générera la vidéo."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Basé sur ce skill https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, aide-moi à générer une vidéo de démonstration pour le dépôt open source : "
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Les vidéos générées prennent en charge plusieurs résolutions et formats, et peuvent être directement téléchargées sur YouTube et d'autres plateformes vidéo."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-remotion-video": {
+ "title": "Création vidéo Remotion",
+ "description": "Décrivez vos idées créatives en langage naturel et utilisez le Skill Remotion pour générer du contenu vidéo par code.",
+ "category": "Outils créatifs",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Vous souhaitez créer des vidéos mais ne savez pas coder ? En décrivant vos idées créatives en langage naturel, Qwen Code peut utiliser le Skill Remotion pour générer du code vidéo. L'IA comprend votre description créative et génère automatiquement le code du projet Remotion, incluant la configuration des scènes, les effets d'animation et la mise en page du texte.",
+ "steps": [
+ {
+ "title": "Installer le Skill Remotion",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installez d'abord le Skill Remotion, qui contient les meilleures pratiques et modèles pour la création vidéo."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Vérifie si j'ai find skills, sinon installe-le directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aide-moi à installer remotion-best-practice."
+ }
+ ]
+ },
+ {
+ "title": "Décrire votre idée créative",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Décrivez en langage naturel le contenu vidéo que vous souhaitez créer, incluant le thème, le style, la durée et les scènes clés."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file Basé sur le document, crée une vidéo promotionnelle de 30 secondes avec un style moderne et épuré."
+ }
+ ]
+ },
+ {
+ "title": "Prévisualiser et ajuster",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code générera le code du projet Remotion basé sur votre description. Démarrez le serveur de développement pour prévisualiser."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ },
+ {
+ "title": "Rendre et exporter",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Quand vous êtes satisfait, utilisez la commande build pour rendre la vidéo finale."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aide-moi à rendre et exporter la vidéo directement."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "L'approche basée sur les prompts est idéale pour le prototypage rapide et l'exploration créative. Le code généré peut être édité manuellement pour implémenter des fonctionnalités plus complexes."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-resume-site-quick": {
+ "title": "Créer un site web de CV personnel",
+ "description": "Créez un site web de CV personnel en une phrase – intégrez vos expériences pour générer une page de présentation avec export PDF.",
+ "category": "Outils créatifs",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Un site web de CV personnel est un outil important pour la recherche d'emploi et la présentation de soi. Qwen Code peut rapidement générer une page de présentation professionnelle basée sur le contenu de votre CV, avec support d'export PDF pour faciliter les candidatures.",
+ "steps": [
+ {
+ "title": "Fournir vos expériences personnelles",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Indiquez à l'IA votre parcours éducatif, expérience professionnelle, expérience de projet et compétences."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Je suis développeur frontend, diplômé de l'université XX, avec 3 ans d'expérience, spécialisé en React et TypeScript..."
+ }
+ ]
+ },
+ {
+ "title": "Installer le Skill de design web",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installez le Skill de design web qui fournit des modèles de design de CV."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Vérifie si j'ai find skills, sinon installe-le directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills, puis aide-moi à installer web-component-design."
+ }
+ ]
+ },
+ {
+ "title": "Choisir un style de design",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Décrivez le style de CV que vous préférez, comme minimaliste, professionnel ou créatif."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design Aide-moi à concevoir un site web de CV minimaliste et professionnel"
+ }
+ ]
+ },
+ {
+ "title": "Générer le site web de CV",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "L'IA créera un projet de site web de CV complet avec mise en page responsive et styles d'impression."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Votre site web de CV devrait mettre en valeur vos forces et réalisations principales, en utilisant des données et exemples spécifiques pour étayer vos descriptions."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-website-clone": {
+ "title": "Répliquer votre site web préféré en une phrase",
+ "description": "Donnez une capture d'écran à Qwen Code et l'IA analyse la structure de la page pour générer du code frontend complet.",
+ "category": "Outils créatifs",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Vous avez trouvé un design de site web que vous aimez et souhaitez le répliquer rapidement ? Donnez simplement une capture d'écran à Qwen Code et l'IA peut analyser la structure de la page et générer du code frontend complet. Qwen Code reconnaîtra la mise en page, le schéma de couleurs et la structure des composants, puis générera du code exécutable avec des technologies frontend modernes.",
+ "steps": [
+ {
+ "title": "Préparer une capture d'écran du site web",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Prenez une capture d'écran de l'interface du site web que vous souhaitez répliquer, en vous assurant qu'elle est claire et complète."
+ }
+ ]
+ },
+ {
+ "title": "Installer le Skill correspondant",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installez le Skill de reconnaissance d'images et de génération de code frontend."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Vérifie si j'ai find skills, sinon installe-le directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aide-moi à installer web-component-design."
+ }
+ ]
+ },
+ {
+ "title": "Coller la capture d'écran et décrire les besoins",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Collez la capture d'écran dans la conversation et indiquez à Qwen Code vos besoins spécifiques."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design Basé sur ce skill, réplique une page web HTML basée sur @website.png, en veillant à ce que les références d'images soient valides."
+ },
+ {
+ "type": "text",
+ "value": "Exemple de capture d'écran :"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01FUQtA51YIzygQQhLT_!!6000000003037-2-tps-2768-1552.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Exécuter et prévisualiser",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ouvrez la page web correspondante pour vérifier le résultat. Si vous devez ajuster le design ou les fonctionnalités, continuez à interagir avec l'IA."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Le code généré suit les meilleures pratiques frontend modernes avec une bonne structure et maintenabilité. Vous pouvez le personnaliser et l'étendre davantage."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-youtube-to-blog": {
+ "title": "Convertir des vidéos YouTube en articles de blog",
+ "description": "Utilisez Qwen Code pour convertir automatiquement des vidéos YouTube en articles de blog structurés.",
+ "category": "Outils créatifs",
+ "features": [
+ "Skills",
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Vous avez trouvé une excellente vidéo YouTube et souhaitez la convertir en article de blog ? Qwen Code peut automatiquement extraire le contenu vidéo et générer des articles de blog bien structurés et riches en contenu. L'IA récupère la transcription de la vidéo, comprend les points clés et organise le contenu au format standard d'article de blog.",
+ "steps": [
+ {
+ "title": "Fournir le lien de la vidéo",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Indiquez à Qwen Code le lien de la vidéo YouTube que vous souhaitez convertir."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Basé sur ce skill : https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, aide-moi à écrire cette vidéo comme un article de blog : https://www.youtube.com/watch?v=fJSLnxi1i64"
+ }
+ ]
+ },
+ {
+ "title": "Générer l'article de blog et modifier",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "L'IA analysera la transcription et générera un article avec titre, introduction, corps et conclusion."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Aide-moi à ajuster le style de langage de cet article pour qu'il soit plus adapté à un blog technique"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Les articles générés prennent en charge le format Markdown et peuvent être directement publiés sur des plateformes de blog ou GitHub Pages."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-agents-config": {
+ "title": "Fichier de configuration Agents",
+ "description": "Personnalisez le comportement de l'IA via le fichier MD Agents pour adapter l'IA à vos spécifications de projet et votre style de codage.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Le fichier de configuration Agents vous permet de personnaliser le comportement de l'IA via des fichiers Markdown, permettant à l'IA de s'adapter à vos spécifications de projet et votre style de codage. Vous pouvez définir le style de code, les conventions de nommage, les exigences de commentaires, etc., et l'IA générera du code conforme aux normes du projet en fonction de ces configurations. Cette fonctionnalité est particulièrement adaptée à la collaboration en équipe, garantissant que les styles de code générés par tous les membres sont cohérents.",
+ "steps": [
+ {
+ "title": "Créer le fichier de configuration",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Créez un dossier `.qwen` dans le répertoire racine du projet et créez un fichier `AGENTS.md` dedans. Ce fichier stockera votre configuration de comportement de l'IA."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .qwen && touch .qwen/AGENTS.md"
+ }
+ ]
+ },
+ {
+ "title": "Écrire la configuration",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Écrivez la configuration au format Markdown, décrivant les spécifications du projet en langage naturel. Vous pouvez définir le style de code, les conventions de nommage, les exigences de commentaires, les préférences de framework, etc., et l'IA ajustera son comportement en fonction de ces configurations.\n\n```markdown\n# Spécifications du projet"
+ }
+ ]
+ },
+ {
+ "title": "Style de code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- Utiliser TypeScript\n- Utiliser la programmation fonctionnelle\n- Ajouter des commentaires détaillés"
+ }
+ ]
+ },
+ {
+ "title": "Conventions de nommage",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- Utiliser camelCase pour les variables\n- Utiliser UPPER_SNAKE_CASE pour les constantes\n- Utiliser PascalCase pour les noms de classes\n```"
+ }
+ ]
+ },
+ {
+ "title": "Appliquer la configuration",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir enregistré le fichier de configuration, l'IA le lira automatiquement et l'appliquera. Dans la conversation suivante, l'IA générera du code conforme aux normes du projet en fonction de la configuration, sans avoir à répéter les spécifications."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Prend en charge le format Markdown, décrivez les spécifications du projet en langage naturel."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-api-setup": {
+ "title": "Guide de configuration de l'API",
+ "description": "Configurez la clé API et les paramètres du modèle pour personnaliser votre expérience de programmation IA, prenant en charge plusieurs sélections de modèles.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "La configuration d'une clé API est une étape importante pour utiliser Qwen Code, car elle débloque toutes les fonctionnalités et vous permet d'accéder à des modèles IA puissants. Via la plateforme Alibaba Cloud Bailian, vous pouvez facilement obtenir une clé API et choisir le modèle le plus adapté pour différents scénarios. Que ce soit pour le développement quotidien ou des tâches complexes, la bonne configuration du modèle peut améliorer considérablement votre efficacité de travail.",
+ "steps": [
+ {
+ "title": "Obtenir la clé API",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Visitez la [plateforme Alibaba Cloud Bailian](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), trouvez la page de gestion des clés API dans le centre personnel. Cliquez pour créer une nouvelle clé API, et le système générera une clé unique. Cette clé est votre justificatif d'accès aux services Qwen Code, veuillez donc la conserver en sécurité."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01oHcWmQ1zN7AQGsHzf_!!6000000006701-2-tps-2776-1538.png",
+ "alt": ""
+ },
+ {
+ "type": "callout",
+ "calloutType": "warning",
+ "value": "Veuillez conserver votre clé API en sécurité et ne la divulguez pas à d'autres personnes ou ne la commitez pas dans le dépôt de code."
+ }
+ ]
+ },
+ {
+ "title": "Configurer la clé API dans Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "**1. Laisser Qwen Code configurer automatiquement**\n\nOuvrez le terminal, démarrez Qwen Code directement dans le répertoire racine, copiez le code suivant et indiquez votre CLÉ-API, la configuration sera réussie. Redémarrez Qwen Code et entrez `/model` pour basculer vers le modèle configuré."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "Aidez-moi à configurer `settings.json` pour le modèle Bailian selon le contenu suivant :\n{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"\",\n \"name\": \"[Bailian] \",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"\"\n },\n}\nPour la saisie du nom du modèle, veuillez vous référer à : https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all\nMa CLÉ-API est :"
+ },
+ {
+ "type": "text",
+ "value": "Ensuite, collez votre CLÉ-API dans la zone de saisie, indiquez le nom du modèle dont vous avez besoin, comme `qwen3.5-plus`, et envoyez-la pour terminer la configuration."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i2/O1CN01MRati01egFmqe2eXe_!!6000000003900-2-tps-2180-1088.png",
+ "alt": ""
+ },
+ {
+ "type": "text",
+ "value": "**2. Configuration manuelle**\n\nConfigurez manuellement le fichier settings.json. L'emplacement du fichier se trouve dans le répertoire `/.qwen`. Vous pouvez directement copier le contenu suivant et modifier votre CLÉ-API et le nom du modèle."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"\",\n \"name\": \"[Bailian] \",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"\"\n },\n}"
+ }
+ ]
+ },
+ {
+ "title": "Sélectionner le modèle",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Choisissez le modèle approprié en fonction de vos besoins, en équilibrant la vitesse et les performances. Différents modèles conviennent à différents scénarios. Vous pouvez choisir en fonction de la complexité de la tâche et des exigences de temps de réponse. Utilisez la commande `/model` pour basculer rapidement entre les modèles.\n\nOptions de modèles courants :\n- `qwen3.5-plus` : Puissant, adapté aux tâches complexes\n- `qwen3.5-flash` : Rapide, adapté aux tâches simples\n- `qwen-max` : Modèle le plus puissant, adapté aux tâches de haute difficulté"
+ }
+ ]
+ },
+ {
+ "title": "Tester la connexion",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Envoyez un message de test pour confirmer que la configuration de l'API est correcte. Si la configuration réussit, Qwen Code vous répondra immédiatement, ce qui signifie que vous êtes prêt à commencer à utiliser la programmation assistée par l'IA. Si vous rencontrez des problèmes, veuillez vérifier si la clé API est correctement configurée."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hello, can you help me with coding?"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-arena-mode": {
+ "title": "Agent Arena : Plusieurs modèles résolvant des problèmes simultanément",
+ "description": "Utilisez la commande /arena pour faire traiter la même tâche par plusieurs modèles IA simultanément, comparer les résultats et choisir la meilleure solution.",
+ "category": "Programmation",
+ "features": [
+ "Arena"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000599/O1CN01EiacyZ1GIONIePrKv_!!6000000000599-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FB9dQJgQ_Rd57oKQSegUd_YJo3q1RAAWh0EkpAS0z2U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Pour du code important, vous demanderiez à un collègue de le relire. Maintenant, vous pouvez faire traiter la même tâche par plusieurs modèles IA simultanément. L'Agent Arena vous permet de comparer les capacités de différents modèles — appelez simplement `/arena`, sélectionnez les modèles, entrez votre tâche et choisissez le meilleur résultat.",
+ "steps": [
+ {
+ "title": "Entrer la commande /arena",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dans le chat Qwen Code, tapez `/arena` et sélectionnez `start` pour entrer en mode arène."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena start"
+ }
+ ]
+ },
+ {
+ "title": "Sélectionner les modèles participants",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dans la liste des modèles disponibles, sélectionnez ceux que vous souhaitez comparer. Appuyez sur `space` pour sélectionner 2 modèles ou plus."
+ }
+ ]
+ },
+ {
+ "title": "Entrer la description de la tâche",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Entrez la tâche que vous souhaitez faire traiter par chaque modèle, par exemple :"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Refactorise cette fonction pour améliorer la lisibilité et les performances"
+ }
+ ]
+ },
+ {
+ "title": "Comparer les résultats et choisir le meilleur",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tous les modèles traiteront la tâche simultanément. Une fois terminé, vous pouvez comparer leurs solutions et appliquer le meilleur résultat à votre code."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena select"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Le mode arène est particulièrement adapté aux décisions de code importantes, permettant à plusieurs modèles IA de fournir différentes perspectives de solutions."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-authentication": {
+ "title": "Authentification et connexion",
+ "description": "Comprendre le processus d'authentification de Qwen Code, compléter rapidement la connexion au compte et débloquer toutes les fonctionnalités.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "L'authentification et la connexion sont la première étape pour utiliser Qwen Code. Grâce à un processus d'authentification simple, vous pouvez rapidement débloquer toutes les fonctionnalités. Le processus d'authentification est sûr et fiable, prend en charge plusieurs méthodes de connexion et garantit la sécurité de votre compte et de vos données. Après avoir terminé l'authentification, vous pouvez profiter d'une expérience de programmation IA personnalisée, y compris la configuration personnalisée du modèle, la sauvegarde de l'historique, etc.",
+ "steps": [
+ {
+ "title": "Déclencher l'authentification",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir démarré Qwen Code, entrez la commande `/auth`, et le système démarrera automatiquement le processus d'authentification. La commande d'authentification peut être utilisée dans la ligne de commande ou l'extension VS Code, et la méthode d'opération est cohérente. Le système détectera l'état d'authentification actuel, et si vous n'êtes pas connecté, il vous guidera pour terminer la connexion."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Connexion via navigateur",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Le système ouvrira automatiquement le navigateur et redirigera vers la page d'authentification. Sur la page d'authentification, vous pouvez choisir d'utiliser un compte Alibaba Cloud ou d'autres méthodes de connexion prises en charge. Le processus de connexion est rapide et pratique, ne prenant que quelques secondes."
+ }
+ ]
+ },
+ {
+ "title": "Confirmer la connexion",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après une connexion réussie, le navigateur se fermera automatiquement ou affichera un message de succès. En revenant à l'interface Qwen Code, vous verrez le message de succès de l'authentification, indiquant que vous vous êtes connecté avec succès et débloqué toutes les fonctionnalités. Les informations d'authentification seront automatiquement sauvegardées, il n'est donc pas nécessaire de se reconnecter à chaque fois."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Les informations d'authentification sont stockées en toute sécurité localement, pas besoin de se reconnecter à chaque fois."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-bailian-coding-plan": {
+ "title": "Mode Bailian Coding Plan",
+ "description": "Configurez l'utilisation de Bailian Coding Plan, sélection multiple de modèles, améliorer la qualité d'achèvement des tâches complexes.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Plan Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Le mode Bailian Coding Plan est une fonctionnalité avancée de Qwen Code, conçue spécifiquement pour les tâches de programmation complexes. Grâce à la collaboration intelligente multi-modèles, il peut décomposer de grandes tâches en étapes exécutables et planifier automatiquement le chemin d'exécution optimal. Qu'il s'agisse de refactoriser de grandes bases de code ou d'implémenter des fonctionnalités complexes, Coding Plan peut améliorer considérablement la qualité et l'efficacité d'achèvement des tâches.",
+ "steps": [
+ {
+ "title": "Accéder à l'interface des paramètres",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Démarrez Qwen Code et entrez la commande `/auth`."
+ }
+ ]
+ },
+ {
+ "title": "Sélectionner Coding Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Activez le mode Bailian Coding Plan dans les paramètres, entrez votre clé API, et Qwen Code configurera automatiquement les modèles pris en charge par Coding Plan pour vous."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i1/O1CN01cDz8AJ1Cq30rXjuXS_!!6000000000131-2-tps-1696-952.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Sélectionner le modèle",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Entrez directement la commande `/model` pour sélectionner le modèle souhaité."
+ }
+ ]
+ },
+ {
+ "title": "Commencer une tâche complexe",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Décrivez votre tâche de programmation, et Coding Plan planifiera automatiquement les étapes d'exécution. Vous pouvez expliquer en détail les objectifs, les contraintes et les résultats attendus de la tâche. L'IA analysera les exigences de la tâche et générera un plan d'exécution structuré, incluant les opérations spécifiques et les résultats attendus pour chaque étape."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Je dois refactoriser la couche de données de ce projet, migrer la base de données de MySQL vers PostgreSQL tout en gardant l'interface API inchangée"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Le mode Coding Plan est particulièrement adapté aux tâches complexes nécessitant une collaboration multi-étapes, comme la refactorisation d'architecture, la migration de fonctionnalités, etc."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-btw-sidebar": {
+ "title": "/btw Barre latérale : Poser une question rapide en codant",
+ "description": "Insérez une question indépendante dans la conversation en cours. L'IA y répond et revient automatiquement au contexte précédent, sans polluer la conversation principale.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01gTHYPR1NgqpnQaf0y_!!6000000001600-1-tps-944-660.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Vous codez et soudain vous ne vous souvenez plus de l'ordre des paramètres d'une API. Avant, il fallait ouvrir une nouvelle conversation pour vérifier, puis revenir — tout le contexte était perdu. Maintenant, tapez simplement `/btw` pour insérer une question annexe directement dans la conversation en cours. Qwen Code y répond et revient automatiquement au contexte précédent, comme si rien ne s'était passé.",
+ "steps": [
+ {
+ "title": "Vous êtes au milieu d'une conversation principale",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Vous discutez d'une tâche avec Qwen Code, comme le refactoring d'un composant."
+ }
+ ]
+ },
+ {
+ "title": "Tapez /btw suivi de votre question",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Besoin de vérifier quelque chose ? Tapez simplement `/btw` suivi de votre question :"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/btw La méthode JavaScript Array.prototype.at() supporte-t-elle les indices négatifs ?"
+ }
+ ]
+ },
+ {
+ "title": "L'IA répond et restaure automatiquement le contexte",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après que Qwen Code a répondu à votre question annexe, il revient automatiquement au contexte de la conversation principale. Vous pouvez continuer votre tâche précédente comme si rien ne s'était passé."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Les réponses `/btw` ne polluent pas le contexte de la conversation principale. L'IA ne traitera pas votre question annexe comme faisant partie de la tâche en cours."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-copy-optimization": {
+ "title": "Optimisation de la copie de caractères",
+ "description": "Expérience de copie de code optimisée, sélection précise et copie d'extraits de code, préservation du format complet.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "L'expérience de copie de code optimisée vous permet de sélectionner et de copier précisément des extraits de code tout en préservant le formatage complet et l'indentation. Qu'il s'agisse de blocs de code entiers ou de lignes partielles, vous pouvez facilement les copier et les coller dans votre projet. La fonction de copie prend en charge plusieurs méthodes, y compris la copie en un clic, la copie par sélection et la copie par raccourci clavier, répondant aux besoins de différents scénarios.",
+ "steps": [
+ {
+ "title": "Sélectionner le bloc de code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Cliquez sur le bouton de copie dans le coin supérieur droit du bloc de code pour copier l'intégralité du bloc en un clic. Le bouton de copie est clairement visible et l'opération est simple et rapide. Le contenu copié conservera le format d'origine, y compris l'indentation, la coloration syntaxique, etc."
+ }
+ ]
+ },
+ {
+ "title": "Coller et utiliser",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Collez le code copié dans votre éditeur, et le format sera automatiquement maintenu. Vous pouvez l'utiliser directement sans avoir à ajuster manuellement l'indentation ou le formatage. Le code collé est entièrement cohérent avec le code d'origine, garantissant la correction du code."
+ }
+ ]
+ },
+ {
+ "title": "Sélection précise",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Si vous n'avez besoin de copier qu'une partie du code, vous pouvez utiliser la souris pour sélectionner le contenu nécessaire, puis utiliser le raccourci clavier pour copier. Prend en charge la sélection multi-lignes, vous permettant de copier précisément les extraits de code dont vous avez besoin."
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-explore-agent": {
+ "title": "Explore Agent : Laisser l'IA faire des recherches avant d'agir",
+ "description": "Utilisez Explore Agent pour comprendre la structure du code, les dépendances et les points d'entrée clés avant de modifier le code, rendant le développement ultérieur plus précis.",
+ "category": "Programmation",
+ "features": [
+ "Explore"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN017nnR8X1nEA2GZlZ5Z_!!6000000005057-2-tps-1698-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Avant de modifier du code, laissez Explore Agent vous aider à comprendre la structure du code, les dépendances et les points d'entrée clés. Recherchez d'abord, puis laissez l'Agent principal agir — une direction plus précise, moins de retravail dû à des modifications aveugles.",
+ "steps": [
+ {
+ "title": "Passer à Explore Agent",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dans Qwen Code, passez en mode Explore Agent pour vous concentrer sur la recherche de code plutôt que sur la modification."
+ }
+ ]
+ },
+ {
+ "title": "Décrire votre objectif de recherche",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dites à Explore Agent ce que vous voulez comprendre, par exemple :"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Analyse le module d'authentification de ce projet, trouve tous les fichiers et dépendances associés"
+ }
+ ]
+ },
+ {
+ "title": "Obtenir le rapport de recherche",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Explore Agent analysera la structure du code et produira un rapport de recherche détaillé, incluant les listes de fichiers, les graphes de dépendances, les points d'entrée clés, etc."
+ }
+ ]
+ },
+ {
+ "title": "Revenir à l'Agent principal pour commencer le développement",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Une fois la recherche terminée, revenez à l'Agent principal et commencez les modifications de code réelles basées sur les résultats de la recherche. Le rapport de recherche sera transmis comme contexte à l'Agent principal."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Explore Agent ne fait que de la recherche — il ne modifiera aucun code. Sa sortie peut être directement utilisée comme entrée pour l'Agent principal, formant un workflow efficace « rechercher d'abord, développer ensuite »."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-first-conversation": {
+ "title": "Commencer la première conversation",
+ "description": "Après l'installation, initiez votre première conversation IA avec Qwen Code pour comprendre ses capacités principales et ses méthodes d'interaction.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Après avoir terminé l'installation de Qwen Code, vous aurez votre première conversation avec lui. C'est une excellente occasion de comprendre les capacités principales et les méthodes d'interaction de Qwen Code. Vous pouvez commencer par une simple salutation et explorer progressivement ses puissantes fonctionnalités en matière de génération de code, de résolution de problèmes, de compréhension de documents, etc. Grâce à une pratique réelle, vous ressentirez comment Qwen Code devient votre assistant capable sur votre parcours de programmation.",
+ "steps": [
+ {
+ "title": "Démarrer Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Entrez la commande `qwen` dans le terminal pour démarrer l'application. Au premier démarrage, le système effectuera une configuration d'initialisation, ce qui ne prend que quelques secondes. Après le démarrage, vous verrez une interface de ligne de commande conviviale, prête à commencer la conversation avec l'IA."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Initier la conversation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Entrez votre question dans la zone de saisie pour commencer à communiquer avec l'IA. Vous pouvez commencer par une simple présentation, comme demander ce qu'est Qwen Code ou ce qu'il peut faire pour vous. L'IA répondra à vos questions dans un langage clair et facile à comprendre et vous guidera pour explorer plus de fonctionnalités."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "what is qwen code?"
+ }
+ ]
+ },
+ {
+ "title": "Explorer les capacités",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Essayez de demander à l'IA de vous aider à accomplir quelques tâches simples, comme expliquer du code, générer des fonctions, répondre à des questions techniques, etc. Grâce à une pratique réelle, vous vous familiariserez progressivement avec les différentes capacités de Qwen Code et découvrirez sa valeur d'application dans différents scénarios."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aidez-moi à écrire une fonction Python pour calculer la suite de Fibonacci"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code prend en charge les conversations multi-tours. Vous pouvez continuer à poser des questions basées sur les réponses précédentes pour explorer en profondeur les sujets qui vous intéressent."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-headless-mode": {
+ "title": "Mode Headless",
+ "description": "Utiliser Qwen Code dans des environnements sans interface graphique, adapté aux serveurs distants, pipelines CI/CD et scénarios de scripts d'automatisation.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Le mode Headless vous permet d'utiliser Qwen Code dans des environnements sans interface graphique, particulièrement adapté aux serveurs distants, pipelines CI/CD et scénarios de scripts d'automatisation. Grâce aux paramètres de ligne de commande et à l'entrée par pipeline, vous pouvez intégrer de manière transparente Qwen Code dans vos workflows existants, réalisant une programmation assistée par l'IA automatisée.",
+ "steps": [
+ {
+ "title": "Utiliser le mode prompt",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez le paramètre `--p` pour passer directement des invites dans la ligne de commande. Qwen Code retournera la réponse et quittera automatiquement. Cette méthode convient aux requêtes ponctuelles et peut être facilement intégrée dans des scripts."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --p 'what is qwen code?'"
+ }
+ ]
+ },
+ {
+ "title": "Entrée par pipeline",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Passez la sortie d'autres commandes à Qwen Code via des pipelines pour réaliser un traitement automatisé. Vous pouvez envoyer directement des fichiers de journal, des messages d'erreur, etc. à l'IA pour analyse."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cat error.log | qwen --p 'analyser les erreurs'"
+ }
+ ]
+ },
+ {
+ "title": "Intégration de script",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Intégrez Qwen Code dans des scripts Shell pour réaliser des workflows automatisés complexes. Vous pouvez effectuer différentes opérations en fonction des résultats de retour de l'IA, créant des scripts automatisés intelligents."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\nresult=$(qwen --p 'vérifier s'il y a des problèmes avec le code')\nif [[ $result == *\"a des problèmes\"* ]]; then\n echo \"Problèmes de code trouvés\"\nfi"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Le mode Headless prend en charge toutes les fonctionnalités de Qwen Code, y compris la génération de code, la résolution de problèmes, les opérations de fichiers, etc."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-hooks-auto-test": {
+ "title": "Hooks : Exécuter automatiquement les scripts de test avant le commit",
+ "description": "Attachez des scripts personnalisés aux points clés de Qwen Code pour automatiser les workflows comme l'exécution de tests avant les commits et le formatage automatique après la génération de code.",
+ "category": "Programmation",
+ "features": [
+ "Hooks"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003073/O1CN019sCyMD1YZUF13PhMD_!!6000000003073-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IZNbQ8iy56UZYVmxWv5TsKMlOJPAxM7lNk162RC6JaY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "L'IA a généré du code mais le formatage n'est pas bon, et vous devez exécuter prettier manuellement à chaque fois ? Ou vous avez oublié de lancer les tests avant le commit, et la CI a échoué ? Le système Hooks résout ces problèmes. Vous pouvez attacher vos propres scripts à 10 points clés dans Qwen Code, les laissant s'exécuter automatiquement à des moments spécifiques.",
+ "steps": [
+ {
+ "title": "Créer le répertoire hooks",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Créez un répertoire `.agents/hooks` à la racine de votre projet pour stocker les scripts hook :"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .agents/hooks"
+ }
+ ]
+ },
+ {
+ "title": "Écrire un script hook",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Créez un script hook, par exemple, formatage automatique après modification de code :"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\n# post-edit-format.sh\n# Exécuter automatiquement le formatage prettier après modification de code\n\nINPUT=$(cat)\nTOOL_NAME=$(echo \"$INPUT\" | jq -r '.tool_name // empty')\n\ncase \"$TOOL_NAME\" in\n write_file|edit) ;;\n *) exit 0 ;;\nesac\n\nFILE_PATH=$(echo \"$INPUT\" | jq -r '.tool_input.file_path // empty')\n[ -z \"$FILE_PATH\" ] && exit 0\n\n# Exécuter le formatage prettier\nnpx prettier --write \"$FILE_PATH\" 2>/dev/null\n\necho '{\"decision\": \"allow\", \"reason\": \"File formatted\"}'\nexit 0"
+ },
+ {
+ "type": "text",
+ "value": "Accorder les permissions d'exécution :"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "chmod +x .agents/hooks/post-edit-format.sh"
+ }
+ ]
+ },
+ {
+ "title": "Configurer les hooks",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ajoutez la configuration des hooks dans `~/.qwen/settings.json` :"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"hooksConfig\": {\n \"enabled\": true\n },\n \"hooks\": {\n \"PostToolUse\": [\n {\n \"matcher\": \"(write_file|edit)\",\n \"hooks\": [\n {\n \"type\": \"command\",\n \"command\": \".agents/hooks/post-edit-format.sh\",\n \"name\": \"auto-format\",\n \"description\": \"Formatage automatique après modification de code\",\n \"timeout\": 30000\n }\n ]\n }\n ]\n }\n}"
+ }
+ ]
+ },
+ {
+ "title": "Vérifier l'effet",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Lancez Qwen Code, faites modifier un fichier de code par l'IA et observez si le hook déclenche automatiquement le formatage."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Les Hooks supportent 10 points clés : PreToolUse, PostToolUse, SessionStart, SessionEnd, et plus encore. La configuration est simple — placez simplement les fichiers de script sous `.agents/hooks` à la racine de votre projet."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-language-switch": {
+ "title": "Changement de langue",
+ "description": "Changement flexible de la langue de l'interface utilisateur et de la langue de sortie de l'IA, prenant en charge l'interaction multilingue.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code prend en charge le changement de langue flexible. Vous pouvez définir indépendamment la langue de l'interface utilisateur et la langue de sortie de l'IA. Qu'il s'agisse de chinois, d'anglais ou d'autres langues, vous pouvez trouver des paramètres appropriés. La prise en charge multilingue vous permet de travailler dans un environnement linguistique familier, améliorant l'efficacité de communication et le confort.",
+ "steps": [
+ {
+ "title": "Changer la langue de l'interface",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez la commande `/language ui` pour changer la langue de l'interface, prenant en charge le chinois, l'anglais et d'autres langues. Après avoir changé la langue de l'interface, les menus, les messages d'invite, la documentation d'aide, etc. seront tous affichés dans la langue que vous avez choisie."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language ui zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Changer la langue de sortie",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez la commande `/language output` pour changer la langue de sortie de l'IA. L'IA utilisera la langue que vous avez spécifiée pour répondre aux questions, générer des commentaires de code, fournir des explications, etc., rendant la communication plus naturelle et fluide."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language output zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Utilisation mixte des langues",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Vous pouvez également définir différentes langues pour l'interface et la sortie pour réaliser une utilisation mixte des langues. Par exemple, utiliser le chinois pour l'interface et l'anglais pour la sortie de l'IA, adapté aux scénarios où vous devez lire de la documentation technique en anglais."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Les paramètres de langue sont automatiquement sauvegardés et utiliseront la langue que vous avez choisie la dernière fois au prochain démarrage."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-plan-with-search": {
+ "title": "Mode Plan + Recherche Web",
+ "description": "Combinez la recherche Web en mode Plan pour rechercher d'abord les dernières informations puis formuler un plan d'exécution, améliorant considérablement la précision des tâches complexes.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Plan Mode",
+ "Web Search"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Le mode Plan est la capacité de planification intelligente de Qwen Code, capable de décomposer des tâches complexes en étapes exécutables. Lorsqu'il est combiné avec la recherche Web, il recherchera d'abord de manière proactive les dernières documentations techniques, les meilleures pratiques et les solutions, puis formulera des plans d'exécution plus précis basés sur ces informations en temps réel. Cette combinaison est particulièrement adaptée au traitement de tâches de développement impliquant de nouveaux frameworks, de nouvelles API ou nécessitant de respecter les dernières spécifications, ce qui peut améliorer considérablement la qualité du code et l'efficacité d'achèvement des tâches. Qu'il s'agisse de migrer des projets, d'intégrer de nouvelles fonctionnalités ou de résoudre des problèmes techniques complexes, Plan + Recherche Web peut vous fournir les solutions les plus à jour.",
+ "steps": [
+ {
+ "title": "Activer le mode Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Entrez la commande `/approval-mode plan` dans la conversation pour activer le mode Plan. À ce moment, Qwen Code entrera dans l'état de planification, prêt à recevoir votre description de tâche et à commencer à réfléchir. Le mode Plan analysera automatiquement la complexité de la tâche et déterminera s'il est nécessaire de rechercher des informations externes pour compléter la base de connaissances."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/approval-mode plan"
+ }
+ ]
+ },
+ {
+ "title": "Demander la recherche des dernières informations",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Décrivez vos exigences de tâche, et Qwen Code identifiera automatiquement les mots-clés qui doivent être recherchés. Il lancera de manière proactive des demandes de recherche Web pour obtenir les dernières documentations techniques, références API, meilleures pratiques et solutions. Les résultats de recherche seront intégrés dans la base de connaissances, fournissant une base d'informations précise pour la planification ultérieure."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Aidez-moi à rechercher les dernières nouvelles dans le domaine de l'IA et à les organiser en un rapport pour moi"
+ }
+ ]
+ },
+ {
+ "title": "Voir le plan d'exécution",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Basé sur les informations recherchées, Qwen Code générera un plan d'exécution détaillé pour vous. Le plan inclura des descriptions d'étapes claires, des points techniques à surveiller, des pièges potentiels et des solutions. Vous pouvez examiner ce plan, fournir des suggestions de modification ou confirmer pour commencer l'exécution."
+ }
+ ]
+ },
+ {
+ "title": "Exécuter le plan étape par étape",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir confirmé le plan, Qwen Code l'exécutera étape par étape. À chaque point clé, il vous rapportera les progrès et les résultats, garantissant que vous avez un contrôle complet sur l'ensemble du processus. Si des problèmes surviennent, il fournira des solutions basées sur les dernières informations de recherche plutôt que de s'appuyer sur des connaissances obsolètes."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "La recherche Web identifiera automatiquement les mots-clés techniques dans la tâche, pas besoin de spécifier manuellement le contenu de recherche. Pour les frameworks et bibliothèques à itération rapide, il est recommandé d'activer la recherche Web en mode Plan pour obtenir les dernières informations."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-resume-session": {
+ "title": "Reprise de session Resume",
+ "description": "Les conversations interrompues peuvent être reprises à tout moment sans perdre de contexte ni de progrès.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "La fonction de reprise de session Resume vous permet d'interrompre des conversations à tout moment et de les reprendre si nécessaire, sans perdre de contexte ni de progrès. Que vous ayez quelque chose à faire temporairement ou que vous gériez plusieurs tâches en parallèle, vous pouvez mettre en pause la conversation en toute sécurité et la reprendre plus tard de manière transparente. Cette fonction améliore considérablement la flexibilité du travail, vous permettant de gérer le temps et les tâches plus efficacement.",
+ "steps": [
+ {
+ "title": "Voir la liste des sessions",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez la commande `qwen --resume` pour voir toutes les sessions historiques. Le système affichera l'heure, le sujet et les informations brèves de chaque session, vous aidant à trouver rapidement la conversation que vous devez reprendre."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Reprendre la session",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez la commande `qwen --resume` pour reprendre une session spécifiée. Vous pouvez sélectionner la conversation à reprendre via l'ID de session ou le numéro, et le système chargera l'historique complet du contexte."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Continuer le travail",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir repris la session, vous pouvez continuer la conversation comme si elle n'avait jamais été interrompue. Tout le contexte, l'historique et les progrès seront entièrement conservés, et l'IA pourra comprendre avec précision le contenu de la discussion précédente."
+ }
+ ]
+ },
+ {
+ "title": "Changer de sessions après avoir démarré Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir démarré Qwen Code, vous pouvez utiliser la commande `/resume` pour basculer vers une session précédente."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "L'historique des sessions est automatiquement sauvegardé et prend en charge la synchronisation multi-appareils. Vous pouvez reprendre la même session sur différents appareils."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-retry-shortcut": {
+ "title": "Ctrl+Y Réessai rapide",
+ "description": "Pas satisfait de la réponse de l'IA ? Utilisez le raccourci clavier pour réessayer en un clic et obtenir rapidement de meilleurs résultats.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Pas satisfait de la réponse de l'IA ? Utilisez le raccourci clavier Ctrl+Y (Windows/Linux) ou Cmd+Y (macOS) pour réessayer en un clic et obtenir rapidement de meilleurs résultats. Cette fonctionnalité vous permet de laisser l'IA régénérer la réponse sans avoir à ressaisir la question, économisant du temps et améliorant l'efficacité. Vous pouvez réessayer plusieurs fois jusqu'à obtenir une réponse satisfaisante.",
+ "steps": [
+ {
+ "title": "Découvrir des réponses insatisfaisantes",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Lorsque la réponse de l'IA ne répond pas à vos attentes, ne vous découragez pas. Les réponses de l'IA peuvent varier en raison de la compréhension du contexte ou du hasard, et vous pouvez obtenir de meilleurs résultats en réessayant."
+ }
+ ]
+ },
+ {
+ "title": "Déclencher le réessai",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Appuyez sur le raccourci clavier Ctrl+Y (Windows/Linux) ou Cmd+Y (macOS), et l'IA régénérera la réponse. Le processus de réessai est rapide et fluide et n'interrompra pas votre flux de travail."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ctrl+Y / Cmd+Y"
+ }
+ ]
+ },
+ {
+ "title": "Explication supplémentaire",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Si vous êtes toujours insatisfait après avoir réessayé, vous pouvez ajouter des explications supplémentaires à vos besoins pour que l'IA puisse mieux comprendre vos intentions. Vous pouvez ajouter plus de détails, modifier la façon dont la question est formulée, ou fournir plus d'informations contextuelles."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "La fonction de réessai conservera la question originale mais utilisera différentes graines aléatoires pour générer des réponses, garantissant la diversité des résultats."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-review-command": {
+ "title": "/review : Revue de code assistée par IA",
+ "description": "Utilisez la commande /review avant le commit pour faire vérifier la qualité du code par l'IA, trouver les problèmes potentiels et suggérer des améliorations — comme un collègue expérimenté qui révise votre code.",
+ "category": "Programmation",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005221/O1CN01UxKttk1oRGzRA3yzH_!!6000000005221-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/LAfDzQoPY0KUMvKPOETNBKL0d3y696SoGSQl2QHf8To.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Vous voulez que quelqu'un relise votre code avant le commit, mais vos collègues sont trop occupés ? Utilisez simplement `/review` — l'IA vérifiera la qualité du code, trouvera les problèmes potentiels et suggérera des améliorations. Ce n'est pas une simple vérification lint, mais une revue approfondie de votre logique, nommage et gestion des cas limites, comme un collègue expérimenté.",
+ "steps": [
+ {
+ "title": "Ouvrir le fichier à réviser",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dans Qwen Code, ouvrez le fichier de code ou le répertoire du projet que vous souhaitez réviser. Assurez-vous que votre code est sauvegardé."
+ }
+ ]
+ },
+ {
+ "title": "Entrer la commande /review",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tapez `/review` dans le chat. Qwen Code analysera automatiquement le fichier actuel ou les modifications de code récentes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/review"
+ }
+ ]
+ },
+ {
+ "title": "Consulter les résultats de la revue",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "L'IA fournira des retours de revue sur plusieurs dimensions : qualité du code, exactitude logique, conventions de nommage et gestion des cas limites, accompagnés de suggestions d'amélioration spécifiques."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`/review` est différent des simples vérifications lint — il comprend en profondeur la logique du code, identifiant les bugs potentiels, les problèmes de performance et les défauts de conception."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-script-install": {
+ "title": "Installation en un clic avec script",
+ "description": "Installez rapidement Qwen Code via une commande de script. Terminez la configuration de l'environnement en quelques secondes. Prend en charge les systèmes Linux, macOS et Windows.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code prend en charge l'installation rapide via une seule commande de script. Aucune configuration manuelle des variables d'environnement ou téléchargement de dépendances requis. Le script détecte automatiquement votre type de système d'exploitation, télécharge le package d'installation approprié et termine la configuration. L'ensemble du processus ne prend que quelques secondes et prend en charge trois plateformes principales : **Linux**, **macOS** et **Windows**.",
+ "steps": [
+ {
+ "title": "Installation Linux / macOS",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ouvrez votre terminal et exécutez la commande suivante. Le script détectera automatiquement votre architecture système (x86_64 / ARM), téléchargera la version correspondante et terminera la configuration de l'installation."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "bash -c \"$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)\" -s --source website"
+ }
+ ]
+ },
+ {
+ "title": "Installation Windows",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Exécutez la commande suivante dans PowerShell. Le script téléchargera un fichier batch et exécutera automatiquement le processus d'installation. Une fois terminé, vous pourrez utiliser la commande `qwen` dans n'importe quel terminal."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "curl -fsSL -o %TEMP%\\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\\install-qwen.bat --source website"
+ }
+ ]
+ },
+ {
+ "title": "Vérifier l'installation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Une fois l'installation terminée, exécutez la commande suivante dans votre terminal pour confirmer que Qwen Code a été correctement installé. Si vous voyez le numéro de version, l'installation a réussi."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --version"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Si vous préférez utiliser npm, vous pouvez également installer globalement via `npm install -g @qwen-code/qwen-code`. Après l'installation, entrez simplement `qwen` pour démarrer. Si vous rencontrez des problèmes d'autorisation, utilisez `sudo npm install -g @qwen-code/qwen-code` et entrez votre mot de passe pour installer."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skill-install": {
+ "title": "Installer des Skills",
+ "description": "Plusieurs façons d'installer des extensions de Skill, y compris l'installation en ligne de commande et l'installation par dossier, répondant à différents besoins de scénario.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code prend en charge plusieurs méthodes d'installation de Skills. Vous pouvez choisir la méthode la mieux adaptée à votre scénario réel. L'installation en ligne de commande convient aux environnements en ligne et est rapide et pratique ; l'installation par dossier convient aux environnements hors ligne ou aux Skills personnalisés, offrant flexibilité et contrôle.",
+ "steps": [
+ {
+ "title": "Vérifier et installer le Skill find-skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Décrivez vos besoins directement dans Qwen Code et laissez-le vous aider à vérifier et installer le Skill requis :"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Installez le Skill dont vous avez besoin, par exemple installer web-component-design :",
+ "blocks": [
+ {
+ "type": "code",
+ "lang": "",
+ "value": "/skills find-skills install web-component-design -y -a qwen-code"
+ },
+ {
+ "type": "text",
+ "value": "Qwen Code exécutera automatiquement la commande d'installation, téléchargera et installera le Skill depuis le dépôt spécifié. Vous pouvez également installer en une phrase :"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aidez-moi à installer [Nom du Skill] dans le répertoire qwen code skills actuel."
+ }
+ ]
+ },
+ {
+ "title": "Vérifier l'installation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Une fois l'installation terminée, vérifiez que le Skill a été chargé avec succès :"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "L'installation en ligne de commande nécessite une connexion réseau. Le paramètre `-y` indique une confirmation automatique, et `-a qwen-code` spécifie l'installation sur Qwen Code."
+ },
+ {
+ "type": "info",
+ "content": "**Exigences de structure de répertoire Skill**\n\nChaque dossier Skill doit inclure un fichier `skill.md` qui définit le nom, la description et les règles de déclenchement du Skill :\n\n```\n~/.qwen/skills/\n├── my-skill/\n│ ├── SKILL.md # Requis : fichier de configuration Skill\n│ └── scripts/ # Optionnel : fichiers de script\n└── another-skill/\n └── SKILL.md\n```"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skills-panel": {
+ "title": "Panneau Skills",
+ "description": "Parcourez, installez et gérez les extensions de Skills existantes via le panneau Skills. Gestion en un clic de votre bibliothèque de capacités IA.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Le panneau Skills est votre centre de contrôle pour gérer les capacités d'extension de Qwen Code. Grâce à cette interface intuitive, vous pouvez parcourir divers Skills fournis par les sources officielles et communautaires, comprendre la fonctionnalité et le but de chaque Skill, et installer ou désinstaller des extensions en un clic. Que vous souhaitiez découvrir de nouvelles capacités IA ou gérer les Skills installés, le panneau Skills offre une expérience d'opération pratique, vous permettant de construire facilement une boîte à outils IA personnalisée.",
+ "steps": [
+ {
+ "title": "Ouvrir le panneau Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Entrez la commande dans la conversation Qwen Code pour ouvrir le panneau Skills. Cette commande affichera une liste de tous les Skills disponibles, y compris les extensions installées et non installées."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ },
+ {
+ "title": "Parcourir et rechercher des Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Parcourez les différentes extensions de Skills dans le panneau. Chaque Skill a des descriptions détaillées et des explications de fonctionnalité. Vous pouvez utiliser la fonction de recherche pour trouver rapidement le Skill spécifique dont vous avez besoin, ou parcourir différents types d'extensions par catégorie."
+ }
+ ]
+ },
+ {
+ "title": "Installer ou désinstaller des Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir trouvé un Skill qui vous intéresse, cliquez sur le bouton d'installation pour l'ajouter à votre Qwen Code en un clic. De même, vous pouvez désinstaller à tout moment les Skills dont vous n'avez plus besoin, gardant votre bibliothèque de capacités IA propre et efficace."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Le panneau Skills est mis à jour régulièrement pour présenter les dernières extensions de Skills publiées. Nous vous recommandons de vérifier régulièrement le panneau pour découvrir plus de capacités IA puissantes pour améliorer votre efficacité de travail."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-system-prompt": {
+ "title": "Prompts système personnalisés : Faire répondre l'IA selon votre style",
+ "description": "Configurez des prompts système personnalisés via SDK et CLI pour contrôler le style de réponse et le comportement de l'IA, en vous assurant qu'elle suit toujours les conventions de votre équipe.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000007824/O1CN01hCE0Ve27fRwwQtxTE_!!6000000007824-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/tdIxQgfQZPgWjPeBIp6-bUB4dGDc54wpKQdsH46LK-o.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Configurez des prompts système personnalisés via SDK et CLI pour contrôler le style de réponse et le comportement de l'IA. Par exemple, faites-la toujours répondre en chinois, écrire les commentaires de code en anglais, ou suivre les conventions de nommage de votre équipe. Plus besoin de répéter « veuillez répondre en chinois » à chaque conversation.",
+ "steps": [
+ {
+ "title": "Créer un fichier de prompt système",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Créez un fichier `AGENTS.md` (anciennement `QWEN.md`) à la racine de votre projet avec votre prompt système personnalisé :"
+ },
+ {
+ "type": "code",
+ "lang": "markdown",
+ "value": "# Conventions du projet\n\n- Toujours répondre en chinois\n- Commentaires de code en anglais\n- Utiliser camelCase pour le nommage des variables\n- Utiliser les composants fonctionnels + Hooks pour React\n- Préférer TypeScript"
+ }
+ ]
+ },
+ {
+ "title": "Configurer les prompts système globaux",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Pour appliquer des conventions à tous les projets, configurez les prompts système globaux dans `~/.qwen/AGENTS.md`.\n\nVous pouvez aussi utiliser :"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --system-prompt \"Quand je pose une question en chinois, réponds en chinois ; quand je pose une question en anglais, réponds en anglais.\""
+ }
+ ]
+ },
+ {
+ "title": "Vérifier l'effet",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Lancez Qwen Code, commencez une conversation et observez si l'IA répond selon vos conventions de prompt système."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Le fichier `AGENTS.md` au niveau du projet remplace la configuration globale. Vous pouvez définir des conventions différentes pour différents projets, et les membres de l'équipe peuvent partager le même fichier de configuration pour rester cohérents."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-vscode-integration": {
+ "title": "Interface d'intégration VS Code",
+ "description": "Affichage complet de l'interface de Qwen Code dans VS Code. Comprenez la mise en page et l'utilisation de chaque zone fonctionnelle.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "VS Code est l'un des éditeurs de code les plus populaires, et Qwen Code fournit une extension VS Code profondément intégrée. Grâce à cette extension, vous pouvez communiquer directement avec l'IA dans l'environnement d'éditeur familier et profiter d'une expérience de programmation transparente. L'extension fournit une mise en page d'interface intuitive, vous permettant d'accéder facilement à toutes les fonctionnalités. Qu'il s'agisse de complétion de code, de résolution de problèmes ou d'opérations de fichiers, tout peut être effectué efficacement.",
+ "steps": [
+ {
+ "title": "Installer l'extension VS Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Recherchez \"Qwen Code\" dans le marketplace d'extensions VS Code et cliquez sur installer. Le processus d'installation est simple et rapide, terminé en quelques secondes. Après l'installation, une icône Qwen Code apparaîtra dans la barre latérale VS Code, indiquant que l'extension a été chargée avec succès."
+ }
+ ]
+ },
+ {
+ "title": "Se connecter à votre compte",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez la commande `/auth` pour déclencher le processus d'authentification. Le système ouvrira automatiquement un navigateur pour la connexion. Le processus de connexion est sécurisé et pratique, prenant en charge plusieurs méthodes d'authentification. Après une connexion réussie, vos informations de compte seront automatiquement synchronisées avec l'extension VS Code, débloquant toutes les fonctionnalités."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Commencer à utiliser",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ouvrez le panneau Qwen Code dans la barre latérale et commencez à communiquer avec l'IA. Vous pouvez entrer directement des questions, référencer des fichiers, exécuter des commandes — toutes les opérations sont effectuées dans VS Code. L'extension prend en charge les onglets multiples, l'historique, les raccourcis clavier et autres fonctionnalités, offrant une expérience complète d'assistance à la programmation."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "L'extension VS Code a des fonctionnalités identiques à la version en ligne de commande. Vous pouvez choisir librement selon votre scénario d'utilisation."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-web-search": {
+ "title": "Recherche Web",
+ "description": "Laissez Qwen Code rechercher du contenu Web pour obtenir des informations en temps réel pour aider à la programmation et à la résolution de problèmes.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "La fonction de recherche Web permet à Qwen Code de rechercher du contenu Web en temps réel pour obtenir les dernières documentations techniques, mises à jour de framework et solutions. Lorsque vous rencontrez des problèmes lors du développement ou que vous devez comprendre les dernières évolutions d'une nouvelle technologie, cette fonction sera très utile. L'IA recherchera intelligemment des informations pertinentes et les organisera dans un format facile à comprendre pour vous les renvoyer.",
+ "steps": [
+ {
+ "title": "Activer la fonction de recherche",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dites clairement à l'IA dans la conversation que vous devez rechercher les dernières informations. Vous pouvez poser directement des questions contenant la dernière technologie, les versions de framework ou les données en temps réel. Qwen Code reconnaîtra automatiquement vos besoins et lancera la fonction de recherche Web pour obtenir les informations les plus précises."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aidez-moi à rechercher les nouvelles fonctionnalités de React 19"
+ }
+ ]
+ },
+ {
+ "title": "Voir les résultats de recherche",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "L'IA renverra les informations recherchées et les organisera dans un format facile à comprendre. Les résultats de recherche contiennent généralement des résumés d'informations clés, des liens sources et des détails techniques pertinents. Vous pouvez parcourir rapidement ces informations pour comprendre les dernières tendances technologiques ou trouver des solutions aux problèmes."
+ }
+ ]
+ },
+ {
+ "title": "Poser des questions basées sur les résultats de recherche",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Vous pouvez poser d'autres questions basées sur les résultats de recherche pour obtenir des explications plus approfondies. Si vous avez des questions sur un détail technique spécifique ou si vous voulez savoir comment appliquer les résultats de recherche à votre projet, vous pouvez continuer à poser des questions directement. L'IA fournira des conseils plus spécifiques basés sur les informations recherchées."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Quel impact ces nouvelles fonctionnalités ont-elles sur mon projet"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "La fonction de recherche Web est particulièrement adaptée pour interroger les dernières modifications d'API, les mises à jour de versions de framework et les tendances technologiques en temps réel."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-batch-file-organize": {
+ "title": "Traitement de fichiers en lot, organiser le bureau",
+ "description": "Utilisez la fonction Cowork de Qwen Code pour organiser en un clic les fichiers de bureau en désordre, en les classant automatiquement par type dans les dossiers correspondants.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Fichiers de bureau en désordre ? La fonction Cowork de Qwen Code peut vous aider à organiser les fichiers en lot en un clic, en identifiant automatiquement les types de fichiers et en les classant dans les dossiers correspondants. Qu'il s'agisse de documents, d'images, de vidéos ou d'autres types de fichiers, ils peuvent tous être identifiés intelligemment et archivés, rendant votre environnement de travail ordonné et améliorant l'efficacité du travail.",
+ "steps": [
+ {
+ "title": "Démarrer la conversation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ouvrez le terminal ou la ligne de commande, entrez `qwen` pour démarrer Qwen Code. Assurez-vous que vous êtes dans le répertoire que vous devez organiser, ou dites clairement à l'IA quels fichiers dans quel répertoire doivent être organisés. Qwen Code est prêt à recevoir vos instructions d'organisation."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nqwen"
+ }
+ ]
+ },
+ {
+ "title": "Donner des instructions d'organisation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dites à Qwen Code que vous souhaitez organiser les fichiers de bureau. L'IA identifiera automatiquement les types de fichiers et créera des dossiers classés. Vous pouvez spécifier le répertoire à organiser, les règles de classification et la structure des dossiers cibles. L'IA élaborera un plan d'organisation basé sur vos besoins."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aidez-moi à organiser les fichiers du bureau, en les classant dans différents dossiers par type : documents, images, vidéos, fichiers compressés, etc."
+ }
+ ]
+ },
+ {
+ "title": "Confirmer le plan d'exécution",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code listera d'abord le plan d'opérations à exécuter. Après avoir confirmé qu'il n'y a pas de problèmes, autorisez l'exécution. Cette étape est très importante. Vous pouvez vérifier le plan d'organisation pour vous assurer que l'IA comprend vos besoins et éviter les erreurs d'opération."
+ }
+ ]
+ },
+ {
+ "title": "Terminer l'organisation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "L'IA exécute automatiquement les opérations de déplacement de fichiers et affiche un rapport d'organisation après avoir terminé, vous disant quels fichiers ont été déplacés où. L'ensemble du processus est rapide et efficace, ne nécessitant pas de manipulation manuelle, économisant beaucoup de temps."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "La fonction Cowork prend en charge des règles de classification personnalisées. Vous pouvez spécifier la relation de mappage entre les types de fichiers et les dossiers cibles selon vos besoins."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-clipboard-paste": {
+ "title": "Coller une image du presse-papiers",
+ "description": "Collez directement des captures d'écran du presse-papiers dans la fenêtre de conversation. L'IA comprend instantanément le contenu de l'image et offre de l'aide.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "La fonction de collage d'images du presse-papiers vous permet de coller n'importe quelle capture d'écran directement dans la fenêtre de conversation de Qwen Code, sans avoir à enregistrer le fichier d'abord puis à le télécharger. Qu'il s'agisse de captures d'erreur, de maquettes de conception UI, de captures de code ou d'autres images, Qwen Code peut comprendre instantanément leur contenu et offrir de l'aide basée sur vos besoins. Cette méthode d'interaction pratique améliore considérablement l'efficacité de la communication, vous permettant d'obtenir rapidement des analyses et des suggestions de l'IA lorsque vous rencontrez des problèmes.",
+ "steps": [
+ {
+ "title": "Copier l'image dans le presse-papiers",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez l'outil de capture d'écran du système (macOS : `Cmd+Shift+4`, Windows : `Win+Shift+S`) pour capturer le contenu de l'écran, ou copiez des images depuis des navigateurs ou des gestionnaires de fichiers. Les captures d'écran sont automatiquement enregistrées dans le presse-papiers sans opération supplémentaire."
+ }
+ ]
+ },
+ {
+ "title": "Coller dans la fenêtre de conversation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez `Cmd+V` (macOS) ou `Ctrl+V` (Windows) dans la zone de saisie de la conversation Qwen Code pour coller l'image. L'image s'affichera automatiquement dans la zone de saisie, et vous pourrez saisir du texte décrivant votre question ou vos besoins en même temps."
+ }
+ ]
+ },
+ {
+ "title": "Obtenir les résultats de l'analyse de l'IA",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir envoyé le message, Qwen Code analysera le contenu de l'image et donnera une réponse. Il peut identifier des erreurs dans les captures de code, analyser la disposition des maquettes de conception UI, interpréter les données de graphiques, etc. Vous pouvez continuer à poser des questions et discuter en détail de tous les détails de l'image."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Prend en charge les formats d'image courants tels que PNG, JPEG, GIF. La taille de l'image ne doit pas dépasser 10 MB pour garantir le meilleur effet de reconnaissance. Pour les captures de code, l'utilisation d'une haute résolution est recommandée pour améliorer la précision de la reconnaissance de texte."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-export-conversation": {
+ "title": "Exporter l'historique des conversations",
+ "description": "Exportez l'historique des conversations au format Markdown, HTML ou JSON pour faciliter l'archivage et le partage.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Fonction d'exportation de l'historique des conversations",
+ "steps": [
+ {
+ "title": "Voir la liste des sessions",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez la commande `/resume` pour voir toutes les sessions historiques. La liste affichera des informations telles que l'heure de création et le résumé du sujet pour chaque session, vous aidant à trouver rapidement la conversation que vous devez exporter. Vous pouvez utiliser la recherche par mots-clés ou trier par heure pour localiser précisément la session cible."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ },
+ {
+ "title": "Sélectionner le format d'export",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir déterminé la session à exporter, utilisez la commande `/export` et spécifiez le format et l'ID de session. Trois formats sont pris en charge : `markdown`, `html` et `json`. Le format Markdown convient à une utilisation dans les outils de documentation, le format HTML peut être ouvert directement dans un navigateur pour visualisation, et le format JSON convient au traitement programmatique."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "# Si aucun paramètre , exporte la session actuelle par défaut\n/export html # Exporter au format HTML\n/export markdown # Exporter au format Markdown\n/export json # Exporter au format JSON"
+ }
+ ]
+ },
+ {
+ "title": "Partager et archiver",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Les fichiers exportés seront enregistrés dans le répertoire spécifié. Les fichiers Markdown et HTML peuvent être partagés directement avec des collègues ou utilisés dans la documentation d'équipe. Les fichiers JSON peuvent être importés dans d'autres outils pour traitement secondaire. Nous recommandons d'archiver régulièrement les conversations importantes pour construire une base de connaissances d'équipe. Les fichiers exportés peuvent également servir de sauvegardes pour éviter la perte d'informations importantes."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Le format HTML exporté inclut des styles complets et peut être ouvert directement dans n'importe quel navigateur. Le format JSON conserve toutes les métadonnées et convient à l'analyse et au traitement des données."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-file-reference": {
+ "title": "Fonction de référence @file",
+ "description": "Référencez les fichiers du projet dans la conversation avec @file pour permettre à l'IA de comprendre précisément votre contexte de code.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "La fonction de référence @file vous permet de référencer directement des fichiers de projet dans la conversation, permettant à l'IA de comprendre précisément votre contexte de code. Qu'il s'agisse d'un seul fichier ou de plusieurs fichiers, l'IA lira et analysera le contenu du code pour fournir des suggestions et des réponses plus précises. Cette fonction est particulièrement adaptée aux scénarios tels que la revue de code, le dépannage et le refactoring de code.",
+ "steps": [
+ {
+ "title": "Référencer un seul fichier",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez la commande `@file` suivie du chemin du fichier pour référencer un seul fichier. L'IA lira le contenu du fichier, comprendra la structure et la logique du code, puis fournira des réponses ciblées basées sur vos questions."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file ./src/main.py\nExpliquez ce que fait cette fonction"
+ },
+ {
+ "type": "text",
+ "value": "Vous pouvez également référencer des fichiers de référence et demander à Qwen Code de les organiser et de les écrire comme un nouveau document. Cela évite largement que l'IA ne comprenne mal vos besoins et ne génère du contenu qui n'est pas dans les matériaux de référence :"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file Aidez-moi à écrire un article de compte public basé sur ce fichier"
+ }
+ ]
+ },
+ {
+ "title": "Décrire les besoins",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après avoir référencé le fichier, décrivez clairement vos besoins ou vos questions. L'IA analysera basé sur le contenu du fichier et fournira des réponses ou des suggestions précises. Vous pouvez poser des questions sur la logique du code, trouver des problèmes, demander des optimisations, etc."
+ }
+ ]
+ },
+ {
+ "title": "Référencer plusieurs fichiers",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "En utilisant la commande `@file` plusieurs fois, vous pouvez référencer plusieurs fichiers simultanément. L'IA analysera de manière exhaustive tous les fichiers référencés, comprendra leurs relations et contenus, et fournira des réponses plus complètes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file1 @file2 Basé sur les matériaux dans ces deux fichiers, aidez-moi à organiser un document d'apprentissage adapté aux débutants"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "@file prend en charge les chemins relatifs et absolus, ainsi que la correspondance de caractères génériques pour plusieurs fichiers."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-image-recognition": {
+ "title": "Reconnaissance d'images",
+ "description": "Qwen Code peut lire et comprendre le contenu des images, qu'il s'agisse de maquettes de conception UI, de captures d'erreur ou de diagrammes d'architecture.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code possède de puissantes capacités de reconnaissance d'images et peut lire et comprendre divers types de contenu d'images. Qu'il s'agisse de maquettes de conception UI, de captures d'erreur, de diagrammes d'architecture, de diagrammes de flux ou de notes manuscrites, Qwen Code peut les identifier avec précision et fournir des analyses précieuses. Cette capacité vous permet d'intégrer directement des informations visuelles dans votre flux de travail de programmation, améliorant considérablement l'efficacité de la communication et la vitesse de résolution de problèmes.",
+ "steps": [
+ {
+ "title": "Télécharger l'image",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Faites glisser l'image dans la fenêtre de conversation ou utilisez le collage du presse-papiers (`Cmd+V` / `Ctrl+V`). Prend en charge les formats courants tels que PNG, JPEG, GIF, WebP, etc.\n\nRéférence : [Coller une image du presse-papiers](./office-clipboard-paste.mdx) montre comment coller rapidement des captures d'écran dans la conversation."
+ }
+ ]
+ },
+ {
+ "title": "Décrire vos besoins",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dans la zone de saisie, décrivez ce que vous voulez que l'IA fasse avec l'image. Par exemple :"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Basé sur le contenu de l'image, aidez-moi à générer un fichier HTML simple"
+ }
+ ]
+ },
+ {
+ "title": "Obtenir les résultats de l'analyse",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code analysera le contenu de l'image et donnera une réponse détaillée. Vous pouvez continuer à poser des questions, discuter en détail de tous les détails de l'image, ou demander à l'IA de générer du code basé sur le contenu de l'image."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "La fonction de reconnaissance d'images prend en charge plusieurs scénarios : analyse de captures de code, conversion de maquettes de conception UI en code, interprétation d'informations d'erreur, compréhension de diagrammes d'architecture, extraction de données de graphiques, etc. Il est recommandé d'utiliser des images haute résolution claires pour le meilleur effet de reconnaissance."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-mcp-image-gen": {
+ "title": "Génération d'images MCP",
+ "description": "Intégrez des services de génération d'images via MCP. Pilotez l'IA avec des descriptions en langage naturel pour créer des images de haute qualité.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "MCP"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "La fonction de génération d'images MCP (Model Context Protocol) vous permet de piloter l'IA directement dans Qwen Code à travers des descriptions en langage naturel pour créer des images de haute qualité. Pas besoin de basculer vers des outils de génération d'images spécialisés — décrivez simplement vos besoins dans la conversation, et Qwen Code appellera les services de génération d'images intégrés pour générer des images qui répondent à vos exigences. Qu'il s'agisse de conception de prototypes UI, de création d'icônes, de dessin d'illustrations ou de production de diagrammes conceptuels, la génération d'images MCP offre un support puissant. Ce flux de travail intégré de manière transparente améliore considérablement l'efficacité de la conception et du développement, rendant la réalisation créative plus pratique.",
+ "steps": [
+ {
+ "title": "Configurer le service MCP",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Vous devez d'abord configurer le service de génération d'images MCP. Ajoutez la clé API et les informations de point de terminaison du service de génération d'images au fichier de configuration. Qwen Code prend en charge plusieurs services de génération d'images主流. Vous pouvez choisir le service approprié en fonction de vos besoins et de votre budget. Après la configuration, redémarrez Qwen Code pour que les modifications prennent effet."
+ }
+ ]
+ },
+ {
+ "title": "Décrire les exigences d'image",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dans la conversation, décrivez en détail en langage naturel l'image que vous souhaitez générer. Incluez des éléments tels que le thème, le style, la couleur, la composition et les détails de l'image. Plus la description est spécifique, plus l'image générée correspondra à vos attentes. Vous pouvez référencer des styles artistiques, des artistes spécifiques ou télécharger des images de référence pour aider l'IA à mieux comprendre vos besoins."
+ }
+ ]
+ },
+ {
+ "title": "Voir et enregistrer les résultats",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code générera plusieurs images parmi lesquelles choisir. Vous pouvez prévisualiser chaque image et sélectionner celle qui répond le mieux à vos exigences. Si des ajustements sont nécessaires, vous pouvez continuer à décrire des suggestions de modification, et Qwen Code régénérera basé sur les commentaires. Lorsque vous êtes satisfait, vous pouvez enregistrer l'image directement localement ou copier le lien de l'image pour l'utiliser ailleurs."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "La génération d'images MCP prend en charge plusieurs styles et tailles, qui peuvent être ajustés de manière flexible selon les besoins du projet. La propriété du droit d'auteur des images générées dépend du service utilisé. Veuillez consulter les conditions d'utilisation."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-organize-desktop": {
+ "title": "Organiser les fichiers de bureau",
+ "description": "Laissez Qwen Code organiser automatiquement les fichiers de bureau en une phrase, en les classant intelligemment par type.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Fichiers de bureau empilés comme une montagne, ne trouvez pas les fichiers dont vous avez besoin ? Laissez Qwen Code organiser automatiquement les fichiers de bureau en une phrase. L'IA identifiera intelligemment les types de fichiers et les classera automatiquement par images, documents, code, fichiers compressés, etc., créant une structure de dossiers claire. L'ensemble du processus est sûr et contrôlable. L'IA listera d'abord le plan d'opérations pour confirmation, garantissant que les fichiers importants ne sont pas déplacés par erreur. Rendez votre bureau instantanément ordonné et propre, améliorant l'efficacité du travail.",
+ "steps": [
+ {
+ "title": "Décrire les besoins d'organisation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Allez dans le répertoire du bureau, démarrez Qwen Code et dites à Qwen Code comment vous souhaitez organiser les fichiers de bureau, par exemple classer par type, grouper par date, etc."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nAidez-moi à organiser les fichiers sur mon bureau par type"
+ }
+ ]
+ },
+ {
+ "title": "Confirmer le plan d'opérations",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code analysera les fichiers de bureau et listera un plan d'organisation détaillé, y compris quels fichiers seront déplacés vers quels dossiers. Vous pouvez vérifier le plan pour vous assurer qu'il n'y a pas de problèmes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Confirmez l'exécution de ce plan d'organisation"
+ }
+ ]
+ },
+ {
+ "title": "Exécuter l'organisation et voir les résultats",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après confirmation, Qwen Code exécutera les opérations d'organisation selon le plan. Une fois terminé, vous pouvez voir le bureau organisé, et les fichiers sont déjà disposés de manière ordonnée par type."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "warning",
+ "content": "L'IA listera d'abord le plan d'opérations pour confirmation, garantissant que les fichiers importants ne sont pas déplacés par erreur. Si vous avez des questions sur la classification de certains fichiers, vous pouvez dire à Qwen Code d'ajuster les règles avant l'exécution."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-ppt-presentation": {
+ "title": "Présentation : Créer un PPT",
+ "description": "Créez des présentations basées sur des captures d'écran de produit. Fournissez des captures d'écran et des descriptions, et l'IA génère de belles diapositives de présentation.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Besoin de créer une présentation PPT mais ne voulez pas commencer de zéro ? Fournissez simplement des captures d'écran de produit et des descriptions simples, et Qwen Code peut vous aider à générer des diapositives de présentation bien structurées et magnifiquement conçues. L'IA analysera le contenu des captures d'écran, comprendra les caractéristiques du produit, organisera automatiquement la structure des diapositives et ajoutera le texte et la mise en page appropriés. Qu'il s'agisse de lancements de produit, de présentations d'équipe ou de présentations client, vous pouvez obtenir rapidement des PPT professionnels, économisant beaucoup de temps et d'énergie.",
+ "steps": [
+ {
+ "title": "Préparer les captures d'écran de produit",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Rassemblez les captures d'écran de l'interface produit qui doivent être affichées, y compris les pages de fonctionnalités principales, les démonstrations de fonctionnalités, etc. Les captures d'écran doivent être claires et montrer pleinement la valeur et les caractéristiques du produit. Placez-les dans un dossier, par exemple : qwen-code-images"
+ }
+ ]
+ },
+ {
+ "title": "Installer les Skills connexes",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installez les Skills liés à la génération PPT. Ces Skills incluent des capacités pour analyser le contenu des captures d'écran et générer des diapositives de présentation."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aidez-moi à installer zarazhangrui/frontend-slides dans qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Générer la présentation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Référencez le fichier correspondant et dites à Qwen Code vos besoins, comme le but de la présentation, le public cible, le contenu principal, etc. L'IA générera le PPT basé sur ces informations."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "@qwen-code-images Créez une présentation PPT de produit basée sur ces captures d'écran,面向 l'équipe technique, en mettant l'accent sur la présentation des nouvelles fonctionnalités"
+ }
+ ]
+ },
+ {
+ "title": "Ajuster et exporter",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Voyez le PPT généré. Si des ajustements sont nécessaires, vous pouvez dire à Qwen Code, comme \"ajouter une page présentant l'architecture\" ou \"ajuster le texte sur cette page\". Lorsque vous êtes satisfait, exportez vers un format modifiable."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Aidez-moi à ajuster le texte de la page 3 pour le rendre plus concis"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-terminal-theme": {
+ "title": "Changer le thème du terminal",
+ "description": "Changez le thème du terminal en une phrase. Décrivez le style en langage naturel, et l'IA l'applique automatiquement.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Fatigué du thème de terminal par défaut ? Décrivez le style que vous voulez en langage naturel, et Qwen Code peut vous aider à trouver et à appliquer un thème approprié. Qu'il s'agisse d'un style tech sombre, d'un style frais et simple ou d'un style rétro classique — avec une seule phrase, l'IA comprendra vos préférences esthétiques et configurera automatiquement le schéma de couleurs et le style du terminal. Dites adieu à la configuration manuelle fastidieuse et rendez votre environnement de travail instantanément comme neuf.",
+ "steps": [
+ {
+ "title": "Décrire le style de thème souhaité",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dans la conversation, décrivez en langage naturel le style que vous aimez. Par exemple \"changez le thème du terminal en style tech sombre\" ou \"je veux un thème clair frais et simple\". Qwen Code comprendra vos besoins."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Changez le thème du terminal en style tech sombre"
+ }
+ ]
+ },
+ {
+ "title": "Confirmer et appliquer le thème",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code recommandera plusieurs options de thème qui correspondent à votre description et montrera les effets de prévisualisation. Choisissez votre thème préféré, et après confirmation, l'IA appliquera automatiquement la configuration."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Ça a l'air bien, appliquez le thème directement"
+ }
+ ]
+ },
+ {
+ "title": "Ajustements fins et personnalisation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Si d'autres ajustements sont nécessaires, vous pouvez continuer à dire à Qwen Code vos pensées, comme \"rendre la couleur de fond un peu plus sombre\" ou \"ajuster la taille de la police\". L'IA vous aidera à ajuster finement."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Le changement de thème modifiera votre fichier de configuration de terminal. Si vous utilisez une application de terminal spécifique (comme iTerm2, Terminal.app), Qwen Code identifiera et configurera automatiquement les fichiers de thème correspondants."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-web-search-detail": {
+ "title": "Recherche Web",
+ "description": "Laissez Qwen Code rechercher du contenu Web pour obtenir des informations en temps réel pour aider à la programmation. Apprenez les dernières tendances technologiques et documentations.",
+ "category": "Guide de démarrage",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "La fonction de recherche Web permet à Qwen Code de rechercher sur Internet en temps réel les dernières informations, vous aidant à obtenir les dernières documentations techniques, références API, meilleures pratiques et solutions. Lorsque vous rencontrez des piles technologiques inconnues, devez comprendre les changements dans les dernières versions ou souhaitez trouver des solutions à des problèmes spécifiques, la recherche Web permet à l'IA de fournir des réponses précises basées sur les dernières informations Web.",
+ "steps": [
+ {
+ "title": "Initier une requête de recherche",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Décrivez directement dans la conversation ce que vous souhaitez rechercher. Par exemple : \"rechercher les nouvelles fonctionnalités de React 19\", \"trouver les meilleures pratiques pour Next.js App Router\". Qwen Code déterminera automatiquement si une recherche réseau est nécessaire."
+ }
+ ]
+ },
+ {
+ "title": "Voir les résultats intégrés",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "L'IA recherchera plusieurs sources Web, intégrera les résultats de recherche et fournira une réponse structurée. La réponse inclura des liens source pour les informations clés, ce qui est pratique pour une compréhension plus approfondie."
+ }
+ ]
+ },
+ {
+ "title": "Continuer basé sur les résultats",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Vous pouvez continuer à poser des questions basées sur les résultats de recherche et demander à l'IA d'appliquer les informations recherchées à des tâches de programmation réelles. Par exemple, après avoir recherché de nouvelles utilisations d'API, vous pouvez demander directement à l'IA de vous aider à refactoriser le code."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "La recherche Web est particulièrement adaptée aux scénarios suivants : comprendre les changements dans les dernières versions de framework, trouver des solutions à des erreurs spécifiques, obtenir les dernières documentations API, comprendre les meilleures pratiques de l'industrie, etc. Les résultats de recherche sont mis à jour en temps réel pour garantir que vous obtenez les dernières informations."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-weekly-report": {
+ "title": "Générer automatiquement un rapport hebdomadaire",
+ "description": "Personnalisez les Skills. Crawl automatiquement les mises à jour de la semaine avec une commande et écrivez des rapports hebdomadaires de mise à jour de produit selon des modèles.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Écrire des rapports hebdomadaires de mise à jour de produit chaque semaine est une tâche répétitive et chronophage. Avec les Skills personnalisés de Qwen Code, vous pouvez laisser l'IA crawler automatiquement les informations de mise à jour de produit de la semaine et générer des rapports hebdomadaires structurés selon des modèles standard. Avec une seule commande, l'IA collectera des données, analysera le contenu et l'organisera en un document, améliorant considérablement votre efficacité de travail. Vous pouvez vous concentrer sur le produit lui-même et laisser l'IA gérer le travail de documentation fastidieux.",
+ "steps": [
+ {
+ "title": "Installer le Skill skills-creator",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installez d'abord le Skill pour que l'IA comprenne quelles informations de quelles sources de données vous devez collecter."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aidez-moi à installer skills-creator dans qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Créer un Skill de rapport hebdomadaire",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez la fonction de création de Skill pour dire à l'IA que vous avez besoin d'un Skill de génération de rapport hebdomadaire personnalisé. Décrivez les types de données que vous devez collecter et la structure du rapport hebdomadaire. L'IA générera un nouveau Skill basé sur vos besoins."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Je dois créer des rapports hebdomadaires pour le projet open source : https://github.com/QwenLM/qwen-code, incluant principalement les issues soumises cette semaine, les bugs résolus, les nouvelles versions et fonctionnalités, ainsi que les examens et réflexions. La langue doit être centrée sur l'utilisateur, altruiste et sensible. Créez un Skill."
+ }
+ ]
+ },
+ {
+ "title": "Générer le contenu du rapport hebdomadaire",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Une fois la configuration terminée, entrez la commande de génération. Qwen Code crawlera automatiquement les informations de mise à jour de la semaine et les organisera selon le modèle de rapport hebdomadaire de produit en un document structuré."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Générer le rapport hebdomadaire de mise à jour de produit qwen-code de cette semaine"
+ }
+ ]
+ },
+ {
+ "title": "Ouvrir le rapport hebdomadaire, éditer et ajuster",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Le rapport hebdomadaire généré peut être ouvert et ajusté pour une édition ultérieure ou un partage avec l'équipe. Vous pouvez également demander à l'IA d'aider à ajuster le format et le focus du contenu."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Rendez le langage du rapport hebdomadaire plus vivant"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Lors de la première utilisation, vous devez configurer les sources de données. Après une configuration, elle peut être réutilisée. Vous pouvez configurer des tâches planifiées pour laisser Qwen Code générer automatiquement des rapports hebdomadaires chaque semaine, libérant complètement vos mains."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-write-file": {
+ "title": "Écrire un fichier en une phrase",
+ "description": "Dites à Qwen Code quel fichier vous souhaitez créer, et l'IA générera automatiquement le contenu et l'écrira.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Besoin de créer un nouveau fichier mais ne voulez pas commencer à écrire le contenu de zéro ? Dites à Qwen Code quel fichier vous souhaitez créer, et l'IA générera automatiquement le contenu approprié et l'écrira dans le fichier. Qu'il s'agisse de README, de fichiers de configuration, de fichiers de code ou de documentation, Qwen Code peut générer du contenu de haute qualité basé sur vos besoins. Vous devez seulement décrire le but et les exigences de base du fichier, et l'IA gérera le reste, améliorant considérablement votre efficacité de création de fichiers.",
+ "steps": [
+ {
+ "title": "Décrire le contenu et le but du fichier",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dites à Qwen Code quel type de fichier vous souhaitez créer, ainsi que le contenu principal et le but du fichier."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aidez-moi à créer un README.md incluant la présentation du projet et les instructions d'installation"
+ }
+ ]
+ },
+ {
+ "title": "Confirmer le contenu généré",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code générera le contenu du fichier basé sur votre description et l'affichera pour confirmation. Vous pouvez voir le contenu pour vous assurer qu'il répond à vos besoins."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ça a l'air bien, continuez à créer le fichier"
+ }
+ ]
+ },
+ {
+ "title": "Modifier et améliorer",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Si des ajustements sont nécessaires, vous pouvez dire à Qwen Code des exigences de modification spécifiques, comme \"ajouter des exemples d'utilisation\" ou \"ajuster le format\"."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aidez-moi à ajouter quelques exemples de code"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code prend en charge divers types de fichiers, y compris les fichiers texte, les fichiers de code, les fichiers de configuration, etc. Les fichiers générés sont automatiquement enregistrés dans le répertoire spécifié, et vous pouvez les modifier davantage dans l'éditeur."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "product-insight": {
+ "title": "Insights de données Insight",
+ "description": "Voir le rapport d'utilisation IA personnel. Comprendre les données de programmation et de collaboration. Utiliser l'optimisation des habitudes basée sur les données.",
+ "category": "Tâches quotidiennes",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Insight est le panneau d'analyse de données d'utilisation personnel de Qwen Code, vous offrant des insights complets sur l'efficacité de la programmation IA. Il suit des indicateurs clés tels que votre nombre de conversations, volume de génération de code, fonctionnalités fréquemment utilisées et préférences de langage de programmation, générant des rapports de données visualisés. Grâce à ces données, vous pouvez comprendre clairement vos habitudes de programmation, l'efficacité de l'assistance IA et les modèles de collaboration. Insight vous aide non seulement à découvrir de l'espace pour améliorer l'efficacité, mais vous montre également dans quels domaines vous êtes le plus compétent pour utiliser l'IA, vous permettant de mieux tirer parti de la valeur de l'IA. Les insights basés sur les données rendent chaque utilisation plus significative.",
+ "steps": [
+ {
+ "title": "Ouvrir le panneau Insight",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Entrez la commande `/insight` dans la conversation pour ouvrir le panneau d'insights de données Insight. Le panneau affichera votre aperçu d'utilisation, y compris les indicateurs clés tels que le nombre total de conversations, les lignes de génération de code et le temps estimé économisé. Ces données sont présentées sous forme de graphiques intuitifs, vous permettant de comprendre votre utilisation de l'IA d'un coup d'œil."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/insight"
+ }
+ ]
+ },
+ {
+ "title": "Analyser le rapport d'utilisation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Consultez en détail les rapports d'utilisation détaillés, y compris des dimensions telles que les tendances quotidiennes de conversation, la distribution des fonctionnalités fréquemment utilisées, les préférences de langage de programmation et l'analyse des types de code. Insight fournira des insights et des suggestions personnalisés basés sur vos modèles d'utilisation, vous aidant à découvrir un espace d'amélioration potentiel. Vous pouvez filtrer les données par plage de temps et comparer l'efficacité d'utilisation de différentes périodes."
+ }
+ ]
+ },
+ {
+ "title": "Optimiser les habitudes d'utilisation",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Basé sur les insights de données, ajustez votre stratégie d'utilisation de l'IA. Par exemple, si vous constatez que vous utilisez une certaine fonctionnalité fréquemment mais avec une faible efficacité, vous pouvez essayer d'apprendre des méthodes d'utilisation plus efficaces. Si vous constatez que l'assistance IA est plus efficace pour certains langages de programmation ou types de tâches, vous pouvez utiliser l'IA plus fréquemment dans des scénarios similaires. Suivez continuellement les changements de données et vérifiez les effets d'optimisation.\n\nVous voulez savoir comment nous utilisons la fonctionnalité Insight ? Vous pouvez consulter notre [Comment laisser l'IA nous dire comment mieux utiliser l'IA](../blog/how-to-use-qwencode-insight.mdx)"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Les données Insight sont stockées uniquement localement et ne sont pas téléchargées vers le cloud, garantissant votre confidentialité d'utilisation et la sécurité des données. Consultez régulièrement les rapports et développez des habitudes d'utilisation basées sur les données."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-learning": {
+ "title": "Apprentissage du code",
+ "description": "Cloner des dépôts open source et apprendre à comprendre le code. Laissez Qwen Code vous guider sur la façon de contribuer aux projets open source.",
+ "category": "Apprentissage & Recherche",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Apprendre du code open source excellent est un excellent moyen d'améliorer les compétences de programmation. Qwen Code peut vous aider à comprendre en profondeur les architectures de projet complexes et les détails de mise en œuvre, trouver des points de contribution appropriés et vous guider à travers les modifications de code. Que vous souhaitiez apprendre de nouvelles piles technologiques ou contribuer à la communauté open source, Qwen Code est votre mentor de programmation idéal.",
+ "steps": [
+ {
+ "title": "Cloner le dépôt",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Utilisez git clone pour télécharger le projet open source localement. Choisissez un projet qui vous intéresse et clonez-le dans votre environnement de développement. Assurez-vous que le projet a une bonne documentation et une communauté active, afin que le processus d'apprentissage se déroule plus facilement."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Démarrer Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Démarrez Qwen Code dans le répertoire du projet. De cette façon, l'IA pourra accéder à tous les fichiers du projet et fournir des explications et des suggestions de code pertinentes pour le contexte. Qwen Code analysera automatiquement la structure du projet et identifiera les modules principaux et les dépendances."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Demander une explication du code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dites à l'IA quelle partie ou quelle fonctionnalité du projet vous souhaitez comprendre. Vous pouvez demander sur l'architecture globale, la logique de mise en œuvre de modules spécifiques ou les idées de conception de certaines fonctionnalités. L'IA expliquera le code en langage clair et fournira des connaissances de contexte pertinentes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aidez-moi à expliquer l'architecture globale et les modules principaux de ce projet"
+ }
+ ]
+ },
+ {
+ "title": "Trouver des points de contribution",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Laissez l'IA vous aider à trouver des issues ou des fonctionnalités appropriées pour les débutants à participer. L'IA analysera la liste des issues du projet et recommandera des contributions appropriées basées sur la difficulté, les étiquettes et les descriptions. C'est un bon moyen de commencer à contribuer à l'open source."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Quelles issues ouvertes sont appropriées pour les débutants à participer ?"
+ }
+ ]
+ },
+ {
+ "title": "Implémenter les modifications",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Implémentez progressivement les modifications de code basées sur les conseils de l'IA. L'IA vous aidera à analyser les problèmes, à concevoir des solutions, à écrire du code et à garantir que les modifications respectent les normes de code du projet. Une fois les modifications terminées, vous pouvez soumettre un PR et contribuer au projet open source."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "En participant à des projets open source, vous pouvez non seulement améliorer vos compétences de programmation, mais aussi construire une influence technique et rencontrer des développeurs partageant les mêmes idées."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-read-paper": {
+ "title": "Lire des articles",
+ "description": "Lire et analyser directement des articles académiques. L'IA vous aide à comprendre le contenu de recherche complexe et génère des cartes d'apprentissage.",
+ "category": "Apprentissage & Recherche",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Les articles académiques sont souvent obscurs et difficiles à comprendre, nécessitant beaucoup de temps pour lire et comprendre. Qwen Code peut vous aider à lire et analyser directement des articles, extraire des points clés, expliquer des concepts complexes et résumer les méthodes de recherche. L'IA comprendra en profondeur le contenu de l'article et l'expliquera en langage facile à comprendre, générant des cartes d'apprentissage structurées pour votre révision et votre partage. Qu'il s'agisse d'apprendre de nouvelles technologies ou de rechercher des domaines de pointe, cela peut améliorer considérablement votre efficacité d'apprentissage.",
+ "steps": [
+ {
+ "title": "Fournir des informations sur l'article",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Dites à Qwen Code l'article que vous souhaitez lire. Vous pouvez fournir le titre de l'article, le chemin du fichier PDF ou le lien arXiv. L'IA obtiendra et analysera automatiquement le contenu de l'article."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Aidez-moi à télécharger et analyser cet article : attention is all you need https://arxiv.org/abs/1706.03762"
+ }
+ ]
+ },
+ {
+ "title": "Lire l'article",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Installez les Skills liés au PDF pour permettre à Qwen Code d'analyser le contenu de l'article et de générer des cartes d'apprentissage structurées. Vous pouvez voir le résumé de l'article, les points clés, les concepts clés et les conclusions importantes."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Vérifiez si j'ai find-skills, sinon aidez-moi à l'installer directement : npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, puis aidez-moi à installer Anthropic pdf et d'autres Skills de bureau dans qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Apprentissage approfondi et questions",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Pendant la lecture, vous pouvez poser des questions à Qwen Code à tout moment, comme \"expliquer le mécanisme d'auto-attention\" ou \"comment cette formule est dérivée\". L'IA répondra en détail et vous aidera à comprendre en profondeur."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Veuillez expliquer l'idée centrale de l'architecture Transformer"
+ }
+ ]
+ },
+ {
+ "title": "Générer des cartes d'apprentissage",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Après l'apprentissage, laissez Qwen Code générer des cartes d'apprentissage résumant les points clés, les concepts clés et les conclusions importantes de l'article. Ces cartes faciliteront votre révision et votre partage avec l'équipe."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Aidez-moi à générer des cartes d'apprentissage pour cet article"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code prend en charge plusieurs formats d'articles, y compris PDF, liens arXiv, etc. Pour les formules mathématiques et les graphiques, l'IA expliquera leur signification en détail, vous aidant à comprendre complètement le contenu de l'article."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ }
+}
diff --git a/website/showcase-i18n/ja.json b/website/showcase-i18n/ja.json
new file mode 100644
index 000000000..6443ff873
--- /dev/null
+++ b/website/showcase-i18n/ja.json
@@ -0,0 +1,2886 @@
+{
+ "code-lsp-intelligence": {
+ "title": "LSP インテリセンス",
+ "description": "LSP(Language Server Protocol)を統合することで、Qwen Code はプロフェッショナルレベルのコード補完とナビゲーション、リアルタイム診断を提供します。",
+ "category": "プログラミング",
+ "features": [
+ "LSP"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "LSP(Language Server Protocol)インテリセンスにより、Qwen Code はプロフェッショナルな IDE に匹敵するコード補完とナビゲーション体験を提供できます。言語サーバーを統合することで、コード構造、型情報、コンテキスト関係を正確に理解し、高品質なコード提案を提供します。関数シグネチャ、パラメータヒント、変数名補完、定義ジャンプ、参照検索、リファクタリング操作など、LSP インテリセンスがすべてをスムーズにサポートします。",
+ "steps": [
+ {
+ "title": "自動検出",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code はプロジェクト内の言語サーバー設定を自動的に検出します。主流のプログラミング言語とフレームワークに対して、対応する LSP サービスを自動的に認識・起動します。手動設定不要、すぐに使えます。"
+ }
+ ]
+ },
+ {
+ "title": "インテリセンスを楽しむ",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "コーディング開始時、LSP インテリセンスが自動的に有効になります。入力中にコンテキストに基づいた正確な補完候補(関数名、変数名、型注釈など)を提供します。Tab キーで候補を素早く受け入れられます。"
+ }
+ ]
+ },
+ {
+ "title": "エラー診断",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "LSP リアルタイム診断がコーディング中にコードを継続的に分析し、潜在的な問題を検出します。エラーと警告は問題の場所、エラータイプ、修正提案とともに直感的に表示されます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "TypeScript、Python、Java、Go、Rust などの主流言語、および React、Vue、Angular などのフロントエンドフレームワークをサポートしています。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-pr-review": {
+ "title": "PR レビュー",
+ "description": "Qwen Code を使用して Pull Request のインテリジェントなコードレビューを実行し、潜在的な問題を自動的に発見します。",
+ "category": "プログラミング",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "コードレビューはコード品質を確保する重要なステップですが、時間がかかり問題を見落としがちです。Qwen Code は Pull Request のインテリジェントなコードレビューを支援し、コード変更を自動的に分析し、潜在的なバグを発見し、コード標準を確認し、詳細なレビューレポートを提供します。",
+ "steps": [
+ {
+ "title": "レビューする PR を指定",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "PR 番号またはリンクを提供して、レビューしたい Pull Request を Qwen Code に伝えます。"
+ },
+ {
+ "type": "callout",
+ "calloutType": "tip",
+ "value": "PR レビュースキルを使用して PR を分析できます。スキルのインストールについては:[スキルをインストール](./guide-skill-install.mdx)。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skill pr-review この PR をレビューしてください:"
+ }
+ ]
+ },
+ {
+ "title": "テストと確認を実行",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code はコード変更を分析し、関連するテストケースを特定し、コードの正確性を検証するためにテストを実行します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "テストを実行して、この PR がすべてのテストケースに合格するか確認してください"
+ }
+ ]
+ },
+ {
+ "title": "レビューレポートを確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "レビュー完了後、Qwen Code は発見された問題、潜在的なリスク、改善提案を含む詳細なレポートを生成します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "レビューレポートを表示し、発見されたすべての問題を一覧表示してください"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code のコードレビューは構文と標準だけでなく、コードロジックを深く分析して潜在的なパフォーマンス問題、セキュリティ脆弱性、設計上の欠陥を特定します。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-solve-issue": {
+ "title": "issue を解決",
+ "description": "Qwen Code を使用してオープンソースプロジェクトの issue を分析・解決し、理解からコード提出まで全プロセスを追跡します。",
+ "category": "プログラミング",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "オープンソースプロジェクトの issue を解決することは、プログラミングスキルを向上させ、技術的な影響力を構築する重要な方法です。Qwen Code は問題を素早く特定し、関連コードを理解し、修正計画を立て、コード変更を実装するのを支援します。",
+ "steps": [
+ {
+ "title": "issue を選択",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "GitHub で興味深いまたは適切な issue を見つけます。明確な説明、再現手順、期待される結果がある issue を優先してください。`good first issue` や `help wanted` などのラベルは初心者向けのタスクを示します。"
+ }
+ ]
+ },
+ {
+ "title": "プロジェクトをクローンして問題を特定",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "プロジェクトコードをダウンロードし、AI に問題を特定させます。`@file` を使用して関連ファイルを参照します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "この issue に記述されている問題がどこにあるか分析してください、issue リンク:"
+ }
+ ]
+ },
+ {
+ "title": "関連コードを理解",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI に関連するコードロジックと依存関係を説明させます。"
+ }
+ ]
+ },
+ {
+ "title": "修正計画を立てる",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI と可能な解決策を議論し、最善のものを選択します。"
+ }
+ ]
+ },
+ {
+ "title": "コード変更を実装",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI のガイダンスに従ってコードを段階的に変更し、テストします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "この問題を解決するためにこのコードを変更してください"
+ }
+ ]
+ },
+ {
+ "title": "PR を提出",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "変更完了後、PR を提出してプロジェクトメンテナーのレビューを待ちます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "この問題を解決するための PR を提出してください"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "オープンソースの issue を解決することは技術スキルを向上させるだけでなく、技術的な影響力を構築し、キャリア発展に貢献します。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-oss-promo-video": {
+ "title": "オープンソースプロジェクトのプロモーション動画を作成",
+ "description": "リポジトリ URL を提供するだけで、AI が美しいプロジェクトデモ動画を生成します。",
+ "category": "クリエイターツール",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "オープンソースプロジェクトのプロモーション動画を作りたいけど動画制作の経験がない?Qwen Code が自動的に美しいプロジェクトデモ動画を生成します。GitHub リポジトリ URL を提供するだけで、AI がプロジェクト構造を分析し、主要機能を抽出し、アニメーションスクリプトを生成し、Remotion を使用してプロフェッショナルな動画をレンダリングします。",
+ "steps": [
+ {
+ "title": "リポジトリを準備",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "GitHub リポジトリに README、スクリーンショット、機能説明などの完全なプロジェクト情報とドキュメントが含まれていることを確認します。"
+ }
+ ]
+ },
+ {
+ "title": "プロモーション動画を生成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "希望する動画スタイルとフォーカスを Qwen Code に伝えると、AI が自動的にプロジェクトを分析して動画を生成します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "このスキルに基づいて https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md、オープンソースリポジトリのデモ動画を生成してください:<リポジトリ URL>"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "生成された動画は複数の解像度とフォーマットをサポートし、YouTube などの動画プラットフォームに直接アップロードできます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-remotion-video": {
+ "title": "Remotion 動画制作",
+ "description": "自然言語でアイデアを説明し、Remotion スキルを使用してコード生成の動画コンテンツを作成します。",
+ "category": "クリエイターツール",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "動画を作りたいけどコードが書けない?自然言語でアイデアを説明するだけで、Qwen Code が Remotion スキルを使用して動画コードを生成します。AI があなたのクリエイティブな説明を理解し、シーン設定、アニメーション効果、テキストレイアウトを含む Remotion プロジェクトコードを自動生成します。",
+ "steps": [
+ {
+ "title": "Remotion スキルをインストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "まず、動画制作のベストプラクティスとテンプレートを含む Remotion スキルをインストールします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "find skills があるか確認し、なければ直接インストール:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、その後 remotion-best-practice をインストールしてください。"
+ }
+ ]
+ },
+ {
+ "title": "アイデアを説明",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "作りたい動画コンテンツをテーマ、スタイル、長さ、主要シーンを含めて自然言語で詳しく説明します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file ドキュメントに基づいて、モダンでシンプルなスタイルの 30 秒の製品プロモーション動画を作成してください。"
+ }
+ ]
+ },
+ {
+ "title": "プレビューと調整",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code があなたの説明に基づいて Remotion プロジェクトコードを生成します。開発サーバーを起動してプレビューします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ },
+ {
+ "title": "レンダリングとエクスポート",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "満足したら、ビルドコマンドを使用して最終動画をレンダリングします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "動画を直接レンダリングしてエクスポートしてください。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "プロンプトベースのアプローチは素早いプロトタイピングとクリエイティブな探索に最適です。生成されたコードはさらに手動で編集できます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-resume-site-quick": {
+ "title": "個人履歴書サイトを作成",
+ "description": "一言で個人履歴書サイトを作成—経験を統合してショーケースページを生成し、PDF エクスポートで簡単に提出できます。",
+ "category": "クリエイターツール",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "個人履歴書サイトは就職活動と自己アピールの重要なツールです。Qwen Code は履歴書の内容に基づいてプロフェッショナルなショーケースページを素早く生成し、PDF エクスポートをサポートして提出を簡単にします。",
+ "steps": [
+ {
+ "title": "個人経験を提供",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "学歴、職歴、プロジェクト経験、スキルセットなどの情報を AI に伝えます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "私はフロントエンドエンジニアで、XX 大学を卒業し、3 年の経験があり、React と TypeScript が得意です..."
+ }
+ ]
+ },
+ {
+ "title": "ウェブデザインスキルをインストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "履歴書デザインテンプレートを提供するウェブデザインスキルをインストールします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "find skills があるか確認し、なければ直接インストール:npx skills add https://github.com/vercel-labs/skills --skill find-skills、その後 web-component-design をインストールしてください。"
+ }
+ ]
+ },
+ {
+ "title": "デザインスタイルを選択",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ミニマリスト、プロフェッショナル、クリエイティブなど、好みの履歴書スタイルを説明します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design ミニマリストでプロフェッショナルなスタイルの履歴書サイトをデザインしてください"
+ }
+ ]
+ },
+ {
+ "title": "履歴書サイトを生成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI がレスポンシブレイアウトと印刷スタイルを含む完全な履歴書サイトプロジェクトを作成します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "履歴書サイトはあなたのコアな強みと実績を強調し、具体的なデータと事例で説明を裏付けるべきです。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-website-clone": {
+ "title": "好きなウェブサイトを一言で再現",
+ "description": "Qwen Code にスクリーンショットを渡すと、AI がページ構造を分析して完全なフロントエンドコードを生成します。",
+ "category": "クリエイターツール",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "気に入ったウェブサイトのデザインを素早く再現したい?Qwen Code にスクリーンショットを渡すだけで、AI がページ構造を分析して完全なフロントエンドコードを生成します。Qwen Code はページレイアウト、カラースキーム、コンポーネント構造を認識し、モダンなフロントエンド技術スタックを使用して実行可能なコードを生成します。",
+ "steps": [
+ {
+ "title": "ウェブサイトのスクリーンショットを準備",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "再現したいウェブサイトのインターフェースをスクリーンショットし、主要なレイアウトとデザイン要素を含む明確で完全なものにします。"
+ }
+ ]
+ },
+ {
+ "title": "対応するスキルをインストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "画像認識とフロントエンドコード生成スキルをインストールします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "find skills があるか確認し、なければ直接インストール:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、その後 web-component-design をインストールしてください。"
+ }
+ ]
+ },
+ {
+ "title": "スクリーンショットを貼り付けて要件を説明",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "スクリーンショットを会話に貼り付け、使用する技術スタックや必要な機能など具体的な要件を Qwen Code に伝えます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design このスキルに基づいて、@website.png を元にウェブページ HTML を再現してください。画像参照が有効であることに注意してください。"
+ },
+ {
+ "type": "text",
+ "value": "サンプルスクリーンショット:"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01FUQtA51YIzygQQhLT_!!6000000003037-2-tps-2768-1552.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "実行とプレビュー",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "対応するウェブページを開いて確認します。デザインや機能を調整する必要がある場合は、AI との対話を続けてコードを修正します。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "生成されたコードはモダンなフロントエンドのベストプラクティスに従い、良好な構造と保守性を持ちます。さらにカスタマイズして拡張できます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-youtube-to-blog": {
+ "title": "YouTube 動画をブログ記事に変換",
+ "description": "Qwen Code を使用して YouTube 動画を構造化されたブログ記事に自動変換します。",
+ "category": "クリエイターツール",
+ "features": [
+ "Skills",
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "素晴らしい YouTube 動画を見つけてブログ記事に変換したい?Qwen Code が自動的に動画コンテンツを抽出し、構造が明確で内容豊富なブログ記事を生成します。AI が動画の文字起こしを取得し、要点を理解し、標準的なブログ記事形式でコンテンツを整理します。",
+ "steps": [
+ {
+ "title": "動画リンクを提供",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "変換したい YouTube 動画のリンクを Qwen Code に伝えます。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "このスキルに基づいて:https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor、この動画をブログとして書いてください:https://www.youtube.com/watch?v=fJSLnxi1i64"
+ }
+ ]
+ },
+ {
+ "title": "ブログ記事を生成して編集",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI が文字起こしを分析し、タイトル、導入、本文、まとめを含む記事を生成します。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "この記事の言語スタイルを技術ブログに適したものに調整してください"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "生成された記事は Markdown 形式をサポートし、ブログプラットフォームや GitHub Pages に直接公開できます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-agents-config": {
+ "title": "Agents設定ファイル",
+ "description": "Agents MDファイルでAIの動作をカスタマイズし、AIをプロジェクト仕様とコーディングスタイルに適応させます。",
+ "category": "入門ガイド",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Agents設定ファイルを使用すると、MarkdownファイルでAIの動作をカスタマイズし、AIをプロジェクト仕様とコーディングスタイルに適応させることができます。コードスタイル、命名規則、コメント要件などを定義でき、AIはこれらの設定に基づいてプロジェクト標準に準拠したコードを生成します。この機能は特にチームコラボレーションに適しており、すべてのメンバーが生成するコードスタイルの一貫性を確保します。",
+ "steps": [
+ {
+ "title": "設定ファイルを作成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "プロジェクトルートディレクトリに`.qwen`フォルダを作成し、その中に`AGENTS.md`ファイルを作成します。このファイルはAIの動作設定を保存します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .qwen && touch .qwen/AGENTS.md"
+ }
+ ]
+ },
+ {
+ "title": "設定を記述",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Markdown形式で設定を記述し、自然言語でプロジェクト仕様を記述します。コードスタイル、命名規則、コメント要件、フレームワークの好みなどを定義でき、AIはこれらの設定に基づいて動作を調整します。\n\n```markdown\n# プロジェクト仕様"
+ }
+ ]
+ },
+ {
+ "title": "コードスタイル",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- TypeScriptを使用\n- 関数型プログラミングを使用\n- 詳細なコメントを追加"
+ }
+ ]
+ },
+ {
+ "title": "命名規則",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- 変数はcamelCaseを使用\n- 定数はUPPER_SNAKE_CASEを使用\n- クラス名はPascalCaseを使用\n```"
+ }
+ ]
+ },
+ {
+ "title": "設定を適用",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "設定ファイルを保存すると、AIは自動的にこれらの設定を読み込んで適用します。次回の対話で、AIは設定に基づいてプロジェクト標準に準拠したコードを生成し、仕様を繰り返し説明する必要がありません。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Markdown形式をサポートし、自然言語でプロジェクト仕様を記述します。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-api-setup": {
+ "title": "API設定ガイド",
+ "description": "APIキーとモデルパラメータを設定してAIプログラミング体験をカスタマイズし、複数のモデル選択をサポートします。",
+ "category": "入門ガイド",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "APIキーの設定はQwen Codeを使用する上で重要なステップであり、すべての機能をアンロックし、強力なAIモデルにアクセスできるようにします。Alibaba Cloud百煉プラットフォームを通じて、APIキーを簡単に取得し、さまざまなシナリオに最適なモデルを選択できます。日常的な開発から複雑なタスクまで、適切なモデル設定は作業効率を大幅に向上させることができます。",
+ "steps": [
+ {
+ "title": "APIキーを取得",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "[Alibaba Cloud百煉プラットフォーム](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key)にアクセスし、パーソナルセンターでAPIキー管理ページを見つけます。新しいAPIキーを作成をクリックすると、システムが一意のキーを生成します。このキーはQwen Codeサービスにアクセスするための認証情報ですので、必ず安全に保管してください。"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01oHcWmQ1zN7AQGsHzf_!!6000000006701-2-tps-2776-1538.png",
+ "alt": ""
+ },
+ {
+ "type": "callout",
+ "calloutType": "warning",
+ "value": "APIキーは安全に保管し、他人に漏らしたりコードリポジトリにコミットしたりしないでください。"
+ }
+ ]
+ },
+ {
+ "title": "Qwen CodeでAPIキーを設定",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "**1. Qwen Codeに自動設定させる**\n\nターミナルを開き、ルートディレクトリでQwen Codeを直接起動し、以下のコードをコピーしてAPIキーを伝えると、設定が成功します。Qwen Codeを再起動して`/model`を入力すると、設定したモデルに切り替えることができます。"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "以下の内容に従って百煉のモデルの`settings.json`を設定してください:\n{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"<モデル名>\",\n \"name\": \"[Bailian] <モデル名>\",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"<ユーザーのKEYに置換>\"\n },\n}\nモデル名の入力については、以下を参照してください:https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all\n私のAPIキーは:"
+ },
+ {
+ "type": "text",
+ "value": "その後、APIキーを入力ボックスに貼り付け、必要なモデル名(例:`qwen3.5-plus`)を伝え、送信すると設定が完了します。"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i2/O1CN01MRati01egFmqe2eXe_!!6000000003900-2-tps-2180-1088.png",
+ "alt": ""
+ },
+ {
+ "type": "text",
+ "value": "**2. 手動設定**\n\nsettings.jsonファイルを手動で設定します。ファイルの場所は`<ユーザールートディレクトリ>/.qwen`ディレクトリにあります。以下の内容をコピーして、APIキーとモデル名を変更してください。"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"<モデル名>\",\n \"name\": \"[Bailian] <モデル名>\",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"<ユーザーのKEYに置換>\"\n },\n}"
+ }
+ ]
+ },
+ {
+ "title": "モデルを選択",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ニーズに応じて適切なモデルを選択し、速度とパフォーマンスのバランスを取ります。異なるモデルは異なるシナリオに適しています。タスクの複雑さと応答時間の要件に基づいて選択できます。`/model`コマンドを使用すると、モデルを素早く切り替えることができます。\n\n一般的なモデルオプション:\n- `qwen3.5-plus`: 強力で、複雑なタスクに適している\n- `qwen3.5-flash`: 高速で、単純なタスクに適している\n- `qwen-max`: 最強のモデルで、高難易度のタスクに適している"
+ }
+ ]
+ },
+ {
+ "title": "接続をテスト",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "テストメッセージを送信して、API設定が正しいことを確認します。設定が成功すると、Qwen Codeはすぐに返信し、AI支援プログラミングを開始する準備ができていることを意味します。問題が発生した場合は、APIキーが正しく設定されているかどうかを確認してください。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hello, can you help me with coding?"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-arena-mode": {
+ "title": "Agent Arena:複数のモデルが同時に問題を解決",
+ "description": "/arenaコマンドを使って複数のAIモデルに同じタスクを同時に処理させ、結果を比較して最適なソリューションを選択します。",
+ "category": "プログラミング",
+ "features": [
+ "Arena"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000599/O1CN01EiacyZ1GIONIePrKv_!!6000000000599-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FB9dQJgQ_Rd57oKQSegUd_YJo3q1RAAWh0EkpAS0z2U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "重要なコードは同僚にレビューを頼みますよね。今では複数のAIモデルに同じタスクを同時に処理させることができます。Agent Arenaでは異なるモデルの能力を比較できます — `/arena` を呼び出し、モデルを選択し、タスクを入力して、最良の結果を選びましょう。",
+ "steps": [
+ {
+ "title": "/arenaコマンドを入力",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeのチャットで `/arena` と入力し、`start` を選択してアリーナモードに入ります。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena start"
+ }
+ ]
+ },
+ {
+ "title": "参加するモデルを選択",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "利用可能なモデルリストから比較したいモデルを選択します。`space` を押して2つ以上のモデルを選択できます。"
+ }
+ ]
+ },
+ {
+ "title": "タスクの説明を入力",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "各モデルに処理させたいタスクを入力します。例えば:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "この関数をリファクタリングして、可読性とパフォーマンスを向上させてください"
+ }
+ ]
+ },
+ {
+ "title": "結果を比較して最良のものを選ぶ",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "すべてのモデルが同時にタスクを処理します。完了後、それぞれのソリューションを比較し、最良の結果をコードに適用できます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena select"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "アリーナモードは重要なコード決定に特に適しており、複数のAIモデルが異なる視点のソリューションを提供します。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-authentication": {
+ "title": "認証ログイン",
+ "description": "Qwen Codeの認証プロセスを理解し、アカウントログインを素早く完了して、すべての機能をアンロックします。",
+ "category": "入門ガイド",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "認証ログインはQwen Codeを使用する最初のステップであり、シンプルな認証プロセスですべての機能を素早くアンロックできます。認証プロセスは安全で信頼性が高く、複数のログイン方法をサポートし、アカウントとデータのセキュリティを確保します。認証を完了すると、カスタムモデル設定、履歴の保存などの機能を含むパーソナライズされたAIプログラミング体験を楽しむことができます。",
+ "steps": [
+ {
+ "title": "認証をトリガー",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeを起動した後、`/auth`コマンドを入力すると、システムが自動的に認証プロセスを開始します。認証コマンドはコマンドラインまたはVS Code拡張機能で使用でき、操作方法は一貫しています。システムは現在の認証ステータスを検出し、ログインしていない場合はログインをガイドします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "ブラウザログイン",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "システムが自動的にブラウザを開き、認証ページにリダイレクトします。認証ページでは、Alibaba Cloudアカウントまたはその他のサポートされているログイン方法を選択できます。ログインプロセスは高速で便利で、数秒で完了します。"
+ }
+ ]
+ },
+ {
+ "title": "ログインを確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ログインが成功すると、ブラウザが自動的に閉じるか、成功メッセージが表示されます。Qwen Codeインターフェースに戻ると、認証成功メッセージが表示され、正常にログインしてすべての機能がアンロックされたことが示されます。認証情報は自動的に保存されるため、毎回再ログインする必要はありません。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "認証情報は安全にローカルに保存され、毎回再ログインする必要はありません。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-bailian-coding-plan": {
+ "title": "百煉Coding Planモード",
+ "description": "百煉Coding Planを設定して使用し、複数のモデル選択で複雑なタスクの完了品質を向上させます。",
+ "category": "入門ガイド",
+ "features": [
+ "Plan Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "百煉Coding PlanモードはQwen Codeの高度な機能であり、複雑なプログラミングタスクのために特別に設計されています。インテリジェントなマルチモデル連携により、大規模なタスクを実行可能なステップに分解し、最適な実行パスを自動的に計画できます。大規模なコードベースのリファクタリングから複雑な機能の実装まで、Coding Planはタスク完了の品質と効率を大幅に向上させることができます。",
+ "steps": [
+ {
+ "title": "設定インターフェースに入る",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeを起動して`/auth`コマンドを入力します。"
+ }
+ ]
+ },
+ {
+ "title": "Coding Planを選択",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "設定で百煉Coding Planモードを有効にし、APIキーを入力すると、Qwen Codeが自動的にCoding Planでサポートされているモデルを設定します。"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i1/O1CN01cDz8AJ1Cq30rXjuXS_!!6000000000131-2-tps-1696-952.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "モデルを選択",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "直接`/model`コマンドを入力して、希望のモデルを選択します。"
+ }
+ ]
+ },
+ {
+ "title": "複雑なタスクを開始",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "プログラミングタスクを記述すると、Coding Planが自動的に実行ステップを計画します。タスクの目標、制約条件、期待される結果を詳細に説明できます。AIはタスク要件を分析し、各ステップの具体的な操作と期待される出力を含む構造化された実行計画を生成します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "このプロジェクトのデータ層をリファクタリングし、データベースをMySQLからPostgreSQLに移行する必要がありますが、APIインターフェースは変更しません"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Coding Planモードは、アーキテクチャリファクタリング、機能移行など、マルチステップ連携が必要な複雑なタスクに特に適しています。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-btw-sidebar": {
+ "title": "/btw サイドバー:コーディング中にサッと質問する",
+ "description": "現在の会話に関係のない質問を挿入します。AIが回答した後、自動的に以前のコンテキストに戻り、メインの会話が汚染されません。",
+ "category": "入門ガイド",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01gTHYPR1NgqpnQaf0y_!!6000000001600-1-tps-944-660.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "コードを書いている最中に、突然あるAPIのパラメータの順番が思い出せなくなることがあります。以前は新しい会話を開いて調べてから戻る必要があり、コンテキストが完全に途切れていました。今は `/btw` と入力するだけで、現在の会話にサイドクエスチョンを挿入できます。Qwen Codeが回答した後、自動的に以前のコンテキストに戻ります。まるで何も起きなかったかのように。",
+ "steps": [
+ {
+ "title": "メインの会話中",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeとタスクについて話し合っています。例えばコンポーネントのリファクタリングなど。"
+ }
+ ]
+ },
+ {
+ "title": "/btw に続けて質問を入力",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "何か調べたいことがある? `/btw` に続けて質問を入力するだけ:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/btw JavaScriptのArray.prototype.at()メソッドは負のインデックスをサポートしていますか?"
+ }
+ ]
+ },
+ {
+ "title": "AIが回答し、自動的にコンテキストを復元",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeがサイドクエスチョンに回答した後、自動的にメインの会話コンテキストに戻ります。何も起きなかったかのように、以前のタスクを続けることができます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`/btw` の回答はメインの会話コンテキストを汚染しません。AIはあなたのサイドクエスチョンを現在のタスクの一部として扱いません。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-copy-optimization": {
+ "title": "コピーキャラクター最適化",
+ "description": "最適化されたコピーエクスペリエンス、コードスニペットを正確に選択してコピーし、完全なフォーマットを保持します。",
+ "category": "入門ガイド",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "最適化されたコピーエクスペリエンスにより、コードスニペットを正確に選択してコピーし、完全なフォーマットとインデントを保持できます。コードブロック全体でも部分的な行でも、簡単にコピーしてプロジェクトに貼り付けることができます。コピ機能はワンクリックコピー、選択コピー、ショートカットキーコピーなど複数の方法をサポートし、異なるシナリオのニーズを満たします。",
+ "steps": [
+ {
+ "title": "コードブロックを選択",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "コードブロックの右上にあるコピーボタンをクリックして、コードブロック全体をワンクリックでコピーします。コピーボタンは明確に表示され、操作はシンプルで高速です。コピーされた内容はインデント、シンタックスハイライトなど、元のフォーマットを保持します。"
+ }
+ ]
+ },
+ {
+ "title": "貼り付けて使用",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "コピーしたコードをエディタに貼り付けると、フォーマットが自動的に維持されます。手動でインデントやフォーマットを調整する必要はなく、直接使用できます。貼り付けられたコードは元のコードと完全に一貫しており、コードの正確性を保証します。"
+ }
+ ]
+ },
+ {
+ "title": "正確な選択",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "コードの一部のみをコピーする必要がある場合は、マウスで必要な内容を選択してから、ショートカットキーを使用してコピーできます。複数行の選択をサポートし、必要なコードスニペットを正確にコピーできます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-explore-agent": {
+ "title": "Explore Agent:AIに先に調査させてから行動する",
+ "description": "Explore Agentを使って、コードを変更する前にコード構造、依存関係、主要なエントリーポイントを理解し、その後の開発をより正確にします。",
+ "category": "プログラミング",
+ "features": [
+ "Explore"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN017nnR8X1nEA2GZlZ5Z_!!6000000005057-2-tps-1698-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "コードを変更する前に、Explore Agentにコード構造の把握、依存関係の理解、主要なエントリーポイントの特定を手伝ってもらいましょう。先に調査してからメインAgentに作業させることで、より正確な方向性が得られ、盲目的な変更による手戻りを減らせます。",
+ "steps": [
+ {
+ "title": "Explore Agentに切り替え",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen CodeでExplore Agentモードに切り替え、コードの変更ではなく調査に集中します。"
+ }
+ ]
+ },
+ {
+ "title": "調査目標を説明",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Explore Agentに何を理解したいか伝えます。例えば:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "このプロジェクトの認証モジュールを分析して、関連するすべてのファイルと依存関係を見つけてください"
+ }
+ ]
+ },
+ {
+ "title": "調査レポートを取得",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Explore Agentがコード構造を分析し、ファイルリスト、依存関係グラフ、主要なエントリーポイントなどを含む詳細な調査レポートを出力します。"
+ }
+ ]
+ },
+ {
+ "title": "メインAgentに戻って開発を開始",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "調査が完了したら、メインAgentに戻り、調査結果に基づいて実際のコード変更を開始します。調査レポートはコンテキストとしてメインAgentに渡されます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Explore Agentは調査のみを行い、コードを変更しません。その出力はメインAgentの入力として直接使用でき、「先に調査、後で開発」という効率的なワークフローを形成します。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-first-conversation": {
+ "title": "最初の会話を開始",
+ "description": "インストール後、Qwen Codeとの最初のAI会話を開始し、そのコア能力と対話方法を理解します。",
+ "category": "入門ガイド",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Codeのインストールを完了すると、Qwen Codeとの最初の会話を迎えます。これはQwen Codeのコア能力と対話方法を理解する絶好の機会です。シンプルな挨拶から始めて、コード生成、問題解決、ドキュメント理解など、その強力な機能を段階的に探索できます。実際の操作を通じて、Qwen Codeがプログラミングの旅であなたの頼れるアシスタントになることを感じるでしょう。",
+ "steps": [
+ {
+ "title": "Qwen Codeを起動",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ターミナルで`qwen`コマンドを入力してアプリケーションを起動します。初回起動時、システムは初期化設定を行い、これには数秒しかかかりません。起動後、友好的なコマンドラインインターフェースが表示され、AIとの対話を開始する準備が整います。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "会話を開始",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "入力ボックスに質問を入力して、AIとのコミュニケーションを開始します。シンプルな自己紹介から始めることができます。例えば、Qwen Codeとは何か、あるいは何を手伝ってくれるかを尋ねることができます。AIは明確でわかりやすい言葉で質問に答え、より多くの機能を探索するようにガイドします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "what is qwen code?"
+ }
+ ]
+ },
+ {
+ "title": "能力を探索",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AIにいくつかの単純なタスクを手伝ってもらうように依頼してみてください。例えば、コードを説明する、関数を生成する、技術的な質問に答えるなどです。実際の操作を通じて、Qwen Codeのさまざまな能力に徐々に慣れ、異なるシナリオでの応用価値を発見します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "フィボナッチ数列を計算するPython関数を書いてください"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Codeはマルチターン対話をサポートしています。以前の回答に基づいて質問を続け、興味のあるトピックを深く探求できます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-headless-mode": {
+ "title": "ヘッドレスモード",
+ "description": "GUIのない環境でQwen Codeを使用し、リモートサーバー、CI/CDパイプライン、自動化スクリプトシナリオに適しています。",
+ "category": "入門ガイド",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "ヘッドレスモードを使用すると、GUIのない環境でQwen Codeを使用でき、特にリモートサーバー、CI/CDパイプライン、自動化スクリプトシナリオに適しています。コマンドラインパラメータとパイプライン入力を通じて、Qwen Codeを既存のワークフローにシームレスに統合し、自動化されたAI支援プログラミングを実現できます。",
+ "steps": [
+ {
+ "title": "プロンプトモードを使用",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`--p`パラメータを使用して、コマンドラインで直接プロンプトを渡します。Qwen Codeは回答を返して自動的に終了します。この方法はワンタイムクエリに適しており、スクリプトに簡単に統合できます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --p 'what is qwen code?'"
+ }
+ ]
+ },
+ {
+ "title": "パイプライン入力",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "パイプを通じて他のコマンドの出力をQwen Codeに渡し、自動化処理を実現します。ログファイル、エラーメッセージなどを直接AIに送信して分析できます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cat error.log | qwen --p 'エラーを分析'"
+ }
+ ]
+ },
+ {
+ "title": "スクリプト統合",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "シェルスクリプトにQwen Codeを統合し、複雑な自動化ワークフローを実現します。AIの戻り結果に基づいて異なる操作を実行し、インテリジェントな自動化スクリプトを構築できます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\nresult=$(qwen --p 'コードに問題があるか確認')\nif [[ $result == *\"問題がある\"* ]]; then\n echo \"コードの問題が見つかりました\"\nfi"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "ヘッドレスモードはコード生成、問題解決、ファイル操作など、Qwen Codeのすべての機能をサポートします。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-hooks-auto-test": {
+ "title": "Hooks:コミット前にテストスクリプトを自動実行",
+ "description": "Qwen Codeの主要なポイントにカスタムスクリプトを設定し、コミット前のテスト自動実行やコード生成後の自動フォーマットなどの自動化ワークフローを実現します。",
+ "category": "プログラミング",
+ "features": [
+ "Hooks"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003073/O1CN019sCyMD1YZUF13PhMD_!!6000000003073-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IZNbQ8iy56UZYVmxWv5TsKMlOJPAxM7lNk162RC6JaY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "AIがコードを生成したけどフォーマットがおかしくて、毎回手動でprettierを実行している?コミット前にテストを実行し忘れてCIが失敗した?Hooksシステムはこれらの問題を解決します。Qwen Codeの10の主要なポイントに独自のスクリプトを設定し、特定のタイミングで自動実行させることができます。",
+ "steps": [
+ {
+ "title": "hooksディレクトリを作成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "プロジェクトルートに `.agents/hooks` ディレクトリを作成し、hookスクリプトを格納します:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .agents/hooks"
+ }
+ ]
+ },
+ {
+ "title": "hookスクリプトを作成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "hookスクリプトを作成します。例えば、コード変更後の自動フォーマット:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\n# post-edit-format.sh\n# コード変更後にprettierフォーマットを自動実行\n\nINPUT=$(cat)\nTOOL_NAME=$(echo \"$INPUT\" | jq -r '.tool_name // empty')\n\ncase \"$TOOL_NAME\" in\n write_file|edit) ;;\n *) exit 0 ;;\nesac\n\nFILE_PATH=$(echo \"$INPUT\" | jq -r '.tool_input.file_path // empty')\n[ -z \"$FILE_PATH\" ] && exit 0\n\n# prettierフォーマットを実行\nnpx prettier --write \"$FILE_PATH\" 2>/dev/null\n\necho '{\"decision\": \"allow\", \"reason\": \"File formatted\"}'\nexit 0"
+ },
+ {
+ "type": "text",
+ "value": "実行権限を付与:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "chmod +x .agents/hooks/post-edit-format.sh"
+ }
+ ]
+ },
+ {
+ "title": "hooksを設定",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`~/.qwen/settings.json` にhooks設定を追加します:"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"hooksConfig\": {\n \"enabled\": true\n },\n \"hooks\": {\n \"PostToolUse\": [\n {\n \"matcher\": \"(write_file|edit)\",\n \"hooks\": [\n {\n \"type\": \"command\",\n \"command\": \".agents/hooks/post-edit-format.sh\",\n \"name\": \"auto-format\",\n \"description\": \"コード変更後の自動フォーマット\",\n \"timeout\": 30000\n }\n ]\n }\n ]\n }\n}"
+ }
+ ]
+ },
+ {
+ "title": "効果を確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeを起動し、AIにコードファイルを変更させて、hookが自動的にフォーマットをトリガーするか確認します。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Hooksは10の主要なポイントをサポート:PreToolUse、PostToolUse、SessionStart、SessionEndなど。設定は簡単 — プロジェクトルートの `.agents/hooks` にスクリプトファイルを配置するだけです。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-language-switch": {
+ "title": "言語切り替え",
+ "description": "UIインターフェース言語とAI出力言語を柔軟に切り替え、多言語対話をサポートします。",
+ "category": "入門ガイド",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Codeは柔軟な言語切り替えをサポートしており、UIインターフェース言語とAI出力言語を独立して設定できます。中国語、英語、その他の言語など、適切な設定を見つけることができます。多言語サポートにより、馴染みのある言語環境で作業でき、コミュニケーション効率と快適性が向上します。",
+ "steps": [
+ {
+ "title": "UI言語を切り替え",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`/language ui`コマンドを使用してインターフェース言語を切り替えます。中国語、英語など複数の言語をサポートします。UI言語を切り替えると、メニュー、プロンプトメッセージ、ヘルプドキュメントなどがすべて選択した言語で表示されます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language ui zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "出力言語を切り替え",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`/language output`コマンドを使用してAIの出力言語を切り替えます。AIは指定した言語を使用して質問に答え、コードコメントを生成し、説明を提供するなど、コミュニケーションをより自然でスムーズにします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language output zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "混合言語使用",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "UIと出力に異なる言語を設定して、混合言語使用を実現することもできます。例えば、UIは中国語、AI出力は英語など、英語の技術ドキュメントを読む必要があるシナリオに適しています。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "言語設定は自動的に保存され、次回起動時に前回選択した言語が使用されます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-plan-with-search": {
+ "title": "プランモード + Web検索",
+ "description": "プランモードでWeb検索と組み合わせて、最初に最新情報を検索してから実行計画を策定し、複雑なタスクの精度を大幅に向上させます。",
+ "category": "入門ガイド",
+ "features": [
+ "Plan Mode",
+ "Web Search"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "プランモードはQwen Codeのインテリジェントな計画能力であり、複雑なタスクを実行可能なステップに分解できます。Web検索と組み合わせて使用すると、最初に最新の技術ドキュメント、ベストプラクティス、ソリューションを能動的に検索し、その後、これらのリアルタイム情報に基づいてより正確な実行計画を策定します。この組み合わせは、新しいフレームワーク、新しいAPI、または最新の仕様に従う必要がある開発タスクを処理するのに特に適しており、コード品質とタスク完了効率を大幅に向上させることができます。プロジェクトの移行、新機能の統合、複雑な技術的問題の解決など、プラン + Web検索が最も先進的なソリューションを提供します。",
+ "steps": [
+ {
+ "title": "プランモードを有効にする",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "会話で`/approval-mode plan`コマンドを入力してプランモードを有効にします。この時点で、Qwen Codeは計画状態に入り、タスク説明を受け取り、思考を開始する準備が整います。プランモードはタスクの複雑さを自動的に分析し、ナレッジベースを補充するために外部情報を検索する必要があるかどうかを判断します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/approval-mode plan"
+ }
+ ]
+ },
+ {
+ "title": "最新情報の検索をリクエスト",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "タスク要件を記述すると、Qwen Codeが検索が必要なキーワードを自動的に識別します。最新の技術ドキュメント、APIリファレンス、ベストプラクティス、ソリューションを取得するために能動的にWeb検索リクエストを開始します。検索結果はナレッジベースに統合され、後続の計画のための正確な情報基盤を提供します。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "AI分野の最新ニュースを検索して、私にレポートとしてまとめてください"
+ }
+ ]
+ },
+ {
+ "title": "実行計画を表示",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "検索された情報に基づいて、Qwen Codeが詳細な実行計画を生成します。計画には明確なステップ説明、注意すべき技術的要点、潜在的な落とし穴とソリューションが含まれます。この計画を確認し、変更提案を行うか、実行を開始することを確認できます。"
+ }
+ ]
+ },
+ {
+ "title": "計画を段階的に実行",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "計画を確認すると、Qwen Codeがステップごとに実行します。各重要なノードで、進捗と結果を報告し、プロセス全体を完全に制御できるようにします。問題が発生した場合、古い知識に頼るのではなく、最新の検索情報に基づいてソリューションを提供します。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Web検索はタスク内の技術キーワードを自動的に識別し、検索内容を手動で指定する必要はありません。急速に反復するフレームワークとライブラリの場合は、最新情報を取得するためにプランモードでWeb検索を有効にすることをお勧めします。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-resume-session": {
+ "title": "Resumeセッション回復",
+ "description": "中断された会話はいつでも再開でき、コンテキストと進捗を失うことはありません。",
+ "category": "入門ガイド",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Resumeセッション回復機能により、会話をいつでも中断し、必要に応じて再開でき、コンテキストと進捗を失うことはありません。一時的に用事がある場合でも、マルチタスクを並行して処理する場合でも、会話を安全に一時停止し、後でシームレスに続けることができます。この機能は作業の柔軟性を大幅に向上させ、時間とタスクをより効率的に管理できます。",
+ "steps": [
+ {
+ "title": "セッションリストを表示",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`qwen --resume`コマンドを使用してすべての履歴セッションを表示します。システムは各セッションの時間、トピック、簡単な情報を表示し、再開する必要がある会話を素早く見つけるのに役立ちます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "セッションを再開",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`qwen --resume`コマンドを使用して指定されたセッションを再開します。セッションIDまたは番号で再開する会話を選択でき、システムが完全なコンテキスト履歴をロードします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "作業を続行",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "セッションを再開すると、中断されなかったかのように会話を続けることができます。すべてのコンテキスト、履歴、進捗が完全に保持され、AIは以前のディスカッション内容を正確に理解できます。"
+ }
+ ]
+ },
+ {
+ "title": "Qwen Codeを起動した後にセッションを切り替え",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeを起動した後、`/resume`コマンドを使用して以前のセッションに切り替えることができます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "セッション履歴は自動的に保存され、クロスデバイス同期をサポートしており、異なるデバイスで同じセッションを再開できます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-retry-shortcut": {
+ "title": "Ctrl+Y クイックリトライ",
+ "description": "AIの回答に満足できませんか?ショートカットキーでワンクリックリトライし、より良い結果を素早く取得します。",
+ "category": "入門ガイド",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "AIの回答に満足できませんか?Ctrl+Y(Windows/Linux)またはCmd+Y(macOS)ショートカットキーでワンクリックリトライし、より良い結果を素早く取得します。この機能により、質問を再入力することなくAIに回答を再生成させることができ、時間を節約し効率を向上させます。満足のいく回答が得られるまで何度でもリトライできます。",
+ "steps": [
+ {
+ "title": "満足できない回答を発見",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AIの回答が期待に応えない場合、がっかりしないでください。AIの回答はコンテキストの理解やランダム性により異なる場合があり、リトライすることでより良い結果を得ることができます。"
+ }
+ ]
+ },
+ {
+ "title": "リトライをトリガー",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ctrl+Y(Windows/Linux)またはCmd+Y(macOS)ショートカットキーを押すと、AIが回答を再生成します。リトライプロセスは高速でスムーズであり、ワークフローを中断しません。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ctrl+Y / Cmd+Y"
+ }
+ ]
+ },
+ {
+ "title": "補足説明",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "リトライ後も満足できない場合は、ニーズに対して補足説明を追加し、AIが意図をより正確に理解できるようにすることができます。より多くの詳細を追加し、質問の表現方法を変更したり、より多くのコンテキスト情報を提供したりできます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "リトライ機能は元の質問を保持しますが、異なるランダムシードを使用して回答を生成し、結果の多様性を確保します。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-review-command": {
+ "title": "/review:AI搭載コードレビュー",
+ "description": "コミット前に/reviewコマンドを使ってAIにコード品質のチェック、潜在的な問題の発見、改善提案をさせましょう — 経験豊富な同僚がコードをレビューしてくれるように。",
+ "category": "プログラミング",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005221/O1CN01UxKttk1oRGzRA3yzH_!!6000000005221-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/LAfDzQoPY0KUMvKPOETNBKL0d3y696SoGSQl2QHf8To.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "コミット前に誰かにコードを見てもらいたいけど、同僚は忙しくて手が空かない?`/review` を使うだけ — AIがコード品質をチェックし、潜在的な問題を見つけ、改善を提案します。単純なlintチェックではなく、経験豊富な同僚のように、ロジック、命名、エッジケースの処理を徹底的にレビューします。",
+ "steps": [
+ {
+ "title": "レビューするファイルを開く",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeでレビューしたいコードファイルまたはプロジェクトディレクトリを開きます。コードが保存されていることを確認してください。"
+ }
+ ]
+ },
+ {
+ "title": "/reviewコマンドを入力",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "チャットで `/review` と入力します。Qwen Codeが自動的に現在のファイルまたは最近のコード変更を分析します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/review"
+ }
+ ]
+ },
+ {
+ "title": "レビュー結果を確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AIがコード品質、ロジックの正確性、命名規約、エッジケースの処理など、複数の観点からレビューフィードバックを提供し、具体的な改善提案を添えます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`/review` は単純なlintチェックとは異なります — コードロジックを深く理解し、潜在的なバグ、パフォーマンスの問題、設計上の欠陥を特定します。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-script-install": {
+ "title": "スクリプトワンクリックインストール",
+ "description": "スクリプトコマンドでQwen Codeを素早くインストール。数秒で環境設定を完了。Linux、macOS、Windowsシステムに対応。",
+ "category": "入門ガイド",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Codeは、1行のスクリプトコマンドによる高速インストールをサポートしています。環境変数の手動設定や依存関係のダウンロードは不要です。スクリプトはOSタイプを自動検出し、対応するインストールパッケージをダウンロードして設定を完了します。全体のプロセスは数秒で完了し、**Linux**、**macOS**、**Windows**の3つの主要プラットフォームに対応しています。",
+ "steps": [
+ {
+ "title": "Linux / macOS インストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ターミナルを開き、以下のコマンドを実行します。スクリプトはシステムアーキテクチャ(x86_64 / ARM)を自動検出し、対応するバージョンをダウンロードしてインストール設定を完了します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "bash -c \"$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)\" -s --source website"
+ }
+ ]
+ },
+ {
+ "title": "Windows インストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "PowerShellで以下のコマンドを実行します。スクリプトはバッチファイルをダウンロードし、インストールプロセスを自動実行します。完了後、任意のターミナルで`qwen`コマンドを使用できます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "curl -fsSL -o %TEMP%\\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\\install-qwen.bat --source website"
+ }
+ ]
+ },
+ {
+ "title": "インストールの確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "インストール完了後、ターミナルで以下のコマンドを実行してQwen Codeが正しくインストールされたことを確認します。バージョン番号が表示されれば、インストール成功です。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --version"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "npmをご希望の場合、`npm install -g @qwen-code/qwen-code`でグローバルインストールも可能です。インストール後、`qwen`と入力して起動します。権限の問題がある場合は、`sudo npm install -g @qwen-code/qwen-code`を使用し、パスワードを入力してインストールしてください。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skill-install": {
+ "title": "Skillsをインストール",
+ "description": "コマンドラインインストールやフォルダインストールなど、複数の方法でSkill拡張をインストールし、様々なシーンのニーズに対応します。",
+ "category": "入門ガイド",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Codeは複数のSkillインストール方法をサポートしています。実際のシーンに合わせて最適な方法を選択できます。コマンドラインインストールはオンライン環境に適しており、高速で便利です。フォルダインストールはオフライン環境やカスタムSkillに適しており、柔軟で制御可能です。",
+ "steps": [
+ {
+ "title": "find-skills Skillを確認してインストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeでニーズを直接記述し、必要なSkillの確認とインストールを手伝ってもらいます:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "必要なSkillをインストール、例えばweb-component-designをインストール:",
+ "blocks": [
+ {
+ "type": "code",
+ "lang": "",
+ "value": "/skills find-skills install web-component-design -y -a qwen-code"
+ },
+ {
+ "type": "text",
+ "value": "Qwen Codeがインストールコマンドを自動実行し、指定されたリポジトリからSkillをダウンロードしてインストールします。1文でインストールすることもできます:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、そして【スキル名】を現在のqwen code skillsディレクトリにインストールしてください。"
+ }
+ ]
+ },
+ {
+ "title": "インストールの確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "インストール完了後、Skillが正常に読み込まれたことを確認します:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "コマンドラインインストールにはネットワーク接続が必要です。`-y`パラメータは自動確認を意味し、`-a qwen-code`はQwen Codeへのインストールを指定します。"
+ },
+ {
+ "type": "info",
+ "content": "**Skillディレクトリ構造要件**\n\n各Skillフォルダには`skill.md`ファイルを含める必要があり、Skillの名前、説明、トリガールールを定義します:\n\n```\n~/.qwen/skills/\n├── my-skill/\n│ ├── SKILL.md # 必須:Skill設定ファイル\n│ └── scripts/ # オプション:スクリプトファイル\n└── another-skill/\n └── SKILL.md\n```"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skills-panel": {
+ "title": "Skillsパネル",
+ "description": "Skillsパネルを通じて既存のSkill拡張を閲覧・インストール・管理し、AI機能ライブラリをワンストップで管理します。",
+ "category": "入門ガイド",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Skillsパネルは、Qwen Codeの拡張機能を管理するためのコントロールセンターです。この直感的なインターフェースを通じて、公式およびコミュニティが提供する様々なSkillを閲覧し、各Skillの機能と用途を理解し、ワンクリックで拡張機能をインストールまたはアンインストールできます。新しいAI機能を発見したい場合でも、インストール済みのSkillを管理したい場合でも、Skillsパネルは便利な操作体験を提供し、パーソナライズされたAIツールボックスを簡単に構築できます。",
+ "steps": [
+ {
+ "title": "Skillsパネルを開く",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code会話でコマンドを入力してSkillsパネルを開きます。このコマンドは、インストール済みおよび未インストールの拡張機能を含む、利用可能なすべてのSkillのリストを表示します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ },
+ {
+ "title": "Skillsを閲覧・検索",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "パネルで様々なSkill拡張を閲覧します。各Skillには詳細な説明と機能説明があります。検索機能を使用して必要な特定のSkillを素早く見つけたり、カテゴリ別に様々なタイプの拡張機能を閲覧したりできます。"
+ }
+ ]
+ },
+ {
+ "title": "Skillをインストールまたはアンインストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "興味のあるSkillを見つけたら、インストールボタンをクリックしてQwen Codeにワンクリックで追加します。同様に、不要なSkillはいつでもアンインストールでき、AI機能ライブラリを整理・効率化できます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Skillsパネルは定期的に更新され、最新リリースのSkill拡張を表示します。定期的にパネルを確認して、作業効率を向上させる強力なAI機能を発見することをお勧めします。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-system-prompt": {
+ "title": "カスタムシステムプロンプト:AIをあなたのスタイルで回答させる",
+ "description": "SDKとCLIでカスタムシステムプロンプトを設定し、AIの回答スタイルと動作を制御して、常にチームの規約に従うようにします。",
+ "category": "入門ガイド",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000007824/O1CN01hCE0Ve27fRwwQtxTE_!!6000000007824-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/tdIxQgfQZPgWjPeBIp6-bUB4dGDc54wpKQdsH46LK-o.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "SDKとCLIでカスタムシステムプロンプトを設定し、AIの回答スタイルと動作を制御します。例えば、常に中国語で回答させる、コードコメントは英語で書かせる、チームの命名規約に従わせるなど。毎回の会話で「中国語で回答してください」と繰り返す必要はありません。",
+ "steps": [
+ {
+ "title": "システムプロンプトファイルを作成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "プロジェクトルートに `AGENTS.md` ファイル(旧 `QWEN.md`)を作成し、カスタムシステムプロンプトを記述します:"
+ },
+ {
+ "type": "code",
+ "lang": "markdown",
+ "value": "# プロジェクト規約\n\n- 常に中国語で回答する\n- コードコメントは英語で\n- 変数名はcamelCaseを使用\n- Reactは関数コンポーネント + Hooksを使用\n- TypeScriptを優先"
+ }
+ ]
+ },
+ {
+ "title": "グローバルシステムプロンプトを設定",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "すべてのプロジェクトに規約を適用するには、`~/.qwen/AGENTS.md` でグローバルシステムプロンプトを設定します。\n\n以下のコマンドも使用できます:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --system-prompt \"中国語で質問されたら中国語で回答し、英語で質問されたら英語で回答してください。\""
+ }
+ ]
+ },
+ {
+ "title": "効果を確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeを起動し、会話を始めて、AIがシステムプロンプトの規約に従って回答するか確認します。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "プロジェクトレベルの `AGENTS.md` はグローバル設定を上書きします。プロジェクトごとに異なる規約を設定でき、チームメンバーは同じ設定ファイルを共有して一貫性を保てます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-vscode-integration": {
+ "title": "VS Code統合インターフェース",
+ "description": "VS CodeでのQwen Codeの完全なインターフェース表示。各機能エリアのレイアウトと使用方法を理解します。",
+ "category": "入門ガイド",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "VS Codeは最も人気のあるコードエディタの一つであり、Qwen Codeは深く統合されたVS Code拡張機能を提供しています。この拡張機能を通じて、馴染みのあるエディタ環境でAIと直接会話し、シームレスなプログラミング体験を享受できます。拡張機能は直感的なインターフェースレイアウトを提供し、すべての機能に簡単にアクセスできます。コード補完、問題解決、ファイル操作など、すべてを効率的に完了できます。",
+ "steps": [
+ {
+ "title": "VS Code拡張機能をインストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "VS Code拡張機能マーケットプレースで「Qwen Code」を検索し、インストールをクリックします。インストールプロセスはシンプルで高速で、数秒で完了します。インストール後、VS CodeサイドバーにQwen Codeのアイコンが表示され、拡張機能が正常に読み込まれたことを示します。"
+ }
+ ]
+ },
+ {
+ "title": "アカウントにログイン",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`/auth`コマンドを使用して認証プロセスをトリガーします。システムが自動的にブラウザを開いてログインします。ログインプロセスは安全で便利で、複数の認証方法をサポートしています。ログイン成功後、アカウント情報がVS Code拡張機能に自動的に同期され、すべての機能がアンロックされます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "使用を開始",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "サイドバーでQwen Codeパネルを開き、AIとの会話を開始します。質問を直接入力したり、ファイルを参照したり、コマンドを実行したりできます。すべての操作がVS Codeで完了します。拡張機能はマルチタブ、履歴、ショートカットキーなどの機能をサポートし、完全なプログラミングアシスタンス体験を提供します。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "VS Code拡張機能はコマンドラインバージョンと完全に同じ機能です。使用シーンに合わせて自由に選択できます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-web-search": {
+ "title": "Web検索",
+ "description": "Qwen CodeにWebコンテンツを検索させ、リアルタイム情報を取得してプログラミングと問題解決を支援します。",
+ "category": "入門ガイド",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Web検索機能により、Qwen CodeはWebコンテンツをリアルタイムで検索し、最新の技術ドキュメント、フレームワークの更新、ソリューションを取得できます。開発中に問題に遭遇したり、新しい技術の最新動向を理解したりする必要がある場合、この機能が非常に役立ちます。AIは関連情報をインテリジェントに検索し、理解しやすい形式に整理して返します。",
+ "steps": [
+ {
+ "title": "検索機能を有効にする",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "会話でAIに最新情報を検索する必要があることを明確に伝えます。最新技術、フレームワークバージョン、リアルタイムデータを含む質問を直接行えます。Qwen Codeはニーズを自動的に認識し、Web検索機能を開始して最も正確な情報を取得します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "React 19の新機能を検索してください"
+ }
+ ]
+ },
+ {
+ "title": "検索結果を表示",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AIは検索した情報を返し、理解しやすい形式に整理します。検索結果には通常、重要情報の要約、ソースリンク、関連する技術詳細が含まれます。これらの情報を素早く閲覧して、最新の技術動向を理解したり、問題の解決策を見つけたりできます。"
+ }
+ ]
+ },
+ {
+ "title": "検索結果に基づいて質問",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "検索結果に基づいてさらに質問を行い、より深い説明を得ることができます。特定の技術詳細について疑問がある場合や、検索結果をプロジェクトに適用する方法を知りたい場合、直接質問を続けることができます。AIは検索した情報に基づいてより具体的なガイダンスを提供します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "これらの新機能は私のプロジェクトにどのような影響がありますか"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Web検索機能は、最新のAPI変更、フレームワークバージョン更新、リアルタイム技術動向のクエリに特に適しています。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-batch-file-organize": {
+ "title": "ファイルの一括処理、デスクトップ整理",
+ "description": "Qwen CodeのCowork機能を使用して、散らかったデスクトップファイルをワンクリックで一括整理し、タイプ別に自動分類して対応するフォルダに配置します。",
+ "category": "日常タスク",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "デスクトップファイルが散らかっていますか?Qwen CodeのCowork機能を使用すると、ワンクリックでファイルを一括整理でき、ファイルタイプを自動識別して対応するフォルダに分類できます。ドキュメント、画像、動画、その他のファイルタイプに関わらず、すべてインテリジェントに識別してアーカイブでき、作業環境を整理し、作業効率を向上させることができます。",
+ "steps": [
+ {
+ "title": "会話を開始",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ターミナルまたはコマンドラインを開き、`qwen`と入力してQwen Codeを起動します。整理が必要なディレクトリにいるか、どのディレクトリのファイルを整理するかをAIに明確に伝えます。Qwen Codeは整理指示を受け入れる準備ができています。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nqwen"
+ }
+ ]
+ },
+ {
+ "title": "整理指示を出す",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeにデスクトップファイルを整理したいと伝えます。AIはファイルタイプを自動識別し、分類フォルダを作成します。整理するディレクトリ、分類ルール、ターゲットフォルダ構造を指定できます。AIはニーズに基づいて整理計画を作成します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "デスクトップのファイルを整理してください。ドキュメント、画像、動画、圧縮ファイルなどタイプ別に異なるフォルダに分類します"
+ }
+ ]
+ },
+ {
+ "title": "実行計画を確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeはまず実行される操作計画をリストアップします。問題がないことを確認した後、実行を許可します。このステップは非常に重要です。整理計画を確認して、AIがニーズを理解していることを確認し、誤操作を回避できます。"
+ }
+ ]
+ },
+ {
+ "title": "整理を完了",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AIがファイル移動操作を自動実行し、完了後に整理レポートを表示し、どのファイルがどこに移動されたかを伝えます。全体のプロセスは高速で効率的で、手動操作は不要で、大幅な時間を節約できます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Cowork機能はカスタム分類ルールをサポートしています。必要に応じてファイルタイプとターゲットフォルダのマッピング関係を指定できます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-clipboard-paste": {
+ "title": "クリップボード画像貼り付け",
+ "description": "クリップボードのスクリーンショットを会話ウィンドウに直接貼り付けます。AIは画像コンテンツを即座に理解し、支援を提供します。",
+ "category": "日常タスク",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "クリップボード画像貼り付け機能により、任意のスクリーンショットをQwen Codeの会話ウィンドウに直接貼り付けることができ、ファイルを保存してからアップロードする必要がありません。エラースクリーンショット、UIデザインモックアップ、コードスニペットスクリーンショット、その他の画像に関わらず、Qwen Codeはコンテンツを即座に理解し、ニーズに基づいて支援を提供できます。この便利な対話方法はコミュニケーション効率を大幅に向上させ、問題に遭遇した際にAIの分析と提案を迅速に取得できます。",
+ "steps": [
+ {
+ "title": "画像をクリップボードにコピー",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "システムスクリーンショットツール(macOS: `Cmd+Shift+4`、Windows: `Win+Shift+S`)を使用して画面コンテンツをキャプチャするか、ブラウザやファイルマネージャから画像をコピーします。スクリーンショットは自動的にクリップボードに保存され、追加の操作は不要です。"
+ }
+ ]
+ },
+ {
+ "title": "会話ウィンドウに貼り付け",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code会話入力ボックスで、`Cmd+V`(macOS)または`Ctrl+V`(Windows)を使用して画像を貼り付けます。画像が入力ボックスに自動的に表示され、質問やニーズを記述するテキストを同時に入力できます。"
+ }
+ ]
+ },
+ {
+ "title": "AI分析結果を取得",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "メッセージを送信後、Qwen Codeは画像コンテンツを分析して返信します。コードスクリーンショットのエラーを識別し、UIデザインモックアップのレイアウトを分析し、チャートデータを解釈できます。さらに質問して、画像の詳細を深く議論できます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "PNG、JPEG、GIFなどの一般的な画像フォーマットをサポートしています。画像サイズは10MB以下を推奨し、最適な認識効果を確保します。コードスクリーンショットの場合、テキスト認識精度を向上させるために高解像度を使用することをお勧めします。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-export-conversation": {
+ "title": "会話履歴をエクスポート",
+ "description": "会話履歴をMarkdown、HTML、またはJSON形式でエクスポートし、アーカイブや共有を容易にします。",
+ "category": "日常タスク",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "会話履歴エクスポート機能",
+ "steps": [
+ {
+ "title": "セッションリストを表示",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`/resume`コマンドを使用してすべての履歴セッションを表示します。リストは各セッションの作成時間、トピック要約などの情報を表示し、エクスポートが必要な会話を素早く見つけるのに役立ちます。キーワード検索や時間による並べ替えを使用して、ターゲットセッションを正確に特定できます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ },
+ {
+ "title": "エクスポート形式を選択",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "エクスポートするセッションを決定した後、`/export`コマンドを使用して形式とセッションIDを指定します。3つの形式がサポートされています:`markdown`、`html`、`json`。Markdown形式はドキュメントツールでの使用に適しており、HTML形式はブラウザで直接開いて表示でき、JSON形式はプログラムによる処理に適しています。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "# パラメータがない場合、デフォルトで現在のセッションをエクスポート\n/export html # HTML形式でエクスポート\n/export markdown # Markdown形式でエクスポート\n/export json # JSON形式でエクスポート"
+ }
+ ]
+ },
+ {
+ "title": "共有とアーカイブ",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "エクスポートされたファイルは指定されたディレクトリに保存されます。MarkdownおよびHTMLファイルは同僚と直接共有したり、チームドキュメントで使用したりできます。JSONファイルは他のツールにインポートして二次処理できます。重要な会話を定期的にアーカイブしてチームナレッジベースを構築することをお勧めします。エクスポートされたファイルはバックアップとしても使用でき、重要な情報の損失を防ぐことができます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "エクスポートされたHTML形式には完全なスタイルが含まれており、任意のブラウザで直接開いて表示できます。JSON形式はすべてのメタデータを保持し、データ分析と処理に適しています。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-file-reference": {
+ "title": "@file参照機能",
+ "description": "会話で@fileを使用してプロジェクトファイルを参照し、AIにコードコンテキストを正確に理解させます。",
+ "category": "入門ガイド",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "@file参照機能により、会話でプロジェクトファイルを直接参照でき、AIにコードコンテキストを正確に理解させることができます。単一ファイルでも複数ファイルでも、AIはコードコンテンツを読み取り・分析し、より正確な提案と回答を提供します。この機能はコードレビュー、問題トラブルシューティング、コードリファクタリングなどのシーンに特に適しています。",
+ "steps": [
+ {
+ "title": "単一ファイルを参照",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`@file`コマンドの後にファイルパスを続けて使用し、単一ファイルを参照します。AIはファイルコンテンツを読み取り、コード構造とロジックを理解し、質問に基づいて的確な回答を提供します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file ./src/main.py\nこの関数の役割を説明してください"
+ },
+ {
+ "type": "text",
+ "value": "参照ファイルを参照し、Qwen Codeに新しいドキュメントとして整理・作成させることもできます。これにより、AIがニーズを誤解して参照資料に含まれないコンテンツを生成することを大幅に回避できます:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file このファイルに基づいて公式アカウントの記事を書いてください"
+ }
+ ]
+ },
+ {
+ "title": "ニーズを記述",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ファイルを参照した後、ニーズや質問を明確に記述します。AIはファイルコンテンツに基づいて分析し、正確な回答や提案を提供します。コードロジック、問題検索、最適化要求などを尋ねることができます。"
+ }
+ ]
+ },
+ {
+ "title": "複数ファイルを参照",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "`@file`コマンドを複数回使用することで、複数のファイルを同時に参照できます。AIは参照されたすべてのファイルを包括的に分析し、それらの関係とコンテンツを理解し、より包括的な回答を提供します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file1 @file2 これら2つのファイルの資料に基づいて、初心者向けの学習ドキュメントを整理してください"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "@fileは相対パスと絶対パスをサポートし、複数ファイルのワイルドカードマッチもサポートしています。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-image-recognition": {
+ "title": "画像認識",
+ "description": "Qwen Codeは画像コンテンツを読み取り・理解できます。UIデザインモックアップ、エラースクリーンショット、アーキテクチャ図など。",
+ "category": "日常タスク",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Codeは強力な画像認識機能を備えており、様々なタイプの画像コンテンツを読み取り・理解できます。UIデザインモックアップ、エラースクリーンショット、アーキテクチャ図、フローチャート、手書きメモなどに関わらず、Qwen Codeは正確に識別し、価値ある分析を提供できます。この能力により、視覚情報をプログラミングワークフローに直接統合でき、コミュニケーション効率と問題解決速度を大幅に向上させることができます。",
+ "steps": [
+ {
+ "title": "画像をアップロード",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "画像を会話ウィンドウにドラッグ&ドロップするか、クリップボード貼り付け(`Cmd+V` / `Ctrl+V`)を使用します。PNG、JPEG、GIF、WebPなどの一般的なフォーマットをサポートしています。\n\n参考:[クリップボード画像貼り付け](./office-clipboard-paste.mdx)は、スクリーンショットを会話に素早く貼り付ける方法を示しています。"
+ }
+ ]
+ },
+ {
+ "title": "ニーズを記述",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "入力ボックスで、AIに画像に対して何を望むかを記述します。例えば:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "画像コンテンツに基づいて、シンプルなhtmlファイルを生成してください"
+ }
+ ]
+ },
+ {
+ "title": "分析結果を取得",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeは画像コンテンツを分析して詳細な返信を提供します。さらに質問して、画像の詳細を深く議論したり、AIに画像コンテンツに基づいてコードを生成させたりできます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "画像認識機能は複数のシーンをサポートしています:コードスクリーンショット分析、UIデザインモックアップからコードへの変換、エラー情報の解釈、アーキテクチャ図の理解、チャートデータの抽出など。最適な認識効果を得るために、明確な高解像度画像を使用することをお勧めします。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-mcp-image-gen": {
+ "title": "MCP画像生成",
+ "description": "MCPを通じて画像生成サービスを統合します。自然言語の記述でAIを駆動し、高品質な画像を作成します。",
+ "category": "日常タスク",
+ "features": [
+ "MCP"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "MCP(Model Context Protocol)画像生成機能により、自然言語の記述を通じてQwen CodeでAIを直接駆動し、高品質な画像を作成できます。専用の画像生成ツールに切り替える必要はなく、会話でニーズを記述するだけで、Qwen Codeが統合された画像生成サービスを呼び出し、要件を満たす画像を生成します。UIプロトタイプデザイン、アイコン作成、イラスト描画、コンセプト図制作に関わらず、MCP画像生成は強力なサポートを提供します。このシームレスに統合されたワークフローはデザインと開発の効率を大幅に向上させ、クリエイティブの実現をより便利にします。",
+ "steps": [
+ {
+ "title": "MCPサービスを設定",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "まず、MCP画像生成サービスを設定する必要があります。設定ファイルに画像生成サービスのAPIキーとエンドポイント情報を追加します。Qwen Codeは複数の主流画像生成サービスをサポートしており、ニーズと予算に応じて適切なサービスを選択できます。設定完了後、Qwen Codeを再起動して有効にします。"
+ }
+ ]
+ },
+ {
+ "title": "画像要件を記述",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "会話で自然言語で生成したい画像を詳細に記述します。画像のテーマ、スタイル、色、構成、詳細などの要素を含めます。記述が具体的であるほど、生成された画像は期待に近づきます。アートスタイル、特定のアーティストを参照したり、参照画像をアップロードしてAIがニーズをより良く理解するのを助けることができます。"
+ }
+ ]
+ },
+ {
+ "title": "結果を表示・保存",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeは複数の画像を生成し、選択できるようにします。各画像をプレビューし、要件に最も適した画像を選択できます。調整が必要な場合は、修正意見を引き続き記述し、Qwen Codeはフィードバックに基づいて再生成します。満足したら、画像を直接ローカルに保存するか、画像リンクをコピーして他の場所で使用できます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "MCP画像生成は複数のスタイルとサイズをサポートし、プロジェクトニーズに応じて柔軟に調整できます。生成された画像の著作権は使用されるサービスによって異なります。利用規約を確認してください。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-organize-desktop": {
+ "title": "デスクトップファイルを整理",
+ "description": "1文でQwen Codeにデスクトップファイルを自動整理させ、タイプ別にインテリジェントに分類します。",
+ "category": "日常タスク",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "デスクトップファイルが山積みしていて、必要なファイルが見つかりませんか?1文でQwen Codeにデスクトップファイルを自動整理させます。AIはファイルタイプをインテリジェントに識別し、画像、ドキュメント、コード、圧縮ファイルなどで自動的に分類し、明確なフォルダ構造を作成します。全体のプロセスは安全で制御可能です。AIはまず操作計画をリストアップして確認させ、重要なファイルが誤って移動されるのを防ぎます。デスクトップを瞬時に整理整頓し、作業効率を向上させます。",
+ "steps": [
+ {
+ "title": "整理ニーズを記述",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "デスクトップディレクトリに移動し、Qwen Codeを起動して、デスクトップファイルをどのように整理したいかをQwen Codeに伝えます。例えば、タイプ別、日付別など。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nデスクトップのファイルをタイプ別に整理してください"
+ }
+ ]
+ },
+ {
+ "title": "操作計画を確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeはデスクトップファイルを分析し、詳細な整理計画をリストアップします。どのファイルがどのフォルダに移動されるかが含まれます。計画を確認して問題がないことを確認できます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "この整理計画を実行してください"
+ }
+ ]
+ },
+ {
+ "title": "整理を実行して結果を表示",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "確認後、Qwen Codeは計画通りに整理操作を実行します。完了後、整理されたデスクトップを表示でき、ファイルはすでにタイプ別に整然と配置されています。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "warning",
+ "content": "AIはまず操作計画をリストアップして確認させ、重要なファイルが誤って移動されるのを防ぎます。特定のファイルの分類に疑問がある場合は、実行前にQwen Codeにルールを調整するよう伝えることができます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-ppt-presentation": {
+ "title": "プレゼンテーション:PPT作成",
+ "description": "製品スクリーンショットに基づいてプレゼンテーションを作成します。スクリーンショットと説明を提供し、AIが美しいプレゼンテーションスライドを生成します。",
+ "category": "日常タスク",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "製品プレゼンテーションPPTを作成する必要がありますが、ゼロから始めたくありませんか?製品スクリーンショットと簡単な説明を提供するだけで、Qwen Codeが構造化された美しくデザインされたプレゼンテーションスライドを生成できます。AIはスクリーンショットコンテンツを分析し、製品の特徴を理解し、スライド構造を自動的に整理し、適切なコピーとレイアウトを追加します。製品リリース、チームプレゼンテーション、クライアントプレゼンテーションに関わらず、プロフェッショナルなPPTを素早く取得でき、大幅な時間とエネルギーを節約できます。",
+ "steps": [
+ {
+ "title": "製品スクリーンショットを準備",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "表示する製品インターフェースのスクリーンショットを収集します。主要機能ページ、特徴機能のデモなどが含まれます。スクリーンショットは明確で、製品の価値と特徴を十分に表示する必要があります。フォルダに配置します。例:qwen-code-images"
+ }
+ ]
+ },
+ {
+ "title": "関連Skillsをインストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "PPT生成関連のSkillsをインストールします。これらのSkillsにはスクリーンショットコンテンツを分析し、プレゼンテーションスライドを生成する機能が含まれています。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、そしてzarazhangrui/frontend-slidesをqwen code skillsにインストールしてください。"
+ }
+ ]
+ },
+ {
+ "title": "プレゼンテーションを生成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "対応するファイルを参照し、Qwen Codeにニーズを伝えます。プレゼンテーションの目的、ターゲット、重点コンテンツなど。AIはこれらの情報に基づいてPPTを生成します。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "@qwen-code-images これらのスクリーンショットに基づいて製品プレゼンテーションPPTを作成してください。技術チーム向けで、新機能に焦点を当てます"
+ }
+ ]
+ },
+ {
+ "title": "調整とエクスポート",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "生成されたPPTを表示します。調整が必要な場合はQwen Codeに伝えることができます。例:「アーキテクチャ紹介ページを追加」「このページのコピーを調整」。満足したら、編集可能な形式でエクスポートします。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "3ページ目のコピーを調整して、より簡潔にしてください"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-terminal-theme": {
+ "title": "ターミナルテーマ切り替え",
+ "description": "1文でターミナルテーマを切り替えます。自然言語でスタイルを記述し、AIが自動的に適用します。",
+ "category": "日常タスク",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "デフォルトのターミナルテーマに飽きていませんか?自然言語で望むスタイルを記述すると、Qwen Codeが適切なテーマを見つけて適用します。ダークテックスタイル、フレッシュでシンプルなスタイル、レトロクラシックスタイルに関わらず、1文でAIが美的嗜好を理解し、ターミナルのカラースキームとスタイルを自動的に設定します。面倒な手動設定に別れを告げ、作業環境を瞬時に新しくします。",
+ "steps": [
+ {
+ "title": "望むテーマスタイルを記述",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "会話で自然言語で好きなスタイルを記述します。例:「ターミナルテーマをダークテックスタイルに変更」「フレッシュでシンプルなライトテーマが欲しい」。Qwen Codeがニーズを理解します。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "ターミナルテーマをダークテックスタイルに変更してください"
+ }
+ ]
+ },
+ {
+ "title": "テーマを確認して適用",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeは記述に一致する複数のテーマオプションを推奨し、プレビュー効果を表示します。お気に入りのテーマを選択し、確認後、AIが自動的に設定を適用します。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "良さそう、テーマを直接適用してください"
+ }
+ ]
+ },
+ {
+ "title": "微調整とパーソナライズ",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "さらに調整が必要な場合は、引き続きQwen Codeに考えを伝えることができます。例:「背景色をもう少し暗く」「フォントサイズを調整」。AIが微調整を支援します。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "テーマ切り替えはターミナル設定ファイルを変更します。特定のターミナルアプリ(iTerm2、Terminal.appなど)を使用している場合、Qwen Codeが自動的に識別し、対応するテーマファイルを設定します。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-web-search-detail": {
+ "title": "Web検索",
+ "description": "Qwen CodeにWebコンテンツを検索させ、リアルタイム情報を取得してプログラミングを支援します。最新の技術動向とドキュメントを理解します。",
+ "category": "入門ガイド",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Web検索機能により、Qwen Codeはインターネット上の最新情報をリアルタイムで検索し、最新の技術ドキュメント、APIリファレンス、ベストプラクティス、ソリューションを取得できます。馴染みのない技術スタックに遭遇したり、最新バージョンの変更を理解したり、特定の問題の解決策を見つけたりする必要がある場合、Web検索によりAIが最新のWeb情報に基づいて正確な回答を提供できます。",
+ "steps": [
+ {
+ "title": "検索リクエストを開始",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "会話で検索したい内容を直接記述します。例:「React 19の新機能を検索」「Next.js App Routerのベストプラクティスを見つける」。Qwen Codeはネットワーク検索が必要かどうかを自動的に判断します。"
+ }
+ ]
+ },
+ {
+ "title": "統合結果を表示",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AIは複数のWebソースを検索し、検索結果を統合して構造化された回答を提供します。回答には重要情報のソースリンクが含まれ、さらに深く理解するのに便利です。"
+ }
+ ]
+ },
+ {
+ "title": "結果に基づいて継続",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "検索結果に基づいてさらに質問でき、AIに検索した情報を実際のプログラミングタスクに適用させるよう依頼できます。例えば、新しいAPI使用法を検索した後、AIにコードのリファクタリングを手伝ってもらうことができます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Web検索は以下のシーンに特に適しています:最新のフレームワークバージョンの変更を理解する、特定のエラーの解決策を見つける、最新のAPIドキュメントを取得する、業界のベストプラクティスを理解するなど。検索結果はリアルタイムで更新され、最新情報を取得できます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-weekly-report": {
+ "title": "週報を自動生成",
+ "description": "Skillsをカスタマイズします。1コマンドで今週の更新を自動クロールし、テンプレートに従って製品更新週報を作成します。",
+ "category": "日常タスク",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "毎週製品更新週報を作成するのは反復的で時間のかかる作業です。Qwen CodeのカスタムSkillsを使用すると、AIに今週の製品更新情報を自動クロールさせ、標準テンプレートに従って構造化された週報を生成させることができます。1コマンドで、AIがデータを収集し、コンテンツを分析し、ドキュメントに整理し、作業効率を大幅に向上させます。製品自体に集中でき、AIに面倒なドキュメント作業を任せることができます。",
+ "steps": [
+ {
+ "title": "skills-creator Skillをインストール",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "まず、SkillをインストールしてAIにどのデータソースの情報を収集する必要があるかを理解させます。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、そしてskills-creatorをqwen code skillsにインストールしてください。"
+ }
+ ]
+ },
+ {
+ "title": "週報Skillを作成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Skill作成機能を使用して、カスタム週報生成Skillが必要であることをAIに伝えます。収集する必要があるデータタイプと週報構造を記述します。AIはニーズに基づいて新しいSkillを生成します。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "オープンソースプロジェクト:https://github.com/QwenLM/qwen-code の週報を作成する必要があります。主に今週提出されたissue、解決されたbug、新しいバージョンとfeature、および振り返りと反省を含みます。言語はユーザー中心で、利他的で、感知可能である必要があります。Skillを作成してください。"
+ }
+ ]
+ },
+ {
+ "title": "週報コンテンツを生成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "設定完了後、生成コマンドを入力します。Qwen Codeが今週の更新情報を自動クロールし、製品週報テンプレートに従って構造化されたドキュメントに整理します。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "今週のqwen-code製品更新週報を生成してください"
+ }
+ ]
+ },
+ {
+ "title": "週報を開き、編集・調整",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "生成された週報は開いて調整でき、さらに編集したりチームと共有したりできます。AIにフォーマットとコンテンツの重点を調整させることもできます。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "週報の言語をより活発にしてください"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "初回使用時はデータソースを設定する必要があります。一度設定すると再利用できます。スケジュールタスクを設定して、Qwen Codeに毎週自動的に週報を生成させ、完全に手を解放することもできます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-write-file": {
+ "title": "1文でファイルを書き込む",
+ "description": "Qwen Codeにどのファイルを作成したいかを伝え、AIが自動的にコンテンツを生成して書き込みます。",
+ "category": "日常タスク",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "新しいファイルを作成する必要がありますが、ゼロからコンテンツを書き始めたくありませんか?Qwen Codeにどのファイルを作成したいかを伝えると、AIが適切なコンテンツを自動生成してファイルに書き込みます。README、設定ファイル、コードファイル、ドキュメントに関わらず、Qwen Codeはニーズに基づいて高品質なコンテンツを生成できます。ファイルの用途と基本要件を記述するだけで、AIが残りを処理し、ファイル作成効率を大幅に向上させます。",
+ "steps": [
+ {
+ "title": "ファイルコンテンツと用途を記述",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeにどのタイプのファイルを作成したいか、およびファイルの主なコンテンツと用途を伝えます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "README.mdを作成してください。プロジェクト紹介とインストール手順を含めます"
+ }
+ ]
+ },
+ {
+ "title": "生成されたコンテンツを確認",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeが記述に基づいてファイルコンテンツを生成し、確認のために表示します。コンテンツを表示してニーズに合っていることを確認できます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "良さそう、ファイル作成を続けてください"
+ }
+ ]
+ },
+ {
+ "title": "修正と改善",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "調整が必要な場合は、Qwen Codeに具体的な修正要件を伝えることができます。例:「使用例を追加」「フォーマットを調整」。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "いくつかのコード例を追加してください"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Codeはテキストファイル、コードファイル、設定ファイルなど様々なファイルタイプをサポートしています。生成されたファイルは指定されたディレクトリに自動的に保存され、エディタでさらに修正できます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "product-insight": {
+ "title": "Insightデータインサイト",
+ "description": "個人AI使用レポートを表示します。プログラミング効率とコラボレーションデータを理解します。データ駆動の習慣最適化を使用します。",
+ "category": "日常タスク",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "InsightはQwen Codeの個人使用データ分析パネルであり、包括的なAIプログラミング効率インサイトを提供します。会話回数、コード生成量、頻繁に使用される機能、プログラミング言語の好みなどの主要指標を追跡し、視覚化されたデータレポートを生成します。これらのデータを通じて、プログラミング習慣、AI支援効果、コラボレーションパターンを明確に理解できます。Insightは効率改善の余地を発見するだけでなく、どの分野でAIを最も効果的に使用しているかを示し、AIの価値をより良く発揮できるようにします。データ駆動のインサイトにより、すべての使用がより意味のあるものになります。",
+ "steps": [
+ {
+ "title": "Insightパネルを開く",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "会話で`/insight`コマンドを入力してInsightデータインサイトパネルを開きます。パネルは使用概要を表示し、総会話回数、コード生成行数、推定節約時間などの主要指標が含まれます。これらのデータは直感的なチャート形式で表示され、AI使用状況を一目で理解できます。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/insight"
+ }
+ ]
+ },
+ {
+ "title": "使用レポートを分析",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "詳細な使用レポートを深く表示します。日次会話トレンド、頻繁に使用される機能分布、プログラミング言語の好み、コードタイプ分析などの次元が含まれます。Insightは使用パターンに基づいてパーソナライズされたインサイトと提案を提供し、潜在的な改善空間を発見するのに役立ちます。時間範囲でデータをフィルタリングし、異なる期間の使用効率を比較できます。"
+ }
+ ]
+ },
+ {
+ "title": "使用習慣を最適化",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "データインサイトに基づいて、AI使用戦略を調整します。例えば、特定の機能を頻繁に使用しているが効率が低いことに気づいた場合、より効率的な使用方法を学習できます。特定のプログラミング言語やタスクタイプでAI支援がより効果的であることに気づいた場合、同様のシーンでAIをより頻繁に使用できます。データの変化を継続的に追跡し、最適化効果を検証します。\n\nInsight機能の使用方法を知りたいですか?私たちの[AIにAIをより良く使用する方法を教えてもらう](../blog/how-to-use-qwencode-insight.mdx)を確認できます"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Insightデータはローカルのみに保存され、クラウドにアップロードされないため、使用プライバシーとデータセキュリティが保証されます。定期的にレポートを確認し、データ駆動の使用習慣を身につけてください。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-learning": {
+ "title": "コード学習",
+ "description": "オープンソースリポジトリをクローンしてコードを学習・理解します。Qwen Codeがオープンソースプロジェクトへの貢献方法をガイドします。",
+ "category": "学習・研究",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "優れたオープンソースコードを学習することは、プログラミング能力を向上させる素晴らしい方法です。Qwen Codeは複雑なプロジェクトのアーキテクチャと実装の詳細を深く理解し、適切な貢献ポイントを見つけ、コード修正をガイドするのを助けることができます。新しい技術スタックを学習したい場合でも、オープンソースコミュニティに貢献したい場合でも、Qwen Codeは理想的なプログラミングメンターです。",
+ "steps": [
+ {
+ "title": "リポジトリをクローン",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "git cloneを使用してオープンソースプロジェクトをローカルにダウンロードします。興味のあるプロジェクトを選択し、開発環境にクローンします。プロジェクトが良好なドキュメントとアクティブなコミュニティを持っていることを確認すると、学習プロセスがよりスムーズになります。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Qwen Codeを起動",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "プロジェクトディレクトリでQwen Codeを起動します。これにより、AIがすべてのプロジェクトファイルにアクセスし、コンテキスト関連のコード説明と提案を提供できます。Qwen Codeはプロジェクト構造を自動的に分析し、主要なモジュールと依存関係を識別します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "コード説明をリクエスト",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AIにプロジェクトのどの部分や機能を理解したいかを伝えます。全体アーキテクチャ、特定のモジュールの実装ロジック、特定の機能のデザインアイデアを尋ねることができます。AIは明確な言語でコードを説明し、関連する背景知識を提供します。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "このプロジェクトの全体アーキテクチャと主要モジュールを説明してください"
+ }
+ ]
+ },
+ {
+ "title": "貢献ポイントを見つける",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AIに初心者が参加できる適切なissueや機能を見つけるのを手伝ってもらいます。AIはプロジェクトのissueリストを分析し、難易度、タグ、説明に基づいて適切な貢献ポイントを推奨します。これはオープンソース貢献を始める良い方法です。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "初心者が参加できるオープンissueはありますか?"
+ }
+ ]
+ },
+ {
+ "title": "修正を実装",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AIのガイダンスに従ってコード修正を段階的に実装します。AIは問題の分析、ソリューションの設計、コードの記述を支援し、修正がプロジェクトのコード標準に準拠していることを保証します。修正完了後、PRを提出してオープンソースプロジェクトに貢献できます。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "オープンソースプロジェクトに参加することで、プログラミングスキルを向上させるだけでなく、技術的影響力を構築し、志を同じくする開発者と出会うことができます。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-read-paper": {
+ "title": "論文を読む",
+ "description": "学術論文を直接読み取り・分析します。AIが複雑な研究コンテンツを理解し、学習カードを生成します。",
+ "category": "学習・研究",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "学術論文は難解で理解するのに多くの時間を要することがよくあります。Qwen Codeは論文を直接読み取り・分析し、主要なポイントを抽出し、複雑な概念を説明し、研究方法を要約するのを助けることができます。AIは論文コンテンツを深く理解し、理解しやすい言語で説明し、構造化された学習カードを生成して復習や共有を容易にします。新しい技術を学習する場合でも、最先端分野を研究する場合でも、学習効率を大幅に向上させることができます。",
+ "steps": [
+ {
+ "title": "論文情報を提供",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Codeに読みたい論文を伝えます。論文タイトル、PDFファイルパス、arXivリンクを提供できます。AIが論文コンテンツを自動的に取得・分析します。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "この論文をダウンロード・分析してください:attention is all you need https://arxiv.org/abs/1706.03762"
+ }
+ ]
+ },
+ {
+ "title": "論文を読む",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "PDF関連のSkillsをインストールして、Qwen Codeに論文コンテンツを分析させ、構造化された学習カードを生成させます。論文要約、主要ポイント、主要概念、重要な結論を表示できます。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "find skillsがあるか確認し、なければ直接インストールしてください:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code、そしてAnthropic pdfなどのオフィスSkillsをqwen code skillsにインストールしてください。"
+ }
+ ]
+ },
+ {
+ "title": "深い学習と質問",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "読書中、いつでもQwen Codeに質問できます。例:「自己注意メカニズムを説明してください」「この式はどのように導出されたか」。AIが詳細に回答し、深く理解するのを支援します。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Transformerアーキテクチャの主要なアイデアを説明してください"
+ }
+ ]
+ },
+ {
+ "title": "学習カードを生成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "学習完了後、Qwen Codeに学習カードを生成させ、論文の主要ポイント、主要概念、重要な結論を要約させます。これらのカードは復習やチームとの共有を容易にします。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "この論文の学習カードを生成してください"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen CodeはPDF、arXivリンクなど複数の論文フォーマットをサポートしています。数式とチャートの場合、AIがその意味を詳細に説明し、論文コンテンツを完全に理解するのを支援します。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ }
+}
diff --git a/website/showcase-i18n/pt-BR.json b/website/showcase-i18n/pt-BR.json
new file mode 100644
index 000000000..a0120dacd
--- /dev/null
+++ b/website/showcase-i18n/pt-BR.json
@@ -0,0 +1,2886 @@
+{
+ "code-lsp-intelligence": {
+ "title": "LSP IntelliSense",
+ "description": "Ao integrar o LSP (Language Server Protocol), o Qwen Code oferece conclusão de código e navegação de nível profissional com diagnósticos em tempo real.",
+ "category": "Programação",
+ "features": [
+ "LSP"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "O LSP (Language Server Protocol) IntelliSense permite que o Qwen Code forneça experiências de conclusão de código e navegação comparáveis às IDEs profissionais. Ao integrar servidores de linguagem, o Qwen Code pode entender com precisão a estrutura do código, informações de tipo e relações contextuais para fornecer sugestões de código de alta qualidade. Seja para assinaturas de funções, dicas de parâmetros, conclusão de nomes de variáveis, saltos de definição, busca de referências ou operações de refatoração, o LSP IntelliSense lida com tudo de forma fluida.",
+ "steps": [
+ {
+ "title": "Detecção Automática",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Qwen Code detecta automaticamente as configurações do servidor de linguagem no seu projeto. Para linguagens de programação e frameworks comuns, ele reconhece e inicia automaticamente o serviço LSP correspondente. Sem configuração manual necessária, pronto para usar imediatamente."
+ }
+ ]
+ },
+ {
+ "title": "Aproveitar o IntelliSense",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ao codificar, o LSP IntelliSense é ativado automaticamente. Enquanto você digita, ele fornece sugestões de conclusão precisas baseadas no contexto, incluindo nomes de funções, nomes de variáveis e anotações de tipo. Pressione Tab para aceitar rapidamente uma sugestão."
+ }
+ ]
+ },
+ {
+ "title": "Diagnóstico de Erros",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O diagnóstico em tempo real do LSP analisa continuamente seu código durante a codificação, detectando problemas potenciais. Erros e avisos são exibidos intuitivamente com localização do problema, tipo de erro e sugestões de correção."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Suporta linguagens comuns como TypeScript, Python, Java, Go, Rust e frameworks frontend como React, Vue e Angular."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-pr-review": {
+ "title": "Revisão de PR",
+ "description": "Use o Qwen Code para realizar revisões de código inteligentes em Pull Requests e descobrir automaticamente problemas potenciais.",
+ "category": "Programação",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "A revisão de código é um passo crucial para garantir a qualidade do código, mas muitas vezes é demorada e propensa a erros. O Qwen Code pode ajudá-lo a realizar revisões de código inteligentes em Pull Requests, analisar automaticamente as alterações de código, encontrar bugs potenciais, verificar padrões de código e fornecer relatórios de revisão detalhados.",
+ "steps": [
+ {
+ "title": "Especificar a PR para Revisão",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Informe ao Qwen Code qual Pull Request você deseja revisar fornecendo o número ou link da PR."
+ },
+ {
+ "type": "callout",
+ "calloutType": "tip",
+ "value": "Você pode usar o skill pr-review para analisar PRs. Para instalação do skill, veja: [Instalar Skills](./guide-skill-install.mdx)."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skill pr-review Por favor, revise esta PR: "
+ }
+ ]
+ },
+ {
+ "title": "Executar Testes e Verificações",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Qwen Code analisará as alterações de código, identificará casos de teste relevantes e executará testes para verificar a correção do código."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Executar testes para verificar se esta PR passa em todos os casos de teste"
+ }
+ ]
+ },
+ {
+ "title": "Ver o Relatório de Revisão",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após a revisão, o Qwen Code gera um relatório detalhado incluindo problemas descobertos, riscos potenciais e sugestões de melhoria."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Exibir o relatório de revisão e listar todos os problemas descobertos"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "A revisão de código do Qwen Code analisa não apenas sintaxe e padrões, mas também a lógica do código para identificar problemas de desempenho potenciais, vulnerabilidades de segurança e falhas de design."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-solve-issue": {
+ "title": "Resolver Issues",
+ "description": "Use o Qwen Code para analisar e resolver issues de projetos open source, com rastreamento completo do processo desde a compreensão até a submissão do código.",
+ "category": "Programação",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Resolver issues de projetos open source é uma forma importante de melhorar habilidades de programação e construir influência técnica. O Qwen Code pode ajudá-lo a localizar problemas rapidamente, entender o código relacionado, formular planos de correção e implementar alterações de código.",
+ "steps": [
+ {
+ "title": "Escolher uma Issue",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Encontre uma issue interessante ou adequada no GitHub. Priorize issues com descrições claras, etapas de reprodução e resultados esperados. Labels como `good first issue` ou `help wanted` são boas para iniciantes."
+ }
+ ]
+ },
+ {
+ "title": "Clonar o Projeto e Localizar o Problema",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Baixe o código do projeto e deixe a IA localizar o problema. Use `@file` para referenciar arquivos relevantes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Me ajude a analisar onde está o problema descrito nesta issue, link da issue: "
+ }
+ ]
+ },
+ {
+ "title": "Entender o Código Relacionado",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Peça à IA para explicar a lógica do código relacionado e as dependências."
+ }
+ ]
+ },
+ {
+ "title": "Formular um Plano de Correção",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Discuta soluções possíveis com a IA e escolha a melhor."
+ }
+ ]
+ },
+ {
+ "title": "Implementar Alterações de Código",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Modifique o código gradualmente com orientação da IA e teste-o."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Me ajude a modificar este código para resolver o problema"
+ }
+ ]
+ },
+ {
+ "title": "Submeter uma PR",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após concluir as alterações, submeta uma PR e aguarde a revisão do mantenedor do projeto."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Me ajude a submeter uma PR para resolver este problema"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Resolver issues open source não apenas melhora habilidades técnicas, mas também constrói influência técnica e promove o desenvolvimento de carreira."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-oss-promo-video": {
+ "title": "Criar Vídeo Promocional para Seu Projeto Open Source",
+ "description": "Forneça uma URL de repositório e a IA gera um belo vídeo de demonstração do projeto para você.",
+ "category": "Ferramentas de Criação",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Quer criar um vídeo promocional para seu projeto open source mas não tem experiência em produção de vídeo? O Qwen Code pode gerar automaticamente belos vídeos de demonstração de projeto. Basta fornecer a URL do repositório GitHub, e a IA analisará a estrutura do projeto, extrairá funcionalidades-chave, gerará scripts de animação e renderizará um vídeo profissional com Remotion.",
+ "steps": [
+ {
+ "title": "Preparar o Repositório",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Certifique-se de que seu repositório GitHub contém informações completas do projeto e documentação, incluindo README, capturas de tela e descrições de funcionalidades."
+ }
+ ]
+ },
+ {
+ "title": "Gerar o Vídeo Promocional",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Informe ao Qwen Code o estilo e foco do vídeo desejado, e a IA analisará automaticamente o projeto e gerará o vídeo."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Com base neste skill https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, me ajude a gerar um vídeo de demonstração para o repositório open source: "
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Os vídeos gerados suportam múltiplas resoluções e formatos, e podem ser enviados diretamente para o YouTube e outras plataformas de vídeo."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-remotion-video": {
+ "title": "Criação de Vídeo Remotion",
+ "description": "Descreva suas ideias criativas em linguagem natural e use o Skill Remotion para criar conteúdo de vídeo gerado por código.",
+ "category": "Ferramentas de Criação",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Quer criar vídeos mas não sabe programar? Ao descrever suas ideias criativas em linguagem natural, o Qwen Code pode usar o Skill Remotion para gerar código de vídeo. A IA entende sua descrição criativa e gera automaticamente o código do projeto Remotion, incluindo configuração de cenas, efeitos de animação e layout de texto.",
+ "steps": [
+ {
+ "title": "Instalar o Skill Remotion",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Primeiro, instale o Skill Remotion, que contém melhores práticas e templates para criação de vídeo."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Verifique se tenho find skills, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, depois me ajude a instalar remotion-best-practice."
+ }
+ ]
+ },
+ {
+ "title": "Descrever Sua Ideia Criativa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Descreva em linguagem natural o conteúdo de vídeo que deseja criar, incluindo tema, estilo, duração e cenas-chave."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file Com base no documento, crie um vídeo promocional de produto de 30 segundos com estilo moderno e minimalista."
+ }
+ ]
+ },
+ {
+ "title": "Visualizar e Ajustar",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Qwen Code gerará o código do projeto Remotion com base na sua descrição. Inicie o servidor de desenvolvimento para visualizar."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ },
+ {
+ "title": "Renderizar e Exportar",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Quando estiver satisfeito, use o comando build para renderizar o vídeo final."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Me ajude a renderizar e exportar o vídeo diretamente."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "A abordagem baseada em prompts é ideal para prototipagem rápida e exploração criativa. O código gerado pode ser editado manualmente para implementar funcionalidades mais complexas."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-resume-site-quick": {
+ "title": "Criar Site de Currículo Pessoal",
+ "description": "Crie um site de currículo pessoal com uma frase – integre suas experiências para gerar uma página de apresentação com exportação em PDF.",
+ "category": "Ferramentas de Criação",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Um site de currículo pessoal é uma ferramenta importante para busca de emprego e autopresentação. O Qwen Code pode gerar rapidamente uma página de apresentação profissional com base no conteúdo do seu currículo, com suporte a exportação em PDF para facilitar candidaturas.",
+ "steps": [
+ {
+ "title": "Fornecer Experiências Pessoais",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Informe à IA sua formação educacional, experiência profissional, experiência em projetos e habilidades."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Sou desenvolvedor frontend, formado pela universidade XX, com 3 anos de experiência, especializado em React e TypeScript..."
+ }
+ ]
+ },
+ {
+ "title": "Instalar o Skill de Design Web",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Instale o Skill de design web que fornece templates de design de currículo."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Verifique se tenho find skills, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills, depois me ajude a instalar web-component-design."
+ }
+ ]
+ },
+ {
+ "title": "Escolher Estilo de Design",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Descreva o estilo de currículo que prefere, como minimalista, profissional ou criativo."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design Me ajude a criar um site de currículo com estilo minimalista e profissional"
+ }
+ ]
+ },
+ {
+ "title": "Gerar o Site de Currículo",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "A IA criará um projeto completo de site de currículo com layout responsivo e estilos de impressão."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Seu site de currículo deve destacar seus pontos fortes e realizações principais, usando dados e exemplos específicos para embasar as descrições."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-website-clone": {
+ "title": "Replicar Seu Site Favorito com Uma Frase",
+ "description": "Dê uma captura de tela ao Qwen Code e a IA analisa a estrutura da página para gerar código frontend completo.",
+ "category": "Ferramentas de Criação",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Encontrou um design de site que gostou e quer replicá-lo rapidamente? Basta dar uma captura de tela ao Qwen Code e a IA pode analisar a estrutura da página e gerar código frontend completo. O Qwen Code reconhecerá o layout da página, esquema de cores e estrutura de componentes, e gerará código executável usando tecnologias frontend modernas.",
+ "steps": [
+ {
+ "title": "Preparar Captura de Tela do Site",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Faça uma captura de tela da interface do site que deseja replicar, garantindo que seja clara e completa."
+ }
+ ]
+ },
+ {
+ "title": "Instalar o Skill Correspondente",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Instale o Skill de reconhecimento de imagens e geração de código frontend."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Verifique se tenho find skills, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, depois me ajude a instalar web-component-design."
+ }
+ ]
+ },
+ {
+ "title": "Colar a Captura de Tela e Descrever os Requisitos",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Cole a captura de tela na conversa e informe ao Qwen Code seus requisitos específicos."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design Com base neste skill, replique uma página web HTML baseada em @website.png, garantindo que as referências de imagens sejam válidas."
+ },
+ {
+ "type": "text",
+ "value": "Exemplo de captura de tela:"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01FUQtA51YIzygQQhLT_!!6000000003037-2-tps-2768-1552.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Executar e Visualizar",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Abra a página web correspondente para verificar. Se precisar ajustar o design ou funcionalidades, continue interagindo com a IA para modificar o código."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O código gerado segue as melhores práticas frontend modernas com boa estrutura e manutenibilidade. Você pode personalizá-lo e expandi-lo ainda mais."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-youtube-to-blog": {
+ "title": "Converter Vídeos do YouTube em Artigos de Blog",
+ "description": "Use o Qwen Code para converter automaticamente vídeos do YouTube em artigos de blog estruturados.",
+ "category": "Ferramentas de Criação",
+ "features": [
+ "Skills",
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Encontrou um ótimo vídeo no YouTube e quer convertê-lo em um artigo de blog? O Qwen Code pode extrair automaticamente o conteúdo do vídeo e gerar artigos de blog bem estruturados e ricos em conteúdo. A IA obtém a transcrição do vídeo, entende os pontos-chave e organiza o conteúdo no formato padrão de artigo de blog.",
+ "steps": [
+ {
+ "title": "Fornecer o Link do Vídeo",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Informe ao Qwen Code o link do vídeo do YouTube que deseja converter."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Com base neste skill: https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, me ajude a escrever este vídeo como um blog: https://www.youtube.com/watch?v=fJSLnxi1i64"
+ }
+ ]
+ },
+ {
+ "title": "Gerar e Editar o Artigo de Blog",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "A IA analisará a transcrição e gerará um artigo com título, introdução, corpo e conclusão."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Me ajude a ajustar o estilo de linguagem deste artigo para ser mais adequado a um blog técnico"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Os artigos gerados suportam o formato Markdown e podem ser publicados diretamente em plataformas de blog ou GitHub Pages."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-agents-config": {
+ "title": "Arquivo de configuração do Agents",
+ "description": "Personalize o comportamento da IA através do arquivo MD Agents, permitindo que a IA se adapte às especificações do seu projeto e estilo de codificação.",
+ "category": "Guia de Início",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "O arquivo de configuração do Agents permite que você personalize o comportamento da IA através de arquivos Markdown, permitindo que a IA se adapte às especificações do seu projeto e estilo de codificação. Você pode definir estilo de código, convenções de nomenclatura, requisitos de comentários, etc., e a IA gerará código que atende aos padrões do projeto com base nessas configurações. Este recurso é especialmente adequado para colaboração em equipe, garantindo que os estilos de código gerados por todos os membros sejam consistentes.",
+ "steps": [
+ {
+ "title": "Criar arquivo de configuração",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Crie uma pasta `.qwen` no diretório raiz do projeto e crie um arquivo `AGENTS.md` dentro dela. Este arquivo armazenará sua configuração de comportamento da IA."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .qwen && touch .qwen/AGENTS.md"
+ }
+ ]
+ },
+ {
+ "title": "Escrever configuração",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Escreva a configuração no formato Markdown, descrevendo as especificações do projeto em linguagem natural. Você pode definir estilo de código, convenções de nomenclatura, requisitos de comentários, preferências de framework, etc., e a IA ajustará seu comportamento com base nessas configurações.\n\n```markdown\n# Especificações do projeto"
+ }
+ ]
+ },
+ {
+ "title": "Estilo de código",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- Usar TypeScript\n- Usar programação funcional\n- Adicionar comentários detalhados"
+ }
+ ]
+ },
+ {
+ "title": "Convenções de nomenclatura",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- Usar camelCase para variáveis\n- Usar UPPER_SNAKE_CASE para constantes\n- Usar PascalCase para nomes de classes\n```"
+ }
+ ]
+ },
+ {
+ "title": "Aplicar configuração",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após salvar o arquivo de configuração, a IA o lerá automaticamente e o aplicará. Na próxima conversa, a IA gerará código que atende aos padrões do projeto com base na configuração, sem necessidade de repetir as especificações."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Suporta formato Markdown, descreva as especificações do projeto em linguagem natural."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-api-setup": {
+ "title": "Guia de configuração de API",
+ "description": "Configure a chave API e parâmetros do modelo para personalizar sua experiência de programação com IA, suportando múltiplas seleções de modelo.",
+ "category": "Guia de Início",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Configurar uma chave API é uma etapa importante para usar o Qwen Code, pois desbloqueia todos os recursos e permite acessar modelos de IA poderosos. Através da plataforma Alibaba Cloud Bailian, você pode obter facilmente uma chave API e escolher o modelo mais adequado para diferentes cenários. Seja para desenvolvimento diário ou tarefas complexas, a configuração adequada do modelo pode melhorar significativamente sua eficiência de trabalho.",
+ "steps": [
+ {
+ "title": "Obter chave API",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Visite a [plataforma Alibaba Cloud Bailian](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), encontre a página de gerenciamento de chaves API no centro pessoal. Clique para criar uma nova chave API, e o sistema gerará uma chave única. Esta chave é sua credencial para acessar os serviços Qwen Code, por favor, mantenha-a em segurança."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01oHcWmQ1zN7AQGsHzf_!!6000000006701-2-tps-2776-1538.png",
+ "alt": ""
+ },
+ {
+ "type": "callout",
+ "calloutType": "warning",
+ "value": "Por favor, mantenha sua chave API segura e não a divulgue para outras pessoas ou a commit no repositório de código."
+ }
+ ]
+ },
+ {
+ "title": "Configurar chave API no Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "**1. Deixar Qwen Code configurar automaticamente**\n\nAbra o terminal, inicie Qwen Code diretamente no diretório raiz, copie o seguinte código e informe sua CHAVE-API, a configuração será bem-sucedida. Reinicie Qwen Code e digite `/model` para alternar para o modelo configurado."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "Ajude-me a configurar `settings.json` para o modelo Bailian de acordo com o seguinte conteúdo:\n{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"\",\n \"name\": \"[Bailian] \",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"\"\n },\n}\nPara entrada do nome do modelo, consulte: https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all\nMinha CHAVE-API é:"
+ },
+ {
+ "type": "text",
+ "value": "Em seguida, cole sua CHAVE-API na caixa de entrada, informe o nome do modelo necessário, como `qwen3.5-plus`, e envie para concluir a configuração."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i2/O1CN01MRati01egFmqe2eXe_!!6000000003900-2-tps-2180-1088.png",
+ "alt": ""
+ },
+ {
+ "type": "text",
+ "value": "**2. Configuração manual**\n\nConfigure manualmente o arquivo settings.json. O local do arquivo está no diretório `/.qwen`. Você pode copiar o seguinte conteúdo e modificar sua CHAVE-API e nome do modelo."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"\",\n \"name\": \"[Bailian] \",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"\"\n },\n}"
+ }
+ ]
+ },
+ {
+ "title": "Selecionar modelo",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Escolha o modelo apropriado de acordo com suas necessidades, equilibrando velocidade e desempenho. Diferentes modelos são adequados para diferentes cenários. Você pode escolher com base na complexidade da tarefa e requisitos de tempo de resposta. Use o comando `/model` para alternar rapidamente entre modelos.\n\nOpções comuns de modelo:\n- `qwen3.5-plus`: Poderoso, adequado para tarefas complexas\n- `qwen3.5-flash`: Rápido, adequado para tarefas simples\n- `qwen-max`: Modelo mais poderoso, adequado para tarefas de alta dificuldade"
+ }
+ ]
+ },
+ {
+ "title": "Testar conexão",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Envie uma mensagem de teste para confirmar que a configuração da API está correta. Se a configuração for bem-sucedida, Qwen Code responderá imediatamente, o que significa que você está pronto para começar a usar a programação assistida por IA. Se encontrar problemas, verifique se a chave API está configurada corretamente."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hello, can you help me with coding?"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-arena-mode": {
+ "title": "Agent Arena: Múltiplos modelos resolvendo problemas simultaneamente",
+ "description": "Use o comando /arena para fazer múltiplos modelos de IA processarem a mesma tarefa simultaneamente, comparar resultados e escolher a melhor solução.",
+ "category": "Programação",
+ "features": [
+ "Arena"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000599/O1CN01EiacyZ1GIONIePrKv_!!6000000000599-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FB9dQJgQ_Rd57oKQSegUd_YJo3q1RAAWh0EkpAS0z2U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Para código importante, você pediria a um colega para revisar. Agora você pode fazer múltiplos modelos de IA processarem a mesma tarefa simultaneamente. O Agent Arena permite comparar as capacidades de diferentes modelos — basta chamar `/arena`, selecionar modelos, inserir sua tarefa e escolher o melhor resultado.",
+ "steps": [
+ {
+ "title": "Inserir o comando /arena",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "No chat do Qwen Code, digite `/arena` e selecione `start` para entrar no modo arena."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena start"
+ }
+ ]
+ },
+ {
+ "title": "Selecionar os modelos participantes",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Na lista de modelos disponíveis, selecione os modelos que deseja comparar. Pressione `space` para selecionar 2 ou mais modelos."
+ }
+ ]
+ },
+ {
+ "title": "Inserir a descrição da tarefa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Insira a tarefa que deseja que cada modelo processe, por exemplo:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Refatore esta função para melhorar a legibilidade e o desempenho"
+ }
+ ]
+ },
+ {
+ "title": "Comparar resultados e escolher o melhor",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Todos os modelos processarão a tarefa simultaneamente. Após a conclusão, você pode comparar suas soluções e aplicar o melhor resultado ao seu código."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena select"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O modo arena é especialmente adequado para decisões importantes de código, permitindo que múltiplos modelos de IA forneçam diferentes perspectivas de soluções."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-authentication": {
+ "title": "Autenticação e login",
+ "description": "Entenda o processo de autenticação do Qwen Code, conclua rapidamente o login da conta e desbloqueie todos os recursos.",
+ "category": "Guia de Início",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "A autenticação e login são a primeira etapa para usar o Qwen Code. Através de um processo de autenticação simples, você pode desbloquear rapidamente todos os recursos. O processo de autenticação é seguro e confiável, suporta múltiplos métodos de login e garante a segurança da sua conta e dados. Após concluir a autenticação, você pode desfrutar de uma experiência de programação com IA personalizada, incluindo configuração personalizada de modelo, salvamento de histórico, etc.",
+ "steps": [
+ {
+ "title": "Acionar autenticação",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após iniciar o Qwen Code, digite o comando `/auth`, e o sistema iniciará automaticamente o processo de autenticação. O comando de autenticação pode ser usado na linha de comando ou na extensão VS Code, e o método de operação é consistente. O sistema detectará o status de autenticação atual e, se não estiver conectado, guiará você para completar o login."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Login via navegador",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O sistema abrirá automaticamente o navegador e redirecionará para a página de autenticação. Na página de autenticação, você pode escolher usar uma conta Alibaba Cloud ou outros métodos de login suportados. O processo de login é rápido e conveniente, levando apenas alguns segundos."
+ }
+ ]
+ },
+ {
+ "title": "Confirmar login",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após um login bem-sucedido, o navegador fechará automaticamente ou exibirá uma mensagem de sucesso. Ao retornar à interface Qwen Code, você verá a mensagem de sucesso da autenticação, indicando que você fez login com sucesso e desbloqueou todos os recursos. As informações de autenticação serão salvas automaticamente, então não há necessidade de fazer login novamente."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "As informações de autenticação são armazenadas com segurança localmente, sem necessidade de fazer login novamente a cada vez."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-bailian-coding-plan": {
+ "title": "Modo Bailian Coding Plan",
+ "description": "Configure para usar Bailian Coding Plan, múltiplas seleções de modelo, melhorar a qualidade de conclusão de tarefas complexas.",
+ "category": "Guia de Início",
+ "features": [
+ "Plan Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "O modo Bailian Coding Plan é um recurso avançado do Qwen Code, projetado especificamente para tarefas de programação complexas. Através da colaboração inteligente de múltiplos modelos, ele pode decompor grandes tarefas em etapas executáveis e planejar automaticamente o caminho de execução ideal. Seja refatorando grandes bases de código ou implementando funcionalidades complexas, o Coding Plan pode melhorar significativamente a qualidade e a eficiência de conclusão de tarefas.",
+ "steps": [
+ {
+ "title": "Entrar na interface de configurações",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Inicie Qwen Code e digite o comando `/auth`."
+ }
+ ]
+ },
+ {
+ "title": "Selecionar Coding Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Habilite o modo Bailian Coding Plan nas configurações, digite sua chave API, e Qwen Code configurará automaticamente os modelos suportados pelo Coding Plan para você."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i1/O1CN01cDz8AJ1Cq30rXjuXS_!!6000000000131-2-tps-1696-952.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Selecionar modelo",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Digite diretamente o comando `/model` para selecionar o modelo desejado."
+ }
+ ]
+ },
+ {
+ "title": "Iniciar tarefa complexa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Descreva sua tarefa de programação, e o Coding Plan planejará automaticamente as etapas de execução. Você pode explicar em detalhes os objetivos, restrições e resultados esperados da tarefa. A IA analisará os requisitos da tarefa e gerará um plano de execução estruturado, incluindo operações específicas e resultados esperados para cada etapa."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Preciso refatorar a camada de dados deste projeto, migrar o banco de dados de MySQL para PostgreSQL mantendo a interface API inalterada"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O modo Coding Plan é especialmente adequado para tarefas complexas que exigem colaboração de múltiplas etapas, como refatoração de arquitetura, migração de funcionalidades, etc."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-btw-sidebar": {
+ "title": "/btw Barra lateral: Faça uma pergunta rápida enquanto programa",
+ "description": "Insira uma pergunta não relacionada na conversa atual. A IA responde e retorna automaticamente ao contexto anterior, mantendo a conversa principal limpa.",
+ "category": "Primeiros Passos",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01gTHYPR1NgqpnQaf0y_!!6000000001600-1-tps-944-660.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Você está programando e de repente não consegue lembrar a ordem dos parâmetros de uma API. Antes, você precisava abrir uma nova conversa para verificar, depois voltar, perdendo todo o contexto. Agora basta digitar `/btw` para inserir uma pergunta lateral diretamente na conversa atual. O Qwen Code responde e retorna automaticamente ao contexto anterior, como se nada tivesse acontecido.",
+ "steps": [
+ {
+ "title": "Você está no meio de uma conversa principal",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Você está discutindo uma tarefa com o Qwen Code, como refatorar um componente."
+ }
+ ]
+ },
+ {
+ "title": "Digite /btw seguido da sua pergunta",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Precisa verificar algo? Basta digitar `/btw` seguido da sua pergunta:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/btw O método JavaScript Array.prototype.at() suporta índices negativos?"
+ }
+ ]
+ },
+ {
+ "title": "A IA responde e restaura automaticamente o contexto",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Depois que o Qwen Code responde sua pergunta lateral, ele retorna automaticamente ao contexto da conversa principal. Você pode continuar sua tarefa anterior como se nada tivesse acontecido."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "As respostas do `/btw` não poluem o contexto da conversa principal. A IA não tratará sua pergunta lateral como parte da tarefa em que você está trabalhando."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-copy-optimization": {
+ "title": "Otimização de cópia de caracteres",
+ "description": "Experiência de cópia de código otimizada, seleção precisa e cópia de trechos de código, preservando formato completo.",
+ "category": "Guia de Início",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "A experiência de cópia de código otimizada permite que você selecione e copie trechos de código com precisão, preservando o formato completo e o recuo. Seja blocos de código inteiros ou linhas parciais, você pode facilmente copiar e colar em seu projeto. A função de cópia suporta múltiplos métodos, incluindo cópia com um clique, cópia por seleção e cópia por atalho de teclado, atendendo às necessidades de diferentes cenários.",
+ "steps": [
+ {
+ "title": "Selecionar bloco de código",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Clique no botão de cópia no canto superior direito do bloco de código para copiar todo o bloco com um clique. O botão de cópia é claramente visível e a operação é simples e rápida. O conteúdo copiado manterá o formato original, incluindo recuo, destaque de sintaxe, etc."
+ }
+ ]
+ },
+ {
+ "title": "Colar e usar",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Cole o código copiado em seu editor, e o formato será mantido automaticamente. Você pode usá-lo diretamente sem precisar ajustar manualmente o recuo ou formatação. O código colado é totalmente consistente com o código original, garantindo a correção do código."
+ }
+ ]
+ },
+ {
+ "title": "Seleção precisa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Se você só precisa copiar parte do código, pode usar o mouse para selecionar o conteúdo necessário e, em seguida, usar o atalho de teclado para copiar. Suporta seleção de múltiplas linhas, permitindo copiar com precisão os trechos de código necessários."
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-explore-agent": {
+ "title": "Explore Agent: Deixe a IA pesquisar antes de agir",
+ "description": "Use o Explore Agent para entender a estrutura do código, dependências e pontos de entrada principais antes de modificar o código, tornando o desenvolvimento subsequente mais preciso.",
+ "category": "Programação",
+ "features": [
+ "Explore"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN017nnR8X1nEA2GZlZ5Z_!!6000000005057-2-tps-1698-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Antes de modificar o código, deixe o Explore Agent ajudá-lo a entender a estrutura do código, dependências e pontos de entrada principais. Pesquise primeiro, depois deixe o Agent principal agir — direção mais precisa, menos retrabalho por modificações cegas.",
+ "steps": [
+ {
+ "title": "Mudar para o Explore Agent",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "No Qwen Code, mude para o modo Explore Agent para focar na pesquisa de código em vez de modificação."
+ }
+ ]
+ },
+ {
+ "title": "Descrever seu objetivo de pesquisa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Diga ao Explore Agent o que você quer entender, por exemplo:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Analise o módulo de autenticação deste projeto, encontre todos os arquivos e dependências relacionados"
+ }
+ ]
+ },
+ {
+ "title": "Obter o relatório de pesquisa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Explore Agent analisará a estrutura do código e produzirá um relatório de pesquisa detalhado, incluindo listas de arquivos, grafos de dependências, pontos de entrada principais, etc."
+ }
+ ]
+ },
+ {
+ "title": "Voltar ao Agent principal para iniciar o desenvolvimento",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após a pesquisa ser concluída, volte ao Agent principal e comece as modificações reais de código baseadas nos resultados da pesquisa. O relatório de pesquisa será passado como contexto para o Agent principal."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O Explore Agent apenas faz pesquisa — ele não modificará nenhum código. Sua saída pode ser usada diretamente como entrada para o Agent principal, formando um fluxo de trabalho eficiente de \"pesquisar primeiro, desenvolver depois\"."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-first-conversation": {
+ "title": "Iniciar primeira conversa",
+ "description": "Após a instalação, inicie sua primeira conversa com IA com Qwen Code para entender suas capacidades principais e métodos de interação.",
+ "category": "Guia de Início",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Após concluir a instalação do Qwen Code, você terá sua primeira conversa com ele. Esta é uma excelente oportunidade para entender as capacidades principais e métodos de interação do Qwen Code. Você pode começar com uma saudação simples e explorar gradualmente seus poderosos recursos em geração de código, resolução de problemas, compreensão de documentos, etc. Através da prática real, você sentirá como o Qwen Code se torna seu assistente capaz em sua jornada de programação.",
+ "steps": [
+ {
+ "title": "Iniciar Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Digite o comando `qwen` no terminal para iniciar o aplicativo. Na primeira inicialização, o sistema realizará a configuração de inicialização, que leva apenas alguns segundos. Após a inicialização, você verá uma interface de linha de comando amigável, pronta para começar a conversa com a IA."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Iniciar conversa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Digite sua pergunta na caixa de entrada para começar a se comunicar com a IA. Você pode começar com uma simples apresentação, como perguntar o que é Qwen Code ou o que ele pode fazer por você. A IA responderá às suas perguntas em linguagem clara e fácil de entender e o guiará para explorar mais recursos."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "what is qwen code?"
+ }
+ ]
+ },
+ {
+ "title": "Explorar capacidades",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Tente pedir à IA para ajudá-lo a completar algumas tarefas simples, como explicar código, gerar funções, responder perguntas técnicas, etc. Através da prática real, você gradualmente se familiarizará com as várias capacidades do Qwen Code e descobrirá seu valor de aplicação em diferentes cenários."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ajude-me a escrever uma função Python para calcular a sequência de Fibonacci"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code suporta conversas de múltiplas rodadas. Você pode continuar fazendo perguntas com base nas respostas anteriores para explorar tópicos de interesse em profundidade."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-headless-mode": {
+ "title": "Modo Headless",
+ "description": "Use Qwen Code em ambientes sem GUI, adequado para servidores remotos, pipelines CI/CD e cenários de scripts de automação.",
+ "category": "Guia de Início",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "O modo Headless permite que você use Qwen Code em ambientes sem GUI, especialmente adequado para servidores remotos, pipelines CI/CD e cenários de scripts de automação. Através de parâmetros de linha de comando e entrada de pipeline, você pode integrar perfeitamente o Qwen Code em seus fluxos de trabalho existentes, alcançando programação assistida por IA automatizada.",
+ "steps": [
+ {
+ "title": "Usar modo prompt",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use o parâmetro `--p` para passar prompts diretamente na linha de comando. Qwen Code retornará a resposta e sairá automaticamente. Este método é adequado para consultas únicas e pode ser facilmente integrado em scripts."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --p 'what is qwen code?'"
+ }
+ ]
+ },
+ {
+ "title": "Entrada de pipeline",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Passe a saída de outros comandos para Qwen Code através de pipelines para alcançar processamento automatizado. Você pode enviar arquivos de log, mensagens de erro, etc. diretamente para a IA para análise."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cat error.log | qwen --p 'analisar erros'"
+ }
+ ]
+ },
+ {
+ "title": "Integração de script",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Integre Qwen Code em scripts Shell para alcançar fluxos de trabalho automatizados complexos. Você pode executar diferentes operações com base nos resultados de retorno da IA, criando scripts automatizados inteligentes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\nresult=$(qwen --p 'verificar se há problemas com o código')\nif [[ $result == *\"tem problemas\"* ]]; then\n echo \"Problemas de código encontrados\"\nfi"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O modo Headless suporta todos os recursos do Qwen Code, incluindo geração de código, resolução de problemas, operações de arquivo, etc."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-hooks-auto-test": {
+ "title": "Hooks: Executar scripts de teste automaticamente antes do commit",
+ "description": "Anexe scripts personalizados a pontos-chave no Qwen Code para automatizar fluxos de trabalho como execução de testes antes de commits e formatação automática após geração de código.",
+ "category": "Programação",
+ "features": [
+ "Hooks"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003073/O1CN019sCyMD1YZUF13PhMD_!!6000000003073-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IZNbQ8iy56UZYVmxWv5TsKMlOJPAxM7lNk162RC6JaY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "A IA gerou código mas a formatação está errada, e você precisa executar o prettier manualmente toda vez? Ou esqueceu de executar os testes antes do commit, e a CI falhou? O sistema de Hooks resolve esses problemas. Você pode anexar seus próprios scripts a 10 pontos-chave no Qwen Code, fazendo-os executar automaticamente em momentos específicos.",
+ "steps": [
+ {
+ "title": "Criar o diretório hooks",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Crie um diretório `.agents/hooks` na raiz do seu projeto para armazenar scripts hook:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .agents/hooks"
+ }
+ ]
+ },
+ {
+ "title": "Escrever um script hook",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Crie um script hook, por exemplo, formatação automática após modificação de código:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\n# post-edit-format.sh\n# Executar automaticamente a formatação prettier após modificação de código\n\nINPUT=$(cat)\nTOOL_NAME=$(echo \"$INPUT\" | jq -r '.tool_name // empty')\n\ncase \"$TOOL_NAME\" in\n write_file|edit) ;;\n *) exit 0 ;;\nesac\n\nFILE_PATH=$(echo \"$INPUT\" | jq -r '.tool_input.file_path // empty')\n[ -z \"$FILE_PATH\" ] && exit 0\n\n# Executar formatação prettier\nnpx prettier --write \"$FILE_PATH\" 2>/dev/null\n\necho '{\"decision\": \"allow\", \"reason\": \"File formatted\"}'\nexit 0"
+ },
+ {
+ "type": "text",
+ "value": "Conceder permissão de execução:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "chmod +x .agents/hooks/post-edit-format.sh"
+ }
+ ]
+ },
+ {
+ "title": "Configurar hooks",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Adicione a configuração de hooks em `~/.qwen/settings.json`:"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"hooksConfig\": {\n \"enabled\": true\n },\n \"hooks\": {\n \"PostToolUse\": [\n {\n \"matcher\": \"(write_file|edit)\",\n \"hooks\": [\n {\n \"type\": \"command\",\n \"command\": \".agents/hooks/post-edit-format.sh\",\n \"name\": \"auto-format\",\n \"description\": \"Formatação automática após modificação de código\",\n \"timeout\": 30000\n }\n ]\n }\n ]\n }\n}"
+ }
+ ]
+ },
+ {
+ "title": "Verificar o efeito",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Inicie o Qwen Code, faça a IA modificar um arquivo de código e observe se o hook aciona automaticamente a formatação."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Hooks suportam 10 pontos-chave: PreToolUse, PostToolUse, SessionStart, SessionEnd e mais. A configuração é simples — basta colocar arquivos de script em `.agents/hooks` na raiz do seu projeto."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-language-switch": {
+ "title": "Troca de idioma",
+ "description": "Troca flexível de idioma da interface de usuário e idioma de saída da IA, suportando interação multilíngue.",
+ "category": "Guia de Início",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code suporta troca de idioma flexível. Você pode definir independentemente o idioma da interface de usuário e o idioma de saída da IA. Seja chinês, inglês ou outros idiomas, você pode encontrar configurações adequadas. O suporte multilíngue permite que você trabalhe em um ambiente de idioma familiar, melhorando a eficiência de comunicação e o conforto.",
+ "steps": [
+ {
+ "title": "Trocar idioma da UI",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use o comando `/language ui` para trocar o idioma da interface, suportando chinês, inglês e outros idiomas. Após trocar o idioma da UI, menus, mensagens de prompt, documentação de ajuda, etc. serão exibidos no idioma escolhido."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language ui zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Trocar idioma de saída",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use o comando `/language output` para trocar o idioma de saída da IA. A IA usará o idioma especificado para responder perguntas, gerar comentários de código, fornecer explicações, etc., tornando a comunicação mais natural e suave."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language output zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Uso misto de idiomas",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Você também pode definir diferentes idiomas para UI e saída para alcançar uso misto de idiomas. Por exemplo, usar chinês para UI e inglês para saída da IA, adequado para cenários onde você precisa ler documentação técnica em inglês."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "As configurações de idioma são salvas automaticamente e usarão o idioma escolhido anteriormente na próxima inicialização."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-plan-with-search": {
+ "title": "Modo Plan + Pesquisa Web",
+ "description": "Combine Pesquisa Web no modo Plan para pesquisar as últimas informações primeiro e depois formular um plano de execução, melhorando significativamente a precisão de tarefas complexas.",
+ "category": "Guia de Início",
+ "features": [
+ "Plan Mode",
+ "Web Search"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "O modo Plan é a capacidade de planejamento inteligente do Qwen Code, capaz de decompor tarefas complexas em etapas executáveis. Quando combinado com Pesquisa Web, ele pesquisará proativamente as últimas documentações técnicas, melhores práticas e soluções primeiro, e depois formulará planos de execução mais precisos com base nessas informações em tempo real. Esta combinação é especialmente adequada para lidar com tarefas de desenvolvimento envolvendo novos frameworks, novas APIs ou necessidade de seguir as últimas especificações, o que pode melhorar significativamente a qualidade do código e a eficiência de conclusão de tarefas. Seja migrando projetos, integrando novas funcionalidades ou resolvendo problemas técnicos complexos, Plan + Pesquisa Web pode fornecer as soluções mais avançadas.",
+ "steps": [
+ {
+ "title": "Habilitar modo Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Digite o comando `/approval-mode plan` na conversa para ativar o modo Plan. Neste ponto, Qwen Code entrará no estado de planejamento, pronto para receber sua descrição de tarefa e começar a pensar. O modo Plan analisará automaticamente a complexidade da tarefa e determinará se é necessário pesquisar informações externas para complementar a base de conhecimento."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/approval-mode plan"
+ }
+ ]
+ },
+ {
+ "title": "Solicitar pesquisa das últimas informações",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Descreva seus requisitos de tarefa, e Qwen Code identificará automaticamente as palavras-chave que precisam ser pesquisadas. Ele iniciará proativamente solicitações de Pesquisa Web para obter as últimas documentações técnicas, referências de API, melhores práticas e soluções. Os resultados da pesquisa serão integrados na base de conhecimento, fornecendo uma base de informações precisa para o planejamento subsequente."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Ajude-me a pesquisar as últimas notícias no campo de IA e organizá-las em um relatório para mim"
+ }
+ ]
+ },
+ {
+ "title": "Ver plano de execução",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Com base nas informações pesquisadas, Qwen Code gerará um plano de execução detalhado para você. O plano incluirá descrições claras de etapas, pontos técnicos a serem observados, armadilhas potenciais e soluções. Você pode revisar este plano, fornecer sugestões de modificação ou confirmar para começar a execução."
+ }
+ ]
+ },
+ {
+ "title": "Executar plano passo a passo",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após confirmar o plano, Qwen Code o executará passo a passo. Em cada ponto chave, ele relatará o progresso e os resultados, garantindo que você tenha controle completo sobre todo o processo. Se surgirem problemas, ele fornecerá soluções com base nas últimas informações pesquisadas, em vez de depender de conhecimento desatualizado."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "A Pesquisa Web identificará automaticamente palavras-chave técnicas na tarefa, sem necessidade de especificar manualmente o conteúdo da pesquisa. Para frameworks e bibliotecas de iteração rápida, recomenda-se habilitar Pesquisa Web no modo Plan para obter as últimas informações."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-resume-session": {
+ "title": "Retomar sessão Resume",
+ "description": "Conversas interrompidas podem ser retomadas a qualquer momento sem perder contexto e progresso.",
+ "category": "Guia de Início",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "A função de retomada de sessão Resume permite que você interrompa conversas a qualquer momento e as retome quando necessário, sem perder contexto e progresso. Seja algo temporário ou multitarefa em paralelo, você pode pausar a conversa com segurança e continuá-la mais tarde de forma perfeita. Este recurso melhora significativamente a flexibilidade do trabalho, permitindo que você gerencie tempo e tarefas com mais eficiência.",
+ "steps": [
+ {
+ "title": "Ver lista de sessões",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use o comando `qwen --resume` para ver todas as sessões históricas. O sistema exibirá o tempo, tópico e informações breves de cada sessão, ajudando você a encontrar rapidamente a conversa que precisa retomar."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Retomar sessão",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use o comando `qwen --resume` para retomar uma sessão especificada. Você pode selecionar a conversa a retomar pelo ID da sessão ou número, e o sistema carregará o histórico completo do contexto."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Continuar trabalhando",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após retomar a sessão, você pode continuar a conversa como se nunca tivesse sido interrompida. Todo o contexto, histórico e progresso serão totalmente preservados, e a IA poderá entender com precisão o conteúdo da discussão anterior."
+ }
+ ]
+ },
+ {
+ "title": "Trocar sessões após iniciar Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após iniciar Qwen Code, você pode usar o comando `/resume` para alternar para uma sessão anterior."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O histórico de sessões é salvo automaticamente e suporta sincronização entre dispositivos. Você pode retomar a mesma sessão em diferentes dispositivos."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-retry-shortcut": {
+ "title": "Ctrl+Y Tentar novamente rapidamente",
+ "description": "Não satisfeito com a resposta da IA? Use o atalho para tentar novamente com um clique e obter rapidamente melhores resultados.",
+ "category": "Guia de Início",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Não satisfeito com a resposta da IA? Use o atalho Ctrl+Y (Windows/Linux) ou Cmd+Y (macOS) para tentar novamente com um clique e obter rapidamente melhores resultados. Este recurso permite que você faça a IA regerar a resposta sem precisar digitar a pergunta novamente, economizando tempo e melhorando a eficiência. Você pode tentar novamente várias vezes até obter uma resposta satisfatória.",
+ "steps": [
+ {
+ "title": "Descobrir respostas insatisfatórias",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Quando a resposta da IA não atende às suas expectativas, não desanime. As respostas da IA podem variar devido à compreensão do contexto ou aleatoriedade, e você pode obter melhores resultados tentando novamente."
+ }
+ ]
+ },
+ {
+ "title": "Acionar nova tentativa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Pressione o atalho Ctrl+Y (Windows/Linux) ou Cmd+Y (macOS), e a IA regerará a resposta. O processo de nova tentativa é rápido e suave e não interromperá seu fluxo de trabalho."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ctrl+Y / Cmd+Y"
+ }
+ ]
+ },
+ {
+ "title": "Explicação suplementar",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Se ainda não estiver satisfeito após tentar novamente, você pode adicionar explicações suplementares às suas necessidades para que a IA possa entender melhor suas intenções. Você pode adicionar mais detalhes, modificar a forma como a pergunta é expressa, ou fornecer mais informações de contexto."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "A função de nova tentativa manterá a pergunta original, mas usará diferentes sementes aleatórias para gerar respostas, garantindo diversidade de resultados."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-review-command": {
+ "title": "/review: Revisão de código com IA",
+ "description": "Use o comando /review antes do commit para fazer a IA verificar a qualidade do código, encontrar problemas potenciais e sugerir melhorias — como ter um colega experiente revisando seu código.",
+ "category": "Programação",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005221/O1CN01UxKttk1oRGzRA3yzH_!!6000000005221-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/LAfDzQoPY0KUMvKPOETNBKL0d3y696SoGSQl2QHf8To.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Quer que alguém revise seu código antes do commit, mas seus colegas estão ocupados demais? Basta usar `/review` — a IA verificará a qualidade do código, encontrará problemas potenciais e sugerirá melhorias. Não é uma simples verificação de lint, mas uma revisão completa da sua lógica, nomenclatura e tratamento de casos extremos, como um colega experiente.",
+ "steps": [
+ {
+ "title": "Abrir o arquivo para revisão",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "No Qwen Code, abra o arquivo de código ou diretório do projeto que deseja revisar. Certifique-se de que seu código está salvo."
+ }
+ ]
+ },
+ {
+ "title": "Inserir o comando /review",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Digite `/review` no chat. O Qwen Code analisará automaticamente o arquivo atual ou as alterações de código recentes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/review"
+ }
+ ]
+ },
+ {
+ "title": "Ver os resultados da revisão",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "A IA fornecerá feedback de revisão em múltiplas dimensões, incluindo qualidade do código, correção lógica, convenções de nomenclatura e tratamento de casos extremos, junto com sugestões específicas de melhoria."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`/review` é diferente de simples verificações de lint — ele compreende profundamente a lógica do código, identificando bugs potenciais, problemas de desempenho e falhas de design."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-script-install": {
+ "title": "Instalação com um Clique de Script",
+ "description": "Instale o Qwen Code rapidamente com um comando de script. Configure seu ambiente em segundos. Compatível com Linux, macOS e Windows.",
+ "category": "Guia de Início",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "O Qwen Code suporta instalação rápida com um único comando de script. Não há necessidade de configurar variáveis de ambiente manualmente ou baixar dependências. O script detecta automaticamente o tipo de sistema operacional, baixa o pacote de instalação correspondente e conclui a configuração. Todo o processo leva apenas alguns segundos e suporta as três principais plataformas: **Linux**, **macOS** e **Windows**.",
+ "steps": [
+ {
+ "title": "Instalação no Linux / macOS",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Abra o terminal e execute o seguinte comando. O script detectará automaticamente a arquitetura do sistema (x86_64 / ARM) e baixará a versão correspondente para concluir a instalação."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "bash -c \"$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)\" -s --source website"
+ }
+ ]
+ },
+ {
+ "title": "Instalação no Windows",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Execute o seguinte comando no PowerShell. O script baixará um arquivo em lote e executará automaticamente o processo de instalação. Após a conclusão, você poderá usar o comando `qwen` em qualquer terminal."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "curl -fsSL -o %TEMP%\\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\\install-qwen.bat --source website"
+ }
+ ]
+ },
+ {
+ "title": "Verificar a Instalação",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após a conclusão da instalação, execute o seguinte comando no terminal para verificar se o Qwen Code foi instalado corretamente. Se o número da versão for exibido, a instalação foi bem-sucedida."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --version"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Se preferir usar o npm, você também pode instalar globalmente com `npm install -g @qwen-code/qwen-code`. Após a instalação, digite `qwen` para iniciar. Se houver problemas de permissão, use `sudo npm install -g @qwen-code/qwen-code` e digite sua senha para instalar."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skill-install": {
+ "title": "Instalar Skills",
+ "description": "Instale extensões de Skills de várias maneiras, incluindo instalação por linha de comando e por pasta, para atender às necessidades de diferentes cenários.",
+ "category": "Guia de Início",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "O Qwen Code suporta vários métodos de instalação de Skills. Você pode escolher o método mais adequado com base em seu cenário real. A instalação por linha de comando é adequada para ambientes online, sendo rápida e conveniente. A instalação por pasta é adequada para ambientes offline ou Skills personalizados, sendo flexível e controlável.",
+ "steps": [
+ {
+ "title": "Verificar e Instalar Skill find-skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "No Qwen Code, descreva suas necessidades diretamente e deixe o Qwen Code ajudá-lo a encontrar e instalar a Skill necessária:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Instalar Skills Necessárias, por exemplo web-component-design:",
+ "blocks": [
+ {
+ "type": "code",
+ "lang": "",
+ "value": "/skills find-skills install web-component-design -y -a qwen-code"
+ },
+ {
+ "type": "text",
+ "value": "O Qwen Code executará automaticamente o comando de instalação, baixando e instalando a Skill do repositório especificado. Você também pode instalar em uma frase:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, e instale [nome da skill] no diretório atual de skills do qwen code."
+ }
+ ]
+ },
+ {
+ "title": "Verificar a Instalação",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após a conclusão da instalação, verifique se a Skill foi carregada corretamente:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "A instalação por linha de comando requer conexão com a internet. O parâmetro `-y` significa confirmação automática, e `-a qwen-code` especifica a instalação no Qwen Code."
+ },
+ {
+ "type": "info",
+ "content": "**Requisitos de Estrutura do Diretório de Skills**\n\nCada pasta de Skill deve conter um arquivo `skill.md`, que define o nome, descrição e regras de acionamento da Skill:\n\n```\n~/.qwen/skills/\n├── my-skill/\n│ ├── SKILL.md # Obrigatório: arquivo de configuração da Skill\n│ └── scripts/ # Opcional: arquivos de script\n└── another-skill/\n └── SKILL.md\n```"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skills-panel": {
+ "title": "Painel de Skills",
+ "description": "Visualize, instale e gerencie extensões de Skills existentes através do Painel de Skills, gerenciando sua biblioteca de recursos de IA em um só lugar.",
+ "category": "Guia de Início",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "O Painel de Skills é o centro de controle para gerenciar as extensões do Qwen Code. Através desta interface intuitiva, você pode navegar por diversas Skills oficiais e da comunidade, entender a função e uso de cada Skill, e instalar ou desinstalar extensões com um clique. Seja descobrindo novos recursos de IA ou gerenciando Skills instaladas, o Painel de Skills oferece uma experiência de uso conveniente, permitindo construir facilmente sua caixa de ferramentas de IA personalizada.",
+ "steps": [
+ {
+ "title": "Abrir o Painel de Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Digite um comando na conversa do Qwen Code para abrir o Painel de Skills. Este comando exibirá uma lista de todas as Skills disponíveis, incluindo extensões instaladas e não instaladas."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ },
+ {
+ "title": "Navegar e Pesquisar Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Navegue pelas diversas extensões de Skills no painel. Cada Skill tem descrições detalhadas e explicações de funcionalidades. Você pode usar a função de pesquisa para encontrar rapidamente Skills específicas ou navegar por diferentes tipos de extensões por categoria."
+ }
+ ]
+ },
+ {
+ "title": "Instalar ou Desinstalar Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ao encontrar uma Skill de seu interesse, clique no botão de instalação para adicioná-la ao Qwen Code com um clique. Da mesma forma, você pode desinstalar Skills indesejadas a qualquer momento, mantendo sua biblioteca de recursos de IA organizada e eficiente."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O Painel de Skills é atualizado regularmente para exibir as extensões de Skills mais recentes. Recomendamos verificar o painel regularmente para descobrir recursos poderosos de IA que podem melhorar sua eficiência de trabalho."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-system-prompt": {
+ "title": "Prompts de sistema personalizados: Faça a IA responder no seu estilo",
+ "description": "Configure prompts de sistema personalizados via SDK e CLI para controlar o estilo de resposta e comportamento da IA, garantindo que ela sempre siga as convenções da sua equipe.",
+ "category": "Primeiros Passos",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000007824/O1CN01hCE0Ve27fRwwQtxTE_!!6000000007824-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/tdIxQgfQZPgWjPeBIp6-bUB4dGDc54wpKQdsH46LK-o.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Configure prompts de sistema personalizados via SDK e CLI para controlar o estilo de resposta e comportamento da IA. Por exemplo, faça-a sempre responder em chinês, escrever comentários de código em inglês ou seguir as convenções de nomenclatura da sua equipe. Sem necessidade de repetir \"por favor, responda em chinês\" a cada conversa.",
+ "steps": [
+ {
+ "title": "Criar um arquivo de prompt de sistema",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Crie um arquivo `AGENTS.md` (anteriormente `QWEN.md`) na raiz do seu projeto com seu prompt de sistema personalizado:"
+ },
+ {
+ "type": "code",
+ "lang": "markdown",
+ "value": "# Convenções do Projeto\n\n- Sempre responder em chinês\n- Comentários de código em inglês\n- Usar camelCase para nomenclatura de variáveis\n- Usar componentes funcionais + Hooks para React\n- Preferir TypeScript"
+ }
+ ]
+ },
+ {
+ "title": "Configurar prompts de sistema globais",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Para aplicar convenções em todos os projetos, configure prompts de sistema globais em `~/.qwen/AGENTS.md`.\n\nVocê também pode usar:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --system-prompt \"Quando eu perguntar em chinês, responda em chinês; quando eu perguntar em inglês, responda em inglês.\""
+ }
+ ]
+ },
+ {
+ "title": "Verificar o efeito",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Inicie o Qwen Code, comece uma conversa e observe se a IA responde de acordo com as convenções do seu prompt de sistema."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O `AGENTS.md` no nível do projeto substitui a configuração global. Você pode definir convenções diferentes para projetos diferentes, e os membros da equipe podem compartilhar o mesmo arquivo de configuração para manter a consistência."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-vscode-integration": {
+ "title": "Interface de Integração VS Code",
+ "description": "Exibição completa da interface do Qwen Code no VS Code. Entenda o layout e uso de cada área funcional.",
+ "category": "Guia de Início",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "O VS Code é um dos editores de código mais populares, e o Qwen Code oferece uma extensão profundamente integrada para o VS Code. Através desta extensão, você pode conversar diretamente com a IA no ambiente de editor familiar, desfrutando de uma experiência de programação perfeita. A extensão fornece um layout de interface intuitivo, permitindo acesso fácil a todas as funcionalidades. Completamento de código, resolução de problemas, operações de arquivo - tudo pode ser feito com eficiência.",
+ "steps": [
+ {
+ "title": "Instalar a Extensão VS Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Procure por \"Qwen Code\" no marketplace de extensões do VS Code e clique em instalar. O processo de instalação é simples e rápido, concluindo em segundos. Após a instalação, o ícone do Qwen Code aparecerá na barra lateral do VS Code, indicando que a extensão foi carregada com sucesso."
+ }
+ ]
+ },
+ {
+ "title": "Fazer Login na Conta",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use o comando `/auth` para acionar o processo de autenticação. O sistema abrirá automaticamente o navegador para fazer login. O processo de login é seguro e conveniente, suportando múltiplos métodos de autenticação. Após o login bem-sucedido, as informações da conta são sincronizadas automaticamente com a extensão do VS Code, desbloqueando todas as funcionalidades."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Começar a Usar",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Abra o painel do Qwen Code na barra lateral e inicie a conversa com a IA. Você pode digitar perguntas diretamente, referenciar arquivos ou executar comandos. Todas as operações são concluídas no VS Code. A extensão suporta recursos como múltiplas abas, histórico e atalhos, fornecendo uma experiência completa de assistente de programação."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "A extensão do VS Code tem as mesmas funcionalidades que a versão de linha de comando. Você pode escolher livremente com base em seu cenário de uso."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-web-search": {
+ "title": "Pesquisa Web",
+ "description": "Deixe o Qwen Code pesquisar conteúdo da web para obter informações em tempo real e auxiliar na programação e resolução de problemas.",
+ "category": "Guia de Início",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "O recurso de pesquisa web permite que o Qwen Code pesquise conteúdo da web em tempo real, obtendo a documentação técnica mais recente, atualizações de frameworks e soluções. Quando você encontra problemas durante o desenvolvimento ou precisa entender as tendências mais recentes de uma tecnologia, este recurso é muito útil. A IA pesquisa informações relevantes de forma inteligente e as retorna em um formato fácil de entender.",
+ "steps": [
+ {
+ "title": "Habilitar Recurso de Pesquisa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Deixe claro na conversa que a IA precisa pesquisar as informações mais recentes. Você pode fazer perguntas diretamente sobre as mais recentes tecnologias, versões de frameworks ou dados em tempo real. O Qwen Code reconhecerá automaticamente suas necessidades e iniciará o recurso de pesquisa web para obter as informações mais precisas."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Pesquise os novos recursos do React 19"
+ }
+ ]
+ },
+ {
+ "title": "Exibir Resultados da Pesquisa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "A IA retornará as informações pesquisadas e as organizará em um formato fácil de entender. Os resultados da pesquisa geralmente incluem um resumo das informações importantes, links de origem e detalhes técnicos relevantes. Você pode visualizar rapidamente essas informações para entender as tendências tecnológicas mais recentes ou encontrar soluções para problemas."
+ }
+ ]
+ },
+ {
+ "title": "Fazer Perguntas com Base nos Resultados",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Você pode fazer mais perguntas com base nos resultados da pesquisa para obter explicações mais detalhadas. Se tiver dúvidas sobre detalhes técnicos específicos ou quiser saber como aplicar os resultados da pesquisa ao seu projeto, pode continuar perguntando diretamente. A IA fornecerá orientações mais específicas com base nas informações pesquisadas."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Como esses novos recursos afetam meu projeto"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O recurso de pesquisa web é especialmente adequado para consultar as mudanças mais recentes em APIs, atualizações de versões de frameworks e tendências técnicas em tempo real."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-batch-file-organize": {
+ "title": "Organização em Lote de Arquivos",
+ "description": "Use o recurso Cowork do Qwen Code para organizar arquivos de desktop espalhados com um clique, classificando automaticamente por tipo e colocando-os nas pastas correspondentes.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Seus arquivos de desktop estão espalhados? Com o recurso Cowork do Qwen Code, você pode organizar arquivos em lote com um clique, identificando automaticamente o tipo de arquivo e classificando-os nas pastas correspondentes. Seja documentos, imagens, vídeos ou outros tipos de arquivos, tudo pode ser identificado e arquivado de forma inteligente, mantendo seu ambiente de trabalho organizado e melhorando sua eficiência.",
+ "steps": [
+ {
+ "title": "Iniciar a Conversa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Abra o terminal ou linha de comando e digite `qwen` para iniciar o Qwen Code. Certifique-se de estar no diretório que precisa ser organizado ou informe claramente à IA qual diretório deve ser organizado. O Qwen Code está pronto para aceitar suas instruções de organização."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nqwen"
+ }
+ ]
+ },
+ {
+ "title": "Fornecer Instruções de Organização",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Informe ao Qwen Code que você deseja organizar os arquivos do desktop. A IA identificará automaticamente os tipos de arquivos e criará pastas de classificação. Você pode especificar o diretório a ser organizado, as regras de classificação e a estrutura de pastas desejada. A IA criará um plano de organização com base em suas necessidades."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Organize os arquivos do desktop. Classifique-os em pastas diferentes por tipo: documentos, imagens, vídeos, arquivos compactados, etc."
+ }
+ ]
+ },
+ {
+ "title": "Revisar o Plano de Execução",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Qwen Code listará primeiro o plano de operações que serão executadas. Após verificar que não há problemas, você pode permitir a execução. Esta etapa é muito importante - você pode revisar o plano de organização para garantir que a IA entendeu suas necessidades e evitar operações incorretas."
+ }
+ ]
+ },
+ {
+ "title": "Concluir a Organização",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "A IA executará automaticamente as operações de movimentação de arquivos e exibirá um relatório de organização após a conclusão, informando quais arquivos foram movidos para onde. Todo o processo é rápido e eficiente, sem necessidade de operação manual, economizando muito tempo."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O recurso Cowork suporta regras de classificação personalizadas. Você pode especificar o mapeamento entre tipos de arquivos e pastas de destino conforme necessário."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-clipboard-paste": {
+ "title": "Colar Imagem da Área de Transferência",
+ "description": "Cole capturas de tela da área de transferência diretamente na janela de conversa. A IA entende instantaneamente o conteúdo da imagem e oferece assistência.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "O recurso de colar imagem da área de transferência permite colar qualquer captura de tela diretamente na janela de conversa do Qwen Code, sem precisar salvar o arquivo e depois fazer upload. Seja capturas de tela de erro, mockups de design de UI, capturas de tela de trechos de código ou outras imagens, o Qwen Code pode entender instantaneamente o conteúdo e oferecer assistência com base em suas necessidades. Este método de conversa conveniente melhora significativamente a eficiência da comunicação, permitindo obter rapidamente a análise e sugestões da IA ao encontrar problemas.",
+ "steps": [
+ {
+ "title": "Copiar Imagem para a Área de Transferência",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use a ferramenta de captura de tela do sistema (macOS: `Cmd+Shift+4`, Windows: `Win+Shift+S`) para capturar o conteúdo da tela ou copie uma imagem de um navegador ou gerenciador de arquivos. A captura de tela é salva automaticamente na área de transferência, sem necessidade de operações adicionais."
+ }
+ ]
+ },
+ {
+ "title": "Colar na Janela de Conversa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Na caixa de entrada de conversa do Qwen Code, use `Cmd+V` (macOS) ou `Ctrl+V` (Windows) para colar a imagem. A imagem aparecerá automaticamente na caixa de entrada, e você pode digitar texto para suas perguntas ou necessidades ao mesmo tempo."
+ }
+ ]
+ },
+ {
+ "title": "Obter Resultados da Análise da IA",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após enviar a mensagem, o Qwen Code analisará o conteúdo da imagem e responderá. Pode identificar erros em capturas de tela de código, analisar layouts de mockups de design de UI, interpretar dados de gráficos e muito mais. Você pode fazer mais perguntas para discutir detalhes da imagem em profundidade."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Suporta formatos de imagem comuns como PNG, JPEG, GIF, etc. Recomenda-se que o tamanho da imagem seja inferior a 10MB para garantir o melhor efeito de reconhecimento. Para capturas de tela de código, recomenda-se usar alta resolução para melhorar a precisão do reconhecimento de texto."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-export-conversation": {
+ "title": "Exportar Histórico de Conversa",
+ "description": "Exporte o histórico de conversa em formatos Markdown, HTML ou JSON para facilitar arquivamento e compartilhamento.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "O recurso de exportação de histórico de conversa permite que você exporte conversas importantes em vários formatos. Você pode escolher entre Markdown, HTML ou JSON conforme suas necessidades. Isso facilita o arquivamento de conversas importantes, compartilhamento com colegas ou uso em documentação. O processo de exportação é simples e rápido, mantendo o formato e o conteúdo originais da conversa.",
+ "steps": [
+ {
+ "title": "Exibir Lista de Sessões",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use o comando `/resume` para exibir todas as sessões de histórico. A lista exibe informações como hora de criação e resumo do tópico de cada sessão, ajudando você a encontrar rapidamente a conversa que deseja exportar. Você pode usar pesquisa por palavra-chave ou classificação por tempo para localizar com precisão a sessão desejada."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ },
+ {
+ "title": "Escolher Formato de Exportação",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após decidir qual sessão exportar, use o comando `/export` para especificar o formato e o ID da sessão. Três formatos são suportados: `markdown`, `html`, `json`. O formato Markdown é adequado para uso em ferramentas de documentação, o formato HTML pode ser aberto e visualizado diretamente em um navegador, e o formato JSON é adequado para processamento programático."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "# Se não houver parâmetro , exporta a sessão atual por padrão\n/export html # Exportar em formato HTML\n/export markdown # Exportar em formato Markdown\n/export json # Exportar em formato JSON"
+ }
+ ]
+ },
+ {
+ "title": "Compartilhar e Arquivar",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O arquivo exportado é salvo no diretório especificado. Os arquivos Markdown e HTML podem ser compartilhados diretamente com colegas ou usados em documentação da equipe. Os arquivos JSON podem ser importados para outras ferramentas para processamento secundário. Recomendamos arquivar regularmente conversas importantes para construir uma base de conhecimento da equipe. Os arquivos exportados também podem servir como backup, prevenindo a perda de informações importantes."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O formato HTML exportado inclui estilos completos e pode ser aberto e visualizado diretamente em qualquer navegador. O formato JSON mantém todos os metadados e é adequado para análise e processamento de dados."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-file-reference": {
+ "title": "Recurso @file",
+ "description": "Use @file na conversa para referenciar arquivos do projeto, permitindo que a IA entenda com precisão o contexto do código.",
+ "category": "Guia de Início",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "O recurso @file permite referenciar arquivos do projeto diretamente na conversa, permitindo que a IA entenda com precisão o contexto do código. Seja um único arquivo ou múltiplos arquivos, a IA pode ler e analisar o conteúdo do código, fornecendo sugestões e respostas mais precisas. Este recurso é especialmente adequado para cenários como revisão de código, solução de problemas e refatoração de código.",
+ "steps": [
+ {
+ "title": "Referenciar Arquivo Único",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use o comando `@file` seguido do caminho do arquivo para referenciar um único arquivo. A IA lerá o conteúdo do arquivo, entenderá a estrutura e lógica do código, e fornecerá respostas direcionadas com base em suas perguntas."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file ./src/main.py\nExplique o papel desta função"
+ },
+ {
+ "type": "text",
+ "value": "Você também pode referenciar um arquivo e pedir ao Qwen Code para organizar e criar um novo documento com base nele. Isso evita muito que a IA entenda mal suas necessidades e gere conteúdo que não está incluído no material de referência:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file Escreva um artigo para conta oficial com base neste arquivo"
+ }
+ ]
+ },
+ {
+ "title": "Descrever Necessidades",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após referenciar o arquivo, descreva claramente suas necessidades ou perguntas. A IA analisará com base no conteúdo do arquivo e fornecerá respostas ou sugestões precisas. Você pode perguntar sobre lógica de código, buscar problemas, solicitar otimizações, etc."
+ }
+ ]
+ },
+ {
+ "title": "Referenciar Múltiplos Arquivos",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Você pode referenciar múltiplos arquivos simultaneamente usando o comando `@file` várias vezes. A IA analisará de forma abrangente todos os arquivos referenciados, entenderá suas relações e conteúdo, e fornecerá respostas mais abrangentes."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file1 @file2 Organize um documento de aprendizagem para iniciantes com base nos materiais destes dois arquivos"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "@file suporta caminhos relativos e absolutos, e também suporta correspondência curinga para múltiplos arquivos."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-image-recognition": {
+ "title": "Reconhecimento de Imagem",
+ "description": "O Qwen Code pode ler e entender conteúdo de imagens. Mockups de design de UI, capturas de tela de erro, diagramas de arquitetura, etc.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "O Qwen Code possui poderosos recursos de reconhecimento de imagem, podendo ler e entender vários tipos de conteúdo de imagem. Seja mockups de design de UI, capturas de tela de erro, diagramas de arquitetura, fluxogramas, notas manuscritas ou outros, o Qwen Code pode identificar com precisão e fornecer análises valiosas. Esta capacidade permite integrar informações visuais diretamente ao fluxo de trabalho de programação, melhorando significativamente a eficiência da comunicação e a velocidade de resolução de problemas.",
+ "steps": [
+ {
+ "title": "Carregar Imagem",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Arraste e solte a imagem na janela de conversa ou use colagem da área de transferência (`Cmd+V` / `Ctrl+V`). Suporta formatos comuns como PNG, JPEG, GIF, WebP, etc.\n\nReferência: [Colar Imagem da Área de Transferência](./office-clipboard-paste.mdx) mostra como colar rapidamente capturas de tela na conversa."
+ }
+ ]
+ },
+ {
+ "title": "Descrever Necessidades",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Na caixa de entrada, descreva o que deseja que a IA faça com a imagem. Por exemplo:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Com base no conteúdo da imagem, gere um arquivo html simples"
+ }
+ ]
+ },
+ {
+ "title": "Obter Resultados da Análise",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Qwen Code analisará o conteúdo da imagem e fornecerá uma resposta detalhada. Você pode fazer mais perguntas para discutir detalhes da imagem em profundidade ou pedir ao Qwen Code para gerar código com base no conteúdo da imagem."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O recurso de reconhecimento de imagem suporta múltiplos cenários: análise de capturas de tela de código, conversão de mockups de design de UI para código, interpretação de informações de erro, compreensão de diagramas de arquitetura, extração de dados de gráficos, etc. Recomenda-se usar imagens claras e de alta resolução para obter o melhor efeito de reconhecimento."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-mcp-image-gen": {
+ "title": "Geração de Imagem MCP",
+ "description": "Integre serviços de geração de imagem através do MCP. Use descrições em linguagem natural para direcionar a IA a criar imagens de alta qualidade.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "MCP"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "O recurso de geração de imagem MCP (Model Context Protocol) permite que você use descrições em linguagem natural para direcionar a IA a criar imagens de alta qualidade diretamente no Qwen Code. Não há necessidade de alternar para ferramentas de geração de imagem dedicadas - basta descrever suas necessidades na conversa, e o Qwen Code chamará o serviço de geração de imagem integrado para gerar imagens que atendam aos seus requisitos. Seja criação de protótipos de UI, criação de ícones, desenho de ilustrações ou produção de diagramas conceituais, a geração de imagem MCP oferece suporte poderoso. Este fluxo de trabalho perfeitamente integrado melhora significativamente a eficiência de design e desenvolvimento, tornando a realização criativa mais conveniente.",
+ "steps": [
+ {
+ "title": "Configurar Serviço MCP",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Primeiro, você precisa configurar o serviço de geração de imagem MCP. Adicione informações de chave de API e endpoint do serviço de geração de imagem ao arquivo de configuração. O Qwen Code suporta vários serviços de geração de imagem mainstream, e você pode escolher o serviço apropriado com base em suas necessidades e orçamento. Após a configuração, reinicie o Qwen Code para ativar."
+ }
+ ]
+ },
+ {
+ "title": "Descrever Requisitos de Imagem",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Na conversa, descreva em linguagem natural a imagem que deseja gerar em detalhes. Inclua elementos como tema, estilo, cores, composição e detalhes da imagem. Quanto mais específica a descrição, mais próxima a imagem gerada será de suas expectativas. Você pode especificar estilos artísticos, referenciar artistas específicos, ou carregar uma imagem de referência para ajudar a IA a entender melhor suas necessidades."
+ }
+ ]
+ },
+ {
+ "title": "Visualizar e Salvar Resultados",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Qwen Code gerará múltiplas imagens para você escolher. Você pode visualizar cada imagem e selecionar a que melhor atende aos seus requisitos. Se precisar de ajustes, pode continuar descrevendo opiniões de modificação, e o Qwen Code regenerará com base no feedback. Quando estiver satisfeito, pode salvar a imagem localmente ou copiar o link da imagem para uso em outros lugares."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "A geração de imagem MCP suporta múltiplos estilos e tamanhos, que podem ser ajustados flexivelmente de acordo com as necessidades do projeto. Os direitos autorais das imagens geradas variam dependendo do serviço usado. Verifique os termos de uso."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-organize-desktop": {
+ "title": "Organizar Arquivos do Desktop",
+ "description": "Com uma frase, deixe o Qwen Code organizar automaticamente arquivos de desktop, classificando-os de forma inteligente por tipo.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Seus arquivos de desktop estão acumulados e você não consegue encontrar o arquivo que precisa? Com uma frase, deixe o Qwen Code organizar automaticamente seus arquivos de desktop. A IA identificará de forma inteligente os tipos de arquivos e os classificará automaticamente em imagens, documentos, código, arquivos compactados, etc., criando uma estrutura de pastas clara. Todo o processo é seguro e controlável - a IA listará primeiro o plano de operações para sua confirmação, evitando que arquivos importantes sejam movidos incorretamente. Organize seu desktop instantaneamente e melhore sua eficiência de trabalho.",
+ "steps": [
+ {
+ "title": "Descrever Necessidades de Organização",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Navegue até o diretório do desktop, inicie o Qwen Code e informe como deseja organizar os arquivos do desktop. Por exemplo, por tipo, por data, etc."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nOrganize os arquivos do desktop por tipo"
+ }
+ ]
+ },
+ {
+ "title": "Revisar Plano de Operações",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Qwen Code analisará os arquivos do desktop e listará um plano de organização detalhado, incluindo quais arquivos serão movidos para quais pastas. Você pode revisar o plano para garantir que não há problemas."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Execute este plano de organização"
+ }
+ ]
+ },
+ {
+ "title": "Executar Organização e Exibir Resultados",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após confirmação, o Qwen Code executará as operações de organização conforme o plano. Após a conclusão, você pode visualizar o desktop organizado, com arquivos já organizados de forma ordenada por tipo."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "warning",
+ "content": "A IA listará primeiro o plano de operações para sua confirmação, evitando que arquivos importantes sejam movidos incorretamente. Se tiver dúvidas sobre a classificação de arquivos específicos, pode informar o Qwen Code para ajustar as regras antes da execução."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-ppt-presentation": {
+ "title": "Apresentação: Criação de PPT",
+ "description": "Crie uma apresentação com base em capturas de tela do produto. Fornça capturas de tela e descrições, e a IA gerará slides de apresentação bonitos.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Precisa criar uma apresentação PPT do produto, mas não quer começar do zero? Basta fornecer capturas de tela do produto e uma breve descrição, e o Qwen Code pode gerar slides de apresentação estruturados e bem projetados. A IA analisará o conteúdo das capturas de tela, entenderá os recursos do produto, organizará automaticamente a estrutura dos slides, e adicionará textos e layouts apropriados. Seja para lançamento de produto, apresentação de equipe ou apresentação ao cliente, você pode obter rapidamente um PPT profissional, economizando muito tempo e energia.",
+ "steps": [
+ {
+ "title": "Preparar Capturas de Tela do Produto",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Colete capturas de tela das interfaces do produto que deseja exibir. Inclui páginas principais de funcionalidades, demonstrações de recursos importantes, etc. As capturas de tela devem ser claras e mostrar plenamente o valor e os recursos do produto. Coloque-as em uma pasta. Por exemplo: qwen-code-images"
+ }
+ ]
+ },
+ {
+ "title": "Instalar Skills Relacionados",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Instale Skills relacionadas à geração de PPT. Essas Skills incluem funcionalidades para analisar conteúdo de capturas de tela e gerar slides de apresentação."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, e instale zarazhangrui/frontend-slides no qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Gerar Apresentação",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Referencie os arquivos correspondentes e informe ao Qwen Code suas necessidades. Inclua o propósito da apresentação, público-alvo, conteúdo principal, etc. A IA gerará o PPT com base nessas informações."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "@qwen-code-images Crie uma apresentação PPT do produto com base nessas capturas de tela. Para a equipe técnica, focando nos novos recursos"
+ }
+ ]
+ },
+ {
+ "title": "Ajustar e Exportar",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Visualize o PPT gerado. Se precisar de ajustes, pode informar o Qwen Code. Por exemplo: \"Adicionar página de introdução de arquitetura\", \"Ajustar o texto desta página\". Quando estiver satisfeito, exporte em um formato editável."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Ajuste o texto da terceira página para ser mais conciso"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-terminal-theme": {
+ "title": "Alternar Tema do Terminal",
+ "description": "Altere o tema do terminal com uma frase. Descreva o estilo em linguagem natural, e a IA aplicará automaticamente.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Cansado do tema padrão do terminal? Basta descrever o estilo que deseja em linguagem natural, e o Qwen Code encontrará e aplicará o tema apropriado. Seja um estilo de tecnologia escura, um estilo fresco e simples ou um estilo clássico retrô, com uma frase a IA entende suas preferências estéticas e configura automaticamente o esquema de cores e estilo do terminal. Diga adeus à configuração manual tediosa e renove seu ambiente de trabalho instantaneamente.",
+ "steps": [
+ {
+ "title": "Descrever Estilo de Tema Desejado",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Na conversa, descreva o estilo que gosta em linguagem natural. Por exemplo: \"Altere o tema do terminal para estilo de tecnologia escura\", \"Quero um tema claro fresco e simples\". O Qwen Code entenderá suas necessidades."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Altere o tema do terminal para estilo de tecnologia escura"
+ }
+ ]
+ },
+ {
+ "title": "Revisar e Aplicar Tema",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Qwen Code recomendará múltiplas opções de tema que correspondem à sua descrição e exibirá o efeito de visualização. Selecione o tema de sua preferência e, após confirmação, a IA aplicará automaticamente as configurações."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Parece bom, aplique o tema diretamente"
+ }
+ ]
+ },
+ {
+ "title": "Ajustes Finais e Personalização",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Se precisar de mais ajustes, pode continuar informando o Qwen Code sobre seus pensamentos. Por exemplo: \"Deixe a cor de fundo um pouco mais escura\", \"Ajuste o tamanho da fonte\". A IA ajudará com ajustes finos."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "A alternância de temas modifica os arquivos de configuração do terminal. Se você estiver usando um aplicativo de terminal específico (iTerm2, Terminal.app, etc.), o Qwen Code identificará automaticamente e configurará os arquivos de tema correspondentes."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-web-search-detail": {
+ "title": "Pesquisa Web",
+ "description": "Deixe o Qwen Code pesquisar conteúdo da web para obter informações em tempo real e auxiliar na programação. Entenda as tendências técnicas e documentação mais recentes.",
+ "category": "Guia de Início",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "O recurso de pesquisa web permite que o Qwen Code pesquise as informações mais recentes da internet em tempo real, obtendo documentação técnica atualizada, referências de API, melhores práticas e soluções. Quando você encontra uma pilha de tecnologia desconhecida, precisa entender as mudanças da versão mais recente ou encontrar soluções para problemas específicos, a pesquisa web permite que a IA forneça respostas precisas com base nas informações mais recentes da web.",
+ "steps": [
+ {
+ "title": "Iniciar Solicitação de Pesquisa",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Na conversa, descreva diretamente o conteúdo que deseja pesquisar. Por exemplo: \"Pesquise os novos recursos do React 19\", \"Encontre as melhores práticas do Next.js App Router\". O Qwen Code determinará automaticamente se é necessária uma pesquisa na rede."
+ }
+ ]
+ },
+ {
+ "title": "Exibir Resultados Integrados",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "A IA pesquisa múltiplas fontes da web e fornece uma resposta estruturada integrando os resultados da pesquisa. A resposta inclui links de origem para informações importantes, facilitando a compreensão mais profunda."
+ }
+ ]
+ },
+ {
+ "title": "Continuar com Base nos Resultados",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Você pode fazer mais perguntas com base nos resultados da pesquisa e pedir à IA para aplicar as informações pesquisadas a tarefas de programação reais. Por exemplo, após pesquisar o uso de uma nova API, pode pedir à IA para ajudar na refatoração de código."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "A pesquisa web é especialmente adequada para os seguintes cenários: entender as mudanças de versões de frameworks mais recentes, encontrar soluções para erros específicos, obter documentação de API atualizada, entender as melhores práticas da indústria, etc. Os resultados da pesquisa são atualizados em tempo real, garantindo que você obtenha as informações mais recentes."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-weekly-report": {
+ "title": "Gerar Relatório Semanal Automaticamente",
+ "description": "Personalize Skills. Com um comando, rastreie automaticamente as atualizações desta semana e crie um relatório semanal de atualizações do produto seguindo um modelo.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Criar relatórios semanais de atualizações do produto toda semana é uma tarefa repetitiva e demorada. Com as Skills personalizadas do Qwen Code, você pode fazer a IA rastrear automaticamente as informações de atualização do produto desta semana e gerar um relatório semanal estruturado seguindo um modelo padrão. Com um comando, a IA coleta dados, analisa conteúdo, organiza em documentos, melhorando significativamente a eficiência de trabalho. Você pode se concentrar no produto em si e deixar a IA lidar com o trabalho tedioso de documentação.",
+ "steps": [
+ {
+ "title": "Instalar Skill skills-creator",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Primeiro, instale a Skill para que a IA entenda quais fontes de dados precisam coletar informações."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, e instale skills-creator no qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Criar Skill de Relatório Semanal",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use o recurso de criação de Skills para informar à IA que você precisa de uma Skill personalizada de geração de relatórios semanais. Descreva os tipos de dados que precisam ser coletados e a estrutura do relatório. A IA gerará uma nova Skill com base em suas necessidades."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Preciso criar um relatório semanal para o projeto de código aberto: https://github.com/QwenLM/qwen-code. Inclui principalmente issues enviadas esta semana, bugs resolvidos, novas versões e recursos, e reflexões e revisões. A linguagem deve ser centrada no usuário, altruísta e perceptível. Crie a Skill."
+ }
+ ]
+ },
+ {
+ "title": "Gerar Conteúdo do Relatório Semanal",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após a configuração, digite o comando de geração. O Qwen Code rastreará automaticamente as informações de atualização desta semana e as organizará em um documento estruturado seguindo o modelo de relatório semanal do produto."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Gere o relatório semanal de atualizações do produto qwen-code desta semana"
+ }
+ ]
+ },
+ {
+ "title": "Abrir e Editar/ajustar Relatório",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O relatório semanal gerado pode ser aberto para ajustes, e você pode editá-lo mais ou compartilhá-lo com a equipe. Você também pode pedir ao Qwen Code para ajustar o formato e o foco do conteúdo."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Torne a linguagem do relatório semanal mais vívida"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Ao usar pela primeira vez, você precisa configurar as fontes de dados. Uma vez configurado, pode ser reutilizado. Você também pode configurar tarefas agendadas para fazer o Qwen Code gerar relatórios semanais automaticamente toda semana, liberando totalmente suas mãos."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-write-file": {
+ "title": "Escrever Arquivo com Uma Frase",
+ "description": "Informe ao Qwen Code qual arquivo deseja criar, e a IA gerará e gravará o conteúdo automaticamente.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Precisa criar um novo arquivo, mas não quer começar a escrever o conteúdo do zero? Basta informar ao Qwen Code qual arquivo deseja criar, e a IA gerará e gravará automaticamente o conteúdo apropriado. Seja README, arquivos de configuração, arquivos de código ou documentos, o Qwen Code pode gerar conteúdo de alta qualidade com base em suas necessidades. Basta descrever o propósito e requisitos básicos do arquivo, e a IA cuidará do resto, melhorando significativamente a eficiência de criação de arquivos.",
+ "steps": [
+ {
+ "title": "Descrever Conteúdo e Propósito do Arquivo",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Informe ao Qwen Code que tipo de arquivo deseja criar, bem como o conteúdo principal e o propósito do arquivo."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Crie um README.md. Inclua introdução do projeto e instruções de instalação"
+ }
+ ]
+ },
+ {
+ "title": "Revisar Conteúdo Gerado",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "O Qwen Code gerará o conteúdo do arquivo com base em sua descrição e o exibirá para revisão. Você pode visualizar o conteúdo para garantir que atende às suas necessidades."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Parece bom, continue criando o arquivo"
+ }
+ ]
+ },
+ {
+ "title": "Correções e Melhorias",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Se precisar de ajustes, pode informar ao Qwen Code os requisitos específicos de correção. Por exemplo: \"Adicionar exemplos de uso\", \"Ajustar formato\"."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Adicione alguns exemplos de código"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O Qwen Code suporta vários tipos de arquivos, incluindo arquivos de texto, arquivos de código, arquivos de configuração, etc. Os arquivos gerados são salvos automaticamente no diretório especificado e podem ser editados posteriormente em um editor."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "product-insight": {
+ "title": "Insights de Dados",
+ "description": "Visualize seu relatório pessoal de uso de IA. Entenda a eficiência de programação e dados de colaboração. Use hábitos otimizados orientados por dados.",
+ "category": "Tarefas Diárias",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Insight é o painel de análise de dados de uso pessoal do Qwen Code, fornecendo insights abrangentes sobre a eficiência de programação com IA. Ele rastreia métricas principais como número de conversas, quantidade de código gerado, recursos usados frequentemente e preferências de linguagem de programação, gerando relatórios de dados visualizados. Através desses dados, você pode entender claramente seus hábitos de programação, o efeito do suporte da IA e padrões de colaboração. O Insight não apenas ajuda a descobrir espaço para melhorias de eficiência, mas também mostra em quais áreas você está usando a IA com mais eficácia, ajudando você a aproveitar melhor o valor da IA. Com insights orientados por dados, cada uso se torna mais significativo.",
+ "steps": [
+ {
+ "title": "Abrir Painel Insight",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Digite o comando `/insight` na conversa para abrir o painel de insights de dados Insight. O painel exibe uma visão geral do uso, incluindo métricas principais como número total de conversas, linhas de código geradas e tempo estimado economizado. Esses dados são exibidos em formato de gráfico intuitivo, permitindo entender seu uso de IA de um relance."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/insight"
+ }
+ ]
+ },
+ {
+ "title": "Analisar Relatório de Uso",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Explore o relatório de uso detalhado. Inclui dimensões como tendências de conversa diária, distribuição de recursos usados frequentemente, preferências de linguagem de programação, análise de tipos de código, etc. O Insight fornece insights e sugestões personalizadas com base em seus padrões de uso, ajudando você a descobrir espaço potencial de melhoria. Você pode filtrar dados por intervalo de tempo e comparar a eficiência de uso em diferentes períodos."
+ }
+ ]
+ },
+ {
+ "title": "Otimizar Hábitos de Uso",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ajuste sua estratégia de uso de IA com base nos insights de dados. Por exemplo, se perceber que usa um recurso específico com frequência mas com baixa eficiência, pode aprender a usá-lo de forma mais eficaz. Se perceber que o suporte da IA é mais eficaz para certas linguagens de programação ou tipos de tarefas, pode usar a IA com mais frequência em cenários semelhantes. Continue rastreando as mudanças nos dados e verificando os efeitos da otimização.\n\nQuer saber como usar o recurso Insight? Confira nosso [Deixe a IA nos ensinar a usar melhor a IA](../blog/how-to-use-qwencode-insight.mdx)"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Os dados do Insight são salvos apenas localmente e não são enviados para a nuvem, garantindo privacidade de uso e segurança de dados. Recomendamos verificar o relatório regularmente e desenvolver hábitos de uso orientados por dados."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-learning": {
+ "title": "Aprender Código",
+ "description": "Clone repositórios de código aberto para aprender e entender o código. O Qwen Code orienta como contribuir para projetos de código aberto.",
+ "category": "Aprendizado e Pesquisa",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Aprender com código de código aberto de alta qualidade é uma excelente maneira de melhorar suas habilidades de programação. O Qwen Code pode ajudá-lo a entender profundamente a arquitetura e detalhes de implementação de projetos complexos, encontrar pontos de contribuição apropriados e orientar correções de código. Seja para aprender uma nova pilha de tecnologia ou contribuir com a comunidade de código aberto, o Qwen Code é o mentor de programação ideal.",
+ "steps": [
+ {
+ "title": "Clonar Repositório",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Use git clone para baixar o projeto de código aberto localmente. Escolha um projeto de seu interesse e clone-o em seu ambiente de desenvolvimento. Certifique-se de que o projeto tenha boa documentação e uma comunidade ativa, o que tornará o processo de aprendizagem mais suave."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Iniciar Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Inicie o Qwen Code no diretório do projeto. Isso permite que a IA acesse todos os arquivos do projeto e forneça explicações de código contextualmente relevantes. O Qwen Code analisará automaticamente a estrutura do projeto e identificará os principais módulos e dependências."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Solicitar Explicação de Código",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Informe à IA qual parte ou funcionalidade do projeto você deseja entender. Você pode perguntar sobre a arquitetura geral, lógica de implementação de módulos específicos ou ideias de design de funcionalidades específicas. A IA explicará o código em linguagem clara e fornecerá conhecimento de fundo relevante."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Explique a arquitetura geral e os principais módulos deste projeto"
+ }
+ ]
+ },
+ {
+ "title": "Encontrar Pontos de Contribuição",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Peça à IA para ajudá-lo a encontrar issues ou recursos apropriados para iniciantes participarem. A IA analisará a lista de issues do projeto e recomendará pontos de contribuição apropriados com base em dificuldade, tags e descrição. Esta é uma ótima maneira de começar a contribuir com código aberto."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Há issues abertas que iniciantes podem participar?"
+ }
+ ]
+ },
+ {
+ "title": "Implementar Correção",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Implemente a correção de código passo a passo seguindo a orientação da IA. A IA ajudará a analisar o problema, projetar a solução e escrever o código, garantindo que a correção esteja em conformidade com os padrões de código do projeto. Após a conclusão, você pode enviar um PR para contribuir com o projeto de código aberto."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Participar de projetos de código aberto não apenas melhora suas habilidades de programação, mas também constrói influência técnica e permite conhecer desenvolvedores com interesses semelhantes."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-read-paper": {
+ "title": "Ler Artigos",
+ "description": "Leia e analise artigos acadêmicos diretamente. A IA entende conteúdo de pesquisa complexo e gera cartões de aprendizagem.",
+ "category": "Aprendizado e Pesquisa",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Artigos acadêmicos são muitas vezes difíceis e demoram muito para serem compreendidos. O Qwen Code pode ajudá-lo a ler e analisar artigos diretamente, extrair pontos principais, explicar conceitos complexos e resumir métodos de pesquisa. A IA entende profundamente o conteúdo do artigo, explica em linguagem fácil de entender e gera cartões de aprendizagem estruturados para facilitar revisão e compartilhamento. Seja aprendendo uma nova tecnologia ou pesquisando fronteiras, você pode melhorar significativamente a eficiência de aprendizagem.",
+ "steps": [
+ {
+ "title": "Fornecer Informações do Artigo",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Informe ao Qwen Code qual artigo deseja ler. Você pode fornecer o título do artigo, caminho do arquivo PDF ou link do arXiv. A IA obterá e analisará automaticamente o conteúdo do artigo."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Baixe e analise este artigo: attention is all you need https://arxiv.org/abs/1706.03762"
+ }
+ ]
+ },
+ {
+ "title": "Ler o Artigo",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Instale Skills relacionadas a PDF para que o Qwen Code analise o conteúdo do artigo e gere cartões de aprendizagem estruturados. Você pode ver resumos do artigo, pontos principais, conceitos principais, conclusões importantes, etc."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Verifique se o find skills existe, se não, instale diretamente: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, e instale Skills de escritório como Anthropic pdf no qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Aprendizagem Profunda e Perguntas",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Durante a leitura, você pode perguntar ao Qwen Code a qualquer momento. Por exemplo: \"Explique o mecanismo de auto-atenção\", \"Como esta fórmula foi derivada\". A IA responderá em detalhes, ajudando você a entender profundamente."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Explique as principais ideias da arquitetura Transformer"
+ }
+ ]
+ },
+ {
+ "title": "Gerar Cartão de Aprendizagem",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Após concluir o aprendizado, peça ao Qwen Code para gerar um cartão de aprendizagem, resumindo os pontos principais, conceitos principais e conclusões importantes do artigo. Esses cartões facilitam a revisão e o compartilhamento com a equipe."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Gere um cartão de aprendizagem para este artigo"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "O Qwen Code suporta múltiplos formatos de artigos, incluindo PDF, links do arXiv, etc. Para fórmulas e gráficos, a IA explicará seu significado em detalhes, ajudando você a entender completamente o conteúdo do artigo."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ }
+}
diff --git a/website/showcase-i18n/ru.json b/website/showcase-i18n/ru.json
new file mode 100644
index 000000000..06d3deece
--- /dev/null
+++ b/website/showcase-i18n/ru.json
@@ -0,0 +1,2886 @@
+{
+ "code-lsp-intelligence": {
+ "title": "LSP IntelliSense",
+ "description": "Интегрируя LSP (Language Server Protocol), Qwen Code обеспечивает профессиональное автодополнение кода и навигацию с диагностикой в реальном времени.",
+ "category": "Программирование",
+ "features": [
+ "LSP"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "LSP (Language Server Protocol) IntelliSense позволяет Qwen Code предоставлять опыт автодополнения кода и навигации, сравнимый с профессиональными IDE. Интегрируя языковые серверы, Qwen Code может точно понимать структуру кода, информацию о типах и контекстные связи для предоставления высококачественных предложений по коду. Будь то сигнатуры функций, подсказки параметров, автодополнение имён переменных, переходы к определениям, поиск ссылок или операции рефакторинга — LSP IntelliSense справляется со всем плавно.",
+ "steps": [
+ {
+ "title": "Автоматическое обнаружение",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code автоматически обнаруживает конфигурации языкового сервера в вашем проекте. Для распространённых языков программирования и фреймворков он автоматически распознаёт и запускает соответствующий LSP-сервис. Ручная настройка не требуется — готово к использованию сразу."
+ }
+ ]
+ },
+ {
+ "title": "Наслаждайтесь IntelliSense",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "При написании кода LSP IntelliSense активируется автоматически. По мере ввода он предоставляет точные предложения автодополнения на основе контекста, включая имена функций, имена переменных и аннотации типов. Нажмите Tab, чтобы быстро принять предложение."
+ }
+ ]
+ },
+ {
+ "title": "Диагностика ошибок",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Диагностика LSP в реальном времени непрерывно анализирует ваш код во время написания, обнаруживая потенциальные проблемы. Ошибки и предупреждения отображаются интуитивно с указанием местоположения проблемы, типа ошибки и предложений по исправлению."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Поддерживает распространённые языки, такие как TypeScript, Python, Java, Go, Rust, а также фронтенд-фреймворки React, Vue и Angular."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-pr-review": {
+ "title": "Ревью PR",
+ "description": "Используйте Qwen Code для интеллектуального ревью кода Pull Request и автоматического обнаружения потенциальных проблем.",
+ "category": "Программирование",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Ревью кода — важный шаг для обеспечения качества кода, но часто занимает много времени и чревато ошибками. Qwen Code может помочь вам проводить интеллектуальное ревью кода Pull Request, автоматически анализировать изменения кода, находить потенциальные баги, проверять стандарты кода и предоставлять подробные отчёты о ревью.",
+ "steps": [
+ {
+ "title": "Указать PR для ревью",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сообщите Qwen Code, какой Pull Request вы хотите проверить, указав номер или ссылку на PR."
+ },
+ {
+ "type": "callout",
+ "calloutType": "tip",
+ "value": "Вы можете использовать скилл pr-review для анализа PR. Об установке скилла см.: [Установка скиллов](./guide-skill-install.mdx)."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skill pr-review Пожалуйста, проверьте этот PR: <ссылка или номер PR>"
+ }
+ ]
+ },
+ {
+ "title": "Запустить тесты и проверки",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code проанализирует изменения кода, определит соответствующие тест-кейсы и запустит тесты для проверки корректности кода."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Запустить тесты и проверить, проходит ли этот PR все тест-кейсы"
+ }
+ ]
+ },
+ {
+ "title": "Просмотреть отчёт о ревью",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После ревью Qwen Code генерирует подробный отчёт, включающий обнаруженные проблемы, потенциальные риски и предложения по улучшению."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Показать отчёт о ревью и перечислить все обнаруженные проблемы"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Ревью кода Qwen Code анализирует не только синтаксис и стандарты, но и логику кода для выявления потенциальных проблем производительности, уязвимостей безопасности и дефектов проектирования."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-solve-issue": {
+ "title": "Решение Issues",
+ "description": "Используйте Qwen Code для анализа и решения issues open source проектов с полным отслеживанием процесса от понимания до отправки кода.",
+ "category": "Программирование",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Решение issues open source проектов — важный способ улучшить навыки программирования и создать техническое влияние. Qwen Code может помочь вам быстро локализовать проблемы, понять связанный код, сформулировать планы исправления и реализовать изменения кода.",
+ "steps": [
+ {
+ "title": "Выбрать issue",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Найдите интересный или подходящий issue на GitHub. Отдавайте приоритет issues с чёткими описаниями, шагами воспроизведения и ожидаемыми результатами. Метки `good first issue` или `help wanted` хорошо подходят для начинающих."
+ }
+ ]
+ },
+ {
+ "title": "Клонировать проект и локализовать проблему",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Загрузите код проекта и позвольте ИИ локализовать проблему. Используйте `@file` для ссылки на соответствующие файлы."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Помогите мне проанализировать, где находится проблема, описанная в этом issue, ссылка на issue: <ссылка на issue>"
+ }
+ ]
+ },
+ {
+ "title": "Понять связанный код",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Попросите ИИ объяснить логику связанного кода и зависимости."
+ }
+ ]
+ },
+ {
+ "title": "Сформулировать план исправления",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Обсудите возможные решения с ИИ и выберите наилучшее."
+ }
+ ]
+ },
+ {
+ "title": "Реализовать изменения кода",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Постепенно изменяйте код с помощью ИИ и тестируйте его."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Помогите мне изменить этот код для решения проблемы"
+ }
+ ]
+ },
+ {
+ "title": "Отправить PR",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После завершения изменений отправьте PR и дождитесь проверки мейнтейнера проекта."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Помогите мне отправить PR для решения этой проблемы"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Решение open source issues не только улучшает технические навыки, но и создаёт техническое влияние и способствует карьерному росту."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-oss-promo-video": {
+ "title": "Создание промо-видео для вашего open source проекта",
+ "description": "Укажите URL репозитория, и ИИ создаст красивое демо-видео проекта для вас.",
+ "category": "Инструменты для творчества",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Хотите создать промо-видео для своего open source проекта, но не имеете опыта в видеопроизводстве? Qwen Code может автоматически генерировать красивые демо-видео проекта. Просто укажите URL репозитория GitHub, и ИИ проанализирует структуру проекта, извлечёт ключевые функции, создаст анимационные скрипты и отрендерит профессиональное видео с помощью Remotion.",
+ "steps": [
+ {
+ "title": "Подготовить репозиторий",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Убедитесь, что ваш репозиторий GitHub содержит полную информацию о проекте и документацию, включая README, скриншоты и описания функций."
+ }
+ ]
+ },
+ {
+ "title": "Создать промо-видео",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сообщите Qwen Code желаемый стиль и фокус видео, и ИИ автоматически проанализирует проект и создаст видео."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "На основе этого скилла https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md, помогите мне создать демо-видео для open source репозитория: "
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Созданные видео поддерживают несколько разрешений и форматов, и могут быть напрямую загружены на YouTube и другие видеоплатформы."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-remotion-video": {
+ "title": "Создание видео с Remotion",
+ "description": "Опишите свои творческие идеи на естественном языке и используйте скилл Remotion для создания видеоконтента с помощью кода.",
+ "category": "Инструменты для творчества",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Хотите создавать видео, но не умеете программировать? Описывая свои творческие идеи на естественном языке, Qwen Code может использовать скилл Remotion для генерации видеокода. ИИ понимает ваше творческое описание и автоматически генерирует код проекта Remotion, включая настройку сцен, анимационные эффекты и расположение текста.",
+ "steps": [
+ {
+ "title": "Установить скилл Remotion",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сначала установите скилл Remotion, содержащий лучшие практики и шаблоны для создания видео."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Проверьте, есть ли у меня find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, затем помогите мне установить remotion-best-practice."
+ }
+ ]
+ },
+ {
+ "title": "Описать творческую идею",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Подробно опишите на естественном языке видеоконтент, который хотите создать, включая тему, стиль, продолжительность и ключевые сцены."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file На основе документа создайте 30-секундное промо-видео продукта в современном минималистичном стиле."
+ }
+ ]
+ },
+ {
+ "title": "Предварительный просмотр и настройка",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code создаст код проекта Remotion на основе вашего описания. Запустите сервер разработки для предварительного просмотра."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ },
+ {
+ "title": "Рендеринг и экспорт",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Когда будете довольны результатом, используйте команду build для рендеринга финального видео."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Помогите мне отрендерить и экспортировать видео напрямую."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Подход на основе промптов идеально подходит для быстрого прототипирования и творческого исследования. Сгенерированный код можно дополнительно редактировать вручную."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-resume-site-quick": {
+ "title": "Создание персонального сайта-резюме",
+ "description": "Создайте персональный сайт-резюме одной фразой — интегрируйте свой опыт для создания страницы-портфолио с экспортом в PDF.",
+ "category": "Инструменты для творчества",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Персональный сайт-резюме — важный инструмент для поиска работы и самопрезентации. Qwen Code может быстро создать профессиональную страницу-портфолио на основе содержимого вашего резюме с поддержкой экспорта в PDF для удобной подачи заявок.",
+ "steps": [
+ {
+ "title": "Предоставить личный опыт",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сообщите ИИ о своём образовании, опыте работы, проектном опыте и навыках."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Я фронтенд-разработчик, окончил университет XX, имею 3 года опыта, специализируюсь на React и TypeScript..."
+ }
+ ]
+ },
+ {
+ "title": "Установить скилл веб-дизайна",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Установите скилл веб-дизайна, предоставляющий шаблоны дизайна резюме."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Проверьте, есть ли у меня find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills, затем помогите мне установить web-component-design."
+ }
+ ]
+ },
+ {
+ "title": "Выбрать стиль дизайна",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Опишите предпочтительный стиль резюме, например минималистичный, профессиональный или творческий."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design Помогите мне создать сайт-резюме в минималистичном профессиональном стиле"
+ }
+ ]
+ },
+ {
+ "title": "Создать сайт-резюме",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ИИ создаст полный проект сайта-резюме с адаптивной вёрсткой и стилями печати."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Ваш сайт-резюме должен подчёркивать ваши ключевые сильные стороны и достижения, используя конкретные данные и примеры для подтверждения описаний."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-website-clone": {
+ "title": "Воссоздать любимый сайт одной фразой",
+ "description": "Дайте Qwen Code скриншот, и ИИ проанализирует структуру страницы для создания полного фронтенд-кода.",
+ "category": "Инструменты для творчества",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Нашли понравившийся дизайн сайта и хотите быстро его воссоздать? Просто дайте Qwen Code скриншот, и ИИ может проанализировать структуру страницы и создать полный фронтенд-код. Qwen Code распознает макет страницы, цветовую схему и структуру компонентов, затем создаст исполняемый код с использованием современных фронтенд-технологий.",
+ "steps": [
+ {
+ "title": "Подготовить скриншот сайта",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сделайте скриншот интерфейса сайта, который хотите воссоздать, убедившись, что он чёткий и полный."
+ }
+ ]
+ },
+ {
+ "title": "Установить соответствующий скилл",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Установите скилл распознавания изображений и генерации фронтенд-кода."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Проверьте, есть ли у меня find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, затем помогите мне установить web-component-design."
+ }
+ ]
+ },
+ {
+ "title": "Вставить скриншот и описать требования",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Вставьте скриншот в разговор и сообщите Qwen Code ваши конкретные требования."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design На основе этого скилла воссоздайте HTML-страницу на основе @website.png, убедившись, что ссылки на изображения действительны."
+ },
+ {
+ "type": "text",
+ "value": "Пример скриншота:"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01FUQtA51YIzygQQhLT_!!6000000003037-2-tps-2768-1552.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Запустить и просмотреть",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Откройте соответствующую веб-страницу для проверки. Если нужно скорректировать дизайн или функциональность, продолжайте взаимодействовать с ИИ для изменения кода."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Сгенерированный код следует современным лучшим практикам фронтенда с хорошей структурой и поддерживаемостью. Вы можете дополнительно настраивать и расширять его."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-youtube-to-blog": {
+ "title": "Конвертация YouTube-видео в статьи блога",
+ "description": "Используйте Qwen Code для автоматической конвертации YouTube-видео в структурированные статьи блога.",
+ "category": "Инструменты для творчества",
+ "features": [
+ "Skills",
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Нашли отличное YouTube-видео и хотите превратить его в статью блога? Qwen Code может автоматически извлекать содержимое видео и создавать хорошо структурированные, содержательные статьи блога. ИИ получает транскрипт видео, понимает ключевые моменты и организует контент в стандартном формате статьи блога.",
+ "steps": [
+ {
+ "title": "Предоставить ссылку на видео",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сообщите Qwen Code ссылку на YouTube-видео, которое хотите конвертировать."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "На основе этого скилла: https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor, помогите мне написать это видео как блог: https://www.youtube.com/watch?v=fJSLnxi1i64"
+ }
+ ]
+ },
+ {
+ "title": "Создать и отредактировать статью блога",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ИИ проанализирует транскрипт и создаст статью с заголовком, введением, основной частью и заключением."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Помогите мне скорректировать языковой стиль этой статьи, чтобы он больше подходил для технического блога"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Созданные статьи поддерживают формат Markdown и могут быть напрямую опубликованы на блог-платформах или GitHub Pages."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-agents-config": {
+ "title": "Файл конфигурации Agents",
+ "description": "Настройте поведение ИИ через файл MD Agents, чтобы ИИ адаптировался к спецификациям вашего проекта и стилю кодирования.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Файл конфигурации Agents позволяет настраивать поведение ИИ через файлы Markdown, позволяя ИИ адаптироваться к спецификациям вашего проекта и стилю кодирования. Вы можете определить стиль кода, соглашения об именовании, требования к комментариям и т.д., и ИИ будет генерировать код, соответствующий стандартам проекта, на основе этих конфигураций. Эта функция особенно подходит для командной работы, обеспечивая согласованность стилей кода, генерируемых всеми участниками.",
+ "steps": [
+ {
+ "title": "Создать файл конфигурации",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Создайте папку `.qwen` в корневом каталоге проекта и создайте файл `AGENTS.md` внутри неё. Этот файл будет хранить вашу конфигурацию поведения ИИ."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .qwen && touch .qwen/AGENTS.md"
+ }
+ ]
+ },
+ {
+ "title": "Написать конфигурацию",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Напишите конфигурацию в формате Markdown, описывая спецификации проекта на естественном языке. Вы можете определить стиль кода, соглашения об именовании, требования к комментариям, предпочтения фреймворка и т.д., и ИИ настроит своё поведение на основе этих конфигураций.\n\n```markdown\n# Спецификации проекта"
+ }
+ ]
+ },
+ {
+ "title": "Стиль кода",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- Использовать TypeScript\n- Использовать функциональное программирование\n- Добавлять подробные комментарии"
+ }
+ ]
+ },
+ {
+ "title": "Соглашения об именовании",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- Использовать camelCase для переменных\n- Использовать UPPER_SNAKE_CASE для констант\n- Использовать PascalCase для имён классов\n```"
+ }
+ ]
+ },
+ {
+ "title": "Применить конфигурацию",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После сохранения файла конфигурации ИИ автоматически прочитает и применит её. В следующем разговоре ИИ будет генерировать код, соответствующий стандартам проекта, на основе конфигурации, без необходимости повторять спецификации."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Поддерживает формат Markdown, опишите спецификации проекта на естественном языке."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-api-setup": {
+ "title": "Руководство по настройке API",
+ "description": "Настройте ключ API и параметры модели для настройки вашего опыта программирования с ИИ, поддерживая множественный выбор моделей.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Настройка ключа API — это важный шаг для использования Qwen Code, так как она разблокирует все функции и позволяет получить доступ к мощным моделям ИИ. Через платформу Alibaba Cloud Bailian вы можете легко получить ключ API и выбрать наиболее подходящую модель для различных сценариев. Будь то ежедневная разработка или сложные задачи, правильная настройка модели может значительно повысить вашу эффективность работы.",
+ "steps": [
+ {
+ "title": "Получить ключ API",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Посетите [платформу Alibaba Cloud Bailian](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key), найдите страницу управления ключами API в личном центре. Нажмите для создания нового ключа API, и система сгенерирует уникальный ключ. Этот ключ — ваше удостоверение для доступа к сервисам Qwen Code, пожалуйста, храните его в безопасности."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01oHcWmQ1zN7AQGsHzf_!!6000000006701-2-tps-2776-1538.png",
+ "alt": ""
+ },
+ {
+ "type": "callout",
+ "calloutType": "warning",
+ "value": "Пожалуйста, храните свой ключ API в безопасности и не раскрывайте его другим лицам или не коммитите в репозиторий кода."
+ }
+ ]
+ },
+ {
+ "title": "Настроить ключ API в Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "**1. Позволить Qwen Code настроить автоматически**\n\nОткройте терминал, запустите Qwen Code напрямую в корневом каталоге, скопируйте следующий код и сообщите ваш КЛЮЧ-API, настройка будет успешной. Перезапустите Qwen Code и введите `/model`, чтобы переключиться на настроенную модель."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "Помогите мне настроить `settings.json` для модели Bailian в соответствии со следующим содержимым:\n{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"<имя модели>\",\n \"name\": \"[Bailian] <имя модели>\",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"<заменить на КЛЮЧ пользователя>\"\n },\n}\nДля ввода имени модели, пожалуйста, обратитесь к: https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all\nМой КЛЮЧ-API:"
+ },
+ {
+ "type": "text",
+ "value": "Затем вставьте ваш КЛЮЧ-API в поле ввода, сообщите имя нужной модели, например `qwen3.5-plus`, и отправьте для завершения настройки."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i2/O1CN01MRati01egFmqe2eXe_!!6000000003900-2-tps-2180-1088.png",
+ "alt": ""
+ },
+ {
+ "type": "text",
+ "value": "**2. Ручная настройка**\n\nНастройте файл settings.json вручную. Расположение файла находится в каталоге `<корневой каталог пользователя>/.qwen`. Вы можете напрямую скопировать следующее содержимое и изменить ваш КЛЮЧ-API и имя модели."
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"<имя модели>\",\n \"name\": \"[Bailian] <имя модели>\",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"<заменить на КЛЮЧ пользователя>\"\n },\n}"
+ }
+ ]
+ },
+ {
+ "title": "Выбрать модель",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Выберите подходящую модель в соответствии с вашими потребностями, балансируя скорость и производительность. Различные модели подходят для различных сценариев. Вы можете выбрать на основе сложности задачи и требований к времени ответа. Используйте команду `/model` для быстрого переключения между моделями.\n\nОбщие варианты модели:\n- `qwen3.5-plus`: Мощный, подходит для сложных задач\n- `qwen3.5-flash`: Быстрый, подходит для простых задач\n- `qwen-max`: Самая мощная модель, подходит для задач высокой сложности"
+ }
+ ]
+ },
+ {
+ "title": "Проверить соединение",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Отправьте тестовое сообщение для подтверждения правильности настройки API. Если настройка успешна, Qwen Code ответит вам немедленно, что означает, что вы готовы начать использование программирования с поддержкой ИИ. Если вы столкнулись с проблемами, пожалуйста, проверьте, правильно ли настроен ключ API."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hello, can you help me with coding?"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-arena-mode": {
+ "title": "Agent Arena: Несколько моделей решают задачи одновременно",
+ "description": "Используйте команду /arena, чтобы несколько моделей ИИ обрабатывали одну и ту же задачу одновременно, сравнивайте результаты и выбирайте лучшее решение.",
+ "category": "Программирование",
+ "features": [
+ "Arena"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000599/O1CN01EiacyZ1GIONIePrKv_!!6000000000599-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FB9dQJgQ_Rd57oKQSegUd_YJo3q1RAAWh0EkpAS0z2U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Для важного кода вы бы попросили коллегу сделать ревью. Теперь вы можете заставить несколько моделей ИИ обрабатывать одну и ту же задачу одновременно. Agent Arena позволяет сравнивать возможности разных моделей — просто вызовите `/arena`, выберите модели, введите задачу и выберите лучший результат.",
+ "steps": [
+ {
+ "title": "Введите команду /arena",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "В чате Qwen Code введите `/arena` и выберите `start` для входа в режим арены."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena start"
+ }
+ ]
+ },
+ {
+ "title": "Выберите участвующие модели",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Из списка доступных моделей выберите те, которые хотите сравнить. Нажмите `space` для выбора 2 или более моделей."
+ }
+ ]
+ },
+ {
+ "title": "Введите описание задачи",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Введите задачу, которую хотите поручить каждой модели, например:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Рефакторинг этой функции для улучшения читаемости и производительности"
+ }
+ ]
+ },
+ {
+ "title": "Сравните результаты и выберите лучший",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Все модели обработают задачу одновременно. После завершения вы можете сравнить их решения и применить лучший результат к вашему коду."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/arena select"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Режим арены особенно подходит для важных решений по коду, позволяя нескольким моделям ИИ предоставить разные перспективы решений."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-authentication": {
+ "title": "Аутентификация и вход",
+ "description": "Поймите процесс аутентификации Qwen Code, быстро завершите вход в аккаунт и разблокируйте все функции.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Аутентификация и вход — это первый шаг для использования Qwen Code. Благодаря простому процессу аутентификации вы можете быстро разблокировать все функции. Процесс аутентификации безопасен и надежен, поддерживает множественные методы входа и обеспечивает безопасность вашего аккаунта и данных. После завершения аутентификации вы можете наслаждаться персонализированным опытом программирования с ИИ, включая настройку модели, сохранение истории и т.д.",
+ "steps": [
+ {
+ "title": "Инициировать аутентификацию",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После запуска Qwen Code введите команду `/auth`, и система автоматически начнёт процесс аутентификации. Команда аутентификации может использоваться в командной строке или расширении VS Code, и метод операции согласован. Система определит текущее состояние аутентификации, и если вы не вошли в систему, она направит вас для завершения входа."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Вход через браузер",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Система автоматически откроет браузер и перенаправит на страницу аутентификации. На странице аутентификации вы можете выбрать использование аккаунта Alibaba Cloud или других поддерживаемых методов входа. Процесс входа быстрый и удобный, занимает всего несколько секунд."
+ }
+ ]
+ },
+ {
+ "title": "Подтвердить вход",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После успешного входа браузер автоматически закроется или отобразит сообщение об успехе. Вернувшись к интерфейсу Qwen Code, вы увидите сообщение об успешной аутентификации, указывающее, что вы успешно вошли в систему и разблокировали все функции. Информация об аутентификации будет автоматически сохранена, поэтому нет необходимости входить повторно."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Информация об аутентификации безопасно хранится локально, нет необходимости входить повторно каждый раз."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-bailian-coding-plan": {
+ "title": "Режим Bailian Coding Plan",
+ "description": "Настройте для использования Bailian Coding Plan, множественный выбор моделей, улучшение качества выполнения сложных задач.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Plan Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Режим Bailian Coding Plan — это расширенная функция Qwen Code, специально разработанная для сложных задач программирования. Благодаря интеллектуальному мультимодельному сотрудничеству он может разлагать большие задачи на выполняемые этапы и автоматически планировать оптимальный путь выполнения. Будь то рефакторинг больших баз кода или реализация сложных функций, Coding Plan может значительно повысить качество и эффективность выполнения задач.",
+ "steps": [
+ {
+ "title": "Войти в интерфейс настроек",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Запустите Qwen Code и введите команду `/auth`."
+ }
+ ]
+ },
+ {
+ "title": "Выбрать Coding Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Включите режим Bailian Coding Plan в настройках, введите ваш ключ API, и Qwen Code автоматически настроит поддерживаемые Coding Plan модели для вас."
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i1/O1CN01cDz8AJ1Cq30rXjuXS_!!6000000000131-2-tps-1696-952.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "Выбрать модель",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Прямо введите команду `/model`, чтобы выбрать нужную модель."
+ }
+ ]
+ },
+ {
+ "title": "Начать сложную задачу",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Опишите вашу задачу программирования, и Coding Plan автоматически спланирует этапы выполнения. Вы можете подробно объяснить цели, ограничения и ожидаемые результаты задачи. ИИ проанализирует требования задачи и сгенерирует структурированный план выполнения, включая конкретные операции и ожидаемые результаты для каждого этапа."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Мне нужно рефакторизировать слой данных этого проекта, перенести базу данных из MySQL в PostgreSQL, сохраняя интерфейс API неизменным"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Режим Coding Plan особенно подходит для сложных задач, требующих многоэтапного сотрудничества, таких как рефакторинг архитектуры, миграция функций и т.д."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-btw-sidebar": {
+ "title": "/btw Боковая панель: Быстро задать вопрос во время программирования",
+ "description": "Вставьте несвязанный вопрос в текущий разговор. ИИ ответит на него и автоматически вернётся к предыдущему контексту, не загрязняя основной разговор.",
+ "category": "Начало работы",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01gTHYPR1NgqpnQaf0y_!!6000000001600-1-tps-944-660.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Вы пишете код и вдруг не можете вспомнить порядок параметров API. Раньше приходилось открывать новый разговор, чтобы проверить, а потом возвращаться — весь контекст терялся. Теперь просто введите `/btw`, чтобы вставить побочный вопрос прямо в текущий разговор. Qwen Code ответит на него и автоматически вернётся к предыдущему контексту, как будто ничего не произошло.",
+ "steps": [
+ {
+ "title": "Вы в середине основного разговора",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Вы обсуждаете задачу с Qwen Code, например, рефакторинг компонента."
+ }
+ ]
+ },
+ {
+ "title": "Введите /btw и ваш вопрос",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Нужно что-то проверить? Просто введите `/btw` и ваш вопрос:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/btw Поддерживает ли метод JavaScript Array.prototype.at() отрицательные индексы?"
+ }
+ ]
+ },
+ {
+ "title": "ИИ отвечает и автоматически восстанавливает контекст",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После того как Qwen Code ответит на ваш побочный вопрос, он автоматически вернётся к контексту основного разговора. Вы можете продолжить предыдущую задачу, как будто ничего не произошло."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Ответы `/btw` не загрязняют контекст основного разговора. ИИ не будет рассматривать ваш побочный вопрос как часть текущей задачи."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-copy-optimization": {
+ "title": "Оптимизация копирования символов",
+ "description": "Оптимизированный опыт копирования кода, точный выбор и копирование фрагментов кода, сохранение полного формата.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Оптимизированный опыт копирования кода позволяет точно выбирать и копировать фрагменты кода, сохраняя полный формат и отступы. Будь то целые блоки кода или частичные строки, вы можете легко копировать и вставлять их в ваш проект. Функция копирования поддерживает множественные методы, включая копирование в один клик, копирование по выбору и копирование по сочетанию клавиш, удовлетворяя потребности различных сценариев.",
+ "steps": [
+ {
+ "title": "Выбрать блок кода",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Нажмите кнопку копирования в правом верхнем углу блока кода, чтобы скопировать весь блок в один клик. Кнопка копирования чётко видна, операция простая и быстрая. Скопированное содержимое сохранит исходный формат, включая отступы, подсветку синтаксиса и т.д."
+ }
+ ]
+ },
+ {
+ "title": "Вставить и использовать",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Вставьте скопированный код в ваш редактор, и формат будет автоматически сохранён. Вы можете использовать его напрямую без необходимости ручной настройки отступов или форматирования. Вставленный код полностью согласован с исходным кодом, обеспечивая правильность кода."
+ }
+ ]
+ },
+ {
+ "title": "Точный выбор",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Если вам нужно скопировать только часть кода, вы можете использовать мышь для выбора необходимого содержимого, а затем использовать сочетание клавиш для копирования. Поддерживает выбор нескольких строк, позволяя точно копировать нужные фрагменты кода."
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-explore-agent": {
+ "title": "Explore Agent: Пусть ИИ сначала исследует, потом действует",
+ "description": "Используйте Explore Agent для понимания структуры кода, зависимостей и ключевых точек входа перед изменением кода, делая последующую разработку более точной.",
+ "category": "Программирование",
+ "features": [
+ "Explore"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN017nnR8X1nEA2GZlZ5Z_!!6000000005057-2-tps-1698-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Перед изменением кода позвольте Explore Agent помочь вам разобраться в структуре кода, зависимостях и ключевых точках входа. Сначала исследуйте, потом позвольте основному Agent действовать — более точное направление, меньше переделок из-за слепых изменений.",
+ "steps": [
+ {
+ "title": "Переключитесь на Explore Agent",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "В Qwen Code переключитесь в режим Explore Agent, чтобы сосредоточиться на исследовании кода, а не на его изменении."
+ }
+ ]
+ },
+ {
+ "title": "Опишите цель исследования",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Расскажите Explore Agent, что вы хотите понять, например:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Проанализируй модуль аутентификации этого проекта, найди все связанные файлы и зависимости"
+ }
+ ]
+ },
+ {
+ "title": "Получите отчёт об исследовании",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Explore Agent проанализирует структуру кода и выдаст подробный отчёт, включая списки файлов, графы зависимостей, ключевые точки входа и т.д."
+ }
+ ]
+ },
+ {
+ "title": "Вернитесь к основному Agent для начала разработки",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После завершения исследования вернитесь к основному Agent и начните фактические изменения кода на основе результатов исследования. Отчёт будет передан как контекст основному Agent."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Explore Agent только исследует — он не будет изменять код. Его вывод может быть напрямую использован как вход для основного Agent, формируя эффективный рабочий процесс «сначала исследуй, потом разрабатывай»."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-first-conversation": {
+ "title": "Начать первый разговор",
+ "description": "После установки инициируйте свой первый разговор с ИИ с Qwen Code, чтобы понять его основные возможности и методы взаимодействия.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "После завершения установки Qwen Code вы будете иметь свой первый разговор с ним. Это отличная возможность понять основные возможности и методы взаимодействия Qwen Code. Вы можете начать с простого приветствия и постепенно исследовать его мощные функции в генерации кода, решении проблем, понимании документов и т.д. Через практическое применение вы почувствуете, как Qwen Code становится вашим способным помощником в вашем пути программирования.",
+ "steps": [
+ {
+ "title": "Запустить Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Введите команду `qwen` в терминале для запуска приложения. При первом запуске система выполнит инициализацию конфигурации, которая занимает всего несколько секунд. После запуска вы увидите дружественный интерфейс командной строки, готовый к началу разговора с ИИ."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Инициировать разговор",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Введите ваш вопрос в поле ввода для начала общения с ИИ. Вы можете начать с простого самопредставления, например, спросить, что такое Qwen Code или что он может сделать для вас. ИИ ответит на ваши вопросы на ясном и понятном языке и направит вас исследовать больше функций."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "what is qwen code?"
+ }
+ ]
+ },
+ {
+ "title": "Исследовать возможности",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Попробуйте попросить ИИ помочь вам выполнить некоторые простые задачи, например, объяснить код, сгенерировать функции, ответить на технические вопросы и т.д. Через практическое применение вы постепенно познакомитесь с различными возможностями Qwen Code и откроете его ценность применения в различных сценариях."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Помогите мне написать функцию Python для вычисления последовательности Фибоначчи"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code поддерживает многоходовые разговоры. Вы можете продолжать задавать вопросы на основе предыдущих ответов для углублённого исследования интересующих тем."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-headless-mode": {
+ "title": "Режим Headless",
+ "description": "Используйте Qwen Code в средах без графического интерфейса, подходящий для удалённых серверов, конвейеров CI/CD и сценариев скриптов автоматизации.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Режим Headless позволяет использовать Qwen Code в средах без графического интерфейса, особенно подходящий для удалённых серверов, конвейеров CI/CD и сценариев скриптов автоматизации. Через параметры командной строки и ввод по каналу вы можете беспрепятственно интегрировать Qwen Code в существующие рабочие процессы, достигая автоматизированного программирования с поддержкой ИИ.",
+ "steps": [
+ {
+ "title": "Использовать режим prompt",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте параметр `--p` для передачи промптов напрямую в командной строке. Qwen Code вернёт ответ и автоматически выйдет. Этот метод подходит для одноразовых запросов и может быть легко интегрирован в скрипты."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --p 'what is qwen code?'"
+ }
+ ]
+ },
+ {
+ "title": "Ввод по каналу",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Передавайте вывод других команд в Qwen Code через каналы для достижения автоматизированной обработки. Вы можете напрямую отправлять файлы журналов, сообщения об ошибках и т.д. в ИИ для анализа."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cat error.log | qwen --p 'анализировать ошибки'"
+ }
+ ]
+ },
+ {
+ "title": "Интеграция скрипта",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Интегрируйте Qwen Code в скрипты Shell для достижения сложных автоматизированных рабочих процессов. Вы можете выполнять различные операции на основе результатов возврата ИИ, создавая интеллектуальные автоматизированные скрипты."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\nresult=$(qwen --p 'проверить, есть ли проблемы с кодом')\nif [[ $result == *\"есть проблемы\"* ]]; then\n echo \"Найдены проблемы с кодом\"\nfi"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Режим Headless поддерживает все функции Qwen Code, включая генерацию кода, решение проблем, операции с файлами и т.д."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-hooks-auto-test": {
+ "title": "Hooks: Автоматический запуск тестов перед коммитом",
+ "description": "Прикрепите пользовательские скрипты к ключевым точкам в Qwen Code для автоматизации рабочих процессов: запуск тестов перед коммитом, автоформатирование после генерации кода и другое.",
+ "category": "Программирование",
+ "features": [
+ "Hooks"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003073/O1CN019sCyMD1YZUF13PhMD_!!6000000003073-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IZNbQ8iy56UZYVmxWv5TsKMlOJPAxM7lNk162RC6JaY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "ИИ сгенерировал код, но форматирование неправильное, и каждый раз приходится вручную запускать prettier? Или забыли запустить тесты перед коммитом, и CI упал? Система Hooks решает эти проблемы. Вы можете прикрепить свои скрипты к 10 ключевым точкам в Qwen Code, позволяя им запускаться автоматически в определённые моменты.",
+ "steps": [
+ {
+ "title": "Создайте директорию hooks",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Создайте директорию `.agents/hooks` в корне проекта для хранения hook-скриптов:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .agents/hooks"
+ }
+ ]
+ },
+ {
+ "title": "Напишите hook-скрипт",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Создайте hook-скрипт, например, автоформатирование после изменения кода:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\n# post-edit-format.sh\n# Автоматический запуск форматирования prettier после изменения кода\n\nINPUT=$(cat)\nTOOL_NAME=$(echo \"$INPUT\" | jq -r '.tool_name // empty')\n\ncase \"$TOOL_NAME\" in\n write_file|edit) ;;\n *) exit 0 ;;\nesac\n\nFILE_PATH=$(echo \"$INPUT\" | jq -r '.tool_input.file_path // empty')\n[ -z \"$FILE_PATH\" ] && exit 0\n\n# Запуск форматирования prettier\nnpx prettier --write \"$FILE_PATH\" 2>/dev/null\n\necho '{\"decision\": \"allow\", \"reason\": \"File formatted\"}'\nexit 0"
+ },
+ {
+ "type": "text",
+ "value": "Предоставьте права на выполнение:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "chmod +x .agents/hooks/post-edit-format.sh"
+ }
+ ]
+ },
+ {
+ "title": "Настройте hooks",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Добавьте конфигурацию hooks в `~/.qwen/settings.json`:"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"hooksConfig\": {\n \"enabled\": true\n },\n \"hooks\": {\n \"PostToolUse\": [\n {\n \"matcher\": \"(write_file|edit)\",\n \"hooks\": [\n {\n \"type\": \"command\",\n \"command\": \".agents/hooks/post-edit-format.sh\",\n \"name\": \"auto-format\",\n \"description\": \"Автоформатирование после изменения кода\",\n \"timeout\": 30000\n }\n ]\n }\n ]\n }\n}"
+ }
+ ]
+ },
+ {
+ "title": "Проверьте эффект",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Запустите Qwen Code, попросите ИИ изменить файл кода и проверьте, автоматически ли hook запускает форматирование."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Hooks поддерживают 10 ключевых точек: PreToolUse, PostToolUse, SessionStart, SessionEnd и другие. Настройка проста — просто разместите файлы скриптов в `.agents/hooks` в корне проекта."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-language-switch": {
+ "title": "Переключение языка",
+ "description": "Гибкое переключение языка интерфейса пользователя и языка вывода ИИ, поддерживающее многоязычное взаимодействие.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code поддерживает гибкое переключение языка. Вы можете независимо установить язык интерфейса пользователя и язык вывода ИИ. Будь то китайский, английский или другие языки, вы можете найти подходящие настройки. Многоязычная поддержка позволяет вам работать в знакомой языковой среде, повышая эффективность общения и комфорт.",
+ "steps": [
+ {
+ "title": "Переключить язык UI",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте команду `/language ui` для переключения языка интерфейса, поддерживая китайский, английский и другие языки. После переключения языка UI меню, подсказки, справочная документация и т.д. будут отображаться на выбранном вами языке."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language ui zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Переключить язык вывода",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте команду `/language output` для переключения языка вывода ИИ. ИИ будет использовать указанный вами язык для ответов на вопросы, генерации комментариев к коду, предоставления объяснений и т.д., делая общение более естественным и плавным."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language output zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "Смешанное использование языков",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Вы также можете установить разные языки для UI и вывода для достижения смешанного использования языков. Например, использовать китайский для UI и английский для вывода ИИ, подходящий для сценариев, где вам нужно читать техническую документацию на английском."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Настройки языка автоматически сохраняются и будут использовать язык, выбранный вами в прошлый раз, при следующем запуске."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-plan-with-search": {
+ "title": "Режим Plan + Web Search",
+ "description": "Сочетайте Web Search в режиме Plan для поиска последних данных сначала, а затем формулирования плана выполнения, значительно повышая точность сложных задач.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Plan Mode",
+ "Web Search"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Режим Plan — это интеллектуальная способность планирования Qwen Code, способная разлагать сложные задачи на выполняемые этапы. При сочетании с Web Search он будет сначала активно искать последние технические документации, лучшие практики и решения, а затем формулировать более точные планы выполнения на основе этих данных в реальном времени. Эта комбинация особенно подходит для обработки задач разработки, включающих новые фреймворки, новые API или необходимость следовать последним спецификациям, что может значительно повысить качество кода и эффективность выполнения задач. Будь то миграция проектов, интеграция новых функций или решение сложных технических проблем, Plan + Web Search может предоставить вам самые передовые решения.",
+ "steps": [
+ {
+ "title": "Включить режим Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Введите команду `/approval-mode plan` в разговоре для активации режима Plan. В этот момент Qwen Code войдёт в состояние планирования, готовое получить описание задачи и начать размышление. Режим Plan автоматически проанализирует сложность задачи и определит, нужно ли искать внешние данные для дополнения базы знаний."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/approval-mode plan"
+ }
+ ]
+ },
+ {
+ "title": "Запросить поиск последних данных",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Опишите ваши требования к задаче, и Qwen Code автоматически определит ключевые слова, которые нужно искать. Он активно инициирует запросы Web Search для получения последних технических документаций, ссылок API, лучших практик и решений. Результаты поиска будут интегрированы в базу знаний, обеспечивая точную информационную основу для последующего планирования."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Помогите мне найти последние новости в области ИИ и организовать их в отчёт для меня"
+ }
+ ]
+ },
+ {
+ "title": "Просмотреть план выполнения",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "На основе найденных данных Qwen Code сгенерирует для вас подробный план выполнения. План будет включать чёткие описания этапов, технические моменты, на которые нужно обратить внимание, потенциальные подводные камни и решения. Вы можете просмотреть этот план, предоставить предложения по изменению или подтвердить для начала выполнения."
+ }
+ ]
+ },
+ {
+ "title": "Выполнять план поэтапно",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После подтверждения плана Qwen Code будет выполнять его поэтапно. В каждом ключевом узле он будет сообщать вам о прогрессе и результатах, обеспечивая ваш полный контроль над всем процессом. Если возникнут проблемы, он предоставит решения на основе последних найденных данных, а не полагаться на устаревшие знания."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Web Search автоматически определит технические ключевые слова в задаче, нет необходимости вручную указывать содержимое поиска. Для быстро итерирующих фреймворков и библиотек рекомендуется включить Web Search в режиме Plan для получения последних данных."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-resume-session": {
+ "title": "Возобновление сессии Resume",
+ "description": "Прерванные разговоры могут быть возобновлены в любое время без потери контекста и прогресса.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Функция возобновления сессии Resume позволяет прерывать разговоры в любое время и возобновлять их при необходимости без потери контекста и прогресса. Будь то временные дела или многозадачность в параллели, вы можете безопасно приостановить разговор и продолжить позже бесшовно. Эта функция значительно повышает гибкость работы, позволяя вам более эффективно управлять временем и задачами.",
+ "steps": [
+ {
+ "title": "Просмотреть список сессий",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте команду `qwen --resume` для просмотра всех исторических сессий. Система отобразит время, тему и краткую информацию каждой сессии, помогая вам быстро найти разговор, который нужно возобновить."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Возобновить сессию",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте команду `qwen --resume` для возобновления указанной сессии. Вы можете выбрать разговор для возобновления через ID сессии или номер, и система загрузит полную историю контекста."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "Продолжить работу",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После возобновления сессии вы можете продолжать разговор так, будто он никогда не прерывался. Весь контекст, история и прогресс будут полностью сохранены, и ИИ сможет точно понять предыдущее содержание обсуждения."
+ }
+ ]
+ },
+ {
+ "title": "Переключать сессии после запуска Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После запуска Qwen Code вы можете использовать команду `/resume` для переключения на предыдущую сессию."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "История сессий автоматически сохраняется и поддерживает синхронизацию между устройствами. Вы можете возобновить ту же сессию на разных устройствах."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-retry-shortcut": {
+ "title": "Ctrl+Y Быстрая попытка",
+ "description": "Не удовлетворены ответом ИИ? Используйте сочетание клавиш для попытки в один клик и быстро получите лучшие результаты.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Не удовлетворены ответом ИИ? Используйте сочетание клавиш Ctrl+Y (Windows/Linux) или Cmd+Y (macOS) для попытки в один клик и быстро получите лучшие результаты. Эта функция позволяет вам заставить ИИ регенерировать ответ без необходимости повторного ввода вопроса, экономя время и повышая эффективность. Вы можете пытаться несколько раз, пока не получите удовлетворительный ответ.",
+ "steps": [
+ {
+ "title": "Обнаружить неудовлетворительные ответы",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Когда ответ ИИ не соответствует вашим ожиданиям, не расстраивайтесь. Ответы ИИ могут отличаться из-за понимания контекста или случайности, и вы можете получить лучшие результаты, повторив попытку."
+ }
+ ]
+ },
+ {
+ "title": "Инициировать попытку",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Нажмите сочетание клавиш Ctrl+Y (Windows/Linux) или Cmd+Y (macOS), и ИИ регенерирует ответ. Процесс попытки быстрый и плавный и не прервет ваш рабочий процесс."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ctrl+Y / Cmd+Y"
+ }
+ ]
+ },
+ {
+ "title": "Дополнительное объяснение",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Если после попытки вы всё ещё не удовлетворены, вы можете добавить дополнительные объяснения к вашим потребностям, чтобы ИИ мог более точно понять ваши намерения. Вы можете добавить больше деталей, изменить способ формулировки вопроса или предоставить больше контекстной информации."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Функция попытки сохранит исходный вопрос, но будет использовать разные случайные семена для генерации ответов, обеспечивая разнообразие результатов."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-review-command": {
+ "title": "/review: Ревью кода с помощью ИИ",
+ "description": "Используйте команду /review перед коммитом, чтобы ИИ проверил качество кода, нашёл потенциальные проблемы и предложил улучшения — как опытный коллега, проверяющий ваш код.",
+ "category": "Программирование",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005221/O1CN01UxKttk1oRGzRA3yzH_!!6000000005221-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/LAfDzQoPY0KUMvKPOETNBKL0d3y696SoGSQl2QHf8To.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Хотите, чтобы кто-то проверил ваш код перед коммитом, но коллеги слишком заняты? Просто используйте `/review` — ИИ проверит качество кода, найдёт потенциальные проблемы и предложит улучшения. Это не простая проверка lint, а тщательный обзор вашей логики, именования и обработки граничных случаев, как опытный коллега.",
+ "steps": [
+ {
+ "title": "Откройте файл для ревью",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "В Qwen Code откройте файл кода или директорию проекта, которую хотите проверить. Убедитесь, что код сохранён."
+ }
+ ]
+ },
+ {
+ "title": "Введите команду /review",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Введите `/review` в чате. Qwen Code автоматически проанализирует текущий файл или недавние изменения кода."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/review"
+ }
+ ]
+ },
+ {
+ "title": "Просмотрите результаты ревью",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ИИ предоставит обратную связь по нескольким измерениям: качество кода, логическая корректность, конвенции именования и обработка граничных случаев, а также конкретные предложения по улучшению."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`/review` отличается от простых проверок lint — он глубоко понимает логику кода, выявляя потенциальные баги, проблемы производительности и недостатки дизайна."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-script-install": {
+ "title": "Установка скриптом в один клик",
+ "description": "Быстро установите Qwen Code с помощью команды скрипта. Настройте среду за несколько секунд. Поддержка Linux, macOS и Windows.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code поддерживает быструю установку одной командой скрипта. Нет необходимости вручную настраивать переменные окружения или загружать зависимости. Скрипт автоматически определяет тип операционной системы, загружает соответствующий установочный пакет и завершает настройку. Весь процесс занимает всего несколько секунд и поддерживает три основные платформы: **Linux**, **macOS** и **Windows**.",
+ "steps": [
+ {
+ "title": "Установка на Linux / macOS",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Откройте терминал и выполните следующую команду. Скрипт автоматически определит архитектуру системы (x86_64 / ARM) и загрузит соответствующую версию для завершения установки."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "bash -c \"$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)\" -s --source website"
+ }
+ ]
+ },
+ {
+ "title": "Установка на Windows",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Выполните следующую команду в PowerShell. Скрипт загрузит пакетный файл и автоматически выполнит процесс установки. После завершения вы сможете использовать команду `qwen` в любом терминале."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "curl -fsSL -o %TEMP%\\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\\install-qwen.bat --source website"
+ }
+ ]
+ },
+ {
+ "title": "Проверка установки",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После завершения установки выполните следующую команду в терминале, чтобы проверить, что Qwen Code установлен правильно. Если отображается номер версии, установка прошла успешно."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --version"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Если вы предпочитаете использовать npm, вы также можете установить глобально с помощью `npm install -g @qwen-code/qwen-code`. После установки введите `qwen` для запуска. Если есть проблемы с правами доступа, используйте `sudo npm install -g @qwen-code/qwen-code` и введите пароль для установки."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skill-install": {
+ "title": "Установка Skills",
+ "description": "Установите расширения Skills различными способами, включая установку через командную строку и папку, для удовлетворения потребностей различных сценариев.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code поддерживает несколько методов установки Skills. Вы можете выбрать наиболее подходящий метод в зависимости от вашей реальной ситуации. Установка через командную строку подходит для онлайн-среды, она быстрая и удобная. Установка через папку подходит для офлайн-среды или пользовательских Skills, она гибкая и управляемая.",
+ "steps": [
+ {
+ "title": "Проверка и установка Skill find-skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "В Qwen Code прямо опишите свои потребности и позвольте Qwen Code помочь вам найти и установить необходимую Skill:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Установка необходимых Skills, например web-component-design:",
+ "blocks": [
+ {
+ "type": "code",
+ "lang": "",
+ "value": "/skills find-skills install web-component-design -y -a qwen-code"
+ },
+ {
+ "type": "text",
+ "value": "Qwen Code автоматически выполнит команду установки, загрузит и установит Skill из указанного репозитория. Вы также можете установить одной фразой:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, и установите [имя skill] в текущий каталог qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Проверка установки",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После завершения установки проверьте, что Skill загружена правильно:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Установка через командную строку требует подключения к интернету. Параметр `-y` означает автоматическое подтверждение, а `-a qwen-code` указывает установку в Qwen Code."
+ },
+ {
+ "type": "info",
+ "content": "**Требования к структуре каталога Skills**\n\nКаждая папка Skill должна содержать файл `skill.md`, который определяет имя, описание и правила активации Skill:\n\n```\n~/.qwen/skills/\n├── my-skill/\n│ ├── SKILL.md # Обязательно: файл конфигурации Skill\n│ └── scripts/ # Опционально: файлы скриптов\n└── another-skill/\n └── SKILL.md\n```"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skills-panel": {
+ "title": "Панель Skills",
+ "description": "Просматривайте, устанавливайте и управляйте существующими расширениями Skills через панель Skills, управляя своей библиотекой функций ИИ в одном месте.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Панель Skills — это центр управления для управления расширениями Qwen Code. Через этот интуитивный интерфейс вы можете просматривать различные официальные и общественные Skills, понимать функции и использование каждой Skill, а также устанавливать или удалять расширения одним кликом. Будь то открытие новых функций ИИ или управление установленными Skills, панель Skills предоставляет удобный опыт использования, позволяя легко создать свой персонализированный набор инструментов ИИ.",
+ "steps": [
+ {
+ "title": "Открытие панели Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Введите команду в разговоре Qwen Code, чтобы открыть панель Skills. Эта команда отобразит список всех доступных Skills, включая установленные и неустановленные расширения."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ },
+ {
+ "title": "Просмотр и поиск Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Просмотрите различные расширения Skills на панели. У каждой Skill есть подробные описания и объяснения функций. Вы можете использовать функцию поиска для быстрого поиска конкретных Skills или просматривать различные типы расширений по категориям."
+ }
+ ]
+ },
+ {
+ "title": "Установка или удаление Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Когда вы найдете интересующую вас Skill, нажмите кнопку установки, чтобы добавить её в Qwen Code одним кликом. Точно так же вы можете удалить ненужные Skills в любое время, поддерживая вашу библиотеку функций ИИ организованной и эффективной."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Панель Skills регулярно обновляется для отображения последних расширений Skills. Мы рекомендуем регулярно проверять панель для обнаружения мощных функций ИИ, которые могут улучшить вашу эффективность работы."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-system-prompt": {
+ "title": "Пользовательские системные промпты: Заставьте ИИ отвечать в вашем стиле",
+ "description": "Настройте пользовательские системные промпты через SDK и CLI для управления стилем ответов и поведением ИИ, гарантируя соблюдение конвенций вашей команды.",
+ "category": "Начало работы",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000007824/O1CN01hCE0Ve27fRwwQtxTE_!!6000000007824-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/tdIxQgfQZPgWjPeBIp6-bUB4dGDc54wpKQdsH46LK-o.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Настройте пользовательские системные промпты через SDK и CLI для управления стилем ответов и поведением ИИ. Например, заставьте его всегда отвечать на китайском, писать комментарии к коду на английском или следовать конвенциям именования вашей команды. Не нужно повторять «пожалуйста, отвечайте на китайском» в каждом разговоре.",
+ "steps": [
+ {
+ "title": "Создать файл системного промпта",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Создайте файл `AGENTS.md` (ранее `QWEN.md`) в корне проекта с вашим пользовательским системным промптом:"
+ },
+ {
+ "type": "code",
+ "lang": "markdown",
+ "value": "# Конвенции проекта\n\n- Всегда отвечать на китайском\n- Комментарии к коду на английском\n- Использовать camelCase для именования переменных\n- Использовать функциональные компоненты + Hooks для React\n- Предпочитать TypeScript"
+ }
+ ]
+ },
+ {
+ "title": "Настроить глобальные системные промпты",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Чтобы применить конвенции ко всем проектам, настройте глобальные системные промпты в `~/.qwen/AGENTS.md`.\n\nТакже можно использовать:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --system-prompt \"Когда я спрашиваю на китайском, отвечай на китайском; когда я спрашиваю на английском, отвечай на английском.\""
+ }
+ ]
+ },
+ {
+ "title": "Проверить эффект",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Запустите Qwen Code, начните разговор и проверьте, отвечает ли ИИ в соответствии с конвенциями вашего системного промпта."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "`AGENTS.md` на уровне проекта переопределяет глобальную конфигурацию. Вы можете установить разные конвенции для разных проектов, а члены команды могут использовать один и тот же файл конфигурации для поддержания единообразия."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-vscode-integration": {
+ "title": "Интерфейс интеграции VS Code",
+ "description": "Полное отображение интерфейса Qwen Code в VS Code. Понимайте макет и использование каждой функциональной области.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "VS Code — один из самых популярных редакторов кода, и Qwen Code предлагает глубокую интеграцию с VS Code. Через это расширение вы можете напрямую общаться с ИИ в знакомой среде редактора, наслаждаясь бесшовным опытом программирования. Расширение предоставляет интуитивный интерфейс, позволяющий легко получить доступ ко всем функциям. Автодополнение кода, решение проблем, операции с файлами — всё можно сделать эффективно.",
+ "steps": [
+ {
+ "title": "Установка расширения VS Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Поищите \"Qwen Code\" в marketplace расширений VS Code и нажмите установить. Процесс установки прост и быстр, завершается за несколько секунд. После установки значок Qwen Code появится на боковой панели VS Code, указывая, что расширение успешно загружено."
+ }
+ ]
+ },
+ {
+ "title": "Вход в аккаунт",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте команду `/auth` для запуска процесса аутентификации. Система автоматически откроет браузер для входа. Процесс входа безопасен и удобен, поддерживает несколько методов аутентификации. После успешного входа информация об аккаунте автоматически синхронизируется с расширением VS Code, разблокируя все функции."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "Начало использования",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Откройте панель Qwen Code на боковой панели и начните разговор с ИИ. Вы можете напрямую вводить вопросы, ссылаться на файлы или выполнять команды. Все операции выполняются в VS Code. Расширение поддерживает функции, такие как несколько вкладок, история и горячие клавиши, предоставляя полный опыт помощника программирования."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Расширение VS Code имеет те же функции, что и версия командной строки. Вы можете свободно выбирать в зависимости от вашего сценария использования."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-web-search": {
+ "title": "Веб-поиск",
+ "description": "Позвольте Qwen Code искать веб-контент для получения информации в реальном времени и помощи в программировании и решении проблем.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Функция веб-поиска позволяет Qwen Code искать веб-контент в реальном времени, получая самую свежую техническую документацию, обновления фреймворков и решения. Когда вы сталкиваетесь с проблемами при разработке или вам нужно понять последние тенденции технологии, эта функция очень полезна. ИИ интеллектуально ищет релевантную информацию и возвращает её в понятном формате.",
+ "steps": [
+ {
+ "title": "Включение функции поиска",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ясно укажите в разговоре, что ИИ нужно искать самую свежую информацию. Вы можете напрямую задавать вопросы о новейших технологиях, версиях фреймворков или данных в реальном времени. Qwen Code автоматически определит ваши потребности и запустит функцию веб-поиска для получения наиболее точной информации."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Поищите новые функции React 19"
+ }
+ ]
+ },
+ {
+ "title": "Отображение результатов поиска",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ИИ вернет найденную информацию и организует её в понятный формат. Результаты поиска обычно включают сводку важной информации, ссылки на источники и соответствующие технические детали. Вы можете быстро просмотреть эту информацию, чтобы понять последние технологические тенденции или найти решения проблем."
+ }
+ ]
+ },
+ {
+ "title": "Задание вопросов на основе результатов",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Вы можете задавать дополнительные вопросы на основе результатов поиска для получения более подробных объяснений. Если у вас есть вопросы о конкретных технических деталях или вы хотите знать, как применить результаты поиска к вашему проекту, вы можете продолжать задавать вопросы напрямую. ИИ предоставит более конкретные рекомендации на основе найденной информации."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Как эти новые функции повлияют на мой проект"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Функция веб-поиска особенно подходит для запроса последних изменений в API, обновлений версий фреймворков и технологических тенденций в реальном времени."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-batch-file-organize": {
+ "title": "Массовая организация файлов",
+ "description": "Используйте функцию Cowork Qwen Code для организации разбросанных файлов рабочего стола одним кликом, автоматически классифицируя их по типу и помещая в соответствующие папки.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Ваши файлы рабочего стола разбросаны? С функцией Cowork Qwen Code вы можете организовать файлы массово одним кликом, автоматически определяя тип файла и классифицируя его в соответствующие папки. Будь то документы, изображения, видео или другие типы файлов, всё может быть интеллектуально идентифицировано и архивировано, поддерживая вашу рабочую среду организованной и повышая вашу эффективность.",
+ "steps": [
+ {
+ "title": "Начало разговора",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Откройте терминал или командную строку и введите `qwen` для запуска Qwen Code. Убедитесь, что вы находитесь в каталоге, который нужно организовать, или ясно укажите ИИ, какой каталог нужно организовать. Qwen Code готов принять ваши инструкции по организации."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nqwen"
+ }
+ ]
+ },
+ {
+ "title": "Предоставление инструкций по организации",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сообщите Qwen Code, что вы хотите организовать файлы рабочего стола. ИИ автоматически определит типы файлов и создаст папки классификации. Вы можете указать каталог для организации, правила классификации и желаемую структуру папок. ИИ создаст план организации на основе ваших потребностей."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Организуйте файлы рабочего стола. Классифицируйте их в разные папки по типу: документы, изображения, видео, сжатые файлы и т.д."
+ }
+ ]
+ },
+ {
+ "title": "Просмотр плана выполнения",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code сначала перечислит план операций, которые будут выполнены. После проверки, что нет проблем, вы можете разрешить выполнение. Этот шаг очень важен — вы можете просмотреть план организации, чтобы убедиться, что ИИ понял ваши потребности и избежать неправильных операций."
+ }
+ ]
+ },
+ {
+ "title": "Завершение организации",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ИИ автоматически выполнит операции перемещения файлов и отобразит отчет об организации после завершения, сообщая, какие файлы были перемещены куда. Весь процесс быстрый и эффективный, без необходимости ручных операций, экономя много времени."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Функция Cowork поддерживает пользовательские правила классификации. Вы можете указать сопоставление между типами файлов и целевыми папками по мере необходимости."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-clipboard-paste": {
+ "title": "Вставка изображения из буфера обмена",
+ "description": "Вставьте скриншоты из буфера обмена прямо в окно разговора. ИИ мгновенно понимает содержимое изображения и предлагает помощь.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Функция вставки изображения из буфера обмена позволяет вставлять любые скриншоты прямо в окно разговора Qwen Code, без необходимости сохранять файл и затем загружать. Будь то скриншоты ошибок, макеты дизайна UI, скриншоты фрагментов кода или другие изображения, Qwen Code может мгновенно понять содержимое и предложить помощь на основе ваших потребностей. Этот удобный способ общения значительно повышает эффективность коммуникации, позволяя быстро получить анализ и рекомендации ИИ при возникновении проблем.",
+ "steps": [
+ {
+ "title": "Копирование изображения в буфер обмена",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте системный инструмент скриншота (macOS: `Cmd+Shift+4`, Windows: `Win+Shift+S`) для захвата содержимого экрана или скопируйте изображение из браузера или файлового менеджера. Скриншот автоматически сохраняется в буфере обмена, без необходимости дополнительных операций."
+ }
+ ]
+ },
+ {
+ "title": "Вставка в окно разговора",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "В поле ввода разговора Qwen Code используйте `Cmd+V` (macOS) или `Ctrl+V` (Windows) для вставки изображения. Изображение автоматически появится в поле ввода, и вы можете одновременно вводить текст для ваших вопросов или потребностей."
+ }
+ ]
+ },
+ {
+ "title": "Получение результатов анализа ИИ",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После отправки сообщения Qwen Code проанализирует содержимое изображения и ответит. Он может идентифицировать ошибки в скриншотах кода, анализировать макеты дизайна UI, интерпретировать данные графиков и многое другое. Вы можете задавать дополнительные вопросы для глубокого обсуждения деталей изображения."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Поддерживает распространенные форматы изображений, такие как PNG, JPEG, GIF и т.д. Рекомендуется, чтобы размер изображения был менее 10 МБ для обеспечения наилучшего эффекта распознавания. Для скриншотов кода рекомендуется использовать высокое разрешение для повышения точности распознавания текста."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-export-conversation": {
+ "title": "Экспорт истории разговора",
+ "description": "Экспортируйте историю разговора в форматах Markdown, HTML или JSON для удобства архивации и совместного использования.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Terminal"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Функция экспорта истории разговора позволяет вам экспортировать важные разговоры в различных форматах. Вы можете выбрать между Markdown, HTML или JSON в зависимости от ваших потребностей. Это упрощает архивацию важных разговоров, совместное использование с коллегами или использование в документации. Процесс экспорта прост и быстр, сохраняя исходный формат и содержание разговора.",
+ "steps": [
+ {
+ "title": "Отображение списка сессий",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте команду `/resume` для отображения всех сессий истории. Список отображает информацию, такую как время создания и сводка темы каждой сессии, помогая вам быстро найти разговор, который хотите экспортировать. Вы можете использовать поиск по ключевым словам или сортировку по времени для точного поиска нужной сессии."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ },
+ {
+ "title": "Выбор формата экспорта",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После решения, какую сессию экспортировать, используйте команду `/export` для указания формата и идентификатора сессии. Поддерживаются три формата: `markdown`, `html`, `json`. Формат Markdown подходит для использования в инструментах документации, формат HTML можно открыть и просмотреть прямо в браузере, а формат JSON подходит для программной обработки."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "# Если нет параметра , по умолчанию экспортируется текущая сессия\n/export html # Экспорт в формате HTML\n/export markdown # Экспорт в формате Markdown\n/export json # Экспорт в формате JSON"
+ }
+ ]
+ },
+ {
+ "title": "Совместное использование и архивация",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Экспортированный файл сохраняется в указанном каталоге. Файлы Markdown и HTML можно напрямую делиться с коллегами или использовать в документации команды. Файлы JSON можно импортировать в другие инструменты для вторичной обработки. Рекомендуется регулярно архивировать важные разговоры для создания базы знаний команды. Экспортированные файлы также могут служить резервной копией, предотвращая потерю важной информации."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Экспортированный формат HTML включает полные стили и может быть открыт и просмотрен прямо в любом браузере. Формат JSON сохраняет все метаданные и подходит для анализа и обработки данных."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-file-reference": {
+ "title": "Функция @file",
+ "description": "Используйте @file в разговоре для ссылки на файлы проекта, позволяя ИИ точно понимать контекст кода.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Функция @file позволяет ссылаться на файлы проекта прямо в разговоре, позволяя ИИ точно понимать контекст кода. Будь то один файл или несколько файлов, ИИ может читать и анализировать содержимое кода, предоставляя более точные предложения и ответы. Эта функция особенно подходит для таких сценариев, как обзор кода, решение проблем и рефакторинг кода.",
+ "steps": [
+ {
+ "title": "Ссылка на один файл",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте команду `@file`, за которой следует путь к файлу, для ссылки на один файл. ИИ прочитает содержимое файла, поймёт структуру и логику кода, и предоставит целенаправленные ответы на основе ваших вопросов."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file ./src/main.py\nОбъясните роль этой функции"
+ },
+ {
+ "type": "text",
+ "value": "Вы также можете сослаться на файл и попросить Qwen Code организовать и создать новый документ на его основе. Это во многом избегает того, что ИИ неправильно поймёт ваши потребности и сгенерирует контент, не включенный в справочный материал:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file Напишите статью для официального аккаунта на основе этого файла"
+ }
+ ]
+ },
+ {
+ "title": "Описание потребностей",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После ссылки на файл чётко опишите свои потребности или вопросы. ИИ проанализирует на основе содержимого файла и предоставит точные ответы или предложения. Вы можете спросить о логике кода, искать проблемы, запрашивать оптимизации и т.д."
+ }
+ ]
+ },
+ {
+ "title": "Ссылка на несколько файлов",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Вы можете ссылаться на несколько файлов одновременно, используя команду `@file` несколько раз. ИИ комплексно проанализирует все ссылочные файлы, поймёт их отношения и содержимое, и предоставит более исчерпывающие ответы."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file1 @file2 Организуйте документ для обучения новичков на основе материалов этих двух файлов"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "@file поддерживает относительные и абсолютные пути, а также поддерживает сопоставление с шаблоном для нескольких файлов."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-image-recognition": {
+ "title": "Распознавание изображений",
+ "description": "Qwen Code может читать и понимать содержимое изображений. Макеты дизайна UI, скриншоты ошибок, диаграммы архитектуры и т.д.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Image Recognition"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code обладает мощными возможностями распознавания изображений, способными читать и понимать различные типы содержимого изображений. Будь то макеты дизайна UI, скриншоты ошибок, диаграммы архитектуры, блок-схемы, рукописные заметки или другие, Qwen Code может точно идентифицировать и предоставить ценные анализы. Эта возможность позволяет интегрировать визуальную информацию прямо в рабочий процесс программирования, значительно повышая эффективность коммуникации и скорость решения проблем.",
+ "steps": [
+ {
+ "title": "Загрузка изображения",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Перетащите изображение в окно разговора или используйте вставку из буфера обмена (`Cmd+V` / `Ctrl+V`). Поддерживает распространенные форматы, такие как PNG, JPEG, GIF, WebP и т.д.\n\nСсылка: [Вставка изображения из буфера обмена](./office-clipboard-paste.mdx) показывает, как быстро вставлять скриншоты в разговор."
+ }
+ ]
+ },
+ {
+ "title": "Описание потребностей",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "В поле ввода опишите, что вы хотите, чтобы ИИ сделал с изображением. Например:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "На основе содержимого изображения сгенерируйте простой html файл"
+ }
+ ]
+ },
+ {
+ "title": "Получение результатов анализа",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code проанализирует содержимое изображения и предоставит подробный ответ. Вы можете задавать дополнительные вопросы для глубокого обсуждения деталей изображения или попросить Qwen Code сгенерировать код на основе содержимого изображения."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Функция распознавания изображений поддерживает несколько сценариев: анализ скриншотов кода, преобразование макетов дизайна UI в код, интерпретация информации об ошибках, понимание диаграмм архитектуры, извлечение данных из графиков и т.д. Рекомендуется использовать чёткие изображения высокого разрешения для получения наилучшего эффекта распознавания."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-mcp-image-gen": {
+ "title": "Генерация изображений MCP",
+ "description": "Интегрируйте службы генерации изображений через MCP. Используйте описания на естественном языке для управления ИИ для создания изображений высокого качества.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "MCP"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Функция генерации изображений MCP (Model Context Protocol) позволяет использовать описания на естественном языке для управления ИИ для создания изображений высокого качества прямо в Qwen Code. Нет необходимости переключаться на специализированные инструменты генерации изображений — просто опишите свои потребности в разговоре, и Qwen Code вызовет интегрированную службу генерации изображений для создания изображений, соответствующих вашим требованиям. Будь то создание прототипов UI, создание иконок, рисование иллюстраций или создание концептуальных диаграмм, генерация изображений MCP предоставляет мощную поддержку. Этот идеально интегрированный рабочий процесс значительно повышает эффективность дизайна и разработки, делая творческую реализацию более удобной.",
+ "steps": [
+ {
+ "title": "Настройка службы MCP",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сначала вам нужно настроить службу генерации изображений MCP. Добавьте информацию о ключе API и конечной точке службы генерации изображений в файл конфигурации. Qwen Code поддерживает несколько основных служб генерации изображений, и вы можете выбрать соответствующую службу в зависимости от ваших потребностей и бюджета. После настройки перезапустите Qwen Code для активации."
+ }
+ ]
+ },
+ {
+ "title": "Описание требований к изображению",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "В разговоре подробно опишите на естественном языке изображение, которое хотите создать. Включите такие элементы, как тема, стиль, цвета, композиция и детали изображения. Чем более конкретно описание, тем ближе сгенерированное изображение будет к вашим ожиданиям. Вы можете указать художественные стили, ссылаться на конкретных художников или загрузить эталонное изображение, чтобы помочь ИИ лучше понять ваши потребности."
+ }
+ ]
+ },
+ {
+ "title": "Просмотр и сохранение результатов",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code сгенерирует несколько изображений для вашего выбора. Вы можете просмотреть каждое изображение и выбрать то, которое лучше всего соответствует вашим требованиям. Если вам нужны корректировки, вы можете продолжить описывать мнения о модификации, и Qwen Code перегенерирует на основе обратной связи. Когда вы удовлетворены, вы можете сохранить изображение локально или скопировать ссылку на изображение для использования в других местах."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Генерация изображений MCP поддерживает несколько стилей и размеров, которые можно гибко регулировать в зависимости от потребностей проекта. Авторские права на сгенерированные изображения различаются в зависимости от используемой службы. Проверьте условия использования."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-organize-desktop": {
+ "title": "Организовать файлы рабочего стола",
+ "description": "Одной фразой позвольте Qwen Code автоматически организовать файлы рабочего стола, интеллектуально классифицируя их по типу.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Ваши файлы рабочего стола накопились, и вы не можете найти нужный файл? Одной фразой позвольте Qwen Code автоматически организовать ваши файлы рабочего стола. ИИ интеллектуально определит типы файлов и автоматически классифицирует их на изображения, документы, код, сжатые файлы и т.д., создавая чёткую структуру папок. Весь процесс безопасен и управляем — ИИ сначала перечислит план операций для вашего подтверждения, избегая неправильного перемещения важных файлов. Организуйте свой рабочий стол мгновенно и повысьте эффективность работы.",
+ "steps": [
+ {
+ "title": "Описание потребностей организации",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Перейдите в каталог рабочего стола, запустите Qwen Code и сообщите, как вы хотите организовать файлы рабочего стола. Например, по типу, по дате и т.д."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nОрганизуйте файлы рабочего стола по типу"
+ }
+ ]
+ },
+ {
+ "title": "Просмотр плана операций",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code проанализирует файлы рабочего стола и перечислит подробный план организации, включая какие файлы будут перемещены в какие папки. Вы можете просмотреть план, чтобы убедиться, что нет проблем."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Выполните этот план организации"
+ }
+ ]
+ },
+ {
+ "title": "Выполнение организации и отображение результатов",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После подтверждения Qwen Code выполнит операции организации согласно плану. После завершения вы можете просмотреть организованный рабочий стол, файлы уже организованы по типу в порядке."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "warning",
+ "content": "ИИ сначала перечислит план операций для вашего подтверждения, избегая неправильного перемещения важных файлов. Если у вас есть сомнения по поводу классификации конкретных файлов, вы можете сообщить Qwen Code для корректировки правил перед выполнением."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-ppt-presentation": {
+ "title": "Презентация: Создание PPT",
+ "description": "Создайте презентацию на основе скриншотов продукта. Предоставьте скриншоты и описания, и ИИ сгенерирует красивые слайды презентации.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Нужно создать презентацию PPT продукта, но не хотите начинать с нуля? Просто предоставьте скриншоты продукта и краткое описание, и Qwen Code может сгенерировать структурированные и хорошо спроектированные слайды презентации. ИИ проанализирует содержимое скриншотов, поймёт функции продукта, автоматически организует структуру слайдов и добавит соответствующие тексты и макеты. Будь то запуск продукта, презентация команды или презентация клиенту, вы можете быстро получить профессиональный PPT, экономя много времени и энергии.",
+ "steps": [
+ {
+ "title": "Подготовка скриншотов продукта",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Соберите скриншоты интерфейсов продукта, которые хотите показать. Включает основные страницы функций, демонстрации важных функций и т.д. Скриншоты должны быть чёткими и полностью показывать ценность и функции продукта. Поместите их в папку. Например: qwen-code-images"
+ }
+ ]
+ },
+ {
+ "title": "Установка связанных Skills",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Установите Skills, связанные с генерацией PPT. Эти Skills включают функции для анализа содержимого скриншотов и генерации слайдов презентации."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, и установите zarazhangrui/frontend-slides в qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Генерация презентации",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Ссылайтесь на соответствующие файлы и сообщайте Qwen Code ваши потребности. Включает цель презентации, целевую аудиторию, основное содержание и т.д. ИИ сгенерирует PPT на основе этой информации."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "@qwen-code-images Создайте презентацию PPT продукта на основе этих скриншотов. Для технической команды, фокусируясь на новых функциях"
+ }
+ ]
+ },
+ {
+ "title": "Корректировка и экспорт",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Просмотрите сгенерированный PPT. Если вам нужны корректировки, вы можете сообщить Qwen Code. Например: \"Добавить страницу введения архитектуры\", \"Скорректировать текст этой страницы\". Когда вы удовлетворены, экспортируйте в редактируемый формат."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Скорректируйте текст третьей страницы, чтобы он был более кратким"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-terminal-theme": {
+ "title": "Переключение темы терминала",
+ "description": "Измените тему терминала одной фразой. Опишите стиль на естественном языке, и ИИ применит автоматически.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Устали от темы терминала по умолчанию? Просто опишите желаемый стиль на естественном языке, и Qwen Code найдёт и применит соответствующую тему. Будь то тёмный технический стиль, свежий простой стиль или классический ретро-стиль, одной фразой ИИ поймёт ваши эстетические предпочтения и автоматически настроит цветовую схему и стиль терминала. Попрощайтесь с утомительной ручной настройкой и мгновенно обновите свою рабочую среду.",
+ "steps": [
+ {
+ "title": "Описание желаемого стиля темы",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "В разговоре опишите стиль, который вам нравится, на естественном языке. Например: \"Измените тему терминала на тёмный технический стиль\", \"Хочу светлую свежую простую тему\". Qwen Code поймёт ваши потребности."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Измените тему терминала на тёмный технический стиль"
+ }
+ ]
+ },
+ {
+ "title": "Просмотр и применение темы",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code порекомендует несколько вариантов темы, соответствующих вашему описанию, и отобразит эффект просмотра. Выберите тему по вашему вкусу, и после подтверждения ИИ автоматически применит настройки."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Похоже хорошо, примените тему напрямую"
+ }
+ ]
+ },
+ {
+ "title": "Тонкая настройка и персонализация",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Если вам нужны дополнительные корректировки, вы можете продолжать сообщать Qwen Code свои мысли. Например: \"Сделайте цвет фона немного темнее\", \"Скорректируйте размер шрифта\". ИИ поможет с тонкой настройкой."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Переключение темы изменяет файлы конфигурации терминала. Если вы используете конкретное приложение терминала (iTerm2, Terminal.app и т.д.), Qwen Code автоматически определит и настроит соответствующие файлы темы."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-web-search-detail": {
+ "title": "Веб-поиск",
+ "description": "Позвольте Qwen Code искать веб-контент для получения информации в реальном времени и помощи в программировании. Понимайте последние технологические тенденции и документацию.",
+ "category": "Руководство по началу работы",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Функция веб-поиска позволяет Qwen Code искать самую свежую информацию из интернета в реальном времени, получая актуальную техническую документацию, ссылки на API, лучшие практики и решения. Когда вы сталкиваетесь с незнакомой технологической стекой, вам нужно понять изменения последней версии или найти решения для конкретных проблем, веб-поиск позволяет ИИ предоставлять точные ответы на основе самой свежей информации из веба.",
+ "steps": [
+ {
+ "title": "Начало запроса поиска",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "В разговоре напрямую опишите содержимое, которое хотите найти. Например: \"Поищите новые функции React 19\", \"Найдите лучшие практики Next.js App Router\". Qwen Code автоматически определит, требуется ли сетевой поиск."
+ }
+ ]
+ },
+ {
+ "title": "Отображение интегрированных результатов",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "ИИ ищет несколько веб-источников и предоставляет структурированный ответ, интегрируя результаты поиска. Ответ включает ссылки на источники важной информации, облегчая более глубокое понимание."
+ }
+ ]
+ },
+ {
+ "title": "Продолжение на основе результатов",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Вы можете задавать дополнительные вопросы на основе результатов поиска и просить ИИ применить найденную информацию к реальным задачам программирования. Например, после поиска использования нового API вы можете попросить ИИ помочь с рефакторингом кода."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Веб-поиск особенно подходит для следующих сценариев: понимание изменений последних версий фреймворков, поиск решений для конкретных ошибок, получение актуальной документации API, понимание лучших практик отрасли и т.д. Результаты поиска обновляются в реальном времени, гарантируя, что вы получаете самую свежую информацию."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-weekly-report": {
+ "title": "Автоматическая генерация еженедельного отчёта",
+ "description": "Настройте Skills. Одной командой автоматически соберите обновления этой недели и создайте еженедельный отчёт об обновлениях продукта, следуя шаблону.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Создание еженедельных отчётов об обновлениях продукта каждую неделю — это повторяющаяся и трудоёмкая задача. С пользовательскими Skills Qwen Code вы можете позволить ИИ автоматически собирать информацию об обновлениях продукта этой недели и генерировать структурированный еженедельный отчёт, следуя стандартному шаблону. Одной командой ИИ собирает данные, анализирует содержимое, организует в документ, значительно повышая эффективность работы. Вы можете сосредоточиться на самом продукте и позволить ИИ справиться с утомительной работой по документации.",
+ "steps": [
+ {
+ "title": "Установка Skill skills-creator",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сначала установите Skill, чтобы ИИ понял, какие источники данных нужно собирать информацию."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, и установите skills-creator в qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Создание Skill еженедельного отчёта",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте функцию создания Skills, чтобы сообщить ИИ, что вам нужна пользовательская Skill генерации еженедельных отчётов. Опишите типы данных, которые нужно собрать, и структуру отчёта. ИИ создаст новую Skill на основе ваших потребностей."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Мне нужно создать еженедельный отчёт для проекта с открытым исходным кодом: https://github.com/QwenLM/qwen-code. Включает в основном отправленные на этой неделе issues, решённые bugs, новые версии и функции, а также размышления и обзоры. Язык должен быть ориентирован на пользователя, альтруистичным и воспринимаемым. Создайте Skill."
+ }
+ ]
+ },
+ {
+ "title": "Генерация содержимого еженедельного отчёта",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После настройки введите команду генерации. Qwen Code автоматически соберёт информацию об обновлениях этой недели и организует её в структурированный документ, следуя шаблону еженедельного отчёта продукта."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Сгенерируйте еженедельный отчёт об обновлениях продукта qwen-code на этой неделе"
+ }
+ ]
+ },
+ {
+ "title": "Открытие и редактирование/корректировка отчёта",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сгенерированный еженедельный отчёт можно открыть для корректировки, вы можете дополнительно редактировать или делиться им с командой. Вы также можете попросить Qwen Code скорректировать формат и фокус содержания."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Сделайте язык еженедельного отчёта более живым"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "При первом использовании вам нужно настроить источники данных. После настройки их можно повторно использовать. Вы также можете настроить запланированные задачи, чтобы Qwen Code автоматически генерировал еженедельные отчёты каждую неделю, полностью освободив ваши руки."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-write-file": {
+ "title": "Написать файл одной фразой",
+ "description": "Сообщите Qwen Code, какой файл вы хотите создать, и ИИ автоматически сгенерирует и запишет содержимое.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Нужно создать новый файл, но не хотите начинать писать содержимое с нуля? Просто сообщите Qwen Code, какой файл вы хотите создать, и ИИ автоматически сгенерирует и запишет соответствующее содержимое. Будь то README, файлы конфигурации, файлы кода или документы, Qwen Code может генерировать высококачественное содержимое на основе ваших потребностей. Просто опишите назначение и основные требования файла, и ИИ позаботится об остальном, значительно повышая эффективность создания файлов.",
+ "steps": [
+ {
+ "title": "Описание содержимого и назначения файла",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сообщите Qwen Code, какой тип файла вы хотите создать, а также основное содержимое и назначение файла."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Создайте README.md. Включите введение в проект и инструкции по установке"
+ }
+ ]
+ },
+ {
+ "title": "Просмотр сгенерированного содержимого",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code сгенерирует содержимое файла на основе вашего описания и отобразит его для просмотра. Вы можете просмотреть содержимое, чтобы убедиться, что оно соответствует вашим потребностям."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Похоже хорошо, продолжайте создавать файл"
+ }
+ ]
+ },
+ {
+ "title": "Коррекции и улучшения",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Если вам нужны корректировки, вы можете сообщить Qwen Code конкретные требования к корректировке. Например: \"Добавить примеры использования\", \"Скорректировать формат\"."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Добавьте несколько примеров кода"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code поддерживает различные типы файлов, включая текстовые файлы, файлы кода, файлы конфигурации и т.д. Сгенерированные файлы автоматически сохраняются в указанном каталоге и могут быть дополнительно отредактированы в редакторе."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "product-insight": {
+ "title": "Аналитика данных",
+ "description": "Просмотрите свой личный отчёт об использовании ИИ. Понимайте эффективность программирования и данные о сотрудничестве. Используйте оптимизированные на основе данных привычки.",
+ "category": "Ежедневные задачи",
+ "features": [
+ "Agent Mode"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Insight — это панель анализа данных личного использования Qwen Code, предоставляющая исчерпывающие сведения об эффективности программирования с ИИ. Он отслеживает ключевые метрики, такие как количество разговоров, объём сгенерированного кода, часто используемые функции и предпочтения языков программирования, генерируя визуализированные отчёты данных. Через эти данные вы можете чётко понимать свои привычки программирования, эффект поддержки ИИ и паттерны сотрудничества. Insight не только помогает обнаружить пространство для улучшения эффективности, но и показывает, в каких областях вы наиболее эффективно используете ИИ, помогая вам лучше использовать ценность ИИ. С аналитикой, основанной на данных, каждое использование становится более значимым.",
+ "steps": [
+ {
+ "title": "Открытие панели Insight",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Введите команду `/insight` в разговоре, чтобы открыть панель аналитики данных Insight. Панель отображает обзор использования, включая ключевые метрики, такие как общее количество разговоров, строки сгенерированного кода и оценочное сэкономленное время. Эти данные отображаются в интуитивном формате графика, позволяя понять ваше использование ИИ одним взглядом."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/insight"
+ }
+ ]
+ },
+ {
+ "title": "Анализ отчёта об использовании",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Изучите подробный отчёт об использовании. Включает такие измерения, как ежедневные тенденции разговоров, распределение часто используемых функций, предпочтения языков программирования, анализ типов кода и т.д. Insight предоставляет персонализированные аналитические сведения и рекомендации на основе ваших паттернов использования, помогая вам обнаружить потенциальное пространство для улучшения. Вы можете фильтровать данные по временному интервалу и сравнивать эффективность использования в разные периоды."
+ }
+ ]
+ },
+ {
+ "title": "Оптимизация привычек использования",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Настройте стратегию использования ИИ на основе аналитических данных. Например, если вы заметите, что часто используете определённую функцию, но с низкой эффективностью, вы можете научиться использовать её более эффективно. Если вы заметите, что поддержка ИИ более эффективна для определённых языков программирования или типов задач, вы можете чаще использовать ИИ в подобных сценариях. Продолжайте отслеживать изменения данных и проверяйте эффекты оптимизации.\n\nХотите узнать, как использовать функцию Insight? Ознакомьтесь с нашим [Позвольте ИИ научить нас лучше использовать ИИ](../blog/how-to-use-qwencode-insight.mdx)"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Данные Insight сохраняются только локально и не отправляются в облако, гарантируя конфиденциальность использования и безопасность данных. Рекомендуем регулярно проверять отчёт и развивать привычки использования, основанные на данных."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-learning": {
+ "title": "Изучение кода",
+ "description": "Клонируйте репозитории с открытым исходным кодом для изучения и понимания кода. Qwen Code направляет, как вносить вклад в проекты с открытым исходным кодом.",
+ "category": "Обучение и исследования",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Изучение из высококачественного кода с открытым исходным кодом — отличный способ улучшить навыки программирования. Qwen Code может помочь вам глубоко понять архитектуру и детали реализации сложных проектов, найти подходящие точки вклада и направить исправления кода. Будь то изучение новой технологической стеки или вклад в сообщество с открытым исходным кодом, Qwen Code — идеальный ментор по программированию.",
+ "steps": [
+ {
+ "title": "Клонирование репозитория",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Используйте git clone для загрузки проекта с открытым исходным кодом локально. Выберите проект, который вас интересует, и клонируйте его в среду разработки. Убедитесь, что у проекта хорошая документация и активное сообщество, это сделает процесс обучения более плавным."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "Запуск Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Запустите Qwen Code в каталоге проекта. Это позволит ИИ получить доступ ко всем файлам проекта и предоставлять контекстно-релевантные объяснения кода. Qwen Code автоматически проанализирует структуру проекта и определит основные модули и зависимости."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "Запрос объяснения кода",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сообщите ИИ, какую часть или функцию проекта вы хотите понять. Вы можете спросить об общей архитектуре, логике реализации конкретных модулей или идеях дизайна конкретных функций. ИИ объяснит код на понятном языке и предоставит соответствующие справочные знания."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Объясните общую архитектуру и основные модули этого проекта"
+ }
+ ]
+ },
+ {
+ "title": "Поиск точек вклада",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Попросите ИИ помочь вам найти подходящие issues или функции для участия новичков. ИИ проанализирует список issues проекта и порекомендует подходящие точки вклада на основе сложности, тегов и описания. Это отличный способ начать вкладываться в открытый исходный код."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Есть ли открытые issues, в которых могут участвовать новички?"
+ }
+ ]
+ },
+ {
+ "title": "Реализация исправления",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Реализуйте исправление кода шаг за шагом, следуя руководству ИИ. ИИ поможет проанализировать проблему, спроектировать решение и написать код, гарантируя, что исправление соответствует стандартам кода проекта. После завершения вы можете отправить PR для вклада в проект с открытым исходным кодом."
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Участие в проектах с открытым исходным кодом не только улучшает навыки программирования, но и строит техническое влияние и позволяет встретить разработчиков со схожими интересами."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-read-paper": {
+ "title": "Чтение статей",
+ "description": "Читайте и анализируйте академические статьи напрямую. ИИ понимает сложное исследовательское содержимое и генерирует карточки обучения.",
+ "category": "Обучение и исследования",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Академические статьи часто сложны и требуют много времени для понимания. Qwen Code может помочь вам читать и анализировать статьи напрямую, извлекать основные моменты, объяснять сложные концепции и резюмировать методы исследования. ИИ глубоко понимает содержимое статьи, объясняет на понятном языке и генерирует структурированные карточки обучения для облегчения повторения и совместного использования. Будь то изучение новой технологии или исследование передовых областей, вы можете значительно повысить эффективность обучения.",
+ "steps": [
+ {
+ "title": "Предоставление информации о статье",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Сообщите Qwen Code, какую статью вы хотите прочитать. Вы можете предоставить название статьи, путь к файлу PDF или ссылку на arXiv. ИИ автоматически получит и проанализирует содержимое статьи."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Загрузите и проанализируйте эту статью: attention is all you need https://arxiv.org/abs/1706.03762"
+ }
+ ]
+ },
+ {
+ "title": "Чтение статьи",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Установите Skills, связанные с PDF, чтобы Qwen Code анализировал содержимое статьи и генерировал структурированные карточки обучения. Вы можете видеть резюме статьи, основные моменты, основные концепции, важные выводы и т.д."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Проверьте, существует ли find skills, если нет, установите напрямую: npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code, и установите офисные Skills, такие как Anthropic pdf, в qwen code skills."
+ }
+ ]
+ },
+ {
+ "title": "Глубокое обучение и вопросы",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Во время чтения вы можете спрашивать Qwen Code в любое время. Например: \"Объясните механизм самовнимания\", \"Как была выведена эта формула\". ИИ ответит подробно, помогая вам глубоко понять."
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "Объясните основные идеи архитектуры Transformer"
+ }
+ ]
+ },
+ {
+ "title": "Генерация карточки обучения",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "После завершения обучения попросите Qwen Code сгенерировать карточку обучения, резюмируя основные моменты, основные концепции и важные выводы статьи. Эти карточки облегчают повторение и совместное использование с командой."
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Сгенерируйте карточку обучения для этой статьи"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code поддерживает несколько форматов статей, включая PDF, ссылки на arXiv и т.д. Для формул и графиков ИИ подробно объяснит их значение, помогая вам полностью понять содержимое статьи."
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ }
+}
diff --git a/website/showcase-i18n/zh.json b/website/showcase-i18n/zh.json
new file mode 100644
index 000000000..bb25badd7
--- /dev/null
+++ b/website/showcase-i18n/zh.json
@@ -0,0 +1,2505 @@
+{
+ "code-lsp-intelligence": {
+ "title": "LSP 智能感知",
+ "description": "通过集成 LSP(Language Server Protocol),Qwen Code 提供专业级的代码补全和导航体验,实时诊断代码问题。",
+ "category": "编程开发",
+ "features": [
+ "LSP"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01kxCAnu1c0SPDCZsUt_!!6000000003538-2-tps-1694-948.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "LSP(Language Server Protocol)智能感知让 Qwen Code 能够提供与专业 IDE 相媲美的代码补全和导航体验。通过集成语言服务器,Qwen Code 可以精准理解代码结构、类型信息和上下文关系,提供高质量的代码建议。无论是函数签名、参数提示、变量名补全,还是定义跳转、引用查找、重构操作,LSP 智能感知都能流畅支持。实时诊断功能会在你编码时即时发现语法错误、类型问题和潜在 bug,让你能够快速修复,提升代码质量。",
+ "steps": [
+ {
+ "title": "自动检测",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 会自动检测项目中的语言服务器配置。对于主流的编程语言和框架,它会自动识别并启动对应的 LSP 服务。无需手动配置,开箱即用。如果项目使用的是自定义的语言服务器,也可以通过配置文件指定 LSP 的路径和参数。"
+ }
+ ]
+ },
+ {
+ "title": "享受智能感知",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "开始编码时,LSP 智能感知会自动激活。输入代码时,它会根据上下文提供精准的补全建议,包括函数名、变量名、类型注解等。补全建议会显示类型信息和文档说明,帮助你快速选择正确的代码。支持 Tab 键快速接受建议,或者使用方向键浏览更多选项。"
+ }
+ ]
+ },
+ {
+ "title": "错误诊断",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "LSP 实时诊断会在你编码时持续分析代码,发现潜在的问题。错误和警告会以直观的方式显示,包括问题位置、错误类型和修复建议。点击问题可以直接跳转到对应位置,或者使用快捷键快速导航到下一个问题。这种即时反馈机制让你能够尽早发现并修复问题。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "支持 TypeScript、Python、Java、Go、Rust 等主流语言,以及 React、Vue、Angular 等前端框架。LSP 服务的性能取决于语言服务器的实现,大型项目可能需要几秒钟的初始化时间。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-pr-review": {
+ "title": "PR Review",
+ "description": "使用 Qwen Code 对 Pull Request 进行智能代码审查,自动发现潜在问题。",
+ "category": "编程开发",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01bPIGqq27gp8F86nXp_!!6000000007827-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/Eu3Gyad-mLiz_FZqrXp76EZWYz4fuV6Ogb2wOvb8bBg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "代码审查是保证代码质量的重要环节,但往往耗时且容易遗漏问题。Qwen Code 可以帮你对 Pull Request 进行智能代码审查,自动分析代码变更、发现潜在 bug、检查代码规范,并提供详细的审查报告。AI 会深入理解代码逻辑,识别出可能的问题和改进建议,让代码审查更全面、更高效,同时减轻开发者的负担。",
+ "steps": [
+ {
+ "title": "指定要审查的 PR",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "告诉 Qwen Code 你想要审查的 Pull Request,可以提供 PR 编号或链接。AI 会自动获取 PR 的详细信息和代码变更。"
+ },
+ {
+ "type": "callout",
+ "calloutType": "tip",
+ "value": "你可以使用相关的 pr review 技能来帮助你分析 PR,安装技能参考:[安装技能](./guide-skill-install.mdx)。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skill pr-review 帮我 review 这个 PR:"
+ }
+ ]
+ },
+ {
+ "title": "运行测试和检查",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 会分析代码变更,识别需要运行的测试用例,并执行相关测试来验证代码的正确性。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "运行测试,检查这个 PR 是否通过所有测试用例"
+ }
+ ]
+ },
+ {
+ "title": "查看审查报告",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "审查完成后,Qwen Code 会生成详细的审查报告,包括发现的问题、潜在风险、改进建议等。你可以根据报告决定是否批准 PR。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "查看审查报告,列出所有发现的问题"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code 的代码审查不仅关注语法和规范,还会深入分析代码逻辑,识别潜在的性能问题、安全漏洞和设计缺陷,提供更全面的审查意见。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "code-solve-issue": {
+ "title": "解决 issue",
+ "description": "使用 Qwen Code 分析并解决开源项目的 issue,全流程跟踪从理解到提交代码。",
+ "category": "编程开发",
+ "features": [
+ "GitHub"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01NVsgsm28t1IKZxoN3_!!6000000007989-2-videocover-1700-952.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/HV0QgHEac8zu3tL7gJqqMZlZDtHaFeNNoJ412hgkKYI.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "为开源项目解决 issue 是提升编程能力和建立技术影响力的重要途径。Qwen Code 能够帮助你快速定位问题、理解相关代码、制定修复方案,并实现代码修改。从问题分析到 PR 提交,全程 AI 辅助,让开源贡献变得更加高效和顺畅。",
+ "steps": [
+ {
+ "title": "选择 issue",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在 GitHub 上找到感兴趣或适合解决的问题。优先选择有清晰描述、复现步骤和预期结果的 issue。标签如 `good first issue` 或 `help wanted` 通常表示适合新手的任务。"
+ }
+ ]
+ },
+ {
+ "title": "克隆项目并定位问题",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "下载项目代码,让 AI 帮你定位问题所在。使用 `@file` 引用相关文件,AI 会分析代码逻辑,找出问题根源。这样可以节省大量时间,快速定位到需要修改的代码位置。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我分析一下这个 issue 描述的问题出现在哪里,issue链接:"
+ }
+ ]
+ },
+ {
+ "title": "理解相关代码",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "让 AI 解释相关的代码逻辑和依赖关系。理解代码的上下文非常重要,这有助于你制定正确的修复方案。AI 会提供清晰的代码解释,包括设计思路和潜在的问题点。"
+ }
+ ]
+ },
+ {
+ "title": "制定修复方案",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "与 AI 讨论可能的解决方案,选择最优解。AI 会分析不同的修复方案,评估它们的影响范围和潜在风险。选择一个既能解决问题又不会引入新问题的方案。"
+ }
+ ]
+ },
+ {
+ "title": "实现代码修改",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "根据 AI 的指导逐步修改代码并测试。AI 会帮你编写修改后的代码,并确保符合项目的代码规范。修改完成后,运行测试验证修复效果。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我修改这段代码来解决这个问题"
+ }
+ ]
+ },
+ {
+ "title": "提交 PR",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "完成修改后提交 PR,等待项目维护者审核。在 PR 描述中清晰说明问题原因和修复方案,引用相关的 issue。维护者审核通过后,你的代码就会被合并到项目中。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我提交一个 PR 来解决这个问题"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "解决开源 issue 不仅能提升技术能力,还能建立技术影响力,为职业发展加分。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-oss-promo-video": {
+ "title": "给开源项目做宣传视频",
+ "description": "提供仓库地址,AI 帮你生成精美的项目演示视频。",
+ "category": "设计创作",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01KKPAv51ZL7QcgguxA_!!6000000003177-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/TwRRLlr4EHfv-8kvb0J-w7zj70zxoGY7wiaPewqm4l0.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "想要为你的开源项目制作宣传视频但缺乏视频制作经验?Qwen Code 可以帮你自动生成精美的项目演示视频。只需提供 GitHub 仓库地址,AI 就会分析项目结构、提取关键功能、生成动画脚本,并使用 Remotion 渲染成专业的视频。无论是项目发布、技术分享还是社区推广,都能快速获得高质量的宣传素材。",
+ "steps": [
+ {
+ "title": "准备项目仓库",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "确保你的 GitHub 仓库包含完整的项目信息和文档,包括 README、截图、功能说明等。这些信息将帮助 AI 更好地理解项目特点。"
+ }
+ ]
+ },
+ {
+ "title": "生成宣传视频",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "告诉 Qwen Code 你想要生成的视频风格和重点,AI 会自动分析项目并生成视频。你可以预览效果,调整动画和文案。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "基于这个技能 https://github.com/QwenLM/qwen-code-examples/blob/main/skills/oss-styles/SKILL.md,帮我为开源仓库:<开源仓库地址> 生成一个演示视频"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "生成的视频支持多种分辨率和格式,可以直接上传到 YouTube、B 站等视频平台。你也可以进一步编辑视频,添加背景音乐和字幕。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-remotion-video": {
+ "title": "Remotion 视频创作",
+ "description": "通过自然语言描述创意,使用 Remotion Skill 驱动代码生成视频内容。",
+ "category": "设计创作",
+ "features": [
+ "Skills",
+ "Remotion"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000003932/O1CN01LtxRdA1euuSRJidi5_!!6000000003932-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gIcfxkuLepTPXRLia5V-NCOFOwwJy-V2j2iXx6ifZms.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "想要创作视频但不会写代码?通过自然语言描述你的创意,Qwen Code 就能使用 Remotion Skill 生成视频代码。AI 会理解你的创意描述,自动生成 Remotion 项目代码,包括场景设置、动画效果、文字排版等。无论是产品宣传、社交媒体内容还是教学视频,都能快速生成专业的视频内容。",
+ "steps": [
+ {
+ "title": "安装 Remotion Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "首先安装 Remotion 相关的 Skill,这个 Skill 包含了视频创作的最佳实践和模板。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "查看我是否有find skills,没有就直接帮我安装:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code,然后帮我安装 remotion-best-practice,并将它们复制到当前目录qwen code skills中。"
+ }
+ ]
+ },
+ {
+ "title": "描述你的创意",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "用自然语言详细描述你想要创作的视频内容,包括主题、风格、时长、关键场景等。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@fiel 基于文档制作一个 30 秒的产品宣传视频,风格简洁现代,展示产品的主要功能,。"
+ }
+ ]
+ },
+ {
+ "title": "预览和调整",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 会根据你的描述生成 Remotion 项目代码。启动开发服务器预览效果,满意后渲染成最终视频。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ },
+ {
+ "title": "渲染导出",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "满意后使用 build 命令渲染最终视频,支持 MP4、WebM 等格式。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "直接帮我渲染成视频并导出。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "提示词方式适合快速原型和创意探索。你可以不断调整描述,让 AI 优化视频效果。生成的代码可以进一步手动编辑,实现更复杂的功能。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-resume-site-quick": {
+ "title": "制作个人简历网站",
+ "description": "一句话制作个人简历,整合你的经历生成展示页面,支持导出 PDF,方便投递。",
+ "category": "编程开发",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN018tZPON1f8BwaGqauX_!!6000000003961-2-tps-2880-1622.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/XSaE8Uzz45gLXvG-PaKVdFTnQpUM2QJ3qRg3R0SPnrs.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "个人简历网站是求职和自我展示的重要工具。Qwen Code 能够根据你的简历内容快速生成专业的展示页面,支持导出 PDF 格式,方便投递。无论是求职应聘还是个人品牌建设,一个精美的简历网站都能让你脱颖而出。",
+ "steps": [
+ {
+ "title": "提供个人经历",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "告诉 AI 你的教育背景、工作经历、项目经验、技能栈等信息。可以分段提供,也可以一次性给完整简历内容。AI 会理解你的经历,并提取关键信息用于简历设计。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "我是一名前端工程师,毕业于 XX 大学,有 3 年工作经验,擅长 React 和 TypeScript..."
+ }
+ ]
+ },
+ {
+ "title": "安装网页设计 Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "安装网页设计 Skill,提供简历设计模板,AI 会根据模板生成简历网站。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "查看我是否有find skills,没有就直接帮我安装:npx skills add https://github.com/vercel-labs/skills --skill find-skills,然后帮我安装 web-component-design 到当前目录qwen code skills中。"
+ }
+ ]
+ },
+ {
+ "title": "选择设计风格",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "描述你喜欢的简历风格,比如简约、专业、创意等,AI 会根据你的喜好生成设计。你可以参考一些优秀的简历网站,告诉 AI 你喜欢的设计元素和布局。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design 帮我设计一个简约专业风格的简历网站"
+ }
+ ]
+ },
+ {
+ "title": "生成简历网站",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI 会创建完整的简历网站项目,包括响应式布局、打印样式等。项目会包含所有必要的文件和配置,你只需要运行开发服务器即可查看效果。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "npm run dev"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "简历网站应该突出你的核心优势和成就,使用具体的数据和案例来支撑你的描述。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-website-clone": {
+ "title": "一句话复刻你喜欢的网站",
+ "description": "截图给 Qwen Code,AI 分析页面结构并生成完整前端代码。",
+ "category": "编程开发",
+ "features": [
+ "Agent 模式",
+ "图片识别"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004217/O1CN01N9wncm1h1RKqs79Cs_!!6000000004217-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/corQwW7xwjNzdBg3gRnrbMX-nzXh2z0N0pSIECERpPc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "看到喜欢的网站设计,想要快速复刻出来?只需截图给 Qwen Code,AI 就能分析页面结构,生成完整的前端代码。Qwen Code 会识别页面布局、颜色方案、组件结构,并使用现代前端技术栈生成可运行的代码。无论是学习设计、快速原型还是项目参考,都能大幅提升你的开发效率,让你在几分钟内获得高质量的代码。",
+ "steps": [
+ {
+ "title": "准备网站截图",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "截取你想要复刻的网站界面,确保截图清晰完整,包含主要的布局和设计元素。"
+ }
+ ]
+ },
+ {
+ "title": "安装对应的 Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "安装图片识别和前端代码生成相关的 Skill,这些 Skill 包含了分析网页设计和生成代码的能力。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "查看我是否有find skills,没有就直接帮我安装:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code,然后帮我安装 web-component-design 到当前目录qwen code skills中。"
+ }
+ ]
+ },
+ {
+ "title": "粘贴截图并描述需求",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "将截图粘贴到对话中,并告诉 Qwen Code 你的具体需求,比如使用什么技术栈、需要哪些功能等。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills web-component-design 根据这个技能,基于 @website.png 帮我复刻一个网页html,注意图片引用需有效。"
+ },
+ {
+ "type": "text",
+ "value": "示例截图:"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01FUQtA51YIzygQQhLT_!!6000000003037-2-tps-2768-1552.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "运行和预览",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "打开对应网页查看情况。如果需要调整设计或功能,可以继续与 AI 交互,修改代码直到满意为止。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "生成的代码遵循现代前端最佳实践,具有良好的结构和可维护性。你可以进一步定制和扩展,添加交互功能和后端集成。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "creator-youtube-to-blog": {
+ "title": "将 YouTube 视频转为博客文章",
+ "description": "使用 Qwen Code 将 YouTube 视频自动转换为结构化的博客文章。",
+ "category": "设计创作",
+ "features": [
+ "Skills",
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000000040/O1CN0173NMvF1CAMxpe5nTJ_!!6000000000040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/P9CitZbzQunRT0QIkeZcEbhN5bSLiR95LftYE_t5BpY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "看到精彩的 YouTube 视频,想要将其转化为博客文章分享给更多人?Qwen Code 可以帮你自动提取视频内容,生成结构清晰、内容丰富的博客文章。AI 会获取视频转录,理解内容要点,按照博客文章的标准格式组织内容,并添加合适的标题和小节。无论是技术教程、产品介绍还是知识分享,都能快速生成高质量的文章。",
+ "steps": [
+ {
+ "title": "提供视频链接",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "告诉 Qwen Code 你想要转换的 YouTube 视频链接,AI 会自动获取视频信息和转录内容。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "基于这个技能:https://github.com/QwenLM/qwen-code-examples/tree/main/skills/youtube-transcript-extractor,帮我把这个视频写作成博客:https://www.youtube.com/watch?v=fJSLnxi1i64"
+ }
+ ]
+ },
+ {
+ "title": "生成博客文章,编辑修改",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI 会分析转录内容,提取关键信息,按照博客文章的结构生成文章,包括标题、引言、正文和总结。你可以继续修改:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "帮我把这篇文章的语言风格调整得更适合技术博客"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "生成的文章支持 Markdown 格式,可以直接发布到博客平台或 GitHub Pages。你也可以让 AI 帮你添加图片、代码块和引用等元素,让文章更丰富。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-agents-config": {
+ "title": "Agents 配置文件",
+ "description": "通过 Agents MD 文件自定义 AI 行为,让 AI 适配你的项目规范和编码风格。",
+ "category": "入门指南",
+ "features": [
+ "Agent 模式"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i4/O1CN01qjVpRJ1twwS25UK0D_!!6000000005967-2-tps-1902-1144.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Agents 配置文件让你能够通过 Markdown 文件自定义 AI 行为,让 AI 适配你的项目规范和编码风格。你可以定义代码风格、命名规范、注释要求等,AI 会根据这些配置生成符合项目标准的代码。这个功能特别适合团队协作,确保所有成员生成的代码风格一致。",
+ "steps": [
+ {
+ "title": "创建配置文件",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在项目根目录创建 `.qwen` 文件夹,并在其中创建 `AGENTS.md` 文件。这个文件将存储你的 AI 行为配置。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "mkdir -p .qwen && touch .qwen/AGENTS.md"
+ }
+ ]
+ },
+ {
+ "title": "编写配置",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 Markdown 格式编写配置,用自然语言描述项目规范。你可以定义代码风格、命名规范、注释要求、框架偏好等,AI 会根据这些配置调整行为。\n\n```markdown\n# 项目规范"
+ }
+ ]
+ },
+ {
+ "title": "代码风格",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- 使用 TypeScript\n- 使用函数式编程\n- 添加详细的注释"
+ }
+ ]
+ },
+ {
+ "title": "命名规范",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "- 变量使用 camelCase\n- 常量使用 UPPER_SNAKE_CASE\n- 类名使用 PascalCase\n```"
+ }
+ ]
+ },
+ {
+ "title": "生效配置",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "保存配置文件后,AI 会自动读取并应用这些配置。下次对话时,AI 会根据配置生成符合项目标准的代码,无需重复说明规范。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "支持 Markdown 格式,用自然语言描述项目规范。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-api-setup": {
+ "title": "API 配置指南",
+ "description": "配置 API Key 和模型参数,自定义你的 AI 编程体验,支持多种模型选择。",
+ "category": "入门指南",
+ "features": [
+ "设置",
+ "API"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01hjcyxO1zyfe1Ovgm4_!!6000000006783-2-tps-1700-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/0OxPp8uqJhNIO31ZqvRsffEWr1QOdl5ecMgbO9TTXPU.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "配置 API Key 是使用 Qwen Code 的重要步骤,它将解锁全部功能并让你能够访问强大的 AI 模型。通过阿里云百炼平台,你可以轻松获取 API Key,并根据不同场景选择最适合的模型。无论是日常开发还是复杂任务,合适的模型配置都能显著提升你的工作效率。",
+ "steps": [
+ {
+ "title": "获取 API Key",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "访问 [阿里云百炼平台](https://bailian.console.aliyun.com/cn-beijing?tab=model#/api-key),在个人中心找到 API Key 管理页面。点击创建新的 API Key,系统会生成一个唯一的密钥。这个密钥是你访问 Qwen Code 服务的凭证,请务必妥善保管。"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i4/O1CN01oHcWmQ1zN7AQGsHzf_!!6000000006701-2-tps-2776-1538.png",
+ "alt": ""
+ },
+ {
+ "type": "callout",
+ "calloutType": "warning",
+ "value": "请妥善保管你的 API Key,不要泄露给他人或在代码仓库中提交。"
+ }
+ ]
+ },
+ {
+ "title": "在 Qwen Code 中配置 API Key",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "**1. 让 Qwen Code 自动配置**\n\n打开终端,在根目录下直接启动 Qwen Code,复制以下代码并告知你的 API-KEY,即可配置成功,重启 Qwen Code 输入 `/model` 即可切换配置的模型。"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "按照以下内容帮我配置`settings.json`百炼的模型:\n{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"<模型名称>\",\n \"name\": \"[Bailian] <模型名称>\",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"<需替换为用户的KEY>\"\n },\n}\n模型名称输入可参考:https://bailian.console.aliyun.com/cn-beijing/?tab=model#/model-market/all\n我的API-KEY是:"
+ },
+ {
+ "type": "text",
+ "value": "然后粘贴你的 API-KEY 到输入框,告知你需要的模型名称,比如 `qwen3.5-plus`,发送即可配置成功。"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i2/O1CN01MRati01egFmqe2eXe_!!6000000003900-2-tps-2180-1088.png",
+ "alt": ""
+ },
+ {
+ "type": "text",
+ "value": "**2. 手动配置**\n\n手动配置 settings.json 文件,文件位置在 `<用户根目录>/.qwen` 目录下,可直接复制以下内容后修改你的 API-KEY 和模型名称。"
+ },
+ {
+ "type": "code",
+ "lang": "json",
+ "value": "{\n \"modelProviders\": {\n \"openai\": [\n {\n \"id\": \"<模型名称>\",\n \"name\": \"[Bailian] <模型名称>\",\n \"baseUrl\": \"https://dashscope.aliyuncs.com/compatible-mode/v1\",\n \"envKey\": \"BAILIAN_API_KEY\",\n }\n ]\n },\n \"env\": {\n \"BAILIAN_API_KEY\": \"<需替换为用户的KEY>\"\n },\n}"
+ }
+ ]
+ },
+ {
+ "title": "选择模型",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "根据需要选择合适的模型,平衡速度和性能。不同的模型适用于不同的场景,你可以根据任务的复杂程度和响应时间要求来选择。使用 `/model` 命令可以快速切换模型。\n\n常用模型选项:\n- `qwen3.5-plus`: 功能强大,适合复杂任务\n- `qwen3.5-flash`: 速度快,适合简单任务\n- `qwen-max`: 最强模型,适合高难度任务"
+ }
+ ]
+ },
+ {
+ "title": "测试连接",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "发送一条测试消息确认 API 配置正确。如果配置成功,Qwen Code 会立即回复你,这意味着你已经准备好开始使用 AI 辅助编程了。如果遇到问题,请检查 API Key 是否正确设置。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Hello, can you help me with coding?"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-authentication": {
+ "title": "认证登录",
+ "description": "了解 Qwen Code 的认证流程,快速完成账号登录,解锁全部功能。",
+ "category": "入门指南",
+ "features": [
+ "终端操作"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN011eGoRs1Pf8a4hXQ0K_!!6000000001867-2-tps-1700-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "认证登录是使用 Qwen Code 的第一步,通过简单的认证流程,你可以快速解锁全部功能。认证过程安全可靠,支持多种登录方式,确保你的账号和数据安全。完成认证后,你可以享受个性化的 AI 编程体验,包括自定义模型配置、历史记录保存等功能。",
+ "steps": [
+ {
+ "title": "触发认证",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "启动 Qwen Code 后输入 `/auth` 命令,系统会自动启动认证流程。认证命令可以在命令行或 VS Code 扩展中使用,操作方式一致。系统会检测当前的认证状态,如果未登录则引导你完成登录。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "浏览器登录",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "系统会自动打开浏览器,跳转到认证页面。在认证页面,你可以选择使用阿里云账号或其他支持的登录方式。登录过程快速便捷,只需几秒钟即可完成。"
+ }
+ ]
+ },
+ {
+ "title": "确认登录",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "登录成功后,浏览器会自动关闭或显示成功提示。回到 Qwen Code 界面,你会看到认证成功的消息,表示你已经成功登录并解锁全部功能。认证信息会自动保存,无需重复登录。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "认证信息安全存储在本地,无需每次重新登录。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-bailian-coding-plan": {
+ "title": "百炼 Coding Plan 模式",
+ "description": "配置使用百炼 Coding Plan,多模型选择,提升复杂任务的完成质量。",
+ "category": "入门指南",
+ "features": [
+ "Plan 模式"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01Sksw211SlxK91PdUg_!!6000000002288-2-videocover-1696-954.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/QrKbdt1ujUuWY7zc4Jg22cY_kg539ZRPJVHC1_blEnY.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "百炼 Coding Plan 模式是 Qwen Code 的高级功能,专为复杂编程任务设计。通过智能的多模型协作,它能够将大型任务拆解为可执行的步骤,并自动规划最优的执行路径。无论是重构大型代码库还是实现复杂功能,Coding Plan 都能显著提升任务完成的质量和效率。",
+ "steps": [
+ {
+ "title": "进入设置界面",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "启动 Qwen Code 输入 `/auth` 命令。"
+ }
+ ]
+ },
+ {
+ "title": "选择 Coding Plan",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在设置中启用百炼 Coding Plan 模式,输入你的 API Key,Qwen Code 会自动为你配置 Coding Plan 支持的模型。"
+ },
+ {
+ "type": "image",
+ "src": "https://gw.alicdn.com/imgextra/i1/O1CN01cDz8AJ1Cq30rXjuXS_!!6000000000131-2-tps-1696-952.png",
+ "alt": ""
+ }
+ ]
+ },
+ {
+ "title": "选择模型",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "直接输入 `/model` 命令,选择你想要模型。"
+ }
+ ]
+ },
+ {
+ "title": "开始复杂任务",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "描述你的编程任务,Coding Plan 会自动规划执行步骤。你可以详细说明任务的目标、约束条件和预期结果。AI 会分析任务需求,生成一个结构化的执行计划,包括每个步骤的具体操作和预期产出。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "我需要重构这个项目的数据层,将数据库从 MySQL 迁移到 PostgreSQL,同时保持 API 接口不变"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Coding Plan 模式特别适合需要多步骤协作的复杂任务,如架构重构、功能迁移等。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-copy-optimization": {
+ "title": "复制字符优化",
+ "description": "优化的代码复制体验,精准选取和复制代码片段,保留完整格式。",
+ "category": "入门指南",
+ "features": [
+ "体验优化"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01rFSm7o1hoRiIy0xrP_!!6000000004324-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "优化的代码复制体验让你能够精准选取和复制代码片段,保留完整的格式和缩进。无论是整段代码还是部分行,都能轻松复制并粘贴到你的项目中。复制功能支持多种方式,包括一键复制、选中复制和快捷键复制,满足不同场景的需求。",
+ "steps": [
+ {
+ "title": "选择代码块",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "点击代码块右上角的复制按钮,一键复制整段代码。复制按钮清晰可见,操作简单快捷。复制的内容会保留原始格式,包括缩进、语法高亮等。"
+ }
+ ]
+ },
+ {
+ "title": "粘贴使用",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "将复制的代码粘贴到你的编辑器中,格式会自动保持。你可以直接使用,无需手动调整缩进或格式。粘贴后的代码与原始代码完全一致,确保代码的正确性。"
+ }
+ ]
+ },
+ {
+ "title": "精准选取",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "如果只需要复制部分代码,可以使用鼠标选中需要的内容,然后使用快捷键复制。支持多行选取,可以精确复制你需要的代码片段。"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-first-conversation": {
+ "title": "开始第一次对话",
+ "description": "安装完成后,发起你与 Qwen Code 的第一次 AI 对话,了解它的核心能力和交互方式。",
+ "category": "入门指南",
+ "features": [
+ "chat"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000002613/O1CN019Vn4y71VAo2xDVswb_!!6000000002613-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/RBM4WS95LE5RkGA82JbBjTG1oVokxC-SJlMi8Jv4_fA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "完成 Qwen Code 的安装后,你将迎来与它的第一次对话。这是一个了解 Qwen Code 核心能力和交互方式的绝佳机会。你可以从简单的问候开始,逐步探索它在代码生成、问题解答、文档理解等方面的强大功能。通过实际操作,你会感受到 Qwen Code 如何成为你编程路上的得力助手。",
+ "steps": [
+ {
+ "title": "启动 Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在终端中输入 `qwen` 命令启动应用。首次启动时,系统会进行初始化配置,这个过程只需几秒钟。启动后,你会看到一个友好的命令行界面,准备开始与 AI 的对话。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "发起对话",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在输入框中输入你的问题,开始与 AI 交流。你可以从简单的自我介绍开始,比如询问 Qwen Code 是什么,或者它能够帮你做什么。AI 会用清晰易懂的语言回答你的问题,并引导你探索更多功能。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "what is qwen code?"
+ }
+ ]
+ },
+ {
+ "title": "探索能力",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "尝试让 AI 帮你完成一些简单任务,比如解释代码、生成函数、回答技术问题等。通过实际操作,你会逐渐熟悉 Qwen Code 的各种能力,并发现它在不同场景下的应用价值。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我写一个 Python 函数,计算斐波那契数列"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code 支持多轮对话,你可以基于之前的回答继续追问,深入探讨感兴趣的话题。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-headless-mode": {
+ "title": "Headless 模式",
+ "description": "在无 GUI 环境下使用 Qwen Code,适用于远程服务器、CI/CD 流水线和自动化脚本场景。",
+ "category": "入门指南",
+ "features": [
+ "Headless"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN01qbxpC21KcK4K7lzGt_!!6000000001184-1-tps-1280-720.gif",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Headless 模式让你能够在无 GUI 环境下使用 Qwen Code,特别适合远程服务器、CI/CD 流水线和自动化脚本场景。通过命令行参数和管道输入,你可以将 Qwen Code 无缝集成到现有的工作流程中,实现自动化的 AI 辅助编程。",
+ "steps": [
+ {
+ "title": "使用 prompt 模式",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 `--p` 参数直接在命令行中传递提示词,Qwen Code 会返回答案后自动退出。这种方式适合一次性查询,可以轻松集成到脚本中。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --p 'what is qwen code?'"
+ }
+ ]
+ },
+ {
+ "title": "管道输入",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "通过管道将其他命令的输出传递给 Qwen Code,实现自动化处理。你可以将日志文件、错误信息等直接发送给 AI 进行分析。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cat error.log | qwen --p '分析错误'"
+ }
+ ]
+ },
+ {
+ "title": "脚本集成",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在 Shell 脚本中集成 Qwen Code,实现复杂的自动化工作流程。你可以根据 AI 的返回结果执行不同的操作,构建智能化的自动化脚本。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "#!/bin/bash\nresult=$(qwen --p '检查代码是否有问题')\nif [[ $result == *\"有问题\"* ]]; then\n echo \"发现代码问题\"\nfi"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Headless 模式支持所有 Qwen Code 功能,包括代码生成、问题解答、文件操作等。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-language-switch": {
+ "title": "语言切换",
+ "description": "灵活切换 UI 界面语言和 AI 输出语言,支持多语言交互。",
+ "category": "入门指南",
+ "features": [
+ "设置",
+ "多语言"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005337/O1CN01dGymbF1pIOvPoDCpT_!!6000000005337-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/3shVUlMOckkpLxiic7uHHYVb8B1bdN5Pe0Up0HhOCuk.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code 支持灵活的语言切换,你可以独立设置 UI 界面语言和 AI 输出语言。无论是中文、英文还是其他语言,都能找到适合的设置。多语言支持让你能够在熟悉的语言环境中工作,提高沟通效率和舒适度。",
+ "steps": [
+ {
+ "title": "切换 UI 语言",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 `/language ui` 命令切换界面语言,支持中文、英文等多种语言。UI 语言切换后,菜单、提示信息、帮助文档等都会使用你选择的语言显示。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language ui zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "切换输出语言",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 `/language output` 命令切换 AI 的输出语言。AI 会使用你指定的语言回答问题、生成代码注释、提供解释等,让交流更加自然顺畅。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/language output zh-CN"
+ }
+ ]
+ },
+ {
+ "title": "混合语言使用",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "你还可以为 UI 和输出设置不同的语言,实现混合语言使用。例如,UI 使用中文,AI 输出使用英文,适合需要阅读英文技术文档的场景。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "语言设置会自动保存,下次启动时会使用你上次选择的语言。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-plan-with-search": {
+ "title": "Plan 模式 + Web Search",
+ "description": "在 Plan 模式下结合 Web Search,先搜索最新信息再制定执行计划,显著提升复杂任务的准确性。",
+ "category": "入门指南",
+ "features": [
+ "Plan 模式",
+ "Web Search"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i3/O1CN016eKNFf1CtFmYQHGsd_!!6000000000138-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Plan 模式是 Qwen Code 的智能规划能力,能够将复杂的任务分解为可执行的步骤。当与 Web Search 结合使用时,它会先主动搜索最新的技术文档、最佳实践和解决方案,然后基于这些实时信息制定更加精准的执行计划。这种组合特别适合处理涉及新框架、新 API 或需要遵循最新规范的开发任务,能够显著提升代码质量和任务完成效率。无论是迁移项目、集成新功能还是解决复杂的技术难题,Plan + Web Search 都能为你提供最前沿的解决方案。",
+ "steps": [
+ {
+ "title": "启用 Plan 模式",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在对话中输入 `/approval-mode plan` 命令即可激活 Plan 模式。此时 Qwen Code 会进入规划状态,准备接收你的任务描述并开始思考。Plan 模式会自动分析任务的复杂度,判断是否需要搜索外部信息来补充知识库。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/approval-mode plan"
+ }
+ ]
+ },
+ {
+ "title": "请求搜索最新信息",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "描述你的任务需求,Qwen Code 会自动识别需要搜索的关键词。它会主动发起 Web Search 请求,获取最新的技术文档、API 参考、最佳实践和解决方案。搜索结果会被整合到知识库中,为后续的规划提供准确的信息基础。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "帮我搜索最新的 AI 领域新闻,整理成报告给我"
+ }
+ ]
+ },
+ {
+ "title": "查看执行计划",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "基于搜索到的信息,Qwen Code 会为你生成详细的执行计划。计划会包含清晰的步骤说明、需要关注的技术要点、潜在的坑和解决方案。你可以审查这个计划,提出修改意见或确认开始执行。"
+ }
+ ]
+ },
+ {
+ "title": "逐步执行计划",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "确认计划后,Qwen Code 会按照步骤逐步执行。在每个关键节点,它会向你汇报进度和结果,确保你对整个过程有完全的掌控。如果遇到问题,它会基于最新的搜索信息提供解决方案,而不是依赖过时的知识。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Web Search 会自动识别任务中的技术关键词,无需手动指定搜索内容。对于快速迭代的框架和库,建议在 Plan 模式下开启 Web Search 以获取最新信息。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-resume-session": {
+ "title": "Resume 会话恢复",
+ "description": "中断的对话可以随时恢复,不丢失任何上下文和进度。",
+ "category": "入门指南",
+ "features": [
+ "终端操作"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000004411/O1CN01KJRiqA1iSIAmOCkIP_!!6000000004411-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/2oGLaR2xoX1-RcWElW2yS5QMKXe03ab_Kcd01_wTOr8.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Resume 会话恢复功能让你能够随时中断对话,并在需要时恢复继续,不丢失任何上下文和进度。无论是临时有事还是多任务并行,你都可以放心地暂停对话,稍后无缝继续。这个功能大大提升了工作灵活性,让你能够更高效地管理时间和任务。",
+ "steps": [
+ {
+ "title": "查看会话列表",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 `qwen --resume` 命令查看所有历史会话。系统会显示每个会话的时间、主题和简要信息,帮助你快速找到需要恢复的对话。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "恢复会话",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 `qwen --resume` 命令恢复指定的会话。你可以通过会话 ID 或序号选择要恢复的对话,系统会加载完整的上下文历史。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --resume"
+ }
+ ]
+ },
+ {
+ "title": "继续工作",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "恢复会话后,你可以像从未中断一样继续对话。所有的上下文、历史记录和进度都会完整保留,AI 能够准确理解之前的讨论内容。"
+ }
+ ]
+ },
+ {
+ "title": "启动 Qwen Code 之后切换会话",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 启动后,你可以使用 `/resume` 命令切换到之前会话。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "会话历史会自动保存,支持跨设备同步,你可以在不同设备上恢复同一个会话。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-retry-shortcut": {
+ "title": "Ctrl+Y 快速重试",
+ "description": "对 AI 回答不满意?使用快捷键一键重试,快速获取更好的结果。",
+ "category": "入门指南",
+ "features": [
+ "终端操作"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01YtZAzm1ShNMbf8YTt_!!6000000002278-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "对 AI 的回答不满意?使用 Ctrl+Y(Windows/Linux)或 Cmd+Y(macOS)快捷键一键重试,快速获取更好的结果。这个功能让你无需重新输入问题,就能让 AI 重新生成回答,节省时间并提高效率。你可以多次重试,直到获得满意的答案。",
+ "steps": [
+ {
+ "title": "发现不满意的回答",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "当 AI 的回答不符合你的期望时,不要气馁。AI 的回答可能会因为上下文理解或随机性而有所不同,你可以通过重试来获得更好的结果。"
+ }
+ ]
+ },
+ {
+ "title": "触发重试",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "按下 Ctrl+Y(Windows/Linux)或 Cmd+Y(macOS)快捷键,AI 会重新生成回答。重试过程快速流畅,不会打断你的工作流程。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "Ctrl+Y / Cmd+Y"
+ }
+ ]
+ },
+ {
+ "title": "补充说明",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "如果重试后仍不满意,可以补充说明你的需求,让 AI 更准确地理解你的意图。你可以添加更多细节、修改问题的表述方式,或者提供更多上下文信息。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "重试功能会保留原始问题,但会使用不同的随机种子生成回答,确保结果多样化。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-script-install": {
+ "title": "脚本一键安装",
+ "description": "通过脚本命令快速安装 Qwen Code,几秒钟即可完成环境配置,支持 Linux、macOS 和 Windows 系统。",
+ "category": "入门指南",
+ "features": [
+ "安装"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000002905/O1CN01wI6zQD1XKXhKNpQXZ_!!6000000002905-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/x4lFbaS9OgyXBNMytr2sR32ttE90q4pTkRD6EHSjQro.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code 支持通过一行脚本命令快速安装,无需手动配置环境变量或下载依赖。脚本会自动检测你的操作系统类型,下载对应的安装包并完成配置。整个过程只需几秒钟,支持 **Linux**、**macOS** 和 **Windows** 三大平台。",
+ "steps": [
+ {
+ "title": "Linux / macOS 安装",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "打开终端,运行以下命令。脚本会自动检测你的系统架构(x86_64 / ARM),下载对应版本并完成安装配置。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "bash -c \"$(curl -fsSL https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.sh)\" -s --source website"
+ }
+ ]
+ },
+ {
+ "title": "Windows 安装",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在 PowerShell 中运行以下命令。脚本会下载批处理文件并自动执行安装流程,完成后即可在任意终端中使用 `qwen` 命令。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "curl -fsSL -o %TEMP%\\install-qwen.bat https://qwen-code-assets.oss-cn-hangzhou.aliyuncs.com/installation/install-qwen.bat && %TEMP%\\install-qwen.bat --source website"
+ }
+ ]
+ },
+ {
+ "title": "验证安装",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "安装完成后,在终端中运行以下命令确认 Qwen Code 已正确安装。如果看到版本号输出,说明安装成功。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen --version"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "如果你更习惯使用 npm,也可以通过 `npm install -g @qwen-code/qwen-code` 全局安装。安装完成后输入 `qwen` 即可启动。遇到权限问题可使用`sudo npm install -g @qwen-code/qwen-code`,输入密码后安装。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skill-install": {
+ "title": "安装 Skills",
+ "description": "多种方式安装 Skill 扩展,包括命令行安装和文件夹安装,满足不同场景需求。",
+ "category": "入门指南",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000005414/O1CN01WFKT3D1prfQWynZFH_!!6000000005414-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/_3BD_A4_-nQRKqdyyHw9e8Nm1qtusA7gHKtoJlaJP28.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code 支持多种 Skill 安装方式,你可以根据实际场景选择最适合的方法。命令行安装适合在线环境,快速便捷;文件夹安装适合离线环境或自定义 Skill,灵活可控。",
+ "steps": [
+ {
+ "title": "检查并安装 find-skills Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在 Qwen Code 中直接描述你的需求,让它帮你检查并安装所需的 Skill:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "查看我是否有find skills,没有就直接帮我安装:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "安装你需要的 Skill,比如安装 web-component-design:",
+ "blocks": [
+ {
+ "type": "code",
+ "lang": "",
+ "value": "/skills find-skills install web-component-design -y -a qwen-code"
+ },
+ {
+ "type": "text",
+ "value": "Qwen Code 会自动执行安装命令,从指定仓库下载并安装 Skill,你也可以使用一句话安装:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "查看我是否有find skills,没有就直接帮我安装:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code,然后帮我安装【技能名称】到当前目录qwen code skills中。"
+ }
+ ]
+ },
+ {
+ "title": "验证安装",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "安装完成后,验证 Skill 是否成功加载:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "命令行安装需要网络连接。`-y` 参数表示自动确认,`-a qwen-code` 指定安装到 Qwen Code。"
+ },
+ {
+ "type": "info",
+ "content": "**Skill 目录结构要求**\n\n每个 Skill 文件夹需包含 `skill.md` 文件,定义 Skill 的名称、描述和触发规则:\n\n```\n~/.qwen/skills/\n├── my-skill/\n│ ├── SKILL.md # 必需:Skill 配置文件\n│ └── scripts/ # 可选:脚本文件\n└── another-skill/\n └── SKILL.md\n```"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-skills-panel": {
+ "title": "Skills 面板",
+ "description": "通过 Skills 面板浏览、安装和管理已有的 Skill 扩展,一站式管理 AI 能力库。",
+ "category": "入门指南",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01xkzvoE1fomm8znzBG_!!6000000004054-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "Skills 面板是你管理 Qwen Code 扩展能力的控制中心。通过这个直观的界面,你可以浏览官方和社区提供的各种 Skill,了解每个 Skill 的功能和用途,一键安装或卸载扩展。无论你是想要发现新的 AI 能力,还是管理已安装的 Skill,Skills 面板都能提供便捷的操作体验,让你轻松构建个性化的 AI 工具箱。",
+ "steps": [
+ {
+ "title": "打开 Skills 面板",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在 Qwen Code 对话中输入命令打开 Skills 面板。这个命令会展示所有可用的 Skill 列表,包括已安装和未安装的扩展。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/skills"
+ }
+ ]
+ },
+ {
+ "title": "浏览和搜索技能",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在面板中浏览各种 Skill 扩展,每个 Skill 都有详细的描述和功能说明。你可以使用搜索功能快速找到你需要的特定技能,或者按类别浏览不同类型的扩展。"
+ }
+ ]
+ },
+ {
+ "title": "安装或卸载 Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "找到感兴趣的 Skill 后,点击安装按钮即可一键添加到你的 Qwen Code。同样,你也可以随时卸载不再需要的 Skill,保持你的 AI 能力库整洁高效。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Skills 面板会定期更新,展示最新发布的 Skill 扩展。建议定期查看面板,发现更多强大的 AI 能力来提升你的工作效率。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-vscode-integration": {
+ "title": "VS Code 集成界面",
+ "description": "Qwen Code 在 VS Code 中的完整界面展示,了解各功能区域的布局和使用方式。",
+ "category": "入门指南",
+ "features": [
+ "Agent 模式"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000003274/O1CN014Km30B1a3XqInHBJC_!!6000000003274-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/IQbMf47caWPNeRPe2Z0DcCUJgip2IY5IzKRIG77yI5I.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "VS Code 是最流行的代码编辑器之一,Qwen Code 提供了深度集成的 VS Code 扩展。通过这个扩展,你可以在熟悉的编辑器环境中直接与 AI 对话,享受无缝的编程体验。扩展提供了直观的界面布局,让你能够轻松访问所有功能,无论是代码补全、问题解答还是文件操作,都能高效完成。",
+ "steps": [
+ {
+ "title": "安装 VS Code 扩展",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在 VS Code 扩展市场中搜索 \"Qwen Code\",点击安装。安装过程简单快速,几秒钟即可完成。安装后,VS Code 侧边栏会出现 Qwen Code 的图标,表示扩展已成功加载。"
+ }
+ ]
+ },
+ {
+ "title": "登录账号",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 `/auth` 命令触发认证流程,系统会自动打开浏览器进行登录。登录过程安全便捷,支持多种认证方式。登录成功后,你的账号信息会自动同步到 VS Code 扩展中,解锁全部功能。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/auth"
+ }
+ ]
+ },
+ {
+ "title": "开始使用",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在侧边栏打开 Qwen Code 面板,开始与 AI 对话。你可以直接输入问题、引用文件、执行命令,所有操作都在 VS Code 中完成。扩展支持多标签页、历史记录、快捷键等功能,提供完整的编程辅助体验。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "VS Code 扩展与命令行版本功能完全一致,你可以根据使用场景自由选择。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "guide-web-search": {
+ "title": "Web Search 网络搜索",
+ "description": "让 Qwen Code 搜索网络内容,获取实时信息辅助编程和解决问题。",
+ "category": "入门指南",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Web Search 功能让 Qwen Code 能够实时搜索网络内容,获取最新的技术文档、框架更新和解决方案。当你在开发中遇到问题,或者需要了解某个新技术的最新动态时,这个功能会非常有用。AI 会智能地搜索相关信息,并整理成易于理解的格式返回给你。",
+ "steps": [
+ {
+ "title": "启用搜索功能",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在对话中明确告诉 AI 需要搜索最新信息。你可以直接提出包含最新技术、框架版本或实时数据的问题。Qwen Code 会自动识别你的需求,启动网络搜索功能来获取最准确的信息。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我搜索一下 React 19 的新特性有哪些?"
+ }
+ ]
+ },
+ {
+ "title": "查看搜索结果",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI 会返回搜索到的信息,并整理成易于理解的格式。搜索结果通常包含关键信息的摘要、来源链接以及相关的技术细节。你可以快速浏览这些信息,了解最新的技术动态或找到问题的解决方案。"
+ }
+ ]
+ },
+ {
+ "title": "基于搜索结果提问",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "可以针对搜索结果进一步提问,获得更深入的解释。如果你对某个技术细节有疑问,或者想了解如何将搜索结果应用到你的项目中,可以直接继续询问。AI 会基于搜索到的信息为你提供更具体的指导。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "这些新特性对我的项目有什么影响?"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Web Search 功能特别适合查询最新的 API 变更、框架版本更新和实时技术动态。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-batch-file-organize": {
+ "title": "批量处理文件,整理桌面",
+ "description": "使用 Qwen Code 的 Cowork 功能,一键批量整理桌面杂乱文件,按类型自动分类到对应文件夹。",
+ "category": "日常任务",
+ "features": [
+ "Cowork"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "桌面文件杂乱无章?Qwen Code 的 Cowork 功能可以帮你一键批量整理文件,自动识别文件类型并分类到对应文件夹。无论是文档、图片、视频还是其他类型的文件,都能智能识别并归档,让你的工作环境井然有序,提升工作效率。",
+ "steps": [
+ {
+ "title": "启动对话",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "打开终端或命令行,输入 `qwen` 启动 Qwen Code。确保你在需要整理的目录中,或者明确告诉 AI 你要整理哪个目录的文件。Qwen Code 会准备好接收你的整理指令。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\nqwen"
+ }
+ ]
+ },
+ {
+ "title": "发出整理指令",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "告诉 Qwen Code 你想要整理桌面文件,AI 会自动识别文件类型并创建分类文件夹。你可以指定整理的目录、分类规则和目标文件夹结构,AI 会根据你的需求制定整理方案。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我整理一下桌面的文件,按照文档、图片、视频、压缩包等类型分类放到不同的文件夹里"
+ }
+ ]
+ },
+ {
+ "title": "确认执行方案",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 会先列出将要执行的操作计划,确认无误后允许执行。这个步骤非常重要,你可以审查整理计划,确保 AI 理解了你的需求,避免误操作。"
+ }
+ ]
+ },
+ {
+ "title": "完成整理",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI 自动执行文件移动操作,完成后显示整理报告,告诉你哪些文件被移到了哪里。整个过程快速高效,无需手动操作,节省大量时间。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Cowork 功能支持自定义分类规则,你可以根据需要指定文件类型和目标文件夹的映射关系。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-clipboard-paste": {
+ "title": "剪贴板图片粘贴",
+ "description": "直接粘贴剪贴板中的截图到对话窗口,AI 即时理解图片内容并提供帮助。",
+ "category": "日常任务",
+ "features": [
+ "图片识别"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01OsEDov1z4nJto1CfQ_!!6000000006661-2-tps-1694-956.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "剪贴板图片粘贴功能让你能够将任何截图直接粘贴到 Qwen Code 的对话窗口中,无需先保存文件再上传。无论是错误截图、UI 设计稿、代码片段截图还是任何其他图片,Qwen Code 都能即时理解其内容,并根据你的需求提供帮助。这种便捷的交互方式极大地提升了沟通效率,让你能够在遇到问题时快速获得 AI 的分析和建议。",
+ "steps": [
+ {
+ "title": "复制图片到剪贴板",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用系统截图工具(macOS: `Cmd+Shift+4`,Windows: `Win+Shift+S`)截取屏幕内容,或者从浏览器、文件管理器中复制图片。截图会自动保存到剪贴板中,无需额外操作。"
+ }
+ ]
+ },
+ {
+ "title": "粘贴到对话窗口",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在 Qwen Code 的对话输入框中,使用 `Cmd+V`(macOS)或 `Ctrl+V`(Windows)粘贴图片。图片会自动显示在输入框中,你可以同时输入文字描述你的问题或需求。"
+ }
+ ]
+ },
+ {
+ "title": "获取 AI 分析结果",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "发送消息后,Qwen Code 会分析图片内容并给出回复。它可以识别代码截图中的错误、分析 UI 设计稿的布局、解读图表数据等。你可以继续追问,深入讨论图片中的任何细节。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "支持 PNG、JPEG、GIF 等常见图片格式。图片大小建议不超过 10MB,以确保最佳的识别效果。对于代码截图,建议使用高分辨率以提高文字识别准确率。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-export-conversation": {
+ "title": "导出对话记录",
+ "description": "将对话记录导出为 Markdown、HTML 或 JSON 格式,方便归档和分享。",
+ "category": "日常任务",
+ "features": [
+ "导出对话"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000003561/O1CN01KmYvSF1cAzW7C9CHz_!!6000000003561-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a4-IZVgzaAhKLdzRYhsG2dB-PPo8wG1gKlwq09gR01U.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "导出对话记录功能",
+ "steps": [
+ {
+ "title": "查看会话列表",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 `/resume` 命令查看所有历史会话。列表会显示每个会话的创建时间、主题摘要等信息,帮助你快速找到需要导出的对话。可以使用关键词搜索或按时间排序,精确定位目标会话。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/resume"
+ }
+ ]
+ },
+ {
+ "title": "选择导出格式",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "确定要导出的会话后,使用 `/export` 命令并指定格式和会话 ID。支持三种格式:`markdown`、`html` 和 `json`。Markdown 格式适合在文档工具中使用,HTML 格式可以直接在浏览器中打开查看,JSON 格式适合程序化处理。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "# 若无 参数,则默认导出当前会话\n/export html # 导出为 HTML 格式\n/export markdown # 导出为 Markdown 格式\n/export json # 导出为 JSON 格式"
+ }
+ ]
+ },
+ {
+ "title": "分享和归档",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "导出的文件会保存到指定的目录。Markdown 和 HTML 文件可以直接分享给同事或在团队文档中使用。JSON 文件可以导入到其他工具进行二次处理。建议定期归档重要的对话,构建团队的知识库。导出的文件也可以作为备份,防止重要信息丢失。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "导出的 HTML 格式包含完整的样式,可以在任何浏览器中直接打开查看。JSON 格式保留所有元数据,适合进行数据分析和处理。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-file-reference": {
+ "title": "@file 引用功能",
+ "description": "在对话中通过 @file 引用项目文件,让 AI 精准理解你的代码上下文。",
+ "category": "入门指南",
+ "features": [
+ "文件引用"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i2/O1CN01Aaya6r1jMctBU7ajg_!!6000000004534-2-tps-1694-952.png",
+ "videoUrl": "",
+ "model": "qwen3.5-plus",
+ "overview": "@file 引用功能让你能够在对话中直接引用项目文件,让 AI 精准理解你的代码上下文。无论是单个文件还是多个文件,AI 都会读取并分析代码内容,提供更准确的建议和解答。这个功能特别适合代码审查、问题排查和代码重构等场景。",
+ "steps": [
+ {
+ "title": "引用单个文件",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 `@file` 命令后跟文件路径,引用单个文件。AI 会读取文件内容,理解代码结构和逻辑,然后根据你的问题提供针对性的解答。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file ./src/main.py\n解释一下这个函数的作用"
+ },
+ {
+ "type": "text",
+ "value": "你还可以引用参考文件,让 Qwen Code 给你整理写作为新的文档,这样可以很大避免 AI 误解你的需求,生成非参考资料中的内容:"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file 基于这个文件帮我写一份公众号文章"
+ }
+ ]
+ },
+ {
+ "title": "描述需求",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在引用文件后,清晰地描述你的需求或问题。AI 会基于文件内容进行分析,提供准确的答案或建议。你可以询问代码逻辑、查找问题、请求优化等。"
+ }
+ ]
+ },
+ {
+ "title": "引用多个文件",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "通过多次使用 `@file` 命令,可以同时引用多个文件。AI 会综合分析所有引用的文件,理解它们之间的关系和内容,提供更全面的解答。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "@file1 @file2 基于这两个文件中的资料,帮我整理一份适合新手的学习文档"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "@file 支持相对路径和绝对路径,也支持通配符匹配多个文件。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-image-recognition": {
+ "title": "图片识别",
+ "description": "Qwen Code 可以读取和理解图片内容,无论是 UI 设计稿、错误截图还是架构图。",
+ "category": "日常任务",
+ "features": [
+ "图片识别"
+ ],
+ "thumbnail": "https://gw.alicdn.com/imgextra/i1/O1CN01JahZiH1yV4QoVXcEV_!!6000000006583-2-tps-1700-958.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/j0eaRLacpjRbMBDAerJ1tP9qJ9qbvUHFyyR-VdZBwIg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Qwen Code 具备强大的图片识别能力,可以读取和理解各种类型的图片内容。无论是 UI 设计稿、错误截图、架构图、流程图还是手写笔记,Qwen Code 都能准确识别并提供有价值的分析。这项能力让你可以直接将视觉信息融入编程工作流,大幅提升沟通效率和问题解决速度。",
+ "steps": [
+ {
+ "title": "上传图片",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "将图片拖拽到对话窗口中,或者使用剪贴板粘贴(`Cmd+V` / `Ctrl+V`)。支持 PNG、JPEG、GIF、WebP 等常见格式。\n\n可参考:[剪贴板图片粘贴](./office-clipboard-paste.mdx) 展示如何快速粘贴截图到对话中。"
+ }
+ ]
+ },
+ {
+ "title": "描述你的需求",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在输入框中描述你希望 AI 对图片做什么。例如:"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "基于图片内容,帮我生成一个简单的 html 文件"
+ }
+ ]
+ },
+ {
+ "title": "获取分析结果",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 会分析图片内容并给出详细回复。你可以继续追问,深入讨论图片中的任何细节,或者要求 AI 基于图片内容生成代码。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "图片识别功能支持多种场景:代码截图分析、UI 设计稿转代码、错误信息解读、架构图理解、图表数据提取等。建议使用清晰的高分辨率图片以获得最佳识别效果。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-mcp-image-gen": {
+ "title": "MCP 图片生成",
+ "description": "通过 MCP 接入图片生成服务,用自然语言描述即可驱动 AI 创作高质量图像。",
+ "category": "日常任务",
+ "features": [
+ "MCP",
+ "图片生成"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/6000000008040/O1CN01S2cxYL29GNUmrvmzH_!!6000000008040-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/gQg8C_5f5MGoZE9YKCyKmHlWAgXZSTMbN8WSoN7crbc.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "MCP(Model Context Protocol)图片生成功能让你能够通过自然语言描述,直接在 Qwen Code 中驱动 AI 创作高质量图像。无需切换到专门的图片生成工具,只需在对话中描述你的需求,Qwen Code 就会调用集成的图片生成服务,为你生成符合要求的图片。无论是 UI 原型设计、图标创作、插画绘制还是概念图制作,MCP 图片生成都能提供强大的支持。这种无缝集成的工作流极大地提升了设计和开发的效率,让创意实现更加便捷。",
+ "steps": [
+ {
+ "title": "配置 MCP 服务",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "首先需要配置 MCP 图片生成服务。在配置文件中添加图片生成服务的 API 密钥和端点信息。Qwen Code 支持多种主流的图片生成服务,你可以根据自己的需求和预算选择合适的服务。配置完成后,重启 Qwen Code 即可生效。"
+ }
+ ]
+ },
+ {
+ "title": "描述图片需求",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在对话中用自然语言详细描述你想要生成的图片。包括图片的主题、风格、色彩、构图、细节等要素。描述越具体,生成的图片越符合你的预期。你可以参考艺术风格、特定艺术家、或者上传参考图片来帮助 AI 更好地理解你的需求。"
+ }
+ ]
+ },
+ {
+ "title": "查看和保存结果",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 会生成多张图片供你选择。你可以预览每张图片,选择最符合需求的一张。如果需要调整,可以继续描述修改意见,Qwen Code 会根据反馈重新生成。满意后,可以直接保存图片到本地,或者复制图片链接在其他地方使用。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "MCP 图片生成支持多种风格和尺寸,可以根据项目需求灵活调整。生成的图片版权归属取决于所使用的服务,请注意查看服务条款。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-organize-desktop": {
+ "title": "整理桌面文件",
+ "description": "用一句话让 Qwen Code 自动整理桌面文件,按类型智能归类。",
+ "category": "办公提效",
+ "features": [
+ "Cowork"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000007569/O1CN01biAMzk25mewsNAHie_!!6000000007569-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/yWnCuZwvlYmYhhq-NuQ9AwNpg5b_KUKZNV8AFJTBMzw.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "桌面文件堆积如山,找不到需要的文件?用一句话让 Qwen Code 帮你自动整理桌面文件。AI 会智能识别文件类型,按照图片、文档、代码、压缩包等类别自动归类,创建清晰的文件夹结构。整个过程安全可控,AI 会先列出操作计划供你确认,确保不会误移重要文件。让你的桌面瞬间变得整洁有序,提升工作效率。",
+ "steps": [
+ {
+ "title": "描述整理需求",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "进入桌面目录,启动 Qwen Code,告诉 Qwen Code 你想要如何整理桌面文件,比如按类型分类、按日期分组等。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "cd ~/Desktop\n帮我把桌面上的文件按类型整理好"
+ }
+ ]
+ },
+ {
+ "title": "确认操作计划",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 会分析桌面文件,列出详细的整理计划,包括哪些文件会被移动到哪个文件夹。你可以检查计划,确保没有问题。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "确认执行这个整理计划"
+ }
+ ]
+ },
+ {
+ "title": "执行整理并查看结果",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "确认后,Qwen Code 会按照计划执行整理操作。完成后你可以查看整理后的桌面,文件已经按类型整齐排列。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "warning",
+ "content": "AI 会先列出操作计划供你确认,确保不会误移重要文件。如果你对某些文件的分类有疑问,可以在执行前告诉 Qwen Code 调整规则。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-ppt-presentation": {
+ "title": "汇报展示:做 PPT",
+ "description": "根据产品截图制作 PPT,提供截图和描述,AI 生成精美演示文稿。",
+ "category": "日常任务",
+ "features": [
+ "Agent 模式"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/O1CN01ZlnCqO1HtmJhfhZSm_!!6000000000816-2-videocover-2546-1388.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/08IfFcYkp4OkyvbSDklR11rrL69fTNuc8Rkz_2ikqOg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "需要制作产品演示 PPT 但不想从零开始?只需提供产品截图和简单的描述,Qwen Code 就能帮你生成结构清晰、设计精美的演示文稿。AI 会分析截图内容,理解产品特点,自动组织幻灯片结构,并添加合适的文案和排版。无论是产品发布、团队汇报还是客户展示,都能快速获得专业的 PPT,节省你大量时间和精力。",
+ "steps": [
+ {
+ "title": "准备产品截图",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "收集需要展示的产品界面截图,包括主要功能页面、特色功能演示等。截图要清晰,能充分展示产品的价值和特点,放在一个文件夹中,例如:qwen-code-images"
+ }
+ ]
+ },
+ {
+ "title": "安装相关 Skill",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "安装PPT 生成相关的 Skill,这些 Skill 包含了分析截图内容和生成演示文稿的能力。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "查看我是否有find skills,没有就直接帮我安装:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code,然后帮我安装 zarazhangrui/frontend-slides 到qwen code skills中。"
+ }
+ ]
+ },
+ {
+ "title": "生成演示文稿",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "引用对饮文件,并告诉 Qwen Code 你的需求,比如演示的目的、受众、重点内容等。AI 会根据这些信息生成 PPT。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "@qwen-code-images 根据这些截图制作一个产品演示 PPT,面向技术团队,重点展示新功能"
+ }
+ ]
+ },
+ {
+ "title": "调整和导出",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "查看生成的 PPT,如果需要调整可以告诉 Qwen Code,比如\"增加一页介绍架构\"、\"调整这个页面的文案\"。满意后导出为可编辑的格式。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "帮我调整第 3 页的文案,让它更简洁"
+ }
+ ]
+ }
+ ],
+ "callouts": [],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-terminal-theme": {
+ "title": "Terminal 主题切换",
+ "description": "一句话更换 terminal 主题,用自然语言描述风格,AI 自动应用。",
+ "category": "日常任务",
+ "features": [
+ "Agent 模式"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i3/O1CN01AsDV5C1aSHEa8IY3M_!!6000000003328-0-videocover-3163-1800.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/zxYwfE9B3STo2bLnbTBwePKBTtWPbqt6pS2BCZMJpTM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "厌倦了默认的 terminal 主题?用自然语言描述你想要的风格,Qwen Code 就能帮你找到并应用合适的主题。无论是深色科技风、清新简洁风,还是复古经典风,只需一句话,AI 就能理解你的审美偏好,自动配置 terminal 的颜色方案和样式。告别繁琐的手动配置,让你的工作环境瞬间焕然一新。",
+ "steps": [
+ {
+ "title": "描述你想要的主题风格",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在对话中用自然语言描述你喜欢的风格。比如\"把 terminal 主题换成深色科技风\"或\"我想要一个清新简洁的浅色主题\",Qwen Code 会理解你的需求。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "把 terminal 主题换成深色科技风"
+ }
+ ]
+ },
+ {
+ "title": "确认并应用主题",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 会推荐几个符合你描述的主题选项,并展示预览效果。选择你最喜欢的主题,确认后 AI 会自动应用配置。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "看起来不错,直接应用主题"
+ }
+ ]
+ },
+ {
+ "title": "微调和个性化",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "如果需要进一步调整,你可以继续告诉 Qwen Code 你的想法,比如\"把背景颜色再暗一点\"或\"调整字体大小\",AI 会帮你精细调整。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "主题切换会修改你的终端配置文件。如果你使用的是特定的终端应用(如 iTerm2、Terminal.app),Qwen Code 会自动识别并配置相应的主题文件。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-web-search-detail": {
+ "title": "Web Search 网络搜索",
+ "description": "让 Qwen Code 搜索网络内容,获取实时信息辅助编程,了解最新的技术动态和文档。",
+ "category": "入门指南",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/6000000002711/O1CN01hgoJib1VtgrRAkjQc_!!6000000002711-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/FVVvz922HnDIY_STwpKaBGBb1u2JXOCdUCOL36A8WW4.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Web Search 功能让 Qwen Code 能够实时搜索互联网上的最新信息,帮助你获取最新的技术文档、API 参考、最佳实践和解决方案。当你遇到不熟悉的技术栈、需要了解最新版本的变更,或者想要查找特定问题的解决方案时,Web Search 可以让 AI 基于最新的网络信息为你提供准确的回答。",
+ "steps": [
+ {
+ "title": "发起搜索请求",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在对话中直接描述你想要搜索的内容。例如:\"搜索最新的 React 19 新特性\"、\"查找 Next.js App Router 的最佳实践\"。Qwen Code 会自动判断是否需要联网搜索。"
+ }
+ ]
+ },
+ {
+ "title": "查看整合结果",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "AI 会搜索多个网络来源,整合搜索结果并给出结构化的回答。回答中会包含关键信息的来源链接,方便你进一步深入了解。"
+ }
+ ]
+ },
+ {
+ "title": "基于结果继续对话",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "你可以基于搜索结果继续提问,让 AI 帮你将搜索到的信息应用到实际的编程任务中。例如,搜索到新的 API 用法后,可以直接让 AI 帮你重构代码。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Web Search 特别适合以下场景:了解最新框架版本的变更、查找特定错误的解决方案、获取最新的 API 文档、了解行业最佳实践等。搜索结果会实时更新,确保你获取到最新的信息。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-weekly-report": {
+ "title": "自动获取生成周报",
+ "description": "定制技能,一行命令自动爬取本周更新,按模板写作产品更新周报。",
+ "category": "日常任务",
+ "features": [
+ "Skills"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/O1CN01pGIjz425ghngaMvYX_!!6000000007556-2-videocover-1696-948.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/BrL3c4NkeIqLiT3MAAWUSp26QgM0hjN67ukuKQmgE4M.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "每周写产品更新周报是一项重复且耗时的工作。使用 Qwen Code 的定制技能,你可以让 AI 自动爬取本周的产品更新信息,按照标准模板生成结构化的周报。只需一行命令,AI 就会收集数据、分析内容、整理成文档,大幅提升你的工作效率。你可以专注于产品本身,让 AI 处理繁琐的文档工作。",
+ "steps": [
+ {
+ "title": "安装 skills-creator 技能",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "首先安装技能,让 AI 了解你需要收集哪些数据源的信息。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "查看我是否有find skills,没有就直接帮我安装:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code,然后帮我安装 skills-creator 到qwen code skills中。"
+ }
+ ]
+ },
+ {
+ "title": "创建周报技能",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用技能创建功能,告诉 AI 你需要一个定制的周报生成技能,描述你需要收集的数据类型和周报的结构。AI 会根据你的需求生成一个新的技能。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "我需要给开源项目:https://github.com/QwenLM/qwen-code 每周制作周报,主要包括本周提交的issue、解决的bug、新上的版本和feature,以及复盘和反思,语言要以用户为中心,具有利他性、能感知。创建一个技能。"
+ }
+ ]
+ },
+ {
+ "title": "生成周报内容",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "配置完成后,输入生成命令,Qwen Code 会自动爬取本周的更新信息,并按照产品周报模板整理成结构化的文档。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "生成本周的 qwen-code 产品更新周报"
+ }
+ ]
+ },
+ {
+ "title": "打开周报,编辑调整",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "生成的周报可以打开调整,方便你进一步编辑或在团队中分享。你也可以让 AI 帮你调整格式和内容重点。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "周报的语言更活泼一些"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "首次使用时需要配置数据源,配置一次后可以重复使用。你可以设置定时任务,让 Qwen Code 每周自动生成周报,彻底解放你的双手。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "office-write-file": {
+ "title": "一句话写入文件",
+ "description": "告诉 Qwen Code 你想创建什么文件,AI 自动生成内容并写入。",
+ "category": "日常任务",
+ "features": [
+ "文件操作"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i2/6000000003593/O1CN0139ueiV1cPeBczAQyA_!!6000000003593-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/ToffPMLiVnt3c_HDiisOPcfaWGYmYVsH3hIuj3YWBVg.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "需要创建一个新文件但不想从零开始写内容?告诉 Qwen Code 你想创建什么文件,AI 就会自动生成合适的内容并写入文件。无论是 README、配置文件、代码文件还是文档,Qwen Code 都能根据你的需求生成高质量的内容。你只需要描述文件用途和基本要求,AI 就会处理剩下的工作,大幅提升你的文件创建效率。",
+ "steps": [
+ {
+ "title": "描述文件内容和用途",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "告诉 Qwen Code 你想要创建什么类型的文件,以及文件的主要内容和用途。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我创建一个 README.md,包含项目介绍和安装说明"
+ }
+ ]
+ },
+ {
+ "title": "确认生成的内容",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "Qwen Code 会根据你的描述生成文件内容,展示给你确认。你可以查看内容,确保符合你的需求。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "看起来不错,继续创建文件"
+ }
+ ]
+ },
+ {
+ "title": "修改和完善",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "如果需要调整内容,可以告诉 Qwen Code 具体的修改要求,比如\"增加使用示例\"、\"调整格式\"等。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我增加一些代码示例"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code 支持各种文件类型,包括文本文件、代码文件、配置文件等。生成的文件会自动保存到指定目录,你可以在编辑器中进一步修改。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "product-insight": {
+ "title": "Insight 数据洞察",
+ "description": "查看个人 AI 使用报告,了解编程效率和协作数据,用数据驱动习惯优化。",
+ "category": "日常任务",
+ "features": [
+ "insight"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i1/6000000006496/O1CN01KNUXtG1xrDy75PPA5_!!6000000006496-0-tbvideo.jpg",
+ "videoUrl": "https://cloud.video.taobao.com/vod/a5X9O6PsdDdmXVqtHdhlzZ97mRNPrqroKO5cf4V71XM.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "Insight 是 Qwen Code 的个人使用数据分析面板,为你提供全方位的 AI 编程效率洞察。它会追踪你的对话次数、代码生成量、常用功能、编程语言偏好等关键指标,生成可视化的数据报告。通过这些数据,你可以清楚地了解自己的编程习惯、AI 辅助效果和协作模式。Insight 不仅帮助你发现效率提升的空间,还能让你看到自己在哪些领域使用 AI 最为得心应手,从而更好地发挥 AI 的价值。数据驱动的洞察让每一次使用都更有意义。",
+ "steps": [
+ {
+ "title": "打开洞察面板",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在对话中输入 `/insight` 命令,即可打开 Insight 数据洞察面板。面板会展示你的使用概况,包括总对话次数、代码生成行数、节省时间估算等核心指标。这些数据以直观的图表形式呈现,让你一目了然地了解自己的 AI 使用情况。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "/insight"
+ }
+ ]
+ },
+ {
+ "title": "分析使用报告",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "深入查看详细的使用报告,包括每日对话趋势、常用功能分布、编程语言偏好、代码类型分析等维度。Insight 会根据你的使用模式提供个性化的洞察和建议,帮助你发现潜在的提升空间。你可以按时间范围筛选数据,对比不同时期的使用效率。"
+ }
+ ]
+ },
+ {
+ "title": "优化使用习惯",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "基于数据洞察,调整你的 AI 使用策略。例如,如果发现自己在某个功能上使用频率很高但效率不高,可以尝试学习更高效的用法。如果发现某些编程语言或任务类型的 AI 辅助效果更好,可以针对性地在类似场景中更多地使用 AI。持续跟踪数据变化,验证优化效果。\n\n想要知道我们如何使用 insight 功能?可以查看我们[如何让 AI 告诉我们如何更好使用 AI](../blog/how-to-use-qwencode-insight.mdx)"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Insight 数据仅保存在本地,不会上传到云端,确保你的使用隐私和数据安全。定期查看报告,养成数据驱动的使用习惯。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-learning": {
+ "title": "代码学习",
+ "description": "克隆开源仓库并学习理解代码,让 Qwen Code 指导你如何为开源项目做贡献。",
+ "category": "编程开发",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01sarW5120qFytaxHSU_!!6000000006900-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/M44s6lya5s2ni7h3SR4AdAjDvOe1r6o8Ryq9X6MgmUA.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "学习优秀的开源代码是提升编程能力的绝佳途径。Qwen Code 可以帮助你深入理解复杂项目的架构和实现细节,找到适合你的贡献点,并指导你完成代码修改。无论是想学习新技术栈,还是想为开源社区做贡献,Qwen Code 都是你理想的编程导师。",
+ "steps": [
+ {
+ "title": "克隆仓库",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "使用 git clone 下载开源项目到本地。选择一个你感兴趣的项目,将其克隆到你的开发环境中。确保项目有良好的文档和活跃的社区,这样学习过程会更加顺利。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "git clone https://github.com/QwenLM/qwen-code.git && cd qwen-code"
+ }
+ ]
+ },
+ {
+ "title": "启动 Qwen Code",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "在项目目录中启动 Qwen Code。这样 AI 就能够访问项目的所有文件,为你提供上下文相关的代码解释和建议。Qwen Code 会自动分析项目结构,识别主要模块和依赖关系。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "qwen"
+ }
+ ]
+ },
+ {
+ "title": "请求代码解释",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "告诉 AI 你想了解项目的哪个部分或功能。你可以询问整体架构、特定模块的实现逻辑,或者某个功能的设计思路。AI 会用清晰的语言解释代码,并提供相关的背景知识。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我解释一下这个项目的整体架构和主要模块"
+ }
+ ]
+ },
+ {
+ "title": "寻找贡献点",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "让 AI 帮你找到适合新手参与的 issue 或功能。AI 会分析项目的 issues 列表,根据难度、标签和描述推荐适合你的贡献点。这是开始开源贡献的好方法。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "有哪些适合初学者参与的 open issues?"
+ }
+ ]
+ },
+ {
+ "title": "实现修改",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "根据 AI 的指导逐步实现代码修改。AI 会帮你分析问题、设计解决方案、编写代码,并确保修改符合项目的代码规范。完成修改后,你可以提交 PR,为开源项目做出贡献。"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "通过参与开源项目,你不仅能提升编程技能,还能建立技术影响力,结识志同道合的开发者。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ },
+ "study-read-paper": {
+ "title": "读论文",
+ "description": "直接读取和分析学术论文,AI 帮你理解复杂研究内容,生成学习卡片。",
+ "category": "编程开发",
+ "features": [
+ "Web Search"
+ ],
+ "thumbnail": "https://img.alicdn.com/imgextra/i4/O1CN01616oQD1d9RnY1XuLt_!!6000000003693-2-videocover-1696-956.png",
+ "videoUrl": "https://cloud.video.taobao.com/vod/is3SsCe3w-U5Y0ZxL-z6reSbw8NBhnzCtQfjH26lLFE.mp4",
+ "model": "qwen3.5-plus",
+ "overview": "学术论文往往晦涩难懂,需要花费大量时间阅读和理解。Qwen Code 可以帮你直接读取和分析论文,提取核心观点、解释复杂概念、总结研究方法。AI 会深入理解论文内容,用通俗易懂的语言为你解释,并生成结构化的学习卡片,方便你复习和分享。无论是学习新技术还是研究前沿领域,都能大幅提升你的学习效率。",
+ "steps": [
+ {
+ "title": "提供论文信息",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "告诉 Qwen Code 你想阅读的论文,可以提供论文标题、PDF 文件路径或 arXiv 链接。AI 会自动获取并分析论文内容。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "帮我下载并分析这篇论文:attention is all you need https://arxiv.org/abs/1706.03762"
+ }
+ ]
+ },
+ {
+ "title": "阅读论文",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "安装 PDF 相关技能,让 Qwen Code 分析论文内容,并生成结构化的学习卡片。你可以查看论文摘要、核心观点、关键概念和重要结论。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "查看我是否有find skills,没有就直接帮我安装:npx skills add https://github.com/vercel-labs/skills --skill find-skills -y -a qwen-code,然后帮我安装 Anthropic pdf 等办公技能到qwen code skills中。"
+ }
+ ]
+ },
+ {
+ "title": "深入学习和提问",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "阅读过程中,你可以随时向 Qwen Code 提问,比如\"解释一下自注意力机制\"、\"这个公式是怎么推导的\"。AI 会详细解答,帮助你深入理解。"
+ },
+ {
+ "type": "code",
+ "lang": "",
+ "value": "请解释一下 Transformer 架构的核心思想"
+ }
+ ]
+ },
+ {
+ "title": "生成学习卡片",
+ "blocks": [
+ {
+ "type": "text",
+ "value": "学习完成后,让 Qwen Code 生成学习卡片,总结论文的核心观点、关键概念和重要结论。这些卡片可以方便你复习和分享给团队。"
+ },
+ {
+ "type": "code",
+ "lang": "bash",
+ "value": "帮我生成这篇论文的学习卡片"
+ }
+ ]
+ }
+ ],
+ "callouts": [
+ {
+ "type": "info",
+ "content": "Qwen Code 支持多种论文格式,包括 PDF、arXiv 链接等。对于数学公式和图表,AI 会详细解释其含义,帮助你完全理解论文内容。"
+ }
+ ],
+ "author": "Qwen Code Team",
+ "date": "2025-06-01"
+ }
+}
diff --git a/website/src/components/showcase-cards.tsx b/website/src/components/showcase-cards.tsx
index 93d376cb3..136440820 100644
--- a/website/src/components/showcase-cards.tsx
+++ b/website/src/components/showcase-cards.tsx
@@ -3,8 +3,22 @@
import React, { useState, useCallback, useMemo } from "react";
import { ArrowRight, Search, Zap, Book, TrendingUp } from "lucide-react";
import Link from "next/link";
+import { usePathname } from "next/navigation";
import { featuredItems, texts, learningPaths } from "../showcase-data";
+const SUPPORTED_LOCALES = ["zh", "en", "de", "fr", "ja", "pt-BR", "ru"];
+
+function useLocale(): string {
+ const pathname = usePathname();
+ if (!pathname) return "zh";
+ const firstSegment = pathname.split("/").filter(Boolean)[0];
+ return firstSegment && SUPPORTED_LOCALES.includes(firstSegment) ? firstSegment : "zh";
+}
+
+function localizeLink(link: string, locale: string): string {
+ return link.replace(/^\/zh\//, `/${locale}/`);
+}
+
/* ─── Type Definitions ─── */
export interface ShowcaseCard {
@@ -82,10 +96,12 @@ const getCategoryGroups = (cards: ShowcaseCard[]): CategoryGroup[] => {
const ShowcaseCardItem = ({
card,
+ locale,
}: {
card: ShowcaseCard;
+ locale: string;
}) => (
-
+
{/* List Items */}
{displayedItems.map((item) => (
-
+
))}
)}
diff --git a/website/tsconfig.tsbuildinfo b/website/tsconfig.tsbuildinfo
index 79e45e352..479602b62 100644
--- a/website/tsconfig.tsbuildinfo
+++ b/website/tsconfig.tsbuildinfo
@@ -1 +1 @@
-{"fileNames":["./node_modules/typescript/lib/lib.es5.d.ts","./node_modules/typescript/lib/lib.es2015.d.ts","./node_modules/typescript/lib/lib.es2016.d.ts","./node_modules/typescript/lib/lib.es2017.d.ts","./node_modules/typescript/lib/lib.es2018.d.ts","./node_modules/typescript/lib/lib.es2019.d.ts","./node_modules/typescript/lib/lib.es2020.d.ts","./node_modules/typescript/lib/lib.es2021.d.ts","./node_modules/typescript/lib/lib.es2022.d.ts","./node_modules/typescript/lib/lib.es2023.d.ts","./node_modules/typescript/lib/lib.es2024.d.ts","./node_modules/typescript/lib/lib.esnext.d.ts","./node_modules/typescript/lib/lib.dom.d.ts","./node_modules/typescript/lib/lib.dom.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.core.d.ts","./node_modules/typescript/lib/lib.es2015.collection.d.ts","./node_modules/typescript/lib/lib.es2015.generator.d.ts","./node_modules/typescript/lib/lib.es2015.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.promise.d.ts","./node_modules/typescript/lib/lib.es2015.proxy.d.ts","./node_modules/typescript/lib/lib.es2015.reflect.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2016.array.include.d.ts","./node_modules/typescript/lib/lib.es2016.intl.d.ts","./node_modules/typescript/lib/lib.es2017.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2017.date.d.ts","./node_modules/typescript/lib/lib.es2017.object.d.ts","./node_modules/typescript/lib/lib.es2017.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2017.string.d.ts","./node_modules/typescript/lib/lib.es2017.intl.d.ts","./node_modules/typescript/lib/lib.es2017.typedarrays.d.ts","./node_modules/typescript/lib/lib.es2018.asyncgenerator.d.ts","./node_modules/typescript/lib/lib.es2018.asynciterable.d.ts","./node_modules/typescript/lib/lib.es2018.intl.d.ts","./node_modules/typescript/lib/lib.es2018.promise.d.ts","./node_modules/typescript/lib/lib.es2018.regexp.d.ts","./node_modules/typescript/lib/lib.es2019.array.d.ts","./node_modules/typescript/lib/lib.es2019.object.d.ts","./node_modules/typescript/lib/lib.es2019.string.d.ts","./node_modules/typescript/lib/lib.es2019.symbol.d.ts","./node_modules/typescript/lib/lib.es2019.intl.d.ts","./node_modules/typescript/lib/lib.es2020.bigint.d.ts","./node_modules/typescript/lib/lib.es2020.date.d.ts","./node_modules/typescript/lib/lib.es2020.promise.d.ts","./node_modules/typescript/lib/lib.es2020.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2020.string.d.ts","./node_modules/typescript/lib/lib.es2020.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2020.intl.d.ts","./node_modules/typescript/lib/lib.es2020.number.d.ts","./node_modules/typescript/lib/lib.es2021.promise.d.ts","./node_modules/typescript/lib/lib.es2021.string.d.ts","./node_modules/typescript/lib/lib.es2021.weakref.d.ts","./node_modules/typescript/lib/lib.es2021.intl.d.ts","./node_modules/typescript/lib/lib.es2022.array.d.ts","./node_modules/typescript/lib/lib.es2022.error.d.ts","./node_modules/typescript/lib/lib.es2022.intl.d.ts","./node_modules/typescript/lib/lib.es2022.object.d.ts","./node_modules/typescript/lib/lib.es2022.string.d.ts","./node_modules/typescript/lib/lib.es2022.regexp.d.ts","./node_modules/typescript/lib/lib.es2023.array.d.ts","./node_modules/typescript/lib/lib.es2023.collection.d.ts","./node_modules/typescript/lib/lib.es2023.intl.d.ts","./node_modules/typescript/lib/lib.es2024.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2024.collection.d.ts","./node_modules/typescript/lib/lib.es2024.object.d.ts","./node_modules/typescript/lib/lib.es2024.promise.d.ts","./node_modules/typescript/lib/lib.es2024.regexp.d.ts","./node_modules/typescript/lib/lib.es2024.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2024.string.d.ts","./node_modules/typescript/lib/lib.esnext.array.d.ts","./node_modules/typescript/lib/lib.esnext.collection.d.ts","./node_modules/typescript/lib/lib.esnext.intl.d.ts","./node_modules/typescript/lib/lib.esnext.disposable.d.ts","./node_modules/typescript/lib/lib.esnext.promise.d.ts","./node_modules/typescript/lib/lib.esnext.decorators.d.ts","./node_modules/typescript/lib/lib.esnext.iterator.d.ts","./node_modules/typescript/lib/lib.esnext.float16.d.ts","./node_modules/typescript/lib/lib.esnext.error.d.ts","./node_modules/typescript/lib/lib.esnext.sharedmemory.d.ts","./node_modules/typescript/lib/lib.decorators.d.ts","./node_modules/typescript/lib/lib.decorators.legacy.d.ts","./node_modules/next/dist/styled-jsx/types/css.d.ts","./node_modules/@types/react/global.d.ts","./node_modules/csstype/index.d.ts","./node_modules/@types/prop-types/index.d.ts","./node_modules/@types/react/index.d.ts","./node_modules/next/dist/styled-jsx/types/index.d.ts","./node_modules/next/dist/styled-jsx/types/macro.d.ts","./node_modules/next/dist/styled-jsx/types/style.d.ts","./node_modules/next/dist/styled-jsx/types/global.d.ts","./node_modules/next/dist/shared/lib/amp.d.ts","./node_modules/next/amp.d.ts","./node_modules/@types/node/compatibility/iterators.d.ts","./node_modules/@types/node/globals.typedarray.d.ts","./node_modules/@types/node/buffer.buffer.d.ts","./node_modules/undici-types/utility.d.ts","./node_modules/undici-types/header.d.ts","./node_modules/undici-types/readable.d.ts","./node_modules/undici-types/fetch.d.ts","./node_modules/undici-types/formdata.d.ts","./node_modules/undici-types/connector.d.ts","./node_modules/undici-types/client-stats.d.ts","./node_modules/undici-types/client.d.ts","./node_modules/undici-types/errors.d.ts","./node_modules/undici-types/dispatcher.d.ts","./node_modules/undici-types/global-dispatcher.d.ts","./node_modules/undici-types/global-origin.d.ts","./node_modules/undici-types/pool-stats.d.ts","./node_modules/undici-types/pool.d.ts","./node_modules/undici-types/handlers.d.ts","./node_modules/undici-types/balanced-pool.d.ts","./node_modules/undici-types/h2c-client.d.ts","./node_modules/undici-types/agent.d.ts","./node_modules/undici-types/mock-interceptor.d.ts","./node_modules/undici-types/mock-call-history.d.ts","./node_modules/undici-types/mock-agent.d.ts","./node_modules/undici-types/mock-client.d.ts","./node_modules/undici-types/mock-pool.d.ts","./node_modules/undici-types/mock-errors.d.ts","./node_modules/undici-types/proxy-agent.d.ts","./node_modules/undici-types/env-http-proxy-agent.d.ts","./node_modules/undici-types/retry-handler.d.ts","./node_modules/undici-types/retry-agent.d.ts","./node_modules/undici-types/api.d.ts","./node_modules/undici-types/cache-interceptor.d.ts","./node_modules/undici-types/interceptors.d.ts","./node_modules/undici-types/util.d.ts","./node_modules/undici-types/cookies.d.ts","./node_modules/undici-types/patch.d.ts","./node_modules/undici-types/websocket.d.ts","./node_modules/undici-types/eventsource.d.ts","./node_modules/undici-types/diagnostics-channel.d.ts","./node_modules/undici-types/content-type.d.ts","./node_modules/undici-types/cache.d.ts","./node_modules/undici-types/index.d.ts","./node_modules/@types/node/globals.d.ts","./node_modules/@types/node/assert.d.ts","./node_modules/@types/node/assert/strict.d.ts","./node_modules/@types/node/async_hooks.d.ts","./node_modules/@types/node/buffer.d.ts","./node_modules/@types/node/child_process.d.ts","./node_modules/@types/node/cluster.d.ts","./node_modules/@types/node/console.d.ts","./node_modules/@types/node/constants.d.ts","./node_modules/@types/node/crypto.d.ts","./node_modules/@types/node/dgram.d.ts","./node_modules/@types/node/diagnostics_channel.d.ts","./node_modules/@types/node/dns.d.ts","./node_modules/@types/node/dns/promises.d.ts","./node_modules/@types/node/domain.d.ts","./node_modules/@types/node/dom-events.d.ts","./node_modules/@types/node/events.d.ts","./node_modules/@types/node/fs.d.ts","./node_modules/@types/node/fs/promises.d.ts","./node_modules/@types/node/http.d.ts","./node_modules/@types/node/http2.d.ts","./node_modules/@types/node/https.d.ts","./node_modules/@types/node/inspector.d.ts","./node_modules/@types/node/module.d.ts","./node_modules/@types/node/net.d.ts","./node_modules/@types/node/os.d.ts","./node_modules/@types/node/path.d.ts","./node_modules/@types/node/perf_hooks.d.ts","./node_modules/@types/node/process.d.ts","./node_modules/@types/node/punycode.d.ts","./node_modules/@types/node/querystring.d.ts","./node_modules/@types/node/readline.d.ts","./node_modules/@types/node/readline/promises.d.ts","./node_modules/@types/node/repl.d.ts","./node_modules/@types/node/sea.d.ts","./node_modules/@types/node/sqlite.d.ts","./node_modules/@types/node/stream.d.ts","./node_modules/@types/node/stream/promises.d.ts","./node_modules/@types/node/stream/consumers.d.ts","./node_modules/@types/node/stream/web.d.ts","./node_modules/@types/node/string_decoder.d.ts","./node_modules/@types/node/test.d.ts","./node_modules/@types/node/timers.d.ts","./node_modules/@types/node/timers/promises.d.ts","./node_modules/@types/node/tls.d.ts","./node_modules/@types/node/trace_events.d.ts","./node_modules/@types/node/tty.d.ts","./node_modules/@types/node/url.d.ts","./node_modules/@types/node/util.d.ts","./node_modules/@types/node/v8.d.ts","./node_modules/@types/node/vm.d.ts","./node_modules/@types/node/wasi.d.ts","./node_modules/@types/node/worker_threads.d.ts","./node_modules/@types/node/zlib.d.ts","./node_modules/@types/node/index.d.ts","./node_modules/next/dist/server/get-page-files.d.ts","./node_modules/@types/react/canary.d.ts","./node_modules/@types/react/experimental.d.ts","./node_modules/@types/react-dom/index.d.ts","./node_modules/@types/react-dom/canary.d.ts","./node_modules/@types/react-dom/experimental.d.ts","./node_modules/next/dist/compiled/webpack/webpack.d.ts","./node_modules/next/dist/server/config.d.ts","./node_modules/next/dist/lib/load-custom-routes.d.ts","./node_modules/next/dist/shared/lib/image-config.d.ts","./node_modules/next/dist/build/webpack/plugins/subresource-integrity-plugin.d.ts","./node_modules/next/dist/server/body-streams.d.ts","./node_modules/next/dist/server/future/route-kind.d.ts","./node_modules/next/dist/server/future/route-definitions/route-definition.d.ts","./node_modules/next/dist/server/future/route-matches/route-match.d.ts","./node_modules/next/dist/client/components/app-router-headers.d.ts","./node_modules/next/dist/server/request-meta.d.ts","./node_modules/next/dist/server/lib/revalidate.d.ts","./node_modules/next/dist/server/config-shared.d.ts","./node_modules/next/dist/server/base-http/index.d.ts","./node_modules/next/dist/server/api-utils/index.d.ts","./node_modules/next/dist/server/node-environment.d.ts","./node_modules/next/dist/server/require-hook.d.ts","./node_modules/next/dist/server/node-polyfill-crypto.d.ts","./node_modules/next/dist/lib/page-types.d.ts","./node_modules/next/dist/build/analysis/get-page-static-info.d.ts","./node_modules/next/dist/build/webpack/loaders/get-module-build-info.d.ts","./node_modules/next/dist/build/webpack/plugins/middleware-plugin.d.ts","./node_modules/next/dist/server/render-result.d.ts","./node_modules/next/dist/server/future/helpers/i18n-provider.d.ts","./node_modules/next/dist/server/web/next-url.d.ts","./node_modules/next/dist/compiled/@edge-runtime/cookies/index.d.ts","./node_modules/next/dist/server/web/spec-extension/cookies.d.ts","./node_modules/next/dist/server/web/spec-extension/request.d.ts","./node_modules/next/dist/server/web/spec-extension/fetch-event.d.ts","./node_modules/next/dist/server/web/spec-extension/response.d.ts","./node_modules/next/dist/server/web/types.d.ts","./node_modules/next/dist/lib/setup-exception-listeners.d.ts","./node_modules/next/dist/lib/constants.d.ts","./node_modules/next/dist/build/index.d.ts","./node_modules/next/dist/build/webpack/plugins/pages-manifest-plugin.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-regex.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-matcher.d.ts","./node_modules/next/dist/shared/lib/router/utils/parse-url.d.ts","./node_modules/next/dist/server/base-http/node.d.ts","./node_modules/next/dist/server/font-utils.d.ts","./node_modules/next/dist/build/webpack/plugins/flight-manifest-plugin.d.ts","./node_modules/next/dist/server/future/route-modules/route-module.d.ts","./node_modules/next/dist/shared/lib/deep-readonly.d.ts","./node_modules/next/dist/server/load-components.d.ts","./node_modules/next/dist/shared/lib/router/utils/middleware-route-matcher.d.ts","./node_modules/next/dist/build/webpack/plugins/next-font-manifest-plugin.d.ts","./node_modules/next/dist/server/future/route-definitions/locale-route-definition.d.ts","./node_modules/next/dist/server/future/route-definitions/pages-route-definition.d.ts","./node_modules/next/dist/shared/lib/mitt.d.ts","./node_modules/next/dist/client/with-router.d.ts","./node_modules/next/dist/client/router.d.ts","./node_modules/next/dist/client/route-loader.d.ts","./node_modules/next/dist/client/page-loader.d.ts","./node_modules/next/dist/shared/lib/bloom-filter.d.ts","./node_modules/next/dist/shared/lib/router/router.d.ts","./node_modules/next/dist/shared/lib/router-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/image-config-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/hooks-client-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/head-manager-context.shared-runtime.d.ts","./node_modules/next/dist/server/future/route-definitions/app-page-route-definition.d.ts","./node_modules/next/dist/shared/lib/modern-browserslist-target.d.ts","./node_modules/next/dist/shared/lib/constants.d.ts","./node_modules/next/dist/build/webpack/loaders/metadata/types.d.ts","./node_modules/next/dist/build/page-extensions-type.d.ts","./node_modules/next/dist/build/webpack/loaders/next-app-loader.d.ts","./node_modules/next/dist/server/lib/app-dir-module.d.ts","./node_modules/next/dist/server/response-cache/types.d.ts","./node_modules/next/dist/server/response-cache/index.d.ts","./node_modules/next/dist/server/lib/incremental-cache/index.d.ts","./node_modules/next/dist/client/components/hooks-server-context.d.ts","./node_modules/next/dist/server/app-render/dynamic-rendering.d.ts","./node_modules/next/dist/client/components/static-generation-async-storage-instance.d.ts","./node_modules/next/dist/client/components/static-generation-async-storage.external.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/request-cookies.d.ts","./node_modules/next/dist/server/async-storage/draft-mode-provider.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/headers.d.ts","./node_modules/next/dist/client/components/request-async-storage-instance.d.ts","./node_modules/next/dist/client/components/request-async-storage.external.d.ts","./node_modules/next/dist/server/app-render/create-error-handler.d.ts","./node_modules/next/dist/server/app-render/app-render.d.ts","./node_modules/next/dist/shared/lib/server-inserted-html.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/amp-context.shared-runtime.d.ts","./node_modules/next/dist/server/future/route-modules/app-page/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/future/route-modules/app-page/module.compiled.d.ts","./node_modules/@types/react/jsx-runtime.d.ts","./node_modules/next/dist/client/components/error-boundary.d.ts","./node_modules/next/dist/client/components/router-reducer/create-initial-router-state.d.ts","./node_modules/next/dist/client/components/app-router.d.ts","./node_modules/next/dist/client/components/layout-router.d.ts","./node_modules/next/dist/client/components/render-from-template-context.d.ts","./node_modules/next/dist/client/components/action-async-storage-instance.d.ts","./node_modules/next/dist/client/components/action-async-storage.external.d.ts","./node_modules/next/dist/client/components/client-page.d.ts","./node_modules/next/dist/client/components/search-params.d.ts","./node_modules/next/dist/client/components/not-found-boundary.d.ts","./node_modules/next/dist/server/app-render/rsc/preloads.d.ts","./node_modules/next/dist/server/app-render/rsc/postpone.d.ts","./node_modules/next/dist/server/app-render/rsc/taint.d.ts","./node_modules/next/dist/server/app-render/entry-base.d.ts","./node_modules/next/dist/build/templates/app-page.d.ts","./node_modules/next/dist/server/future/route-modules/app-page/module.d.ts","./node_modules/next/dist/server/lib/builtin-request-context.d.ts","./node_modules/next/dist/server/app-render/types.d.ts","./node_modules/next/dist/client/components/router-reducer/fetch-server-response.d.ts","./node_modules/next/dist/client/components/router-reducer/router-reducer-types.d.ts","./node_modules/next/dist/shared/lib/app-router-context.shared-runtime.d.ts","./node_modules/next/dist/server/future/route-modules/pages/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/future/route-modules/pages/module.compiled.d.ts","./node_modules/next/dist/build/templates/pages.d.ts","./node_modules/next/dist/server/future/route-modules/pages/module.d.ts","./node_modules/next/dist/server/render.d.ts","./node_modules/next/dist/server/future/route-definitions/pages-api-route-definition.d.ts","./node_modules/next/dist/server/future/route-matches/pages-api-route-match.d.ts","./node_modules/next/dist/server/future/route-matchers/route-matcher.d.ts","./node_modules/next/dist/server/future/route-matcher-providers/route-matcher-provider.d.ts","./node_modules/next/dist/server/future/route-matcher-managers/route-matcher-manager.d.ts","./node_modules/next/dist/server/future/normalizers/normalizer.d.ts","./node_modules/next/dist/server/future/normalizers/locale-route-normalizer.d.ts","./node_modules/next/dist/server/future/normalizers/request/pathname-normalizer.d.ts","./node_modules/next/dist/server/future/normalizers/request/suffix.d.ts","./node_modules/next/dist/server/future/normalizers/request/rsc.d.ts","./node_modules/next/dist/server/future/normalizers/request/prefix.d.ts","./node_modules/next/dist/server/future/normalizers/request/postponed.d.ts","./node_modules/next/dist/server/future/normalizers/request/action.d.ts","./node_modules/next/dist/server/future/normalizers/request/prefetch-rsc.d.ts","./node_modules/next/dist/server/future/normalizers/request/next-data.d.ts","./node_modules/next/dist/server/base-server.d.ts","./node_modules/next/dist/server/image-optimizer.d.ts","./node_modules/next/dist/server/next-server.d.ts","./node_modules/next/dist/lib/coalesced-function.d.ts","./node_modules/next/dist/server/lib/router-utils/types.d.ts","./node_modules/next/dist/trace/types.d.ts","./node_modules/next/dist/trace/trace.d.ts","./node_modules/next/dist/trace/shared.d.ts","./node_modules/next/dist/trace/index.d.ts","./node_modules/next/dist/build/load-jsconfig.d.ts","./node_modules/next/dist/build/webpack-config.d.ts","./node_modules/next/dist/build/webpack/plugins/define-env-plugin.d.ts","./node_modules/next/dist/build/swc/index.d.ts","./node_modules/next/dist/server/dev/parse-version-info.d.ts","./node_modules/next/dist/server/dev/hot-reloader-types.d.ts","./node_modules/next/dist/telemetry/storage.d.ts","./node_modules/next/dist/server/lib/types.d.ts","./node_modules/next/dist/server/lib/render-server.d.ts","./node_modules/next/dist/server/lib/router-server.d.ts","./node_modules/next/dist/shared/lib/router/utils/path-match.d.ts","./node_modules/next/dist/server/lib/router-utils/filesystem.d.ts","./node_modules/next/dist/server/lib/router-utils/setup-dev-bundler.d.ts","./node_modules/next/dist/server/lib/dev-bundler-service.d.ts","./node_modules/next/dist/server/dev/static-paths-worker.d.ts","./node_modules/next/dist/server/dev/next-dev-server.d.ts","./node_modules/next/dist/server/next.d.ts","./node_modules/next/dist/lib/metadata/types/alternative-urls-types.d.ts","./node_modules/next/dist/lib/metadata/types/extra-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-types.d.ts","./node_modules/next/dist/lib/metadata/types/manifest-types.d.ts","./node_modules/next/dist/lib/metadata/types/opengraph-types.d.ts","./node_modules/next/dist/lib/metadata/types/twitter-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-interface.d.ts","./node_modules/next/types/index.d.ts","./node_modules/next/dist/shared/lib/html-context.shared-runtime.d.ts","./node_modules/@next/env/dist/index.d.ts","./node_modules/next/dist/shared/lib/utils.d.ts","./node_modules/next/dist/pages/_app.d.ts","./node_modules/next/app.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-cache.d.ts","./node_modules/next/dist/server/web/spec-extension/revalidate.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-no-store.d.ts","./node_modules/next/cache.d.ts","./node_modules/next/dist/shared/lib/runtime-config.external.d.ts","./node_modules/next/config.d.ts","./node_modules/next/dist/pages/_document.d.ts","./node_modules/next/document.d.ts","./node_modules/next/dist/shared/lib/dynamic.d.ts","./node_modules/next/dynamic.d.ts","./node_modules/next/dist/pages/_error.d.ts","./node_modules/next/error.d.ts","./node_modules/next/dist/shared/lib/head.d.ts","./node_modules/next/head.d.ts","./node_modules/next/dist/client/components/draft-mode.d.ts","./node_modules/next/dist/client/components/headers.d.ts","./node_modules/next/headers.d.ts","./node_modules/next/dist/shared/lib/get-img-props.d.ts","./node_modules/next/dist/client/image-component.d.ts","./node_modules/next/dist/shared/lib/image-external.d.ts","./node_modules/next/image.d.ts","./node_modules/next/dist/client/link.d.ts","./node_modules/next/link.d.ts","./node_modules/next/dist/client/components/redirect-status-code.d.ts","./node_modules/next/dist/client/components/redirect.d.ts","./node_modules/next/dist/client/components/not-found.d.ts","./node_modules/next/dist/client/components/navigation.react-server.d.ts","./node_modules/next/dist/client/components/navigation.d.ts","./node_modules/next/navigation.d.ts","./node_modules/next/router.d.ts","./node_modules/next/dist/client/script.d.ts","./node_modules/next/script.d.ts","./node_modules/next/dist/server/web/spec-extension/user-agent.d.ts","./node_modules/next/dist/compiled/@edge-runtime/primitives/url.d.ts","./node_modules/next/dist/server/web/spec-extension/image-response.d.ts","./node_modules/next/dist/compiled/@vercel/og/satori/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/emoji/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/types.d.ts","./node_modules/next/server.d.ts","./node_modules/next/types/global.d.ts","./node_modules/next/types/compiled.d.ts","./node_modules/next/index.d.ts","./node_modules/next/image-types/global.d.ts","./next-env.d.ts","./node_modules/nextra/dist/server/locales.d.ts","./middleware.ts","./app/robots.ts","./app/sitemap.ts","./content/de/_meta.ts","./content/de/developers/_meta.ts","./content/de/developers/development/_meta.ts","./content/de/developers/tools/_meta.ts","./content/de/users/_meta.ts","./content/de/users/configuration/_meta.ts","./content/de/users/extension/_meta.ts","./content/de/users/features/_meta.ts","./content/de/users/ide-integration/_meta.ts","./content/de/users/reference/_meta.ts","./content/de/users/support/_meta.ts","./content/en/_meta.ts","./content/en/developers/_meta.ts","./content/en/developers/development/_meta.ts","./content/en/developers/tools/_meta.ts","./content/en/users/_meta.ts","./content/en/users/configuration/_meta.ts","./content/en/users/extension/_meta.ts","./content/en/users/features/_meta.ts","./content/en/users/ide-integration/_meta.ts","./content/en/users/reference/_meta.ts","./content/en/users/support/_meta.ts","./content/fr/_meta.ts","./content/fr/developers/_meta.ts","./content/fr/developers/development/_meta.ts","./content/fr/developers/tools/_meta.ts","./content/fr/users/_meta.ts","./content/fr/users/configuration/_meta.ts","./content/fr/users/extension/_meta.ts","./content/fr/users/features/_meta.ts","./content/fr/users/ide-integration/_meta.ts","./content/fr/users/reference/_meta.ts","./content/fr/users/support/_meta.ts","./content/ja/_meta.ts","./content/ja/developers/_meta.ts","./content/ja/developers/development/_meta.ts","./content/ja/developers/tools/_meta.ts","./content/ja/users/_meta.ts","./content/ja/users/configuration/_meta.ts","./content/ja/users/extension/_meta.ts","./content/ja/users/features/_meta.ts","./content/ja/users/ide-integration/_meta.ts","./content/ja/users/reference/_meta.ts","./content/ja/users/support/_meta.ts","./content/pt-br/_meta.ts","./content/pt-br/developers/_meta.ts","./content/pt-br/developers/development/_meta.ts","./content/pt-br/developers/tools/_meta.ts","./content/pt-br/users/_meta.ts","./content/pt-br/users/configuration/_meta.ts","./content/pt-br/users/extension/_meta.ts","./content/pt-br/users/features/_meta.ts","./content/pt-br/users/ide-integration/_meta.ts","./content/pt-br/users/reference/_meta.ts","./content/pt-br/users/support/_meta.ts","./content/ru/_meta.ts","./content/ru/developers/_meta.ts","./content/ru/developers/development/_meta.ts","./content/ru/developers/tools/_meta.ts","./content/ru/users/_meta.ts","./content/ru/users/configuration/_meta.ts","./content/ru/users/extension/_meta.ts","./content/ru/users/features/_meta.ts","./content/ru/users/ide-integration/_meta.ts","./content/ru/users/reference/_meta.ts","./content/ru/users/support/_meta.ts","./content/zh/_meta.ts","./content/zh/developers/_meta.ts","./content/zh/developers/development/_meta.ts","./content/zh/developers/tools/_meta.ts","./content/zh/users/_meta.ts","./content/zh/users/configuration/_meta.ts","./content/zh/users/extension/_meta.ts","./content/zh/users/features/_meta.ts","./content/zh/users/ide-integration/_meta.ts","./content/zh/users/reference/_meta.ts","./content/zh/users/support/_meta.ts","./showcases.json","./src/showcase-data.ts","./src/showcase-videos-data.ts","./node_modules/clsx/clsx.d.mts","./node_modules/tailwind-merge/dist/types.d.ts","./src/lib/utils.ts","./node_modules/next-themes/dist/index.d.ts","./node_modules/@types/unist/index.d.ts","./node_modules/@types/mdast/index.d.ts","./node_modules/@zod/core/dist/esm/standard-schema.d.ts","./node_modules/@zod/core/dist/esm/util.d.ts","./node_modules/@zod/core/dist/esm/versions.d.ts","./node_modules/@zod/core/dist/esm/schemas.d.ts","./node_modules/@zod/core/dist/esm/checks.d.ts","./node_modules/@zod/core/dist/esm/errors.d.ts","./node_modules/@zod/core/dist/esm/core.d.ts","./node_modules/@zod/core/dist/esm/parse.d.ts","./node_modules/@zod/core/dist/esm/regexes.d.ts","./node_modules/@zod/core/dist/esm/locales/az.d.ts","./node_modules/@zod/core/dist/esm/locales/en.d.ts","./node_modules/@zod/core/dist/esm/locales/es.d.ts","./node_modules/@zod/core/dist/esm/locales.d.ts","./node_modules/@zod/core/dist/esm/registries.d.ts","./node_modules/@zod/core/dist/esm/doc.d.ts","./node_modules/@zod/core/dist/esm/function.d.ts","./node_modules/@zod/core/dist/esm/api.d.ts","./node_modules/@zod/core/dist/esm/json-schema.d.ts","./node_modules/@zod/core/dist/esm/to-json-schema.d.ts","./node_modules/@zod/core/dist/esm/index.d.ts","./node_modules/zod/dist/esm/errors.d.ts","./node_modules/zod/dist/esm/parse.d.ts","./node_modules/zod/dist/esm/iso.d.ts","./node_modules/zod/dist/esm/coerce.d.ts","./node_modules/zod/dist/esm/schemas.d.ts","./node_modules/zod/dist/esm/checks.d.ts","./node_modules/zod/dist/esm/compat.d.ts","./node_modules/zod/dist/esm/external.d.ts","./node_modules/zod/dist/esm/index.d.ts","./node_modules/better-react-mathjax/mathjax2.d.ts","./node_modules/mathjax-full/js/components/global.d.ts","./node_modules/mathjax-full/js/util/options.d.ts","./node_modules/mathjax-full/js/core/tree/factory.d.ts","./node_modules/mathjax-full/js/core/tree/nodefactory.d.ts","./node_modules/mathjax-full/js/core/tree/node.d.ts","./node_modules/mathjax-full/js/core/mmltree/attributes.d.ts","./node_modules/mathjax-full/js/core/mmltree/mmlfactory.d.ts","./node_modules/mathjax-full/js/core/domadaptor.d.ts","./node_modules/mathjax-full/js/core/mmltree/mmlnode.d.ts","./node_modules/mathjax-full/js/core/mathitem.d.ts","./node_modules/mathjax-full/js/util/prioritizedlist.d.ts","./node_modules/mathjax-full/js/util/functionlist.d.ts","./node_modules/mathjax-full/js/core/inputjax.d.ts","./node_modules/mathjax-full/js/core/outputjax.d.ts","./node_modules/mathjax-full/js/util/linkedlist.d.ts","./node_modules/mathjax-full/js/core/mathlist.d.ts","./node_modules/mathjax-full/js/util/bitfield.d.ts","./node_modules/mathjax-full/js/core/mathdocument.d.ts","./node_modules/mathjax-full/js/core/handler.d.ts","./node_modules/mathjax-full/js/util/stylelist.d.ts","./node_modules/mathjax-full/js/output/common/fontdata.d.ts","./node_modules/mathjax-full/js/core/tree/wrapperfactory.d.ts","./node_modules/mathjax-full/js/core/tree/wrapper.d.ts","./node_modules/mathjax-full/js/util/styles.d.ts","./node_modules/mathjax-full/js/output/common/wrapperfactory.d.ts","./node_modules/mathjax-full/js/util/bbox.d.ts","./node_modules/mathjax-full/js/output/common/wrapper.d.ts","./node_modules/mathjax-full/js/output/common/outputjax.d.ts","./node_modules/mathjax-full/js/core/findmath.d.ts","./node_modules/mathjax-full/js/input/tex/findtex.d.ts","./node_modules/mathjax-full/js/input/tex/texerror.d.ts","./node_modules/mathjax-full/js/input/tex/stackitem.d.ts","./node_modules/mathjax-full/js/input/tex/stackitemfactory.d.ts","./node_modules/mathjax-full/js/input/tex/tags.d.ts","./node_modules/mathjax-full/js/input/tex/symbol.d.ts","./node_modules/mathjax-full/js/input/tex/stack.d.ts","./node_modules/mathjax-full/js/input/tex/texparser.d.ts","./node_modules/mathjax-full/js/input/tex/types.d.ts","./node_modules/mathjax-full/js/input/tex/symbolmap.d.ts","./node_modules/mathjax-full/js/input/tex/maphandler.d.ts","./node_modules/mathjax-full/js/input/tex/nodefactory.d.ts","./node_modules/mathjax-full/js/input/tex/configuration.d.ts","./node_modules/mathjax-full/js/input/tex/parseoptions.d.ts","./node_modules/mathjax-full/js/input/tex/base/basemappings.d.ts","./node_modules/mathjax-full/js/input/tex/base/baseconfiguration.d.ts","./node_modules/mathjax-full/js/input/tex.d.ts","./node_modules/mathjax-full/js/components/startup.d.ts","./node_modules/better-react-mathjax/mathjax3.d.ts","./node_modules/better-react-mathjax/mathjaxcontext/mathjaxcontext.d.ts","./node_modules/better-react-mathjax/mathjaxcontext/index.d.ts","./node_modules/better-react-mathjax/mathjax/mathjax.d.ts","./node_modules/better-react-mathjax/mathjax/index.d.ts","./node_modules/better-react-mathjax/index.d.ts","./node_modules/@types/hast/index.d.ts","./node_modules/@shikijs/vscode-textmate/dist/index.d.ts","./node_modules/@shikijs/types/dist/index.d.mts","./node_modules/shiki/dist/langs.d.mts","./node_modules/stringify-entities/lib/util/format-smart.d.ts","./node_modules/stringify-entities/lib/core.d.ts","./node_modules/stringify-entities/lib/index.d.ts","./node_modules/stringify-entities/index.d.ts","./node_modules/property-information/lib/util/info.d.ts","./node_modules/property-information/lib/find.d.ts","./node_modules/property-information/lib/hast-to-react.d.ts","./node_modules/property-information/lib/normalize.d.ts","./node_modules/property-information/index.d.ts","./node_modules/hast-util-to-html/lib/index.d.ts","./node_modules/hast-util-to-html/index.d.ts","./node_modules/@shikijs/core/dist/index.d.mts","./node_modules/shiki/dist/themes.d.mts","./node_modules/shiki/dist/bundle-full.d.mts","./node_modules/@shikijs/core/dist/types.d.mts","./node_modules/shiki/dist/types.d.mts","./node_modules/oniguruma-to-es/dist/esm/subclass.d.ts","./node_modules/oniguruma-to-es/dist/esm/index.d.ts","./node_modules/@shikijs/engine-javascript/dist/shared/engine-javascript.cdednu-m.d.mts","./node_modules/@shikijs/engine-javascript/dist/engine-raw.d.mts","./node_modules/@shikijs/engine-javascript/dist/index.d.mts","./node_modules/@shikijs/engine-oniguruma/dist/chunk-index.d.d.mts","./node_modules/@shikijs/engine-oniguruma/dist/index.d.mts","./node_modules/shiki/dist/index.d.mts","./node_modules/vfile-message/lib/index.d.ts","./node_modules/vfile-message/index.d.ts","./node_modules/vfile/lib/index.d.ts","./node_modules/vfile/index.d.ts","./node_modules/unified/lib/callable-instance.d.ts","./node_modules/trough/lib/index.d.ts","./node_modules/trough/index.d.ts","./node_modules/unified/lib/index.d.ts","./node_modules/unified/index.d.ts","./node_modules/rehype-pretty-code/dist/index.d.ts","./node_modules/nextra/dist/server/schemas.d.ts","./node_modules/@types/estree/index.d.ts","./node_modules/@types/estree-jsx/index.d.ts","./node_modules/source-map/source-map.d.ts","./node_modules/hast-util-to-estree/lib/handlers/comment.d.ts","./node_modules/hast-util-to-estree/lib/handlers/element.d.ts","./node_modules/micromark-util-types/index.d.ts","./node_modules/mdast-util-from-markdown/lib/types.d.ts","./node_modules/mdast-util-from-markdown/lib/index.d.ts","./node_modules/mdast-util-from-markdown/index.d.ts","./node_modules/mdast-util-to-markdown/lib/types.d.ts","./node_modules/mdast-util-to-markdown/lib/index.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/blockquote.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/break.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/code.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/definition.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/emphasis.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/heading.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/html.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/image.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/image-reference.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/inline-code.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/link.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/link-reference.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/list.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/list-item.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/paragraph.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/root.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/strong.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/text.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/thematic-break.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/index.d.ts","./node_modules/mdast-util-to-markdown/index.d.ts","./node_modules/mdast-util-mdx-expression/lib/index.d.ts","./node_modules/mdast-util-mdx-expression/index.d.ts","./node_modules/hast-util-to-estree/lib/handlers/mdx-expression.d.ts","./node_modules/mdast-util-mdx-jsx/lib/index.d.ts","./node_modules/mdast-util-mdx-jsx/index.d.ts","./node_modules/hast-util-to-estree/lib/handlers/mdx-jsx-element.d.ts","./node_modules/mdast-util-mdxjs-esm/lib/index.d.ts","./node_modules/mdast-util-mdxjs-esm/index.d.ts","./node_modules/hast-util-to-estree/lib/handlers/mdxjs-esm.d.ts","./node_modules/hast-util-to-estree/lib/handlers/root.d.ts","./node_modules/hast-util-to-estree/lib/handlers/text.d.ts","./node_modules/hast-util-to-estree/lib/handlers/index.d.ts","./node_modules/hast-util-to-estree/lib/index.d.ts","./node_modules/hast-util-to-estree/lib/state.d.ts","./node_modules/hast-util-to-estree/index.d.ts","./node_modules/rehype-recma/lib/index.d.ts","./node_modules/rehype-recma/index.d.ts","./node_modules/mdast-util-to-hast/lib/state.d.ts","./node_modules/mdast-util-to-hast/lib/footer.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/blockquote.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/break.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/code.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/delete.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/emphasis.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/footnote-reference.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/heading.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/html.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/image-reference.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/image.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/inline-code.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/link-reference.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/link.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/list-item.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/list.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/paragraph.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/root.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/strong.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/table.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/table-cell.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/table-row.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/text.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/thematic-break.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/index.d.ts","./node_modules/mdast-util-to-hast/lib/index.d.ts","./node_modules/mdast-util-to-hast/index.d.ts","./node_modules/remark-rehype/lib/index.d.ts","./node_modules/remark-rehype/index.d.ts","./node_modules/@mdx-js/mdx/lib/core.d.ts","./node_modules/@mdx-js/mdx/lib/node-types.d.ts","./node_modules/@mdx-js/mdx/lib/compile.d.ts","./node_modules/hast-util-to-jsx-runtime/lib/types.d.ts","./node_modules/hast-util-to-jsx-runtime/lib/index.d.ts","./node_modules/hast-util-to-jsx-runtime/index.d.ts","./node_modules/@types/mdx/types.d.ts","./node_modules/@mdx-js/mdx/lib/util/resolve-evaluate-options.d.ts","./node_modules/@mdx-js/mdx/lib/evaluate.d.ts","./node_modules/@mdx-js/mdx/lib/run.d.ts","./node_modules/@mdx-js/mdx/index.d.ts","./node_modules/katex/types/katex.d.ts","./node_modules/rehype-katex/lib/index.d.ts","./node_modules/rehype-katex/index.d.ts","./node_modules/nextra/dist/types.generated.d.ts","./node_modules/nextra/dist/types.d.ts","./node_modules/nextra/dist/server/index.d.ts","./node_modules/nextra/dist/client/normalize-pages.d.ts","./node_modules/nextra-theme-docs/dist/stores/config.d.mts","./node_modules/nextra-theme-docs/dist/stores/menu.d.mts","./node_modules/nextra-theme-docs/dist/stores/theme-config.d.mts","./node_modules/nextra/dist/client/mdx-components/pre/index.d.ts","./node_modules/nextra/dist/client/components/image-zoom.d.ts","./node_modules/nextra/dist/client/mdx-components/anchor.d.ts","./node_modules/nextra/dist/client/mdx-components.d.ts","./node_modules/nextra-theme-docs/dist/mdx-components/index.d.mts","./node_modules/@theguild/remark-mermaid/dist/mermaid.d.ts","./node_modules/nextra/dist/client/components/banner/index.d.ts","./node_modules/nextra/dist/client/components/file-tree/file.d.ts","./node_modules/nextra/dist/client/components/file-tree/tree.d.ts","./node_modules/nextra/dist/client/components/file-tree/index.d.ts","./node_modules/nextra/dist/client/components/skip-nav/index.client.d.ts","./node_modules/nextra/dist/client/components/skip-nav/index.d.ts","./node_modules/@headlessui/react/dist/types.d.ts","./node_modules/@headlessui/react/dist/utils/render.d.ts","./node_modules/@headlessui/react/dist/components/button/button.d.ts","./node_modules/@headlessui/react/dist/components/checkbox/checkbox.d.ts","./node_modules/@headlessui/react/dist/components/close-button/close-button.d.ts","./node_modules/@headlessui/react/dist/hooks/use-by-comparator.d.ts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.d.mts","./node_modules/@floating-ui/core/dist/floating-ui.core.d.mts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.dom.d.mts","./node_modules/@floating-ui/dom/dist/floating-ui.dom.d.mts","./node_modules/@floating-ui/react-dom/dist/floating-ui.react-dom.d.mts","./node_modules/@floating-ui/react/dist/floating-ui.react.d.mts","./node_modules/@headlessui/react/dist/internal/floating.d.ts","./node_modules/@headlessui/react/dist/components/label/label.d.ts","./node_modules/@headlessui/react/dist/components/combobox/combobox.d.ts","./node_modules/@headlessui/react/dist/components/data-interactive/data-interactive.d.ts","./node_modules/@headlessui/react/dist/components/description/description.d.ts","./node_modules/@headlessui/react/dist/components/dialog/dialog.d.ts","./node_modules/@headlessui/react/dist/components/disclosure/disclosure.d.ts","./node_modules/@headlessui/react/dist/components/field/field.d.ts","./node_modules/@headlessui/react/dist/components/fieldset/fieldset.d.ts","./node_modules/@headlessui/react/dist/components/focus-trap/focus-trap.d.ts","./node_modules/@headlessui/react/dist/components/input/input.d.ts","./node_modules/@headlessui/react/dist/components/legend/legend.d.ts","./node_modules/@headlessui/react/dist/components/listbox/listbox.d.ts","./node_modules/@headlessui/react/dist/components/menu/menu.d.ts","./node_modules/@headlessui/react/dist/components/popover/popover.d.ts","./node_modules/@headlessui/react/dist/components/portal/portal.d.ts","./node_modules/@headlessui/react/dist/components/radio-group/radio-group.d.ts","./node_modules/@headlessui/react/dist/components/select/select.d.ts","./node_modules/@headlessui/react/dist/components/switch/switch.d.ts","./node_modules/@headlessui/react/dist/components/tabs/tabs.d.ts","./node_modules/@headlessui/react/dist/components/textarea/textarea.d.ts","./node_modules/@headlessui/react/dist/internal/close-provider.d.ts","./node_modules/@headlessui/react/dist/components/transition/transition.d.ts","./node_modules/@headlessui/react/dist/index.d.ts","./node_modules/nextra/dist/client/components/popup/index.client.d.ts","./node_modules/nextra/dist/client/components/popup/index.d.ts","./node_modules/nextra/dist/client/components/tabs/index.client.d.ts","./node_modules/nextra/dist/client/components/tabs/index.d.ts","./node_modules/nextra/dist/client/components/bleed.d.ts","./node_modules/nextra/dist/client/components/button.d.ts","./node_modules/nextra/dist/client/components/callout.d.ts","./node_modules/nextra/dist/client/components/cards.d.ts","./node_modules/nextra/dist/client/components/collapse.d.ts","./node_modules/nextra/dist/client/components/head.d.ts","./node_modules/nextra/dist/client/evaluate.d.ts","./node_modules/nextra/dist/client/mdx-remote.d.ts","./node_modules/nextra/dist/client/components/playground.d.ts","./node_modules/nextra/dist/client/components/search.d.ts","./node_modules/nextra/dist/client/components/select.d.ts","./node_modules/nextra/dist/client/components/steps.d.ts","./node_modules/nextra/dist/client/hocs/with-icons.d.ts","./node_modules/nextra/dist/client/hocs/with-github-alert.d.ts","./node_modules/nextra/dist/client/mdx-components/code.d.ts","./node_modules/nextra/dist/client/mdx-components/details.d.ts","./node_modules/nextra/dist/client/mdx-components/image.d.ts","./node_modules/nextra/dist/client/mdx-components/summary.d.ts","./node_modules/nextra/dist/client/mdx-components/table.d.ts","./node_modules/nextra/dist/client/components/index.d.ts","./node_modules/nextra-theme-docs/dist/mdx-components/link.d.mts","./node_modules/nextra-theme-docs/dist/schemas.d.mts","./node_modules/nextra-theme-docs/dist/types.generated.d.mts","./node_modules/nextra-theme-docs/dist/layout.d.mts","./node_modules/nextra-theme-docs/dist/components/footer/index.d.mts","./node_modules/nextra-theme-docs/dist/components/last-updated.d.mts","./node_modules/nextra-theme-docs/dist/components/locale-switch.d.mts","./node_modules/nextra-theme-docs/dist/components/navbar/index.d.mts","./node_modules/nextra-theme-docs/dist/components/404/index.d.mts","./node_modules/nextra-theme-docs/dist/components/theme-switch.d.mts","./node_modules/nextra-theme-docs/dist/index.d.mts","./node_modules/nextra/dist/client/icons/arrow-right.d.ts","./node_modules/nextra/dist/client/icons/index.d.ts","./src/components/locale-anchor.tsx","./mdx-components.tsx","./src/components/font-loader.tsx","./src/components/theme-provider.tsx","./app/layout.tsx","./app/page.tsx","./node_modules/nextra/dist/server/page-map/normalize.d.ts","./node_modules/nextra/dist/server/page-map/to-page-map.d.ts","./node_modules/nextra/dist/server/page-map/merge-meta-with-page-map.d.ts","./node_modules/nextra/dist/server/page-map/get.d.ts","./node_modules/nextra/dist/server/page-map/index-page.d.ts","./node_modules/nextra/dist/server/page-map/index.d.ts","./node_modules/lucide-react/dist/lucide-react.d.ts","./src/components/language-dropdown.tsx","./src/components/theme-toggle.tsx","./src/components/github-star-link.tsx","./node_modules/next/dist/client/add-base-path.d.ts","./src/components/search.tsx","./app/[lang]/layout.tsx","./node_modules/class-variance-authority/dist/types.d.ts","./node_modules/class-variance-authority/dist/index.d.ts","./src/components/ui/badge.tsx","./node_modules/@radix-ui/react-slot/dist/index.d.mts","./src/components/ui/button.tsx","./src/components/blog-index-client.tsx","./src/components/blog-index.tsx","./src/components/blog-post-header.tsx","./src/components/ui/card.tsx","./src/components/comparison-section.tsx","./src/components/cta-section.tsx","./src/components/custom-navbar.tsx","./src/components/features-section.tsx","./src/components/hero-section.tsx","./node_modules/@radix-ui/react-context/dist/index.d.mts","./node_modules/@radix-ui/react-primitive/dist/index.d.mts","./node_modules/@radix-ui/react-roving-focus/dist/index.d.mts","./node_modules/@radix-ui/react-tabs/dist/index.d.mts","./src/components/ui/tabs.tsx","./src/components/integration-section.tsx","./src/components/showcase-cards.tsx","./src/components/showcase-detail-meta.tsx","./src/components/showcase-detail.tsx","./src/components/usage-examples.tsx","./src/components/video-showcase-detail.tsx","./src/generated/showcase-data.json","./src/components/video-showcase-index.tsx","./node_modules/@radix-ui/react-dismissable-layer/dist/index.d.mts","./node_modules/@radix-ui/react-focus-scope/dist/index.d.mts","./node_modules/@radix-ui/react-portal/dist/index.d.mts","./node_modules/@radix-ui/react-dialog/dist/index.d.mts","./src/components/ui/dialog.tsx","./src/components/video-showcase.tsx","./src/page/index.tsx","./node_modules/@types/d3-array/index.d.ts","./node_modules/@types/d3-selection/index.d.ts","./node_modules/@types/d3-axis/index.d.ts","./node_modules/@types/d3-brush/index.d.ts","./node_modules/@types/d3-chord/index.d.ts","./node_modules/@types/d3-color/index.d.ts","./node_modules/@types/geojson/index.d.ts","./node_modules/@types/d3-contour/index.d.ts","./node_modules/@types/d3-delaunay/index.d.ts","./node_modules/@types/d3-dispatch/index.d.ts","./node_modules/@types/d3-drag/index.d.ts","./node_modules/@types/d3-dsv/index.d.ts","./node_modules/@types/d3-ease/index.d.ts","./node_modules/@types/d3-fetch/index.d.ts","./node_modules/@types/d3-force/index.d.ts","./node_modules/@types/d3-format/index.d.ts","./node_modules/@types/d3-geo/index.d.ts","./node_modules/@types/d3-hierarchy/index.d.ts","./node_modules/@types/d3-interpolate/index.d.ts","./node_modules/@types/d3-path/index.d.ts","./node_modules/@types/d3-polygon/index.d.ts","./node_modules/@types/d3-quadtree/index.d.ts","./node_modules/@types/d3-random/index.d.ts","./node_modules/@types/d3-time/index.d.ts","./node_modules/@types/d3-scale/index.d.ts","./node_modules/@types/d3-scale-chromatic/index.d.ts","./node_modules/@types/d3-shape/index.d.ts","./node_modules/@types/d3-time-format/index.d.ts","./node_modules/@types/d3-timer/index.d.ts","./node_modules/@types/d3-transition/index.d.ts","./node_modules/@types/d3-zoom/index.d.ts","./node_modules/@types/d3/index.d.ts","./node_modules/@types/ms/index.d.ts","./node_modules/@types/debug/index.d.ts","./node_modules/@types/katex/index.d.ts","./node_modules/@types/mdx/index.d.ts","./node_modules/@types/nlcst/index.d.ts","./node_modules/@types/trusted-types/lib/index.d.ts","./node_modules/@types/trusted-types/index.d.ts"],"fileIdsList":[[87,96,141,387,406,792,803,817,819,820,821,823],[87,96,141,396,406,792,808,809],[96,141],[96,141,406],[96,141,154,163,406],[87,96,141,724,792,803,805,806],[96,141,409],[96,141,406,407],[96,141,739],[96,141,740,741],[87,96,141,742],[87,96,141,743],[87,96,141,733,734],[87,96,141,735],[87,96,141,733,734,738,745,746],[87,96,141,733,734,749],[87,96,141,733,734,746],[87,96,141,733,734,745],[87,96,141,733,734,738,746,749],[87,96,141,733,734,746,749],[96,141,735,736,737,746,747,748,749,750,751,752,753,754,755,756,757,758,759,760,761,762,763,764,765,766,767],[87,96,141],[87,96,141,743,744],[87,96,141,733],[96,141,700,701,702,705,707,708,709],[96,141,613,700],[96,141,498,618,622,623,654,657,660,669,697,699],[96,141,613,706,707],[96,141,706,707],[96,141,702,705,706],[87,96,141,839,840,852,853,854],[87,96,141,840],[87,96,141,839,840],[87,96,141,839,840,841],[96,141,582,584,596,654,657,660,697],[96,141,583,584],[96,141,584],[96,141,583,584,603,604,605],[96,141,583,584,603],[96,141,607],[96,141,582,583,654,657,660,697],[96,141,860,888],[96,141,859,865],[96,141,870],[96,141,865],[96,141,864],[96,141,882],[96,141,878],[96,141,860,877,888],[96,141,859,860,861,862,863,864,866,867,868,869,870,871,872,873,874,875,876,877,878,879,880,881,882,883,884,885,886,887,888,889],[96,141,891],[96,141,621,622],[96,141,497],[96,141,706,894],[96,138,141],[96,140,141],[141],[96,141,146,176],[96,141,142,147,153,161,173,184],[96,141,142,143,153,161],[96,141,144,185],[96,141,145,146,154,162],[96,141,146,173,181],[96,141,147,149,153,161],[96,140,141,148],[96,141,149,150],[96,141,151,153],[96,140,141,153],[96,141,153,154,155,173,184],[96,141,153,154,155,168,173,176],[96,136,141],[96,136,141,149,153,156,161,173,184],[96,141,153,154,156,157,161,173,181,184],[96,141,156,158,173,181,184],[94,95,96,137,138,139,140,141,142,143,144,145,146,147,148,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185,186,187,188,189,190],[96,141,153,159],[96,141,160,184],[96,141,149,153,161,173],[96,141,162],[96,141,163],[96,140,141,164],[96,138,139,140,141,142,143,144,145,146,147,148,149,150,151,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185,186,187,188,189,190],[96,141,166],[96,141,167],[96,141,153,168,169],[96,141,168,170,185,187],[96,141,153,173,174,176],[96,141,175,176],[96,141,173,174],[96,141,176],[96,141,177],[96,138,141,173,178],[96,141,153,179,180],[96,141,179,180],[96,141,146,161,173,181],[96,141,182],[96,141,161,183],[96,141,156,167,184],[96,141,146,185],[96,141,173,186],[96,141,160,187],[96,141,188],[96,141,153,155,164,173,176,184,186,187,189],[96,141,173,190],[87,96,141,195,196,197],[87,96,141,195,196],[87,91,96,141,194,359,402],[87,91,96,141,193,359,402],[84,85,86,96,141],[96,141,896],[96,141,500,502,503,505],[96,141,500,502,504,505],[96,141,502,504],[96,141,500,502,503],[96,141,500,502],[96,141,500,501,502,503,504,505,506,507,511,512,513,514,515,516,517],[96,141,508,509,510],[96,141,504],[96,141,502,505],[96,141,499,500,501,503,504,505],[96,141,502,512,516],[96,141,502,503,504,505],[96,141,528,576,578,580],[96,141,579],[87,96,141,578],[96,141,530,575],[96,141,577],[87,96,141,528,576],[96,141,493,825],[96,141,493],[96,141,664,665,666],[96,141,582,622,654,657,660,667,697],[96,141,624,625,655,658,661,662,663],[96,141,622,654,667],[96,141,622,657,667],[96,141,660,667],[96,141,582,621,622,654,657,660,667,697],[96,141,582,594,621,622,654,657,660,697],[96,141,595],[96,141,582,589,594,654,657,660,697],[96,141,703,704],[96,141,582,654,657,660,697,703,705],[96,141,529,536,537,541,542,546,547,556,574],[96,141,530],[96,141,530,538],[96,141,530,536,546],[96,141,530,535,536,537,538,540,546],[96,141,530,535,536,537,538,539,541,542,544,545],[96,141,530,537,541,546],[96,141,538,543],[96,141,533],[96,141,532,537],[96,141,533,534,535,536],[96,141,530,536,538,540,546],[96,141,532],[96,141,531,533],[96,141,533,550],[96,141,531,533,551],[96,141,530,535,537,538,541,546,558,559,570,571,573],[96,141,562,565,570,572],[96,141,530,539,540,560,562,568,574],[96,141,530,538,557],[96,141,566,567],[96,141,535,537,571],[96,141,530,537,561,562,565,568,569,570],[96,141,537,560,561],[96,141,531,537,561],[96,141,531,560,571],[96,141,566],[96,141,563,566],[96,141,530,537,538,560,571],[96,141,530,537,560,561,562,564,566,568,571],[96,141,560,563,565],[96,141,530,548],[96,141,530,537,538,542,546,548,549,552,553,555],[96,141,533,536,537,538,548,549,551,552,553,554,556],[96,141,537,549,550,555,556],[96,141,539],[96,141,626,627,628,629],[96,141,498,626,627,629,654,657,660,697],[96,141,498,626,629,654,657,660,697],[96,141,498,582,622,653,654,657,660,697],[96,141,629,652,657],[96,141,497,498,582,622,629,652,654,656,657,660,697],[96,141,498,582,622,654,657,659,660,697],[96,141,629,652,657,660],[96,141,498,582,654,657,660,670,671,695,696,697],[96,141,582,654,657,660,670,697],[96,141,498,582,654,657,660,670,697],[96,141,672,673,674,675,676,677,678,679,680,681,682,683,684,685,686,687,688,689,690,691,692,693,694],[96,141,498,582,613,654,657,660,671,697],[96,141,630,631,651],[96,141,498,652,654,657,660,697],[96,141,498,654,657,660,697],[96,141,632,633,634,635,636,637,638,639,640,641,642,643,644,645,646,647,648,649,650],[96,141,497,498,654,657,660,697],[92,96,141],[96,141,363],[96,141,365,366,367],[96,141,369],[96,141,200,210,216,218,359],[96,141,200,207,209,212,230],[96,141,210],[96,141,210,212,337],[96,141,265,283,298,405],[96,141,307],[96,141,200,210,217,251,261,334,335,405],[96,141,217,405],[96,141,210,261,262,263,405],[96,141,210,217,251,405],[96,141,405],[96,141,200,217,218,405],[96,141,291],[96,140,141,191,290],[87,96,141,284,285,286,304,305],[87,96,141,284],[96,141,274],[96,141,273,275,379],[87,96,141,284,285,302],[96,141,280,305,391],[96,141,389,390],[96,141,224,388],[96,141,277],[96,140,141,191,224,240,273,274,275,276],[87,96,141,302,304,305],[96,141,302,304],[96,141,302,303,305],[96,141,167,191],[96,141,272],[96,140,141,191,209,211,268,269,270,271],[87,96,141,201,382],[87,96,141,184,191],[87,96,141,217,249],[87,96,141,217],[96,141,247,252],[87,96,141,248,362],[87,91,96,141,156,191,193,194,359,400,401],[96,141,359],[96,141,199],[96,141,352,353,354,355,356,357],[96,141,354],[87,96,141,248,284,362],[87,96,141,284,360,362],[87,96,141,284,362],[96,141,156,191,211,362],[96,141,156,191,208,209,220,238,240,272,277,278,300,302],[96,141,269,272,277,285,287,288,289,291,292,293,294,295,296,297,405],[96,141,270],[87,96,141,167,191,209,210,238,240,241,243,268,300,301,305,359,405],[96,141,156,191,211,212,224,225,273],[96,141,156,191,210,212],[96,141,156,173,191,208,211,212],[96,141,156,167,184,191,208,209,210,211,212,217,220,221,231,232,234,237,238,240,241,242,243,267,268,301,302,310,312,315,317,320,322,323,324,325],[96,141,156,173,191],[96,141,200,201,202,208,209,359,362,405],[96,141,156,173,184,191,205,336,338,339,405],[96,141,167,184,191,205,208,211,228,232,234,235,236,241,268,315,326,328,334,348,349],[96,141,210,214,268],[96,141,208,210],[96,141,221,316],[96,141,318,319],[96,141,318],[96,141,316],[96,141,318,321],[96,141,204,205],[96,141,204,244],[96,141,204],[96,141,206,221,314],[96,141,313],[96,141,205,206],[96,141,206,311],[96,141,205],[96,141,300],[96,141,156,191,208,220,239,259,265,279,282,299,302],[96,141,253,254,255,256,257,258,280,281,305,360],[96,141,309],[96,141,156,191,208,220,239,245,306,308,310,359,362],[96,141,156,184,191,201,208,210,267],[96,141,264],[96,141,156,191,342,347],[96,141,231,240,267,362],[96,141,330,334,348,351],[96,141,156,214,334,342,343,351],[96,141,200,210,231,242,345],[96,141,156,191,210,217,242,329,330,340,341,344,346],[96,141,192,238,239,240,359,362],[96,141,156,167,184,191,206,208,209,211,214,219,220,228,231,232,234,235,236,237,241,243,267,268,312,326,327,362],[96,141,156,191,208,210,214,328,350],[96,141,156,191,209,211],[87,96,141,156,167,191,199,201,208,209,212,220,237,238,240,241,243,309,359,362],[96,141,156,167,184,191,203,206,207,211],[96,141,204,266],[96,141,156,191,204,209,220],[96,141,156,191,210,221],[96,141,156,191],[96,141,224],[96,141,223],[96,141,225],[96,141,210,222,224,228],[96,141,210,222,224],[96,141,156,191,203,210,211,217,225,226,227],[87,96,141,302,303,304],[96,141,260],[87,96,141,201],[87,96,141,234],[87,96,141,192,237,240,243,359,362],[96,141,201,382,383],[87,96,141,252],[87,96,141,167,184,191,199,246,248,250,251,362],[96,141,211,217,234],[96,141,233],[87,96,141,154,156,167,191,199,252,261,359,360,361],[83,87,88,89,90,96,141,193,194,359,402],[96,141,146],[96,141,331,332,333],[96,141,331],[96,141,371],[96,141,373],[96,141,375],[96,141,377],[96,141,380],[96,141,384],[91,93,96,141,359,364,368,370,372,374,376,378,381,385,387,393,394,396,403,404,405],[96,141,386],[96,141,392],[96,141,248],[96,141,395],[96,140,141,225,226,227,228,397,398,399,402],[96,141,191],[87,91,96,141,156,158,167,191,193,194,195,197,199,212,351,358,362,402],[87,96,141,184,284,385,496,527,716,717,718,719,720,721,724,725,792,793,794,795,796,797,798,799,800,801,802],[87,96,141,527,716,794,795],[87,96,141,184,284,385,716,721,724],[96,141,792],[87,96,141,527,716],[87,96,141,716,717],[87,96,141,716],[96,141,716],[87,96,141,768],[87,96,141,728,729],[87,96,141,527,581,619,710,713,714],[87,96,141,385],[87,96,141,184,382,385,387,406,498,527,581,619,620,654,657,660,697,710,713,714,715,721,722,723,724,726,727,728,729,730,731,732,768,769,770,771,772,773,774,775,776,777,778,779,780,781,782,783,784,785,786,787,788,789,790,791],[87,96,141,184,385,387,406,498,527,581,619,620,654,657,660,697,710,713,714,715,722,723,724,779,780],[87,96,141,768,769],[87,96,141,406,498,527,581,619,620,654,657,660,697,710,713,714,715,768],[87,96,141,731],[87,96,141,768,771],[87,96,141,184,385,387,406,498,527,581,619,620,654,657,660,697,710,713,714,715,722,723,724],[87,96,141,721],[87,96,141,804],[87,96,141,184,385,387,406,498,527,581,619,620,654,657,660,697,710,713,714,715,722,723],[87,96,141,387],[87,96,141,382,385],[87,96,141,184,385,387,406,498,527,581,619,620,654,657,660,697,710,713,714,715,722,723,724,779],[87,96,141,406,498,527,581,619,620,654,657,660,697,710,713,714,715],[96,141,403],[87,96,141,406,498,527,581,619,620,654,657,660,697,710,713,714,715,812,813,814,815,816],[87,96,141,527,581,619],[87,96,141,406,498,527,581,619,620,654,657,660,697,710,713,714],[96,141,581,619,710,713],[96,141,602],[96,141,591,592,593],[96,141,590,594],[96,141,594],[96,141,712],[96,141,582,613,654,657,660,697,711],[96,141,582,609,618,654,657,660,697],[96,141,667,668],[96,141,582,621,622,654,657,660,669,697],[96,141,697,698],[96,141,498,582,613,618,654,657,660,697],[96,141,582,584,585,597,598,654,657,660,697],[96,141,582,584,585,597,598,599,600,601,606,608,654,657,660,697],[96,141,597],[96,141,584,585,597,598,600],[96,141,588],[96,141,586],[96,141,586,587],[96,141,615],[96,103,106,109,110,141,184],[96,106,141,173,184],[96,106,110,141,184],[96,141,173],[96,100,141],[96,104,141],[96,102,103,106,141,184],[96,141,161,181],[96,100,141,191],[96,102,106,141,161,184],[96,97,98,99,101,105,141,153,173,184],[96,106,114,141],[96,98,104,141],[96,106,130,131,141],[96,98,101,106,141,176,184,191],[96,106,141],[96,102,106,141,184],[96,97,141],[96,100,101,102,104,105,106,107,108,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,131,132,133,134,135,141],[96,106,123,126,141,149],[96,106,114,115,116,141],[96,104,106,115,117,141],[96,105,141],[96,98,100,106,141],[96,106,110,115,117,141],[96,110,141],[96,104,106,109,141,184],[96,98,102,106,114,141],[96,106,123,141],[96,100,106,130,141,176,189,191],[96,141,613,617],[96,141,497,613,614,616,618],[96,141,610],[96,141,611,612],[96,141,497,611,613],[96,141,518],[96,141,518,523],[96,141,518,519,520,523,524,525],[96,141,526],[96,141,518,519],[96,141,518,520,521,522],[87,96,141,387,818,827,829],[87,96,141,817,830],[87,96,141,387,393,818,827],[96,141,818,827,833],[96,141,818,827,829],[87,96,141,156,387,393,493,792,805,818,820],[96,141,818],[87,96,141,493,805],[87,96,141,387,818,829],[87,96,141,818,829,843],[87,96,141,393,818],[87,96,141,387,393,493],[87,96,141,387,393,493,768,822],[87,96,141,387,491,818],[87,96,141,387,818],[96,141,387],[87,96,141,496],[87,96,141,493,496,818],[87,96,141,495,826],[87,96,141,495,826,828],[87,96,141,495],[87,96,141,495,818,855],[87,96,141,495,842],[87,96,141,387,492,818],[87,96,141,387,818,850],[87,96,141,818,827,843,856],[96,141,493,494],[96,141,834,835,836,837,838,844,848],[96,141,490]],"fileInfos":[{"version":"c430d44666289dae81f30fa7b2edebf186ecc91a2d4c71266ea6ae76388792e1","affectsGlobalScope":true,"impliedFormat":1},{"version":"45b7ab580deca34ae9729e97c13cfd999df04416a79116c3bfb483804f85ded4","impliedFormat":1},{"version":"3facaf05f0c5fc569c5649dd359892c98a85557e3e0c847964caeb67076f4d75","impliedFormat":1},{"version":"e44bb8bbac7f10ecc786703fe0a6a4b952189f908707980ba8f3c8975a760962","impliedFormat":1},{"version":"5e1c4c362065a6b95ff952c0eab010f04dcd2c3494e813b493ecfd4fcb9fc0d8","impliedFormat":1},{"version":"68d73b4a11549f9c0b7d352d10e91e5dca8faa3322bfb77b661839c42b1ddec7","impliedFormat":1},{"version":"5efce4fc3c29ea84e8928f97adec086e3dc876365e0982cc8479a07954a3efd4","impliedFormat":1},{"version":"feecb1be483ed332fad555aff858affd90a48ab19ba7272ee084704eb7167569","impliedFormat":1},{"version":"ee7bad0c15b58988daa84371e0b89d313b762ab83cb5b31b8a2d1162e8eb41c2","impliedFormat":1},{"version":"27bdc30a0e32783366a5abeda841bc22757c1797de8681bbe81fbc735eeb1c10","impliedFormat":1},{"version":"8fd575e12870e9944c7e1d62e1f5a73fcf23dd8d3a321f2a2c74c20d022283fe","impliedFormat":1},{"version":"2ab096661c711e4a81cc464fa1e6feb929a54f5340b46b0a07ac6bbf857471f0","impliedFormat":1},{"version":"080941d9f9ff9307f7e27a83bcd888b7c8270716c39af943532438932ec1d0b9","affectsGlobalScope":true,"impliedFormat":1},{"version":"2e80ee7a49e8ac312cc11b77f1475804bee36b3b2bc896bead8b6e1266befb43","affectsGlobalScope":true,"impliedFormat":1},{"version":"c57796738e7f83dbc4b8e65132f11a377649c00dd3eee333f672b8f0a6bea671","affectsGlobalScope":true,"impliedFormat":1},{"version":"dc2df20b1bcdc8c2d34af4926e2c3ab15ffe1160a63e58b7e09833f616efff44","affectsGlobalScope":true,"impliedFormat":1},{"version":"515d0b7b9bea2e31ea4ec968e9edd2c39d3eebf4a2d5cbd04e88639819ae3b71","affectsGlobalScope":true,"impliedFormat":1},{"version":"0559b1f683ac7505ae451f9a96ce4c3c92bdc71411651ca6ddb0e88baaaad6a3","affectsGlobalScope":true,"impliedFormat":1},{"version":"0dc1e7ceda9b8b9b455c3a2d67b0412feab00bd2f66656cd8850e8831b08b537","affectsGlobalScope":true,"impliedFormat":1},{"version":"ce691fb9e5c64efb9547083e4a34091bcbe5bdb41027e310ebba8f7d96a98671","affectsGlobalScope":true,"impliedFormat":1},{"version":"8d697a2a929a5fcb38b7a65594020fcef05ec1630804a33748829c5ff53640d0","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ff2a353abf8a80ee399af572debb8faab2d33ad38c4b4474cff7f26e7653b8d","affectsGlobalScope":true,"impliedFormat":1},{"version":"fb0f136d372979348d59b3f5020b4cdb81b5504192b1cacff5d1fbba29378aa1","affectsGlobalScope":true,"impliedFormat":1},{"version":"d15bea3d62cbbdb9797079416b8ac375ae99162a7fba5de2c6c505446486ac0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"68d18b664c9d32a7336a70235958b8997ebc1c3b8505f4f1ae2b7e7753b87618","affectsGlobalScope":true,"impliedFormat":1},{"version":"eb3d66c8327153d8fa7dd03f9c58d351107fe824c79e9b56b462935176cdf12a","affectsGlobalScope":true,"impliedFormat":1},{"version":"38f0219c9e23c915ef9790ab1d680440d95419ad264816fa15009a8851e79119","affectsGlobalScope":true,"impliedFormat":1},{"version":"69ab18c3b76cd9b1be3d188eaf8bba06112ebbe2f47f6c322b5105a6fbc45a2e","affectsGlobalScope":true,"impliedFormat":1},{"version":"a680117f487a4d2f30ea46f1b4b7f58bef1480456e18ba53ee85c2746eeca012","affectsGlobalScope":true,"impliedFormat":1},{"version":"2f11ff796926e0832f9ae148008138ad583bd181899ab7dd768a2666700b1893","affectsGlobalScope":true,"impliedFormat":1},{"version":"4de680d5bb41c17f7f68e0419412ca23c98d5749dcaaea1896172f06435891fc","affectsGlobalScope":true,"impliedFormat":1},{"version":"954296b30da6d508a104a3a0b5d96b76495c709785c1d11610908e63481ee667","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac9538681b19688c8eae65811b329d3744af679e0bdfa5d842d0e32524c73e1c","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a969edff4bd52585473d24995c5ef223f6652d6ef46193309b3921d65dd4376","affectsGlobalScope":true,"impliedFormat":1},{"version":"9e9fbd7030c440b33d021da145d3232984c8bb7916f277e8ffd3dc2e3eae2bdb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811ec78f7fefcabbda4bfa93b3eb67d9ae166ef95f9bff989d964061cbf81a0c","affectsGlobalScope":true,"impliedFormat":1},{"version":"717937616a17072082152a2ef351cb51f98802fb4b2fdabd32399843875974ca","affectsGlobalScope":true,"impliedFormat":1},{"version":"d7e7d9b7b50e5f22c915b525acc5a49a7a6584cf8f62d0569e557c5cfc4b2ac2","affectsGlobalScope":true,"impliedFormat":1},{"version":"71c37f4c9543f31dfced6c7840e068c5a5aacb7b89111a4364b1d5276b852557","affectsGlobalScope":true,"impliedFormat":1},{"version":"576711e016cf4f1804676043e6a0a5414252560eb57de9faceee34d79798c850","affectsGlobalScope":true,"impliedFormat":1},{"version":"89c1b1281ba7b8a96efc676b11b264de7a8374c5ea1e6617f11880a13fc56dc6","affectsGlobalScope":true,"impliedFormat":1},{"version":"74f7fa2d027d5b33eb0471c8e82a6c87216223181ec31247c357a3e8e2fddc5b","affectsGlobalScope":true,"impliedFormat":1},{"version":"d6d7ae4d1f1f3772e2a3cde568ed08991a8ae34a080ff1151af28b7f798e22ca","affectsGlobalScope":true,"impliedFormat":1},{"version":"063600664504610fe3e99b717a1223f8b1900087fab0b4cad1496a114744f8df","affectsGlobalScope":true,"impliedFormat":1},{"version":"934019d7e3c81950f9a8426d093458b65d5aff2c7c1511233c0fd5b941e608ab","affectsGlobalScope":true,"impliedFormat":1},{"version":"52ada8e0b6e0482b728070b7639ee42e83a9b1c22d205992756fe020fd9f4a47","affectsGlobalScope":true,"impliedFormat":1},{"version":"3bdefe1bfd4d6dee0e26f928f93ccc128f1b64d5d501ff4a8cf3c6371200e5e6","affectsGlobalScope":true,"impliedFormat":1},{"version":"59fb2c069260b4ba00b5643b907ef5d5341b167e7d1dbf58dfd895658bda2867","affectsGlobalScope":true,"impliedFormat":1},{"version":"639e512c0dfc3fad96a84caad71b8834d66329a1f28dc95e3946c9b58176c73a","affectsGlobalScope":true,"impliedFormat":1},{"version":"368af93f74c9c932edd84c58883e736c9e3d53cec1fe24c0b0ff451f529ceab1","affectsGlobalScope":true,"impliedFormat":1},{"version":"af3dd424cf267428f30ccfc376f47a2c0114546b55c44d8c0f1d57d841e28d74","affectsGlobalScope":true,"impliedFormat":1},{"version":"995c005ab91a498455ea8dfb63aa9f83fa2ea793c3d8aa344be4a1678d06d399","affectsGlobalScope":true,"impliedFormat":1},{"version":"959d36cddf5e7d572a65045b876f2956c973a586da58e5d26cde519184fd9b8a","affectsGlobalScope":true,"impliedFormat":1},{"version":"965f36eae237dd74e6cca203a43e9ca801ce38824ead814728a2807b1910117d","affectsGlobalScope":true,"impliedFormat":1},{"version":"3925a6c820dcb1a06506c90b1577db1fdbf7705d65b62b99dce4be75c637e26b","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a3d63ef2b853447ec4f749d3f368ce642264246e02911fcb1590d8c161b8005","affectsGlobalScope":true,"impliedFormat":1},{"version":"8cdf8847677ac7d20486e54dd3fcf09eda95812ac8ace44b4418da1bbbab6eb8","affectsGlobalScope":true,"impliedFormat":1},{"version":"8444af78980e3b20b49324f4a16ba35024fef3ee069a0eb67616ea6ca821c47a","affectsGlobalScope":true,"impliedFormat":1},{"version":"3287d9d085fbd618c3971944b65b4be57859f5415f495b33a6adc994edd2f004","affectsGlobalScope":true,"impliedFormat":1},{"version":"b4b67b1a91182421f5df999988c690f14d813b9850b40acd06ed44691f6727ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"df83c2a6c73228b625b0beb6669c7ee2a09c914637e2d35170723ad49c0f5cd4","affectsGlobalScope":true,"impliedFormat":1},{"version":"436aaf437562f276ec2ddbee2f2cdedac7664c1e4c1d2c36839ddd582eeb3d0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e3c06ea092138bf9fa5e874a1fdbc9d54805d074bee1de31b99a11e2fec239d","affectsGlobalScope":true,"impliedFormat":1},{"version":"87dc0f382502f5bbce5129bdc0aea21e19a3abbc19259e0b43ae038a9fc4e326","affectsGlobalScope":true,"impliedFormat":1},{"version":"b1cb28af0c891c8c96b2d6b7be76bd394fddcfdb4709a20ba05a7c1605eea0f9","affectsGlobalScope":true,"impliedFormat":1},{"version":"2fef54945a13095fdb9b84f705f2b5994597640c46afeb2ce78352fab4cb3279","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac77cb3e8c6d3565793eb90a8373ee8033146315a3dbead3bde8db5eaf5e5ec6","affectsGlobalScope":true,"impliedFormat":1},{"version":"56e4ed5aab5f5920980066a9409bfaf53e6d21d3f8d020c17e4de584d29600ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ece9f17b3866cc077099c73f4983bddbcb1dc7ddb943227f1ec070f529dedd1","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a6282c8827e4b9a95f4bf4f5c205673ada31b982f50572d27103df8ceb8013c","affectsGlobalScope":true,"impliedFormat":1},{"version":"1c9319a09485199c1f7b0498f2988d6d2249793ef67edda49d1e584746be9032","affectsGlobalScope":true,"impliedFormat":1},{"version":"e3a2a0cee0f03ffdde24d89660eba2685bfbdeae955a6c67e8c4c9fd28928eeb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811c71eee4aa0ac5f7adf713323a5c41b0cf6c4e17367a34fbce379e12bbf0a4","affectsGlobalScope":true,"impliedFormat":1},{"version":"51ad4c928303041605b4d7ae32e0c1ee387d43a24cd6f1ebf4a2699e1076d4fa","affectsGlobalScope":true,"impliedFormat":1},{"version":"60037901da1a425516449b9a20073aa03386cce92f7a1fd902d7602be3a7c2e9","affectsGlobalScope":true,"impliedFormat":1},{"version":"d4b1d2c51d058fc21ec2629fff7a76249dec2e36e12960ea056e3ef89174080f","affectsGlobalScope":true,"impliedFormat":1},{"version":"22adec94ef7047a6c9d1af3cb96be87a335908bf9ef386ae9fd50eeb37f44c47","affectsGlobalScope":true,"impliedFormat":1},{"version":"4245fee526a7d1754529d19227ecbf3be066ff79ebb6a380d78e41648f2f224d","affectsGlobalScope":true,"impliedFormat":1},{"version":"73f78680d4c08509933daf80947902f6ff41b6230f94dd002ae372620adb0f60","affectsGlobalScope":true,"impliedFormat":1},{"version":"c5239f5c01bcfa9cd32f37c496cf19c61d69d37e48be9de612b541aac915805b","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e7f8264d0fb4c5339605a15daadb037bf238c10b654bb3eee14208f860a32ea","affectsGlobalScope":true,"impliedFormat":1},{"version":"782dec38049b92d4e85c1585fbea5474a219c6984a35b004963b00beb1aab538","affectsGlobalScope":true,"impliedFormat":1},{"version":"0990a7576222f248f0a3b888adcb7389f957928ce2afb1cd5128169086ff4d29","impliedFormat":1},{"version":"eb5b19b86227ace1d29ea4cf81387279d04bb34051e944bc53df69f58914b788","affectsGlobalScope":true,"impliedFormat":1},{"version":"8a8eb4ebffd85e589a1cc7c178e291626c359543403d58c9cd22b81fab5b1fb9","impliedFormat":1},{"version":"87d9d29dbc745f182683f63187bf3d53fd8673e5fca38ad5eaab69798ed29fbc","impliedFormat":1},{"version":"472f5aab7edc498a0a761096e8e254c5bc3323d07a1e7f5f8b8ec0d6395b60a0","affectsGlobalScope":true,"impliedFormat":1},{"version":"cc69795d9954ee4ad57545b10c7bf1a7260d990231b1685c147ea71a6faa265c","impliedFormat":1},{"version":"8bc6c94ff4f2af1f4023b7bb2379b08d3d7dd80c698c9f0b07431ea16101f05f","impliedFormat":1},{"version":"1b61d259de5350f8b1e5db06290d31eaebebc6baafd5f79d314b5af9256d7153","impliedFormat":1},{"version":"57194e1f007f3f2cbef26fa299d4c6b21f4623a2eddc63dfeef79e38e187a36e","impliedFormat":1},{"version":"0f6666b58e9276ac3a38fdc80993d19208442d6027ab885580d93aec76b4ef00","impliedFormat":1},{"version":"05fd364b8ef02fb1e174fbac8b825bdb1e5a36a016997c8e421f5fab0a6da0a0","impliedFormat":1},{"version":"d153a11543fd884b596587ccd97aebbeed950b26933ee000f94009f1ab142848","affectsGlobalScope":true,"impliedFormat":1},{"version":"c0671b50bb99cc7ad46e9c68fa0e7f15ba4bc898b59c31a17ea4611fab5095da","affectsGlobalScope":true,"impliedFormat":1},{"version":"d802f0e6b5188646d307f070d83512e8eb94651858de8a82d1e47f60fb6da4e2","affectsGlobalScope":true,"impliedFormat":1},{"version":"cdcf9ea426ad970f96ac930cd176d5c69c6c24eebd9fc580e1572d6c6a88f62c","impliedFormat":1},{"version":"23cd712e2ce083d68afe69224587438e5914b457b8acf87073c22494d706a3d0","impliedFormat":1},{"version":"487b694c3de27ddf4ad107d4007ad304d29effccf9800c8ae23c2093638d906a","impliedFormat":1},{"version":"e525f9e67f5ddba7b5548430211cae2479070b70ef1fd93550c96c10529457bd","impliedFormat":1},{"version":"ccf4552357ce3c159ef75f0f0114e80401702228f1898bdc9402214c9499e8c0","impliedFormat":1},{"version":"c6fd2c5a395f2432786c9cb8deb870b9b0e8ff7e22c029954fabdd692bff6195","impliedFormat":1},{"version":"68834d631c8838c715f225509cfc3927913b9cc7a4870460b5b60c8dbdb99baf","impliedFormat":1},{"version":"4bc0794175abedf989547e628949888c1085b1efcd93fc482bccd77ee27f8b7c","impliedFormat":1},{"version":"3c8e93af4d6ce21eb4c8d005ad6dc02e7b5e6781f429d52a35290210f495a674","impliedFormat":1},{"version":"2c9875466123715464539bfd69bcaccb8ff6f3e217809428e0d7bd6323416d01","impliedFormat":1},{"version":"ea6bc8de8b59f90a7a3960005fd01988f98fd0784e14bc6922dde2e93305ec7d","impliedFormat":1},{"version":"36107995674b29284a115e21a0618c4c2751b32a8766dd4cb3ba740308b16d59","impliedFormat":1},{"version":"914a0ae30d96d71915fc519ccb4efbf2b62c0ddfb3a3fc6129151076bc01dc60","impliedFormat":1},{"version":"33e981bf6376e939f99bd7f89abec757c64897d33c005036b9a10d9587d80187","impliedFormat":1},{"version":"6c8e442ba33b07892169a14f7757321e49ab0f1032d676d321a1fdab8a67d40c","impliedFormat":1},{"version":"b41767d372275c154c7ea6c9d5449d9a741b8ce080f640155cc88ba1763e35b3","impliedFormat":1},{"version":"1cd673d367293fc5cb31cd7bf03d598eb368e4f31f39cf2b908abbaf120ab85a","impliedFormat":1},{"version":"af13e99445f37022c730bfcafcdc1761e9382ce1ea02afb678e3130b01ce5676","impliedFormat":1},{"version":"3825bf209f1662dfd039010a27747b73d0ef379f79970b1d05601ec8e8a4249f","impliedFormat":1},{"version":"0b6e25234b4eec6ed96ab138d96eb70b135690d7dd01f3dd8a8ab291c35a683a","impliedFormat":1},{"version":"9666f2f84b985b62400d2e5ab0adae9ff44de9b2a34803c2c5bd3c8325b17dc0","impliedFormat":1},{"version":"da52342062e70c77213e45107921100ba9f9b3a30dd019444cf349e5fb3470c4","impliedFormat":1},{"version":"e9ace91946385d29192766bf783b8460c7dbcbfc63284aa3c9cae6de5155c8bc","impliedFormat":1},{"version":"40b463c6766ca1b689bfcc46d26b5e295954f32ad43e37ee6953c0a677e4ae2b","impliedFormat":1},{"version":"249b9cab7f5d628b71308c7d9bb0a808b50b091e640ba3ed6e2d0516f4a8d91d","impliedFormat":1},{"version":"1e30c045732e7db8f7a82cf90b516ebe693d2f499ce2250a977ec0d12e44a529","impliedFormat":1},{"version":"84b736594d8760f43400202859cda55607663090a43445a078963031d47e25e7","impliedFormat":1},{"version":"499e5b055a5aba1e1998f7311a6c441a369831c70905cc565ceac93c28083d53","impliedFormat":1},{"version":"54c3e2371e3d016469ad959697fd257e5621e16296fa67082c2575d0bf8eced0","impliedFormat":1},{"version":"beb8233b2c220cfa0feea31fbe9218d89fa02faa81ef744be8dce5acb89bb1fd","impliedFormat":1},{"version":"78b29846349d4dfdd88bd6650cc5d2baaa67f2e89dc8a80c8e26ef7995386583","impliedFormat":1},{"version":"5d0375ca7310efb77e3ef18d068d53784faf62705e0ad04569597ae0e755c401","impliedFormat":1},{"version":"59af37caec41ecf7b2e76059c9672a49e682c1a2aa6f9d7dc78878f53aa284d6","impliedFormat":1},{"version":"addf417b9eb3f938fddf8d81e96393a165e4be0d4a8b6402292f9c634b1cb00d","impliedFormat":1},{"version":"e38d4fdf79e1eadd92ed7844c331dbaa40f29f21541cfee4e1acff4db09cda33","impliedFormat":1},{"version":"8bd86b8e8f6a6aa6c49b71e14c4ffe1211a0e97c80f08d2c8cc98838006e4b88","impliedFormat":1},{"version":"7c10a32ae6f3962672e6869ee2c794e8055d8225ef35c91c0228e354b4e5d2d3","impliedFormat":1},{"version":"2e85db9e6fd73cfa3d7f28e0ab6b55417ea18931423bd47b409a96e4a169e8e6","impliedFormat":1},{"version":"c46e079fe54c76f95c67fb89081b3e399da2c7d109e7dca8e4b58d83e332e605","impliedFormat":1},{"version":"99f569b42ea7e7c5fe404b2848c0893f3e1a56e0547c1cd0f74d5dbb9a9de27e","impliedFormat":1},{"version":"f4b4faedc57701ae727d78ba4a83e466a6e3bdcbe40efbf913b17e860642897c","affectsGlobalScope":true,"impliedFormat":1},{"version":"bbcfd9cd76d92c3ee70475270156755346c9086391e1b9cb643d072e0cf576b8","impliedFormat":1},{"version":"7394959e5a741b185456e1ef5d64599c36c60a323207450991e7a42e08911419","impliedFormat":1},{"version":"72c1f5e0a28e473026074817561d1bc9647909cf253c8d56c41d1df8d95b85f7","impliedFormat":1},{"version":"003ec918ec442c3a4db2c36dc0c9c766977ea1c8bcc1ca7c2085868727c3d3f6","affectsGlobalScope":true,"impliedFormat":1},{"version":"a6310806c6aa3154773976dd083a15659d294700d9ad8f6b8a2e10c3dc461ff1","impliedFormat":1},{"version":"c4e8e8031808b158cfb5ac5c4b38d4a26659aec4b57b6a7e2ba0a141439c208c","impliedFormat":1},{"version":"2c91d8366ff2506296191c26fd97cc1990bab3ee22576275d28b654a21261a44","affectsGlobalScope":true,"impliedFormat":1},{"version":"5524481e56c48ff486f42926778c0a3cce1cc85dc46683b92b1271865bcf015a","impliedFormat":1},{"version":"db39d9a16e4ddcd8a8f2b7b3292b362cc5392f92ad7ccd76f00bccf6838ac7de","affectsGlobalScope":true,"impliedFormat":1},{"version":"289e9894a4668c61b5ffed09e196c1f0c2f87ca81efcaebdf6357cfb198dac14","impliedFormat":1},{"version":"25a1105595236f09f5bce42398be9f9ededc8d538c258579ab662d509aa3b98e","impliedFormat":1},{"version":"5078cd62dbdf91ae8b1dc90b1384dec71a9c0932d62bdafb1a811d2a8e26bef2","impliedFormat":1},{"version":"a2e2bbde231b65c53c764c12313897ffdfb6c49183dd31823ee2405f2f7b5378","impliedFormat":1},{"version":"ad1cc0ed328f3f708771272021be61ab146b32ecf2b78f3224959ff1e2cd2a5c","impliedFormat":1},{"version":"71450bbc2d82821d24ca05699a533e72758964e9852062c53b30f31c36978ab8","affectsGlobalScope":true,"impliedFormat":1},{"version":"62f572306e0b173cc5dfc4c583471151f16ef3779cf27ab96922c92ec82a3bc8","affectsGlobalScope":true,"impliedFormat":1},{"version":"622b67a408a881e15ab38043547563b9d29ca4b46f5b7a7e4a4fc3123d25d19f","impliedFormat":1},{"version":"2617f1d06b32c7b4dfd0a5c8bc7b5de69368ec56788c90f3d7f3e3d2f39f0253","impliedFormat":1},{"version":"bd8b644c5861b94926687618ec2c9e60ad054d334d6b7eb4517f23f53cb11f91","impliedFormat":1},{"version":"bcbabfaca3f6b8a76cb2739e57710daf70ab5c9479ab70f5351c9b4932abf6bd","impliedFormat":1},{"version":"77fced47f495f4ff29bb49c52c605c5e73cd9b47d50080133783032769a9d8a6","impliedFormat":1},{"version":"966dd0793b220e22344c944e0f15afafdc9b0c9201b6444ea0197cd176b96893","impliedFormat":1},{"version":"c54f0b30a787b3df16280f4675bd3d9d17bf983ae3cd40087409476bc50b922d","affectsGlobalScope":true,"impliedFormat":1},{"version":"0f5cda0282e1d18198e2887387eb2f026372ebc4e11c4e4516fef8a19ee4d514","impliedFormat":1},{"version":"e99b0e71f07128fc32583e88ccd509a1aaa9524c290efb2f48c22f9bf8ba83b1","impliedFormat":1},{"version":"76957a6d92b94b9e2852cf527fea32ad2dc0ef50f67fe2b14bd027c9ceef2d86","impliedFormat":1},{"version":"5e9f8c1e042b0f598a9be018fc8c3cb670fe579e9f2e18e3388b63327544fe16","affectsGlobalScope":true,"impliedFormat":1},{"version":"a8a99a5e6ed33c4a951b67cc1fd5b64fd6ad719f5747845c165ca12f6c21ba16","affectsGlobalScope":true,"impliedFormat":1},{"version":"a58a15da4c5ba3df60c910a043281256fa52d36a0fcdef9b9100c646282e88dd","impliedFormat":1},{"version":"b36beffbf8acdc3ebc58c8bb4b75574b31a2169869c70fc03f82895b93950a12","impliedFormat":1},{"version":"de263f0089aefbfd73c89562fb7254a7468b1f33b61839aafc3f035d60766cb4","impliedFormat":1},{"version":"70b57b5529051497e9f6482b76d91c0dcbb103d9ead8a0549f5bab8f65e5d031","impliedFormat":1},{"version":"8c81fd4a110490c43d7c578e8c6f69b3af01717189196899a6a44f93daa57a3a","impliedFormat":1},{"version":"1013eb2e2547ad8c100aca52ef9df8c3f209edee32bb387121bb3227f7c00088","impliedFormat":1},{"version":"e07c573ac1971ea89e2c56ff5fd096f6f7bba2e6dbcd5681d39257c8d954d4a8","impliedFormat":1},{"version":"363eedb495912790e867da6ff96e81bf792c8cfe386321e8163b71823a35719a","impliedFormat":1},{"version":"37ba7b45141a45ce6e80e66f2a96c8a5ab1bcef0fc2d0f56bb58df96ec67e972","impliedFormat":1},{"version":"125d792ec6c0c0f657d758055c494301cc5fdb327d9d9d5960b3f129aff76093","impliedFormat":1},{"version":"dba28a419aec76ed864ef43e5f577a5c99a010c32e5949fe4e17a4d57c58dd11","affectsGlobalScope":true,"impliedFormat":1},{"version":"ea713aa14a670b1ea0fbaaca4fd204e645f71ca7653a834a8ec07ee889c45de6","impliedFormat":1},{"version":"07199a85560f473f37363d8f1300fac361cda2e954caf8a40221f83a6bfa7ade","impliedFormat":1},{"version":"9705cd157ffbb91c5cab48bdd2de5a437a372e63f870f8a8472e72ff634d47c1","affectsGlobalScope":true,"impliedFormat":1},{"version":"ae86f30d5d10e4f75ce8dcb6e1bd3a12ecec3d071a21e8f462c5c85c678efb41","impliedFormat":1},{"version":"982efeb2573605d4e6d5df4dc7e40846bda8b9e678e058fc99522ab6165c479e","impliedFormat":1},{"version":"e03460fe72b259f6d25ad029f085e4bedc3f90477da4401d8fbc1efa9793230e","impliedFormat":1},{"version":"4286a3a6619514fca656089aee160bb6f2e77f4dd53dc5a96b26a0b4fc778055","impliedFormat":1},{"version":"c9231cf03fd7e8cfd78307eecbd24ff3f0fa55d0f6d1108c4003c124d168adc4","affectsGlobalScope":true,"impliedFormat":1},{"version":"2d5d50cd0667d9710d4d2f6e077cc4e0f9dc75e106cccaea59999b36873c5a0d","affectsGlobalScope":true,"impliedFormat":1},{"version":"784490137935e1e38c49b9289110e74a1622baf8a8907888dcbe9e476d7c5e44","impliedFormat":1},{"version":"42180b657831d1b8fead051698618b31da623fb71ff37f002cb9d932cfa775f1","impliedFormat":1},{"version":"4f98d6fb4fe7cbeaa04635c6eaa119d966285d4d39f0eb55b2654187b0b27446","impliedFormat":1},{"version":"f8529fe0645fd9af7441191a4961497cc7638f75a777a56248eac6a079bb275d","affectsGlobalScope":true,"impliedFormat":1},{"version":"4445f6ce6289c5b2220398138da23752fd84152c5c95bb8b58dedefc1758c036","impliedFormat":1},{"version":"a51f786b9f3c297668f8f322a6c58f85d84948ef69ade32069d5d63ec917221c","impliedFormat":1},{"version":"8caa5c86be1b793cd5f599e27ecb34252c41e011980f7d61ae4989a149ff6ccc","impliedFormat":1},{"version":"3609e455ffcba8176c8ce0aa57f8258fe10cf03987e27f1fab68f702b4426521","impliedFormat":1},{"version":"d1bd4e51810d159899aad1660ccb859da54e27e08b8c9862b40cd36c1d9ff00f","impliedFormat":1},{"version":"17ed71200119e86ccef2d96b73b02ce8854b76ad6bd21b5021d4269bec527b5f","impliedFormat":1},{"version":"1cfa8647d7d71cb03847d616bd79320abfc01ddea082a49569fda71ac5ece66b","impliedFormat":1},{"version":"bb7a61dd55dc4b9422d13da3a6bb9cc5e89be888ef23bbcf6558aa9726b89a1c","impliedFormat":1},{"version":"db6d2d9daad8a6d83f281af12ce4355a20b9a3e71b82b9f57cddcca0a8964a96","impliedFormat":1},{"version":"cfe4ef4710c3786b6e23dae7c086c70b4f4835a2e4d77b75d39f9046106e83d3","impliedFormat":1},{"version":"cbea99888785d49bb630dcbb1613c73727f2b5a2cf02e1abcaab7bcf8d6bf3c5","impliedFormat":1},{"version":"3a8bddb66b659f6bd2ff641fc71df8a8165bafe0f4b799cc298be5cd3755bb20","impliedFormat":1},{"version":"a86f82d646a739041d6702101afa82dcb935c416dd93cbca7fd754fd0282ce1f","impliedFormat":1},{"version":"2dad084c67e649f0f354739ec7df7c7df0779a28a4f55c97c6b6883ae850d1ce","impliedFormat":1},{"version":"fa5bbc7ab4130dd8cdc55ea294ec39f76f2bc507a0f75f4f873e38631a836ca7","impliedFormat":1},{"version":"df45ca1176e6ac211eae7ddf51336dc075c5314bc5c253651bae639defd5eec5","impliedFormat":1},{"version":"cf86de1054b843e484a3c9300d62fbc8c97e77f168bbffb131d560ca0474d4a8","impliedFormat":1},{"version":"196c960b12253fde69b204aa4fbf69470b26daf7a430855d7f94107a16495ab0","impliedFormat":1},{"version":"ee15ea5dd7a9fc9f5013832e5843031817a880bf0f24f37a29fd8337981aae07","impliedFormat":1},{"version":"bf24f6d35f7318e246010ffe9924395893c4e96d34324cde77151a73f078b9ad","impliedFormat":1},{"version":"ea53732769832d0f127ae16620bd5345991d26bf0b74e85e41b61b27d74ea90f","impliedFormat":1},{"version":"10595c7ff5094dd5b6a959ccb1c00e6a06441b4e10a87bc09c15f23755d34439","impliedFormat":1},{"version":"9620c1ff645afb4a9ab4044c85c26676f0a93e8c0e4b593aea03a89ccb47b6d0","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"a9af0e608929aaf9ce96bd7a7b99c9360636c31d73670e4af09a09950df97841","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"c86fe861cf1b4c46a0fb7d74dffe596cf679a2e5e8b1456881313170f092e3fa","impliedFormat":1},{"version":"08ed0b3f0166787f84a6606f80aa3b1388c7518d78912571b203817406e471da","impliedFormat":1},{"version":"47e5af2a841356a961f815e7c55d72554db0c11b4cba4d0caab91f8717846a94","impliedFormat":1},{"version":"65f43099ded6073336e697512d9b80f2d4fec3182b7b2316abf712e84104db00","impliedFormat":1},{"version":"f5f541902bf7ae0512a177295de9b6bcd6809ea38307a2c0a18bfca72212f368","impliedFormat":1},{"version":"b0decf4b6da3ebc52ea0c96095bdfaa8503acc4ac8e9081c5f2b0824835dd3bd","impliedFormat":1},{"version":"ca1b882a105a1972f82cc58e3be491e7d750a1eb074ffd13b198269f57ed9e1b","impliedFormat":1},{"version":"fc3e1c87b39e5ba1142f27ec089d1966da168c04a859a4f6aab64dceae162c2b","impliedFormat":1},{"version":"3b414b99a73171e1c4b7b7714e26b87d6c5cb03d200352da5342ab4088a54c85","impliedFormat":1},{"version":"61888522cec948102eba94d831c873200aa97d00d8989fdfd2a3e0ee75ec65a2","impliedFormat":1},{"version":"4e10622f89fea7b05dd9b52fb65e1e2b5cbd96d4cca3d9e1a60bb7f8a9cb86a1","impliedFormat":1},{"version":"74b2a5e5197bd0f2e0077a1ea7c07455bbea67b87b0869d9786d55104006784f","impliedFormat":1},{"version":"59bf32919de37809e101acffc120596a9e45fdbab1a99de5087f31fdc36e2f11","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"faa03dffb64286e8304a2ca96dd1317a77db6bfc7b3fb385163648f67e535d77","impliedFormat":1},{"version":"c40c848daad198266370c1c72a7a8c3d18d2f50727c7859fcfefd3ff69a7f288","impliedFormat":1},{"version":"ac60bbee0d4235643cc52b57768b22de8c257c12bd8c2039860540cab1fa1d82","impliedFormat":1},{"version":"6428e6edd944ce6789afdf43f9376c1f2e4957eea34166177625aaff4c0da1a0","impliedFormat":1},{"version":"ada39cbb2748ab2873b7835c90c8d4620723aedf323550e8489f08220e477c7f","impliedFormat":1},{"version":"6e5f5cee603d67ee1ba6120815497909b73399842254fc1e77a0d5cdc51d8c9c","impliedFormat":1},{"version":"8dba67056cbb27628e9b9a1cba8e57036d359dceded0725c72a3abe4b6c79cd4","impliedFormat":1},{"version":"70f3814c457f54a7efe2d9ce9d2686de9250bb42eb7f4c539bd2280a42e52d33","impliedFormat":1},{"version":"154dd2e22e1e94d5bc4ff7726706bc0483760bae40506bdce780734f11f7ec47","impliedFormat":1},{"version":"ef61792acbfa8c27c9bd113f02731e66229f7d3a169e3c1993b508134f1a58e0","impliedFormat":1},{"version":"9c82171d836c47486074e4ca8e059735bf97b205e70b196535b5efd40cbe1bc5","impliedFormat":1},{"version":"0131e203d8560edb39678abe10db42564a068f98c4ebd1ed9ffe7279c78b3c81","impliedFormat":1},{"version":"f6404e7837b96da3ea4d38c4f1a3812c96c9dcdf264e93d5bdb199f983a3ef4b","impliedFormat":1},{"version":"c5426dbfc1cf90532f66965a7aa8c1136a78d4d0f96d8180ecbfc11d7722f1a5","impliedFormat":1},{"version":"65a15fc47900787c0bd18b603afb98d33ede930bed1798fc984d5ebb78b26cf9","impliedFormat":1},{"version":"9d202701f6e0744adb6314d03d2eb8fc994798fc83d91b691b75b07626a69801","impliedFormat":1},{"version":"de9d2df7663e64e3a91bf495f315a7577e23ba088f2949d5ce9ec96f44fba37d","impliedFormat":1},{"version":"c7af78a2ea7cb1cd009cfb5bdb48cd0b03dad3b54f6da7aab615c2e9e9d570c5","impliedFormat":1},{"version":"1ee45496b5f8bdee6f7abc233355898e5bf9bd51255db65f5ff7ede617ca0027","impliedFormat":1},{"version":"8b8f00491431fe82f060dfe8c7f2180a9fb239f3d851527db909b83230e75882","affectsGlobalScope":true,"impliedFormat":1},{"version":"db01d18853469bcb5601b9fc9826931cc84cc1a1944b33cad76fd6f1e3d8c544","affectsGlobalScope":true,"impliedFormat":1},{"version":"dba114fb6a32b355a9cfc26ca2276834d72fe0e94cd2c3494005547025015369","impliedFormat":1},{"version":"903e299a28282fa7b714586e28409ed73c3b63f5365519776bf78e8cf173db36","affectsGlobalScope":true,"impliedFormat":1},{"version":"fa6c12a7c0f6b84d512f200690bfc74819e99efae69e4c95c4cd30f6884c526e","impliedFormat":1},{"version":"f1c32f9ce9c497da4dc215c3bc84b722ea02497d35f9134db3bb40a8d918b92b","impliedFormat":1},{"version":"b73c319af2cc3ef8f6421308a250f328836531ea3761823b4cabbd133047aefa","affectsGlobalScope":true,"impliedFormat":1},{"version":"e433b0337b8106909e7953015e8fa3f2d30797cea27141d1c5b135365bb975a6","impliedFormat":1},{"version":"dd3900b24a6a8745efeb7ad27629c0f8a626470ac229c1d73f1fe29d67e44dca","impliedFormat":1},{"version":"ddff7fc6edbdc5163a09e22bf8df7bef75f75369ebd7ecea95ba55c4386e2441","impliedFormat":1},{"version":"106c6025f1d99fd468fd8bf6e5bda724e11e5905a4076c5d29790b6c3745e50c","impliedFormat":1},{"version":"ec29be0737d39268696edcec4f5e97ce26f449fa9b7afc2f0f99a86def34a418","impliedFormat":1},{"version":"aeab39e8e0b1a3b250434c3b2bb8f4d17bbec2a9dbce5f77e8a83569d3d2cbc2","impliedFormat":1},{"version":"ec6cba1c02c675e4dd173251b156792e8d3b0c816af6d6ad93f1a55d674591aa","impliedFormat":1},{"version":"b620391fe8060cf9bedc176a4d01366e6574d7a71e0ac0ab344a4e76576fcbb8","impliedFormat":1},{"version":"d729408dfde75b451530bcae944cf89ee8277e2a9df04d1f62f2abfd8b03c1e1","impliedFormat":1},{"version":"e15d3c84d5077bb4a3adee4c791022967b764dc41cb8fa3cfa44d4379b2c95f5","impliedFormat":1},{"version":"5f58e28cd22e8fc1ac1b3bc6b431869f1e7d0b39e2c21fbf79b9fa5195a85980","impliedFormat":1},{"version":"e1fc1a1045db5aa09366be2b330e4ce391550041fc3e925f60998ca0b647aa97","impliedFormat":1},{"version":"63533978dcda286422670f6e184ac516805a365fb37a086eeff4309e812f1402","impliedFormat":1},{"version":"43ba4f2fa8c698f5c304d21a3ef596741e8e85a810b7c1f9b692653791d8d97a","impliedFormat":1},{"version":"31fb49ef3aa3d76f0beb644984e01eab0ea222372ea9b49bb6533be5722d756c","impliedFormat":1},{"version":"33cd131e1461157e3e06b06916b5176e7a8ec3fce15a5cfe145e56de744e07d2","impliedFormat":1},{"version":"889ef863f90f4917221703781d9723278db4122d75596b01c429f7c363562b86","impliedFormat":1},{"version":"3556cfbab7b43da96d15a442ddbb970e1f2fc97876d055b6555d86d7ac57dae5","impliedFormat":1},{"version":"437751e0352c6e924ddf30e90849f1d9eb00ca78c94d58d6a37202ec84eb8393","impliedFormat":1},{"version":"48e8af7fdb2677a44522fd185d8c87deff4d36ee701ea003c6c780b1407a1397","impliedFormat":1},{"version":"d11308de5a36c7015bb73adb5ad1c1bdaac2baede4cc831a05cf85efa3cc7f2f","impliedFormat":1},{"version":"38e4684c22ed9319beda6765bab332c724103d3a966c2e5e1c5a49cf7007845f","impliedFormat":1},{"version":"f9812cfc220ecf7557183379531fa409acd249b9e5b9a145d0d52b76c20862de","affectsGlobalScope":true,"impliedFormat":1},{"version":"e650298721abc4f6ae851e60ae93ee8199791ceec4b544c3379862f81f43178c","impliedFormat":1},{"version":"2e4f37ffe8862b14d8e24ae8763daaa8340c0df0b859d9a9733def0eee7562d9","impliedFormat":1},{"version":"13283350547389802aa35d9f2188effaeac805499169a06ef5cd77ce2a0bd63f","impliedFormat":1},{"version":"680793958f6a70a44c8d9ae7d46b7a385361c69ac29dcab3ed761edce1c14ab8","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"42c169fb8c2d42f4f668c624a9a11e719d5d07dacbebb63cbcf7ef365b0a75b3","impliedFormat":1},{"version":"913ddbba170240070bd5921b8f33ea780021bdf42fbdfcd4fcb2691b1884ddde","impliedFormat":1},{"version":"b4e6d416466999ff40d3fe5ceb95f7a8bfb7ac2262580287ac1a8391e5362431","impliedFormat":1},{"version":"5fe23bd829e6be57d41929ac374ee9551ccc3c44cee893167b7b5b77be708014","impliedFormat":1},{"version":"0a626484617019fcfbfc3c1bc1f9e84e2913f1adb73692aa9075817404fb41a1","impliedFormat":1},{"version":"438c7513b1df91dcef49b13cd7a1c4720f91a36e88c1df731661608b7c055f10","impliedFormat":1},{"version":"cf185cc4a9a6d397f416dd28cca95c227b29f0f27b160060a95c0e5e36cda865","impliedFormat":1},{"version":"0086f3e4ad898fd7ca56bb223098acfacf3fa065595182aaf0f6c4a6a95e6fbd","impliedFormat":1},{"version":"efaa078e392f9abda3ee8ade3f3762ab77f9c50b184e6883063a911742a4c96a","impliedFormat":1},{"version":"54a8bb487e1dc04591a280e7a673cdfb272c83f61e28d8a64cf1ac2e63c35c51","impliedFormat":1},{"version":"021a9498000497497fd693dd315325484c58a71b5929e2bbb91f419b04b24cea","impliedFormat":1},{"version":"9385cdc09850950bc9b59cca445a3ceb6fcca32b54e7b626e746912e489e535e","impliedFormat":1},{"version":"2894c56cad581928bb37607810af011764a2f511f575d28c9f4af0f2ef02d1ab","impliedFormat":1},{"version":"0a72186f94215d020cb386f7dca81d7495ab6c17066eb07d0f44a5bf33c1b21a","impliedFormat":1},{"version":"84124384abae2f6f66b7fbfc03862d0c2c0b71b826f7dbf42c8085d31f1d3f95","impliedFormat":1},{"version":"63a8e96f65a22604eae82737e409d1536e69a467bb738bec505f4f97cce9d878","impliedFormat":1},{"version":"3fd78152a7031315478f159c6a5872c712ece6f01212c78ea82aef21cb0726e2","impliedFormat":1},{"version":"b01bd582a6e41457bc56e6f0f9de4cb17f33f5f3843a7cf8210ac9c18472fb0f","impliedFormat":1},{"version":"58b49e5c1def740360b5ae22ae2405cfac295fee74abd88d74ac4ea42502dc03","impliedFormat":1},{"version":"512fc15cca3a35b8dbbf6e23fe9d07e6f87ad03c895acffd3087ce09f352aad0","impliedFormat":1},{"version":"9a0946d15a005832e432ea0cd4da71b57797efb25b755cc07f32274296d62355","impliedFormat":1},{"version":"a52ff6c0a149e9f370372fc3c715d7f2beee1f3bab7980e271a7ab7d313ec677","impliedFormat":1},{"version":"fd933f824347f9edd919618a76cdb6a0c0085c538115d9a287fa0c7f59957ab3","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"6a1aa3e55bdc50503956c5cd09ae4cd72e3072692d742816f65c66ca14f4dfdd","impliedFormat":1},{"version":"ab75cfd9c4f93ffd601f7ca1753d6a9d953bbedfbd7a5b3f0436ac8a1de60dfa","impliedFormat":1},{"version":"f95180f03d827525ca4f990f49e17ec67198c316dd000afbe564655141f725cd","impliedFormat":1},{"version":"b73cbf0a72c8800cf8f96a9acfe94f3ad32ca71342a8908b8ae484d61113f647","impliedFormat":1},{"version":"bae6dd176832f6423966647382c0d7ba9e63f8c167522f09a982f086cd4e8b23","impliedFormat":1},{"version":"1364f64d2fb03bbb514edc42224abd576c064f89be6a990136774ecdd881a1da","impliedFormat":1},{"version":"c9958eb32126a3843deedda8c22fb97024aa5d6dd588b90af2d7f2bfac540f23","impliedFormat":1},{"version":"950fb67a59be4c2dbe69a5786292e60a5cb0e8612e0e223537784c731af55db1","impliedFormat":1},{"version":"e927c2c13c4eaf0a7f17e6022eee8519eb29ef42c4c13a31e81a611ab8c95577","impliedFormat":1},{"version":"07ca44e8d8288e69afdec7a31fa408ce6ab90d4f3d620006701d5544646da6aa","impliedFormat":1},{"version":"70246ad95ad8a22bdfe806cb5d383a26c0c6e58e7207ab9c431f1cb175aca657","impliedFormat":1},{"version":"f00f3aa5d64ff46e600648b55a79dcd1333458f7a10da2ed594d9f0a44b76d0b","impliedFormat":1},{"version":"772d8d5eb158b6c92412c03228bd9902ccb1457d7a705b8129814a5d1a6308fc","impliedFormat":1},{"version":"4e4475fba4ed93a72f167b061cd94a2e171b82695c56de9899275e880e06ba41","impliedFormat":1},{"version":"97c5f5d580ab2e4decd0a3135204050f9b97cd7908c5a8fbc041eadede79b2fa","impliedFormat":1},{"version":"c99a3a5f2215d5b9d735aa04cec6e61ed079d8c0263248e298ffe4604d4d0624","impliedFormat":1},{"version":"49b2375c586882c3ac7f57eba86680ff9742a8d8cb2fe25fe54d1b9673690d41","impliedFormat":1},{"version":"802e797bcab5663b2c9f63f51bdf67eff7c41bc64c0fd65e6da3e7941359e2f7","impliedFormat":1},{"version":"847e160d709c74cc714fbe1f99c41d3425b74cd47b1be133df1623cd87014089","impliedFormat":1},{"version":"9fee04f1e1afa50524862289b9f0b0fdc3735b80e2a0d684cec3b9ff3d94cecc","impliedFormat":1},{"version":"5cdc27fbc5c166fc5c763a30ac21cbac9859dc5ba795d3230db6d4e52a1965bb","impliedFormat":1},{"version":"6459054aabb306821a043e02b89d54da508e3a6966601a41e71c166e4ea1474f","impliedFormat":1},{"version":"f416c9c3eee9d47ff49132c34f96b9180e50485d435d5748f0e8b72521d28d2e","impliedFormat":1},{"version":"05c97cddbaf99978f83d96de2d8af86aded9332592f08ce4a284d72d0952c391","impliedFormat":1},{"version":"14e5cdec6f8ae82dfd0694e64903a0a54abdfe37e1d966de3d4128362acbf35f","impliedFormat":1},{"version":"bbc183d2d69f4b59fd4dd8799ffdf4eb91173d1c4ad71cce91a3811c021bf80c","impliedFormat":1},{"version":"7b6ff760c8a240b40dab6e4419b989f06a5b782f4710d2967e67c695ef3e93c4","impliedFormat":1},{"version":"8dbc4134a4b3623fc476be5f36de35c40f2768e2e3d9ed437e0d5f1c4cd850f6","impliedFormat":1},{"version":"4e06330a84dec7287f7ebdd64978f41a9f70a668d3b5edc69d5d4a50b9b376bb","impliedFormat":1},{"version":"65bfa72967fbe9fc33353e1ac03f0480aa2e2ea346d61ff3ea997dfd850f641a","impliedFormat":1},{"version":"c06f0bb92d1a1a5a6c6e4b5389a5664d96d09c31673296cb7da5fe945d54d786","impliedFormat":1},{"version":"f974e4a06953682a2c15d5bd5114c0284d5abf8bc0fe4da25cb9159427b70072","impliedFormat":1},{"version":"872caaa31423f4345983d643e4649fb30f548e9883a334d6d1c5fff68ede22d4","impliedFormat":1},{"version":"94404c4a878fe291e7578a2a80264c6f18e9f1933fbb57e48f0eb368672e389c","impliedFormat":1},{"version":"5c1b7f03aa88be854bc15810bfd5bd5a1943c5a7620e1c53eddd2a013996343e","impliedFormat":1},{"version":"09dfc64fcd6a2785867f2368419859a6cc5a8d4e73cbe2538f205b1642eb0f51","impliedFormat":1},{"version":"bcf6f0a323653e72199105a9316d91463ad4744c546d1271310818b8cef7c608","impliedFormat":1},{"version":"01aa917531e116485beca44a14970834687b857757159769c16b228eb1e49c5f","impliedFormat":1},{"version":"351475f9c874c62f9b45b1f0dc7e2704e80dfd5f1af83a3a9f841f9dfe5b2912","impliedFormat":1},{"version":"ac457ad39e531b7649e7b40ee5847606eac64e236efd76c5d12db95bf4eacd17","impliedFormat":1},{"version":"187a6fdbdecb972510b7555f3caacb44b58415da8d5825d03a583c4b73fde4cf","impliedFormat":1},{"version":"d4c3250105a612202289b3a266bb7e323db144f6b9414f9dea85c531c098b811","impliedFormat":1},{"version":"95b444b8c311f2084f0fb51c616163f950fb2e35f4eaa07878f313a2d36c98a4","impliedFormat":1},{"version":"741067675daa6d4334a2dc80a4452ca3850e89d5852e330db7cb2b5f867173b1","impliedFormat":1},{"version":"f8acecec1114f11690956e007d920044799aefeb3cece9e7f4b1f8a1d542b2c9","impliedFormat":1},{"version":"178071ccd043967a58c5d1a032db0ddf9bd139e7920766b537d9783e88eb615e","impliedFormat":1},{"version":"3a17f09634c50cce884721f54fd9e7b98e03ac505889c560876291fcf8a09e90","impliedFormat":1},{"version":"32531dfbb0cdc4525296648f53b2b5c39b64282791e2a8c765712e49e6461046","impliedFormat":1},{"version":"0ce1b2237c1c3df49748d61568160d780d7b26693bd9feb3acb0744a152cd86d","impliedFormat":1},{"version":"e489985388e2c71d3542612685b4a7db326922b57ac880f299da7026a4e8a117","impliedFormat":1},{"version":"5cad4158616d7793296dd41e22e1257440910ea8d01c7b75045d4dfb20c5a41a","impliedFormat":1},{"version":"04d3aad777b6af5bd000bfc409907a159fe77e190b9d368da4ba649cdc28d39e","affectsGlobalScope":true,"impliedFormat":1},{"version":"74efc1d6523bd57eb159c18d805db4ead810626bc5bc7002a2c7f483044b2e0f","impliedFormat":1},{"version":"19252079538942a69be1645e153f7dbbc1ef56b4f983c633bf31fe26aeac32cd","impliedFormat":1},{"version":"bc11f3ac00ac060462597add171220aed628c393f2782ac75dd29ff1e0db871c","impliedFormat":1},{"version":"616775f16134fa9d01fc677ad3f76e68c051a056c22ab552c64cc281a9686790","impliedFormat":1},{"version":"65c24a8baa2cca1de069a0ba9fba82a173690f52d7e2d0f1f7542d59d5eb4db0","impliedFormat":1},{"version":"f9fe6af238339a0e5f7563acee3178f51db37f32a2e7c09f85273098cee7ec49","impliedFormat":1},{"version":"3b0b1d352b8d2e47f1c4df4fb0678702aee071155b12ef0185fce9eb4fa4af1e","impliedFormat":1},{"version":"77e71242e71ebf8528c5802993697878f0533db8f2299b4d36aa015bae08a79c","impliedFormat":1},{"version":"a344403e7a7384e0e7093942533d309194ad0a53eca2a3100c0b0ab4d3932773","impliedFormat":1},{"version":"b7fff2d004c5879cae335db8f954eb1d61242d9f2d28515e67902032723caeab","impliedFormat":1},{"version":"5f3dc10ae646f375776b4e028d2bed039a93eebbba105694d8b910feebbe8b9c","impliedFormat":1},{"version":"bb18bf4a61a17b4a6199eb3938ecfa4a59eb7c40843ad4a82b975ab6f7e3d925","impliedFormat":1},{"version":"4545c1a1ceca170d5d83452dd7c4994644c35cf676a671412601689d9a62da35","impliedFormat":1},{"version":"e9b6fc05f536dfddcdc65dbcf04e09391b1c968ab967382e48924f5cb90d88e1","impliedFormat":1},{"version":"a2d648d333cf67b9aeac5d81a1a379d563a8ffa91ddd61c6179f68de724260ff","impliedFormat":1},{"version":"2b664c3cc544d0e35276e1fb2d4989f7d4b4027ffc64da34ec83a6ccf2e5c528","impliedFormat":1},{"version":"a3f41ed1b4f2fc3049394b945a68ae4fdefd49fa1739c32f149d32c0545d67f5","impliedFormat":1},{"version":"3cd8f0464e0939b47bfccbb9bb474a6d87d57210e304029cd8eb59c63a81935d","impliedFormat":1},{"version":"47699512e6d8bebf7be488182427189f999affe3addc1c87c882d36b7f2d0b0e","impliedFormat":1},{"version":"3026abd48e5e312f2328629ede6e0f770d21c3cd32cee705c450e589d015ee09","impliedFormat":1},{"version":"8b140b398a6afbd17cc97c38aea5274b2f7f39b1ae5b62952cfe65bf493e3e75","impliedFormat":1},{"version":"7663d2c19ce5ef8288c790edba3d45af54e58c84f1b37b1249f6d49d962f3d91","impliedFormat":1},{"version":"5cce3b975cdb72b57ae7de745b3c5de5790781ee88bcb41ba142f07c0fa02e97","impliedFormat":1},{"version":"00bd6ebe607246b45296aa2b805bd6a58c859acecda154bfa91f5334d7c175c6","impliedFormat":1},{"version":"ad036a85efcd9e5b4f7dd5c1a7362c8478f9a3b6c3554654ca24a29aa850a9c5","impliedFormat":1},{"version":"fedebeae32c5cdd1a85b4e0504a01996e4a8adf3dfa72876920d3dd6e42978e7","impliedFormat":1},{"version":"0d28b974a7605c4eda20c943b3fa9ae16cb452c1666fc9b8c341b879992c7612","impliedFormat":1},{"version":"cdf21eee8007e339b1b9945abf4a7b44930b1d695cc528459e68a3adc39a622e","impliedFormat":1},{"version":"db036c56f79186da50af66511d37d9fe77fa6793381927292d17f81f787bb195","impliedFormat":1},{"version":"87ac2fb61e629e777f4d161dff534c2023ee15afd9cb3b1589b9b1f014e75c58","impliedFormat":1},{"version":"13c8b4348db91e2f7d694adc17e7438e6776bc506d5c8f5de9ad9989707fa3fe","impliedFormat":1},{"version":"3c1051617aa50b38e9efaabce25e10a5dd9b1f42e372ef0e8a674076a68742ed","impliedFormat":1},{"version":"07a3e20cdcb0f1182f452c0410606711fbea922ca76929a41aacb01104bc0d27","impliedFormat":1},{"version":"1de80059b8078ea5749941c9f863aa970b4735bdbb003be4925c853a8b6b4450","impliedFormat":1},{"version":"1d079c37fa53e3c21ed3fa214a27507bda9991f2a41458705b19ed8c2b61173d","impliedFormat":1},{"version":"4cd4b6b1279e9d744a3825cbd7757bbefe7f0708f3f1069179ad535f19e8ed2c","impliedFormat":1},{"version":"5835a6e0d7cd2738e56b671af0e561e7c1b4fb77751383672f4b009f4e161d70","impliedFormat":1},{"version":"c0eeaaa67c85c3bb6c52b629ebbfd3b2292dc67e8c0ffda2fc6cd2f78dc471e6","impliedFormat":1},{"version":"4b7f74b772140395e7af67c4841be1ab867c11b3b82a51b1aeb692822b76c872","impliedFormat":1},{"version":"27be6622e2922a1b412eb057faa854831b95db9db5035c3f6d4b677b902ab3b7","impliedFormat":1},{"version":"b95a6f019095dd1d48fd04965b50dfd63e5743a6e75478343c46d2582a5132bf","impliedFormat":99},{"version":"c2008605e78208cfa9cd70bd29856b72dda7ad89df5dc895920f8e10bcb9cd0a","impliedFormat":99},{"version":"b97cb5616d2ab82a98ec9ada7b9e9cabb1f5da880ec50ea2b8dc5baa4cbf3c16","impliedFormat":99},{"version":"d23df9ff06ae8bf1dcb7cc933e97ae7da418ac77749fecee758bb43a8d69f840","affectsGlobalScope":true,"impliedFormat":1},{"version":"040c71dde2c406f869ad2f41e8d4ce579cc60c8dbe5aa0dd8962ac943b846572","affectsGlobalScope":true,"impliedFormat":1},{"version":"3586f5ea3cc27083a17bd5c9059ede9421d587286d5a47f4341a4c2d00e4fa91","impliedFormat":1},{"version":"a6df929821e62f4719551f7955b9f42c0cd53c1370aec2dd322e24196a7dfe33","impliedFormat":1},{"version":"b789bf89eb19c777ed1e956dbad0925ca795701552d22e68fd130a032008b9f9","impliedFormat":1},"9dd9d642cdb87d4d5b3173217e0c45429b3e47a6f5cf5fb0ead6c644ec5fed01",{"version":"614df53489136fd5115d5ce696d61651bcc2ac9681de992e4f3be185d84b2bd0","impliedFormat":99},"faaa48da0f9cbcbfd942ad20b665eb9893c4a2d73434bf4f34fcd23902295296","55e51a38eaf8500bc21cc40fc2ab3304d24f793398f78cae997d691dda341f2e","650d8a49bb299e51316fd2b66535101593e6f15e4e8f428ab234023bf1858653","18bb4d4308957debc9964a91f9cc6bba95f083ed6ba1a18697318a3b22c0a4a7","718b09b057145c3cb644c1e30015fc4aa4f7a99072f3a6e484e72c272b8d1120","2c131df61f1d03a7281ac635181ffd4d9910b6e4662f140e876ce0afc7270841","4200814f04a02a96150400bdc3dfe02ddf5f8cb0c0e0d2ff8827edfec5353c9b","7df4c51482b695fa286ccc80f1bf2d5966a2ef9866e959f7e5d4e3ebf4aaba72","b5f2de7a5d15598dc6a0f9cc3bf8bb95e484bcce591b5a5b3201bfac839a5a39","eb240db4c093970eeeefd7f7c6c5833f82d22a0ad46f718b9e66162aa82da51a","1454b7d9ecf3d0b9c815071bb65496d3ffe2ab812be2c9cd6a1674353b5ec243","5e0ba72eec66b4ea34cc2201f75a751dd805f8115038b4fce114ec5ba0a069bb","c4113cebb2a6d8fb10c8af57ae59353005c46d05c970702b4b4c51477d5d320a","d30b7502f4f3c27ab59b3b80885732287f28202ce4b7f1f6ea8dc3edc7fb0fb3","f5d49184542d31b36744ef6beca1b81d7e0ac97a726007bbf9840b89b4e7fdaf","a96d518181ffa599ba97fb06438ac58ec6da9c0183e2d11e7270772faa8774cd","d72f3606f80233327174c2da98e3c8a834250a638ee6858d03d54750bc4cc432","2e51d5516b1353107869d131f0e699429087713d9ac0ab114e51d6185c694aeb","0b3611722f6e6935d2582eef6a7b21c9acf893895e4f5760542e39ed6ea3adb6","2c92e727faa51d4def1f268dffdc9baf7768839c0aa67549440f8a46053c0297","22918779826f90770a278ce98b5b0f03e85e327a5b3f44e9189a5883d21b6ab0","870040b7bd8d8d41780fd12dd50576df9a96ed16bfa0224dd19f76e4d0698c52","c90636cabf91d7e797459d496d6c3c688c10941075674c083b7dcf4bfbf897a4","45d0b691487aa476bf9640f3a5c3b92f82aa041c2935d071193d37c6f2539cc2","0c8d70b188a2ae8f93fc331e16881f0046caef9051ecbf503741f31ac8ddef2a","72f61779a12f8e209f10ec38101577ffdd870ab3e49dc6c3044d5f29b67d0713","a25e0000a0dbe1017626b54ed54e3ffc7a93f44b6a8d3cfc316cccc0556d23a3","eb6de45339d9165baec7db4207dd93332b49b58e4d10e024453a4ca57ce2504d","58e828b990ce8acd6be0dd61df61abc273006ca7d70ddae4bc0243214e6fb4c0","577e23d59e229572710500f1d6e5220b1d5f704c89a82825b756c61bd0293d59","d74748a830e1faff8e19d8e6c58742941f949ccc62d7d62729bf9b5fd1e84574","367209a29e331f34779b3179b7333defae301fdcfadc5e3b32867c94717615bd","b9c50220efe5f6ec3b77afcf6dae5545596d7302a77706c77def05d1456b9f7c","939b4ee5f1dcace103303116551c63fbdda4949892c967cdfebdfb2a44f29ad4","ee3d6c935587a0c82825ae6a9c279c3113509be8844a419f88e970e20c91eb77","5ea00f47e188374d03ea2346037b01fdfed5b8ff3a3f09e03b15214a4d14be7d","f0007a3552cba7e5c4a38fa1d37df62b4534b725dd3f3b91197ebff6ccfdd70d","c07d01172c253746c9971e9386f64d163cb717cd04189e4479d882a0a2435c8c","779d2fe4ca1b70e5834e2ec40f0e874e5ec686fe0598a584eef1224b03486edf","1a5dc1e3242f7192ba788f212f6e103c6bac849b6ef5110a1323dbe1aaf8d35f","75f709363c34d5d4172ba52d638a1ce4fc3925ce1c71b27db3084579050212c2","03eaebb6305f165dc3070ebe7c0bba2a73bb775e2f70e53293c6539a78766ec2","ce73b29e3d9e9dbdf225c9af624558a2b2d5ea61ce13133b7269d910e841c262","dfc995e2dfc01573210d9ed213fa153161df443600d25e65011dcc78d6b6dc83","0f08691ff0596d4c57639a6d53023ac484ba838d56b6f010d473b8e3fb46f884","418083fcfbb579321094fc13a58f8c7001f682c64fddd909dc62c0339cbb9b5f","7881b4ba7afb3a71e72116833d92dc45d8c916f20612377e2dcebf35ea796908","c7daf4760abc615b669e912edb3a88cdf2a211d9a407a4622c9aa8ad108b377a","69606634f99b0a6986829c82eeb0e90fe125c211f9e977e572d970b0d19fdd5e","b9172e7464c6f2d05bc3bcf7906f8b1d028d30691730db1783cab0082941e6dc","3a04d16d2a2a280f10f475748690b269a49875d95debb8fa849e9709eb4d5f50","710de7a8759a8c6af7f259843bbb595abc9b452e2f36399fcafd32fd6769464c","5450c66c0c8a012e036517a9495e2bd01415e9759755b94152a1d04e9a9325e3","9976a792a8b248eb0f64b406c4e793e3514dcf75d5a90eff82fc049192db3d5a","d79257f2ff05b46b58eebcc82c7c5bfc1814200eab961368ad8bfde326202740","e71fa8de57a62efdc4346a740a80d758db09cf47e3135cb42c303f29755e2deb","c5dff313ff3f77daa6fd8adef62b1d0d81a07fb9d9dec2da8c5671548ac1fcd0","6cdb7c6ee721611067d3084814c630309e9f2767c0107a72d30cac9da3e09d08","cd5b78cce3db29880a720777299be5573780bb682d01974c8d59a92de114c095","1878d251b0396a260c1952fcb95d67459f345c4673069966817ec4fdc2a6600b","2549178987ac843a3153bf45484dc205b569f66f8b0cc87a25adc5d273c7425e","8a008cea93b15c74604e709f4bee4880ede0bfc86880013fefffe5028bf39b84","186f8d24f18bb242799eb08dac75e85a9f1f4a41d3c40e001912dcc193967ad7","18e5d6b9e745b815cdf737766f60e08b028d8bc9c633ad6e98c741e7f345466a","29aa62c14bcd33a71fa13d9450ca628679042151d2a17fab8ab54ed89e575b42","32544141a11da6ed5e31c8f822bff73a8171b72f5e4d89b1180c3f176dac4147","31c38f52ffd03316d5db2bcd8fe4499ab8ea4006b3368a5570e833eb334fd62f","ad03e6cb8a90d49b7d6f036961c93382c23c3433d4ccbcbd72c67118e657a6af","9cc8b424c9bc0ee968adac722b54211733f290f39c82ef68e632448246cb12e3","dfbe70f770e92ce018030425df456a0f9f7f6a61f13ddd17eda461267fb87dc3","9758882e165ff9a37d812a15b039bb1dbc7db904f5c450885b4ca7bc1f3f4ca2","797a86598c6dcda81864a2d3a7c15f33875a5cd13b503dcf4d0448653bcddfd5","ff71be5a531ba79198dcf692bdcdef1c92042974968f0bec912eb9b39b3d5340","57fc90696b43f197f64e1f92247a102c2d5d60648fca8dac50c6d5942763d9dd","81b71d434dd24c5c64c6e707281b2e1f962fcd5c0547c805978605954fff76f6","06ea1f473da86f826a5ab68ef06e1e559b0cf4ed4b1250d0557badbf44b28059","7310de3175d6d02af26d0744ac4fd48f36d4f51cbc87f30ba60e521d66db2ed0","15a1cc2037348b0622d6b72735a1981f77b981da672561a80ebdb675476bacda","8a66994e89f77e1f37b6408956f136ee4819e6b1ed3a8b18f5f1c46a3562610d","c86de22c74702ddb2ebb85bcffa2aac8402af2458396d5526ebb8cb662efba27",{"version":"6dca39856ab909bdc88379986804d02ea52cbaee7fe9a4ca0b08e7f349ed1f36","signature":"07b08bdeb2913dc9b4cd8bb275ad1be9f89dd82114e04454890b6211708cca1f"},{"version":"ce48e412b15ec0bdaee58e4812942535fdf75702db44136574afafb5b252806c","signature":"86096827df0b2ef2aebef3c1a72c445a572b2dd0f78f8c27ee4efd842f8be6b8"},{"version":"93d04062d1f9137b03995f01bdd3fbd301ce439796e74e269798444151356edc","signature":"a553188b1c504136568c342f7049762260a28c8e5171ae0e0c8a93f70d9b2c65"},{"version":"c57b441e0c0a9cbdfa7d850dae1f8a387d6f81cbffbc3cd0465d530084c2417d","impliedFormat":99},{"version":"8b15d05f236e8537d3ecbe4422ce46bf0de4e4cd40b2f909c91c5818af4ff17a","impliedFormat":1},"4acbc7165a8d54738ff62b51414e772c08fe78434e524e6d8770180d3ba2925f",{"version":"6c05d0fcee91437571513c404e62396ee798ff37a2d8bef2104accdc79deb9c0","impliedFormat":1},{"version":"89121c1bf2990f5219bfd802a3e7fc557de447c62058d6af68d6b6348d64499a","impliedFormat":1},{"version":"d4a22007b481fe2a2e6bfd3a42c00cd62d41edb36d30fc4697df2692e9891fc8","impliedFormat":1},{"version":"309ebd217636d68cf8784cbc3272c16fb94fb8e969e18b6fe88c35200340aef1","impliedFormat":99},{"version":"235234ffe0b0c8091344a14cc83e1cdf60c4f3abbdbf4c376f3574313d3f9091","impliedFormat":99},{"version":"e361b59c492bbd1da2113d1eb08101c8d71f3c029887acbcd105e6e70c634b6b","impliedFormat":99},{"version":"45247bb63d9d6ddd2082311c7d5f567f1cadfdae9df381616509020249feeb42","impliedFormat":99},{"version":"9bf002511afc49f4343bb5777c35cd00a8665312bc93927124994a4d18a4008c","impliedFormat":99},{"version":"3a0ecea45182b31cdb7a7fefcfd5c56da5e0c96ae111001fa768f52f54dce9f4","impliedFormat":99},{"version":"7230c72f75b27304266e5ea092cd82da2e605062de598183d78171b39d42754c","impliedFormat":99},{"version":"3444149263c59f8562120bc04554b6208b4062bf4e7fe0f62107139606c1e063","impliedFormat":99},{"version":"f8c53bf9e4fece65d829a2d0522d227401e25e85c2ba10c0f18245418c5ded36","impliedFormat":99},{"version":"a2874b365d04b46db1cf6df79adca2acddde4f7ccf1e42e246dbbab8b7f9a647","impliedFormat":99},{"version":"a2874b365d04b46db1cf6df79adca2acddde4f7ccf1e42e246dbbab8b7f9a647","impliedFormat":99},{"version":"a2874b365d04b46db1cf6df79adca2acddde4f7ccf1e42e246dbbab8b7f9a647","impliedFormat":99},{"version":"03dfe654842ad0e69a35b6bd117cf98fb2063c57b5d2c4df4406e29a4b46135f","impliedFormat":99},{"version":"e50cc7d8f2afbd14b4b11b4db1f3018b224a5fa973ad77813c5899be4c7e5b91","impliedFormat":99},{"version":"80e653fbbec818eecfe95d182dc65a1d107b343d970159a71922ac4491caa0af","impliedFormat":99},{"version":"2f821d34a449bbae30860674c1d14a2712e8a6f48daf2cd23f4ba8cb1ffb720d","impliedFormat":99},{"version":"89daf2368d7634f87eeb6bd3b1bef3584d71cfbd09bd16f88a2a43bb9342a7db","impliedFormat":99},{"version":"bad22756de490f855a83fcd719a1547550214731924bdee6343d7b6b5f8de734","impliedFormat":99},{"version":"aff7b85d52604f7ea083913f47efb5e191f3f139e8817cb4f74fb2d2427bb83a","impliedFormat":99},{"version":"193f1b7743aaec33873e283328f529e168123302622e3a045ceadcd7f5ce6ff3","impliedFormat":99},{"version":"1abc56274b53f688360b509004b18be8aff3a80d71a89aec0b66c6638cb4eba1","impliedFormat":99},{"version":"51d61479094395b8a1007b4f26759ff4cbd0bed164c061a2d7b6c2191f17a921","impliedFormat":99},{"version":"be7a13d53450d950f6dfb6e01f72e57990ed0fe4829170e741a50643d1ff38a3","impliedFormat":99},{"version":"d923ce9e38bf31c6cf1f938e775578400ae7f77039b5743b60b455afb71919b6","impliedFormat":99},{"version":"5b1355a05633f768589bc55e2a7b2d9bced7a82a47242bb550e4a904f11df3d7","impliedFormat":99},{"version":"77861241bc1e9db3598eee3108ad376313c55edfac58113c0eeddb2ad741d73a","impliedFormat":99},{"version":"bbb9557d6e7962bbc16b0388e37d8935d3cd32613ff2147cb201f04c75c3534f","impliedFormat":99},{"version":"9c7162a736d94a8ef32765bbd7e4be0e55f3147e36a59e018aafdd761ad02525","impliedFormat":99},{"version":"d49030b9a324bab9bcf9f663a70298391b0f5a25328409174d86617512bf3037","impliedFormat":99},{"version":"c888123e192a2fa20c7d58075aa60b6b48880cdf96bd39e92601ccb698569d05","impliedFormat":1},{"version":"1d959fdfe98916a596e44de2e5c1a302343b6917e58416696822e88bb116c5c2","impliedFormat":1},{"version":"7ee96c33ffa8089198e0caa413a0ded9a7d6bda9c428d721500200f561fa5912","impliedFormat":1},{"version":"0553fe55dea25bca5c65dd32b8ddd3be252dac19deedf5351068b14e3802292c","impliedFormat":1},{"version":"e128206c4e79a401f4d56c6d0eccb0e0024206069064eda35352810bce71a13d","impliedFormat":1},{"version":"07f3e5242785465bb7dfdac011638f60f36f1bdc107d7aed88c6dd5028a05fc8","impliedFormat":1},{"version":"dd41cffa61aeb7f1f45988fdb6554b3cd6c119d2489d1b060485beb17a24f84b","impliedFormat":1},{"version":"5bd39ec249095c24afd1250438ba99828f45ef8fa528ecbfcad2b784f2626b85","impliedFormat":1},{"version":"fb66f815ffad21aa39d287143df839080043df9143319f4c0df0ee7ce981d685","impliedFormat":1},{"version":"a692f79e1c4698b451ac84063159052dd6c5cffd9c1ddcd500371e616f33f49a","impliedFormat":1},{"version":"591c3090cba30fe63313a4cd6e0870e48f664626d06296155053d60e67576bbb","impliedFormat":1},{"version":"602ee2c4c4b144883e6469ce187d73d07053f7fa1832e38bde7b338d93309b4f","impliedFormat":1},{"version":"8599238bbe9b0576d88ba9c905e9cdd2f62b4de11724995e634cc44efe8d468f","impliedFormat":1},{"version":"d708d5cda41ab5cdb7238c75cab0650a1d8216cf0bd803b166a0b4e3371b2ead","impliedFormat":1},{"version":"d8a3e7a3fd488135d24f3dd2b1c355a5c0ef9bf1169356168c015521f9213881","impliedFormat":1},{"version":"8ad33af0c5e997c5fb2687b563ef15be184dfda0284d6ccefa1a63309ea6d3c5","impliedFormat":1},{"version":"adbe638d4ebb0a68e18fd257cc0be63e4dbf96efb311d6f7a0f502f746bae4d2","impliedFormat":1},{"version":"a8128e02f6c067da2f13224157b3b0024b1c5aa9d2a15946438d35d447a06b32","impliedFormat":1},{"version":"c37aecf4c7828e00392c784013513fff8256d700edb45c6aaf07b6f8156ca36f","impliedFormat":1},{"version":"4b95398b7517ab91a0dac31797e02be5a8b0e2160610d998a7b9e51c58f9e657","impliedFormat":1},{"version":"98682515f91248382be2c583a819e8e0bef160ad5ec0c49346100098755b4b80","impliedFormat":1},{"version":"69b50a12f5fe856d5d4d486e068938f364f4e04eee6b2ed323139b7c85edf849","impliedFormat":1},{"version":"ecfb422f8cf7cd66fa315e5501ca3d613cdde85aafeab0c22594d9ea3b2783df","impliedFormat":1},{"version":"f54a16d715fb229425b99ce208848b9528b4a0eefb2ab1052e30ab97f215a5dd","impliedFormat":1},{"version":"3ffb73d98590f61b003647a41911a51e82fce04b7dd8e1eca0390c240540e551","impliedFormat":1},{"version":"765b9f5a1b16c41688e883bd3bb9f0e33d4f5e26cc88b2ba80dca534ecea2cd1","impliedFormat":1},{"version":"12fcef9ef0bba67853c41e49cd57da352cc5d6b940a4ec7b5d9f46075b48bdf7","impliedFormat":1},{"version":"b133a567fe7e2ddd69391d546fcc8f29dd3983aee8e9b5e1a0af967c9624ed9f","impliedFormat":1},{"version":"62a013c189f3ac31c869642c0d6765e41519ba86ee7816de50d0df432693ff00","impliedFormat":1},{"version":"d1e4734feadf722b761d72b601f52aff639497e01f30210c2498b236c88f6d1f","impliedFormat":1},{"version":"b7b3112ed4a8c225f37b6c3b33147b291d76973ab3ad291b49a18df4cb3dfe10","impliedFormat":1},{"version":"2efd37a6626889d88e7881b1a3228a24944f7b4a02e4a72081b684bf28477f93","impliedFormat":1},{"version":"3f8d9d32bba66703ef3cbd3db94ab1092a2ca0f32415947e8eddbfab897fbc11","impliedFormat":1},{"version":"8a480dd48b83a683049509d51b4c008efafd17fc31ffb13c956ea0eaccbd9f36","impliedFormat":1},{"version":"310837536fb604daac566843519d1aa381312933c070bb250a34e2f8ccd8df09","impliedFormat":1},{"version":"a6b6d531ffc0e07459b9ee80664e938f998944d36807003dac316dc927aaffcf","impliedFormat":1},{"version":"b2e20e48ee8ca889fb3196cdc4a15ebc0f7f840dcacc05d0669a400f3753d5bd","impliedFormat":1},{"version":"a4dfc191cc9469a444e39351b9b2ad2eaf6eb9a3f977827c3f08b7bfb9d6cddd","impliedFormat":1},{"version":"92361785eb6735bbd0e4e04f2b353b4d1502b0dd452a307d1d8514ba4ab062cb","impliedFormat":1},{"version":"f3a5f83f1f11602ef9f1f1859c391996a375b7581041aaace936387a8caac650","impliedFormat":1},{"version":"806fe0c46d860f0e256964de1aa5a4fbafb7fdaa152bc3be20edd7890444a8ae","impliedFormat":1},{"version":"219efb4c63c52fbb2df716391a8c3b71176cd9861d29300d247bfed566d0c6e0","impliedFormat":1},{"version":"bc264ae77c91f490c177e2353c44eb1d0dff40367d958159789f1e51c4f8fb79","impliedFormat":1},{"version":"ed3ff1f2a9d6f6111efe3a848966be05da8123a8f5da106d0c451bf0a100afb5","impliedFormat":1},{"version":"8e609bb71c20b858c77f0e9f90bb1319db8477b13f9f965f1a1e18524bf50881","impliedFormat":1},{"version":"2d355bca3bcd3583b8c8b5820c4ead05917d24f2ca08d402a2ec1c112e17b087","impliedFormat":1},{"version":"48def278284b6070983dc9b8eb1a5d91946eb70eabf9b9a0d3daa4d1e31cb4ee","impliedFormat":1},{"version":"bcf3d283431b202ead3430491573d56e34153a122181c122ea0207f8f45c6828","impliedFormat":1},{"version":"d5424c5b192d8683d39187553a7f7aad733af72c70c0ddd3423244650de9e862","impliedFormat":1},{"version":"a827909fa8035922dd865b896d017b6e35e47b1bcc1f23ae56a68dfeb5141f24","impliedFormat":1},{"version":"1eec30e1287373c57a19b7b0e6c7769eaeed91f889c930c7c1f8af64d0a57935","impliedFormat":1},{"version":"038b0db492ddf28ff7bfc06da3a9bb4209bd24be978950ed895a6e3cd7deafa6","impliedFormat":1},{"version":"bf46e2f4e1c7aaa5d3e04f175cae4b6ff230718d606b055bcf929fe81babfd14","impliedFormat":1},{"version":"4fa2f105c0cf7969521837f4bef954f31fa1e228d9b0cde44e6503722a60c858","impliedFormat":1},{"version":"79b4369233a12c6fa4a07301ecb7085802c98f3a77cf9ab97eee27e1656f82e6","impliedFormat":1},{"version":"6c3741e44c9b0ebd563c8c74dcfb2f593190dfd939266c07874dc093ecb4aa0e","impliedFormat":99},{"version":"367986e86147da028e1a107cd1c72666a5677d6339d3af294d5e253dfe66ea5a","impliedFormat":99},{"version":"6e3a9ed805568ccebfa1a376938b6e8f8b9e6b589a67a08ab0f2f03c15ced848","impliedFormat":99},{"version":"a65735a086ae8b401c1c41b51b41546532670c919fd2cedc1606fd186fcee2d7","impliedFormat":99},{"version":"fe021dbde66bd0d6195d4116dcb4c257966ebc8cfba0f34441839415e9e913e1","impliedFormat":99},{"version":"d52a4b1cabee2c94ed18c741c480a45dd9fed32477dd94a9cc8630a8bc263426","impliedFormat":99},{"version":"d059a52684789e6ef30f8052244cb7c52fb786e4066ac415c50642174cc76d14","impliedFormat":99},{"version":"2ccdfd33a753c18e8e5fe8a1eadefff968531d920bc9cdc7e4c97b0c6d3dcaf8","impliedFormat":99},{"version":"d64a434d7fb5040dbe7d5f4911145deda53e281b3f1887b9a610defd51b3c1a2","impliedFormat":99},{"version":"927f406568919fd7cd238ef7fe5e9c5e9ec826f1fff89830e480aff8cfd197da","impliedFormat":99},{"version":"a77d742410fe78bb054d325b690fda75459531db005b62ba0e9371c00163353c","impliedFormat":99},{"version":"f8de61dd3e3c4dc193bb341891d67d3979cb5523a57fcacaf46bf1e6284e6c35","impliedFormat":99},{"version":"addca1bb7478ebc3f1c67b710755acc945329875207a3c9befd6b5cbcab12574","impliedFormat":99},{"version":"50b565f4771b6b150cbf3ae31eb815c31f15e2e0f45518958a5f4348a1a01660","impliedFormat":99},{"version":"eaee342ebb3a826a48c87c1af3ec9359ee5452da6e960751fcd5c5dd8ca8d7ea","impliedFormat":99},{"version":"bc7f70d67697f70e89ef74f6620b9ac0096a3f0ee3cdf2531b4fa08d2af4219d","impliedFormat":99},{"version":"4056a596190daaaa7268f5465b972915facc5eca90ee6432e90afa130ba2e4ee","impliedFormat":99},{"version":"aa20728bb08af6288996197b97b5ed7bcfb0b183423bb482a9b25867a5b33c57","impliedFormat":99},{"version":"5322c3686d3797d415f8570eec54e898f328e59f8271b38516b1366074b499aa","impliedFormat":99},{"version":"b0aa778c53f491350d81ec58eb3e435d34bef2ec93b496c51d9b50aa5a8a61e5","impliedFormat":99},{"version":"fa454230c32f38213198cf47db147caf4c03920b3f8904566b29a1a033341602","impliedFormat":99},{"version":"5571608cd06d2935efe2ed7ba105ec93e5c5d1e822d300e5770a1ad9a065c8b6","impliedFormat":99},{"version":"6bf8aa6ed64228b4d065f334b8fe11bc11f59952fd15015b690dfb3301c94484","impliedFormat":99},{"version":"41ae2bf47844e4643ebe68b8e0019af7a87a9daea2d38959a9f7520ada9ad3cb","impliedFormat":99},{"version":"f4498a2ac4186466abe5f9641c9279a3458fa5992dc10ed4581c265469b118d4","impliedFormat":99},{"version":"bd09a0e906dae9a9351c658e7d8d6caa9f4df2ba104df650ebca96d1c4f81c23","impliedFormat":99},{"version":"055ad004f230e10cf1099d08c6f5774c564782bd76fbefbda669ab1ad132c175","impliedFormat":99},{"version":"2b37ba54ec067598bf912d56fcb81f6d8ad86a045c757e79440bdef97b52fe1b","impliedFormat":99},{"version":"1bc9dd465634109668661f998485a32da369755d9f32b5a55ed64a525566c94b","impliedFormat":99},{"version":"5702b3c2f5d248290ed99419d77ca1cc3e6c29db5847172377659c50e6303768","impliedFormat":99},{"version":"9764b2eb5b4fc0b8951468fb3dbd6cd922d7752343ef5fbf1a7cd3dfcd54a75e","impliedFormat":99},{"version":"1fc2d3fe8f31c52c802c4dee6c0157c5a1d1f6be44ece83c49174e316cf931ad","impliedFormat":99},{"version":"dc4aae103a0c812121d9db1f7a5ea98231801ed405bf577d1c9c46a893177e36","impliedFormat":99},{"version":"106d3f40907ba68d2ad8ce143a68358bad476e1cc4a5c710c11c7dbaac878308","impliedFormat":99},{"version":"42ad582d92b058b88570d5be95393cf0a6c09a29ba9aa44609465b41d39d2534","impliedFormat":99},{"version":"36e051a1e0d2f2a808dbb164d846be09b5d98e8b782b37922a3b75f57ee66698","impliedFormat":99},{"version":"c20c6267d89b11813a3a6af9b9531518c554bfcce896cc14eee2e567e8fd59b6","impliedFormat":99},{"version":"3d852406e3fba1e6279cde8735461f49b978b280e24ac5757bdecf50dc39573e","impliedFormat":99},{"version":"151ff381ef9ff8da2da9b9663ebf657eac35c4c9a19183420c05728f31a6761d","impliedFormat":1},{"version":"5d08a179b846f5ee674624b349ebebe2121c455e3a265dc93da4e8d9e89722b4","impliedFormat":1},{"version":"89dcbbf69b16cd94043e16c7fbcfa04256577ec98bb8ae894833d2a922394db4","impliedFormat":1},{"version":"d9a75d09e41d52d7e1c8315cc637f995820a4a18a7356a0d30b1bed6d798aa70","impliedFormat":99},{"version":"a76819b2b56ccfc03484098828bdfe457bc16adb842f4308064a424cb8dba3e4","impliedFormat":99},{"version":"a5dbd4c9941b614526619bad31047ddd5f504ec4cdad88d6117b549faef34dd3","impliedFormat":99},{"version":"011423c04bfafb915ceb4faec12ea882d60acbe482780a667fa5095796c320f8","impliedFormat":99},{"version":"f8eb2909590ec619643841ead2fc4b4b183fbd859848ef051295d35fef9d8469","impliedFormat":99},{"version":"fe784567dd721417e2c4c7c1d7306f4b8611a4f232f5b7ce734382cf34b417d2","impliedFormat":99},{"version":"45d1e8fb4fd3e265b15f5a77866a8e21870eae4c69c473c33289a4b971e93704","impliedFormat":99},{"version":"cd40919f70c875ca07ecc5431cc740e366c008bcbe08ba14b8c78353fb4680df","impliedFormat":99},{"version":"ddfd9196f1f83997873bbe958ce99123f11b062f8309fc09d9c9667b2c284391","impliedFormat":99},{"version":"2999ba314a310f6a333199848166d008d088c6e36d090cbdcc69db67d8ae3154","impliedFormat":99},{"version":"62c1e573cd595d3204dfc02b96eba623020b181d2aa3ce6a33e030bc83bebb41","impliedFormat":99},{"version":"ca1616999d6ded0160fea978088a57df492b6c3f8c457a5879837a7e68d69033","impliedFormat":99},{"version":"835e3d95251bbc48918bb874768c13b8986b87ea60471ad8eceb6e38ddd8845e","impliedFormat":99},{"version":"de54e18f04dbcc892a4b4241b9e4c233cfce9be02ac5f43a631bbc25f479cd84","impliedFormat":99},{"version":"453fb9934e71eb8b52347e581b36c01d7751121a75a5cd1a96e3237e3fd9fc7e","impliedFormat":99},{"version":"bc1a1d0eba489e3eb5c2a4aa8cd986c700692b07a76a60b73a3c31e52c7ef983","impliedFormat":99},{"version":"4098e612efd242b5e203c5c0b9afbf7473209905ab2830598be5c7b3942643d0","impliedFormat":99},{"version":"28410cfb9a798bd7d0327fbf0afd4c4038799b1d6a3f86116dc972e31156b6d2","impliedFormat":99},{"version":"514ae9be6724e2164eb38f2a903ef56cf1d0e6ddb62d0d40f155f32d1317c116","impliedFormat":99},{"version":"970e5e94a9071fd5b5c41e2710c0ef7d73e7f7732911681592669e3f7bd06308","impliedFormat":99},{"version":"491fb8b0e0aef777cec1339cb8f5a1a599ed4973ee22a2f02812dd0f48bd78c1","impliedFormat":99},{"version":"6acf0b3018881977d2cfe4382ac3e3db7e103904c4b634be908f1ade06eb302d","impliedFormat":99},{"version":"2dbb2e03b4b7f6524ad5683e7b5aa2e6aef9c83cab1678afd8467fde6d5a3a92","impliedFormat":99},{"version":"135b12824cd5e495ea0a8f7e29aba52e1adb4581bb1e279fb179304ba60c0a44","impliedFormat":99},{"version":"e4c784392051f4bbb80304d3a909da18c98bc58b093456a09b3e3a1b7b10937f","impliedFormat":99},{"version":"2e87c3480512f057f2e7f44f6498b7e3677196e84e0884618fc9e8b6d6228bed","impliedFormat":99},{"version":"66984309d771b6b085e3369227077da237b40e798570f0a2ddbfea383db39812","impliedFormat":99},{"version":"e41be8943835ad083a4f8a558bd2a89b7fe39619ed99f1880187c75e231d033e","impliedFormat":99},{"version":"260558fff7344e4985cfc78472ae58cbc2487e406d23c1ddaf4d484618ce4cfd","impliedFormat":99},{"version":"a3d5be0365b28b3281541d39d9db08d30b88de49576ddfbbb5d086155017b283","impliedFormat":99},{"version":"985d310b29f50ce5d4b4666cf2e5a06e841f3e37d1d507bd14186c78649aa3dd","impliedFormat":99},{"version":"af1120ba3de51e52385019b7800e66e4694ebc9e6a4a68e9f4afc711f6ae88be","impliedFormat":99},{"version":"5c6b3840cbc84f6f60abfc5c58c3b67b7296b5ebe26fd370710cfc89bbe3a5f1","impliedFormat":99},{"version":"91ef552cc29ec57d616e95d73ee09765198c710fa34e20b25cb9f9cf502821f1","impliedFormat":99},{"version":"25b6edf357caf505aa8e21a944bb0f7a166c8dac6a61a49ad1a0366f1bde5160","impliedFormat":99},{"version":"1ab840e4672a64e3c705a9163142e2b79b898db88b3c18400e37dbe88a58fa60","impliedFormat":99},{"version":"48516730c1cf1b72cac2da04481983cfe61359101d8563314457ecb059b102a9","impliedFormat":99},{"version":"d391200bb56f44a4be56e6571b2aeedfe602c0fd3c686b87b1306ae62e80b1e9","impliedFormat":99},{"version":"3b3e4b39cbb8adb1f210af60388e4ad66f6dfdeb45b3c8dde961f557776d88fe","impliedFormat":99},{"version":"431f31d10ad58b5767c57ffbf44198303b754193ba8fbf034b7cf8a3ab68abc1","impliedFormat":99},{"version":"a52180aca81ba4ef18ac145083d5d272c3a19f26db54441d5a7d8ef4bd601765","impliedFormat":99},{"version":"9de8aba529388309bc46248fb9c6cca493111a6c9fc1c1f087a3b281fb145d77","impliedFormat":99},{"version":"f07c5fb951dfaf5eb0c6053f6a77c67e02d21c9586c58ed0836d892e438c5bb2","impliedFormat":99},{"version":"c97b20bb0ad5d42e1475255cb13ede29fe1b8c398db5cba2a5842f1cb973b658","impliedFormat":99},{"version":"5559999a83ecfa2da6009cdab20b402c63cd6bb0f7a13fc033a5b567b3eb404b","impliedFormat":99},{"version":"aec26ed2e2ef8f2dbc6ffce8e93503f0c1a6b6cf50b6a13141a8462e7a6b8c79","impliedFormat":99},{"version":"a510938c29a2e04183c801a340f0bbb5a0ae091651bd659214a8587d710ddfbb","impliedFormat":99},{"version":"07bcf85b52f652572fc2a7ec58e6de5dd4fcaf9bbc6f4706b124378cedcbb95c","impliedFormat":99},{"version":"4368a800522ca3dd131d3bbc05f2c46a8b7d612eefca41d5c2e5ac0428a45582","impliedFormat":99},{"version":"720e56f06175c21512bcaeed59a4d4173cd635ea7b4df3739901791b83f835b9","impliedFormat":99},{"version":"349949a8894257122f278f418f4ee2d39752c67b1f06162bb59747d8d06bbc51","impliedFormat":99},{"version":"364832fbef8fb60e1fee868343c0b64647ab8a4e6b0421ca6dafb10dff9979ba","impliedFormat":99},{"version":"dfe4d1087854351e45109f87e322a4fb9d3d28d8bd92aa0460f3578320f024e9","impliedFormat":99},{"version":"886051ae2ccc4c5545bedb4f9af372d69c7c3844ae68833ed1fba8cae8d90ef8","impliedFormat":99},{"version":"3f4e5997cb760b0ef04a7110b4dd18407718e7502e4bf6cd8dd8aa97af8456ff","impliedFormat":99},{"version":"381b5f28b29f104bbdd130704f0a0df347f2fc6cb7bab89cfdc2ec637e613f78","impliedFormat":99},{"version":"a52baccd4bf285e633816caffe74e7928870ce064ebc2a702e54d5e908228777","impliedFormat":99},{"version":"c6120582914acd667ce268849283702a625fee9893e9cad5cd27baada5f89f50","impliedFormat":99},{"version":"da1c22fbbf43de3065d227f8acbc10b132dfa2f3c725db415adbe392f6d1359f","impliedFormat":99},{"version":"858880acbe7e15f7e4f06ac82fd8f394dfe2362687271d5860900d584856c205","impliedFormat":99},{"version":"8dfb1bf0a03e4db2371bafe9ac3c5fb2a4481c77e904d2a210f3fed7d2ad243a","impliedFormat":99},{"version":"bc840f0c5e7274e66f61212bb517fb4348d3e25ed57a27e7783fed58301591e0","impliedFormat":99},{"version":"26438d4d1fc8c9923aea60424369c6e9e13f7ce2672e31137aa3d89b7e1ba9af","impliedFormat":99},{"version":"1ace7207aa2566178c72693b145a566f1209677a2d5e9fb948c8be56a1a61ca9","impliedFormat":99},{"version":"a776df294180c0fdb62ba1c56a959b0bb1d2967d25b372abefdb13d6eba14caf","impliedFormat":99},{"version":"6c88ea4c3b86430dd03de268fd178803d22dc6aa85f954f41b1a27c6bb6227f2","impliedFormat":99},{"version":"11e17a3addf249ae2d884b35543d2b40fabf55ddcbc04f8ee3dcdae8a0ce61eb","impliedFormat":99},{"version":"4fd8aac8f684ee9b1a61807c65ee48f217bf12c77eb169a84a3ba8ddf7335a86","impliedFormat":99},{"version":"1d0736a4bfcb9f32de29d6b15ac2fa0049fd447980cf1159d219543aa5266426","impliedFormat":99},{"version":"11083c0a8f45d2ec174df1cb565c7ba9770878d6820bf01d76d4fedb86052a77","impliedFormat":99},{"version":"d8e37104ef452b01cefe43990821adc3c6987423a73a1252aa55fb1d9ebc7e6d","impliedFormat":99},{"version":"f5622423ee5642dcf2b92d71b37967b458e8df3cf90b468675ff9fddaa532a0f","impliedFormat":99},{"version":"21a942886d6b3e372db0504c5ee277285cbe4f517a27fc4763cf8c48bd0f4310","impliedFormat":99},{"version":"41a4b2454b2d3a13b4fc4ec57d6a0a639127369f87da8f28037943019705d619","impliedFormat":99},{"version":"e9b82ac7186490d18dffaafda695f5d975dfee549096c0bf883387a8b6c3ab5a","impliedFormat":99},{"version":"eed9b5f5a6998abe0b408db4b8847a46eb401c9924ddc5b24b1cede3ebf4ee8c","impliedFormat":99},{"version":"b24d66d6f9636277a1beafd70eedd479165050bce3208c5f6c8a59118848738d","impliedFormat":99},{"version":"c799ceedd4821387e6f3518cf5725f9430e2fb7cae1d4606119a243dea28ee40","impliedFormat":99},{"version":"dcf54538d0bfa5006f03bf111730788a7dd409a49036212a36b678afa0a5d8c6","impliedFormat":99},{"version":"1ed428700390f2f81996f60341acef406b26ad72f74fc05afaf3ca101ae18e61","impliedFormat":99},{"version":"417048bbdce52a57110e6c221d6fa4e883bde6464450894f3af378a8b9a82a47","impliedFormat":99},{"version":"ab0048d2b673c0d60afc882a4154abcb2edb9a10873375366f090ae7ae336fe8","impliedFormat":99},{"version":"f8a6bb79327f4a6afc63d28624654522fc80f7536efa7a617ef48200b7a5f673","impliedFormat":1},{"version":"3e61b9db82b5e4a8ffcdd54812fda9d980cd4772b1d9f56b323524368eed9e5a","impliedFormat":99},{"version":"dcbc70889e6105d3e0a369dcea59a2bd3094800be802cd206b617540ff422708","impliedFormat":99},{"version":"f0d325b9e8d30a91593dc922c602720cec5f41011e703655d1c3e4e183a22268","impliedFormat":99},{"version":"afbd42eb9f22aa6a53aa4d5f8e09bb289dd110836908064d2a18ea3ab86a1984","impliedFormat":99},{"version":"5bb37c8ed3d343ae525902e64be52edbc1ce0a5ad86ca2201118c0d8168078e5","impliedFormat":1},{"version":"61838b01af740887b4fe07d0602c2d62a66cd84cf309e4f7a5c21ec15d656510","impliedFormat":99},{"version":"15ec7a0b94628e74974c04379e20de119398638b3c70f0fa0c76ab92956be77c","impliedFormat":99},{"version":"c0d1ee395f67ad47a8e8e74acaff8f56a31af1925e7989e69502be57016a7cd7","impliedFormat":99},{"version":"a9dd4187cdbc28d180d476b1844348e3ccaa7489184211ed5ce8452e5cc15a57","impliedFormat":99},{"version":"4988820a1950b86c971c9bb361d8e8939d299a76385807e0853350f4a44bb0be","impliedFormat":99},{"version":"ce1c773906296acd1a9983fc7f43801ea4c5c82a011c435eb48590408bcffe78","impliedFormat":1},{"version":"f5bbca989b692a6c94600e18c92318d084169bc34fa305c599fdb195beb99cb7","impliedFormat":99},{"version":"e8d7a5ca03f827f2947a13f26d9aa39c9c204744a3d2cb291c1f0d980b3a971e","impliedFormat":99},{"version":"40b40c57aa27339980cf7b2c363411898f72518462716cf1d5b1f40bfeb7e249","impliedFormat":99},{"version":"a30302fe38c71633b69e8f427a9fa0354204a493d49edb5a364748e96ecb8148","impliedFormat":1},{"version":"bdee4994e4d36a404f31b791699a3bca0a6f7416d3ef47800160bb2d76ba561c","impliedFormat":1},{"version":"7ebcfed08a1a61449e87fa8052d1505baf1cb381b2d574a75fe1b1f6338a3961","impliedFormat":1},{"version":"c12dfba7892f7e3f13a67c7e62f0bbcb62051c6a23f5e41dc56370dfb9f27222","impliedFormat":1},{"version":"3756881f2b80487507ad568c019838b80704e96e30b9f702c97d1f51c041a8f7","impliedFormat":99},{"version":"f66ddc4c537b76c0d69a08094a77dc3d5cae860ae9a549612cd738e67aa2ab6e","impliedFormat":99},{"version":"673446388721fb5130c4f8fbc3af8e187e0f6f8fa2ae29bda56ad3119d98f427","impliedFormat":1},{"version":"29d0311cc23d8ff84f2db8aa59ba5b283f294fa8791dc0bec3f175ce9d281244","impliedFormat":1},{"version":"0893c4bd1be9399141ea698c08c70e2eca1caa61ad4c42d24ec0895dbdbaeb8d","impliedFormat":1},{"version":"7b6c8999ce500ad946f4a608944d3a0e6b7111e2f3058f5a38cfcb9a9ac30796","impliedFormat":1},{"version":"5b0580c13591cb8d99a0681815f0c36c203d7f0119fe749c0724b3d205dd52ac","impliedFormat":1},{"version":"0b7df36baa62f953f7612d414e8d3aa4ec0f2f1c53a6b2d4eb18fd517fa00f4a","impliedFormat":1},{"version":"eae0f0bd272650a83a592c6000b7733520eb5aa42efcc8ab62d47dc1acb5ee78","impliedFormat":99},{"version":"0f321818befa1f90aa797afdc64c6cf1652c133eca86d5dd6c99548a8bdaf51e","impliedFormat":99},{"version":"481c19996de65c72ebf9d7e8f9952298072d4c30db6475cd4231df8e2f2d09b1","impliedFormat":99},{"version":"406be199d4f2b0c74810de31b45fecb333d0c04f6275d6e9578067cced0f3b8c","impliedFormat":99},{"version":"2401f5d61e82a35b49f8e89fe5e826682d82273714d86454b5d8ff74838efa7a","impliedFormat":99},{"version":"87ba3ab05e8e23618cd376562d0680ddd0c00a29569ddddb053b9862ef73e159","impliedFormat":99},{"version":"2b4276dde46aa2faf0dd86119999c76b81e6488cd6b0d0fcf9fb985769cd11c0","impliedFormat":99},{"version":"88247402edb737af32da5c7f69ff80e66e831262065b7f0feb32ea8293260d22","impliedFormat":99},{"version":"5ecea63968444d55f7c3cf677cbec9525db9229953b34f06be0386a24b0fffd2","impliedFormat":99},{"version":"b50ee4bde16b52ecb08e2407dca49a5649b38e046e353485335aa024f6efb8ef","impliedFormat":99},{"version":"a3d603c46b55d51493799241b8a456169d36301cc926ff72c75f5480e7eb25bf","impliedFormat":99},{"version":"324869b470cb6aa2bc54e8fb057b90d972f90d24c7059c027869b2587efe01aa","impliedFormat":99},{"version":"eedf3960076a5b33a84cd28476e035983b7c71a9a8728f904d8e17e824259a8e","impliedFormat":99},{"version":"d7058b71aae678b2a276ecbeb7a9f0fdf4d57ccf0831f572686ba43be26b8ef7","impliedFormat":99},{"version":"ed57d309b3d74719526912a9952a1ff72ca38fe0243c51701a49976c771cbb6c","impliedFormat":99},{"version":"9e0b04a9586f6f7bcf2cd160a21630643957553fc49197e8e10d8cca2d163610","impliedFormat":99},{"version":"2df4f080ac546741f1963d7b8a9cc74f739fbdedf8912c0bad34edeb99b64db6","impliedFormat":99},{"version":"4b62ccc8a561ee6f6124dec319721c064456d5888a66a31a5f2691d33aa93a5f","impliedFormat":99},{"version":"430fa8183f4a42a776af25dac202a5e254598ff5b46aa3016165570ea174b09e","impliedFormat":99},{"version":"7cd3e62c5a8cc665104736a6b6d8b360d97ebc9926e2ed98ac23dca8232e210b","impliedFormat":99},{"version":"ff434ea45f1fc18278b1fc25d3269ec58ce110e602ebafba629980543c3d6999","impliedFormat":99},{"version":"d39e6644c8b9854b16e6810f6fc96c2bf044e2fd200da65a17e557c1bac51bc4","impliedFormat":99},{"version":"cd6f4c96cb17765ebc8f0cc96637235385876f1141fa749fc145f29e0932fc2b","impliedFormat":99},{"version":"45ea8224ec8fc3787615fc548677d6bf6d7cec4251f864a6c09fc86dbdb2cd5d","impliedFormat":99},{"version":"3347361f2bf9befc42c807101f43f4d7ea4960294fb8d92a5dbf761d0ca38d71","impliedFormat":99},{"version":"0bbc9eb3b65e320a97c4a1cc8ee5069b86048c4b3dd12ac974c7a1a6d8b6fb36","impliedFormat":99},{"version":"68dc445224378e9b650c322f5753b371cccbeca078e5293cbc54374051d62734","impliedFormat":99},{"version":"93340b1999275b433662eedd4b1195b22f2df3a8eb7e9d1321e5a06c5576417c","impliedFormat":99},{"version":"cbcdb55ee4aafef7154e004b8bf3131550d92e1c2e905b037b87c427a9aa2a0f","impliedFormat":99},{"version":"37fcf5a0823c2344a947d4c0e50cc63316156f1e6bc0f0c6749e099642d286b1","impliedFormat":99},{"version":"2d2f9018356acf6234cd08669a94b67de89f4df559c65bf52c8c7e3d54eea16b","impliedFormat":99},{"version":"1b50e65f1fbcf48850f91b0bc6ff8c61e6fa2e2e64dd2134a087c40fcfa84e28","impliedFormat":99},{"version":"3736846e55c2a2291b0e4b8b0cb875d329b0b190367323f55a5ab58ee9c8406c","impliedFormat":99},{"version":"f86c6ba182a8b3e2042a61b7e4740413ddca1b68ed72d95758355d53dac232d4","impliedFormat":99},{"version":"33aab7e0f4bf0f7c016e98fb8ea1a05b367fedb2785025c7fa628d91f93818cc","impliedFormat":99},{"version":"20cb0921e0f2580cb2878b4379eedab15a7013197a1126a3df34ea7838999039","impliedFormat":99},{"version":"a88418129ba1c0da303f67e47ee8ac6f4cbfd563cff223031d2cf110c4696226","impliedFormat":1},{"version":"87a90971310514449015b19bc8c59c0edaaba3d153a80ac52c44e16bcf0d1d28","impliedFormat":1},{"version":"3b9f4ac2a325f66c0903baa8aa17d4700e7cd00269f1555cb12fa987108712ad","impliedFormat":1},{"version":"2955bb1323b7db4e5bc106c129ab526b79a15d87e6825a0ceccf4b21f0195e8a","impliedFormat":1},{"version":"884066b708c13cf4354e423131286134458ea143944321bda525570d858305bc","impliedFormat":1},{"version":"5cc7a2443958afc67c80359f132ee17c9878a2c14c76028fbd857245112de0ad","impliedFormat":1},{"version":"8de66fd74714b1800778f9c0c34aa62426223ccd10bbe0f5792ea14aa325c1e1","impliedFormat":1},{"version":"30676348ab19164671a301005feca9829b4ee79a4924436ec61276ee4b5936b5","impliedFormat":1},{"version":"4d553d9e9e633ff77e9571a03fa225f83a133b5612931a013ae7d07a8d1032dd","impliedFormat":1},{"version":"c4d731b7e3343653bd5af1b3a1a4d7c3acea5ec36661788a7c2d74baaf6302fd","impliedFormat":1},{"version":"154a765182af30dd32603338a35a7956fed6d277cfb53869790f70c31fcf5136","impliedFormat":1},{"version":"b41a3f9291890b2f82dc09f596d6511cb1b0fd1cf33cdbb86c74af08b8d7c62b","impliedFormat":1},{"version":"d9ab47670292a917f9b25a2233a394fe92e2d8233d432f4ecd61a15aa313cf33","impliedFormat":1},{"version":"994871071cc737d3e9ae4b3c3981fd6a091a76adcc8656ea890abdeba686a9e3","impliedFormat":1},{"version":"062219b0164e75abf90ceeb2814b6b2527cb89fa671c8178e1704dce8e8d8e4f","impliedFormat":1},{"version":"451d4bf2933967e1e352df7beca72fc1b8470a7dca62ff5be4bfb6a3603f76ab","impliedFormat":1},{"version":"76f37f27446d8b116ca6091954c8c7f72342f6c271478b98fd0afdc42c61dec7","impliedFormat":1},{"version":"40641de2695e62b3b253c6636064bc54eb238eddfe454588fa67254815e011a0","impliedFormat":1},{"version":"d6fb16225f7646cde2e68930942b9602352e4f230b74bfc5b53756342f964f33","impliedFormat":1},{"version":"9f5e7861e49857780d09abd67534d793d652905f1177e22c5e26fa22a0f0251e","impliedFormat":1},{"version":"40c6d9d73635d066b3ee0375fbefe4ac5f9f7421e997f9851423b4b0b1f1e05c","impliedFormat":1},{"version":"cef4f19f013d36794cbf6116b5a3b3fa062a4cb60c0724449ad6e18788ccaad4","impliedFormat":1},{"version":"2949d179b723cf2f748fc0f958cb464763904bde7f42b6695065bb847c3e9a66","impliedFormat":1},{"version":"09e0c1fce0149b38562243f691a926d5cf64ce361b518b7fbe845c326f6de2cd","impliedFormat":1},{"version":"659ee58b7c28be11fd30236ae7a8a9a1f9d364c2b2706253dd3a9af4933de0b5","impliedFormat":99},{"version":"e9949a35661af2b4ddc6c5aed82ca3ed71c59c5cb89cfe2470d09c4af71a5b34","impliedFormat":99},{"version":"754154d41223c3caf6500775827f16968b7d490437bd46cea1af8300929ef2b9","impliedFormat":99},{"version":"08216526808d166f378e666a76febecade30910495c77a3c1734979365629603","impliedFormat":99},{"version":"dba1253cd7311f7d59b74ba2a28b9c2747815d2a2083e49e62bd799f185ae0f8","impliedFormat":99},{"version":"2dc123a9a8ce3be8d2c04fa3833d02c82f23f05867a9234a18d5887bfdd5cbf8","impliedFormat":99},{"version":"52544e9f3a28787d89c36ae1dc2080dcfd77154b323b772e37d42676fc0953b3","impliedFormat":99},{"version":"08cf8c8810e255703255d2a84c70d83ff7b90b4bd193460c7aa2b65a2da9600c","impliedFormat":99},{"version":"b2a90a91594a912ae7c0eb0b55c8dfd6993c7dc0ffc1296c028e2755fd8fb4d5","impliedFormat":99},{"version":"b416c7945b28faa9be7eb28c8fcd37595fcc694e701e7c64d15adf15b6911779","impliedFormat":99},{"version":"97c20ed2c01edea49822a33aabd4668939c9f7255a85b9562493ad8317e58818","impliedFormat":99},{"version":"d30fb773b1dd328d368d8fd024beb8dbf96516e71fa01e742aa380b2be4c1a91","impliedFormat":1},{"version":"89bec51055d61a506ae5a6a0347887d6e6f8869437dff38c1254fbfa3ef45977","impliedFormat":1},"9103422710119b112ee3485dfa99dcac7d6b6ba96fb2473365fd8213f7c31eb0","5e6b2a974cdd684734dfa641e5575715a113c9f5f6cdf5f50202ce9fecf1b664","e32b9a24e0d24c5ba2963c91277f6f1ddfdc4f3b1365ead966eaae8a8a32bf1d","d327de57431c454d4628a35964e141b33e31b7aca6f75e6efe30001ff52b344b","22e61bef6f89b3f86df2ee0aa7e360a7946b46cf1fd66fde59424e640e967a22","9f44bbd80379d002f255db0720f8f87de47b11419914015b87a07db3d2b5e24f",{"version":"e398327186bb72b3730222e73cccc8815ea77f6de3addef908de58c4343db9aa","impliedFormat":99},{"version":"ad120003744e9fa2a0af510695bbeabbad9d8a5a9806e8e1cc671921185742bb","impliedFormat":99},{"version":"dcf8f6b18ffd15c495fbfc4e2c09b6fe3521a354b4b634eb275a4eddb3c1287f","impliedFormat":99},{"version":"cadf71de927adfda0164b3638bf65f331ae6181e5e68264a3809744d489f9b48","impliedFormat":99},{"version":"4a45fe6a8311a82ae37dff2e9d295a870df30042af8b85d433a4ea7e1f67eeec","impliedFormat":99},{"version":"4248918827e8f480cbb1e1f65e21305fb65362d0aae9a8cf626ccfa419648527","impliedFormat":99},{"version":"984db96213910ed86bf0af7bcc2c9679d596efc53ad4c5ceb7731f654fa0e963","impliedFormat":1},"0bafa51c9cd7ea8b4a2f0e3ce52f39a91d996575e8c0fe2b9f839b97f6dd4470","2ea24cfb994a1a451abd4b0442a31f4648c9511f73c268f624544f2975fb7b50","6771397e347d8ed44a5e98360e19ca8e24dfd3fb4f3acaccfd56b7ecc410a7d0",{"version":"9931969d0976d9c2b17f3d5b3d093fce589c4273cd31986d83f9e3c0cd04b370","impliedFormat":1},{"version":"543d825016f39457b27070ccd8b48bca9b6117dd1c4477d58bf4a27b2bc6eaff","signature":"e74068f9049ea1879731e4a6e5874830a5ea7153988b4728d59ef1e218512f47"},"ab47925d5419232c45d67576ae059da0937990a363071ec8ab0904e60cc1f86b",{"version":"2fbe402f0ee5aa8ab55367f88030f79d46211c0a0f342becaa9f648bf8534e9d","impliedFormat":1},{"version":"b94258ef37e67474ac5522e9c519489a55dcb3d4a8f645e335fc68ea2215fe88","impliedFormat":1},"db977d821af56ae3fb7952182d9c0a076a10c75c38bc2d2b000827e720423d32",{"version":"a80ec72f5e178862476deaeed532c305bdfcd3627014ae7ac2901356d794fc93","impliedFormat":99},"415ccc47cf69a2a87db699cc6da7f1fdcb799a1f40dab3a6220d91ac8da8abbe","26f13a5937d8800c4f77a28e481bceb4d930e84dd1bb13581e5262bf35d1bf32","01c857f8ec1f73d5902d6f101a4d26999320e78dab7e1c33588d3d0a94907d42","7b0c54cf49644bfbeb1ab41977c24b46087d647a1943191c88d52217299d2bcd","8bad317eca5b74899d868688a339a16f54995e36810c0fdfe214c057755535e0","cbb7fde17bf285ee7d540f4b2c8773493a04e77568d3e5a77ed50c5f38546533","a8c0dd219dabd971008b4c597897779d4e911559235cc86097d8472a4661338e","8a361263f1bb1cfa9885902e9c492f6b7655e08d188dd73bd1a4242e6784a6a0","16576fde0050a5738c12608414bab38ea0e669047caec9cc2c8629d6c3f49cd4","491c1bb1ce5e0e629a862ecf451372149f4413a5754c485a4dbc5de5c8093843",{"version":"a9373d52584b48809ffd61d74f5b3dfd127da846e3c4ee3c415560386df3994b","impliedFormat":99},{"version":"caf4af98bf464ad3e10c46cf7d340556f89197aab0f87f032c7b84eb8ddb24d9","impliedFormat":99},{"version":"68b6a7501a56babd7bcd840e0d638ee7ec582f1e70b3c36ebf32e5e5836913c8","impliedFormat":99},{"version":"7a14bf21ae8a29d64c42173c08f026928daf418bed1b97b37ac4bb2aa197b89b","impliedFormat":99},"d9958fd005db42bcca4f2c12ede63500e74f1a9bd82ddc3a6bf6fcb369706f07","fa152421370cf649c175175928c76769689607bd3cb015f037dad5dc7cf9567d",{"version":"fa72c18735e13bc335e49426ca64f8161838024667e9ad1b7c4364db15067b8a","signature":"31a51143339c15896cabd11227ca234531d91695984e8d085a84f5c5d4d2ef29"},{"version":"3791f27f4a4fd7b20a18235be8bc41a929e41642b794b37a8f1c1074476e7e6f","signature":"d3654718421547abc33d40b462c0706df216b4288c4cb94914594ca649a84c46"},{"version":"80be1584bca95cafe0ada5e53e15a8e3bde90be2fe921db6e686305c4eefdb75","signature":"c0ffb642c7282acd6329cfe8e536d7b76eb55919228ed8a238fa51f790c9662a"},"64d9dead7bca302efd35e05bd88576e05008c90235d53487ae8968888dc50c1a",{"version":"abb5d4351959f5762d8312e2b8ea1c7228b90746eedcbdac6d7f57e3a68c122a","signature":"d658ada31348e3ea52bb8e97e8c1bb49a3cfcd8fcaf91479d3093fba6f441795"},{"version":"35aebe614e84a0e07da556b397bf2ddf073035857b24f06e9a5532b43e7c680b","signature":"4537e08fc89c023dd398153122031b74e265f63d3f571116857ccf4c82415edd"},{"version":"987599b8178bcb3a4107ef534939214306b90fb4ddeebb31aca5c1530d6c6e9d","signature":"79b866d84c045abc0cfa0c992b3c8d3b4c3af8565aaefa612cf88c105ad1314c"},{"version":"7ec047b73f621c526468517fea779fec2007dd05baa880989def59126c98ef79","impliedFormat":99},{"version":"8dd450de6d756cee0761f277c6dc58b0b5a66b8c274b980949318b8cad26d712","impliedFormat":99},{"version":"904d6ad970b6bd825449480488a73d9b98432357ab38cf8d31ffd651ae376ff5","impliedFormat":99},{"version":"dfcf16e716338e9fe8cf790ac7756f61c85b83b699861df970661e97bf482692","impliedFormat":99},"bb67c322bfde96ee051ae32c0760c65a1dea25146472d3bcaba5c21040ddeb7b","525b367905ccdf586b3ce33880fa82a3df42bb14e74ccd9b1b8bebe8b57da1a5","66b32871604d779cc45c2221c4a7f9ac20021a470004e42caf0f2f1793175741",{"version":"e0c868a08451c879984ccf4d4e3c1240b3be15af8988d230214977a3a3dad4ce","impliedFormat":1},{"version":"469532350a366536390c6eb3bde6839ec5c81fe1227a6b7b6a70202954d70c40","impliedFormat":1},{"version":"17c9f569be89b4c3c17dc17a9fb7909b6bab34f73da5a9a02d160f502624e2e8","impliedFormat":1},{"version":"003df7b9a77eaeb7a524b795caeeb0576e624e78dea5e362b053cb96ae89132a","impliedFormat":1},{"version":"7ba17571f91993b87c12b5e4ecafe66b1a1e2467ac26fcb5b8cee900f6cf8ff4","impliedFormat":1},{"version":"6fc1a4f64372593767a9b7b774e9b3b92bf04e8785c3f9ea98973aa9f4bbe490","impliedFormat":1},{"version":"d30e67059f5c545c5f8f0cc328a36d2e03b8c4a091b4301bc1d6afb2b1491a3a","impliedFormat":1},{"version":"8b219399c6a743b7c526d4267800bd7c84cf8e27f51884c86ad032d662218a9d","impliedFormat":1},{"version":"bad6d83a581dbd97677b96ee3270a5e7d91b692d220b87aab53d63649e47b9ad","impliedFormat":1},{"version":"324726a1827e34c0c45c43c32ecf73d235b01e76ef6d0f44c2c0270628df746a","impliedFormat":1},{"version":"54e79224429e911b5d6aeb3cf9097ec9fd0f140d5a1461bbdece3066b17c232c","impliedFormat":1},{"version":"e1b666b145865bc8d0d843134b21cf589c13beba05d333c7568e7c30309d933a","impliedFormat":1},{"version":"ff09b6fbdcf74d8af4e131b8866925c5e18d225540b9b19ce9485ca93e574d84","impliedFormat":1},{"version":"c836b5d8d84d990419548574fc037c923284df05803b098fe5ddaa49f88b898a","impliedFormat":1},{"version":"3a2b8ed9d6b687ab3e1eac3350c40b1624632f9e837afe8a4b5da295acf491cb","impliedFormat":1},{"version":"189266dd5f90a981910c70d7dfa05e2bca901a4f8a2680d7030c3abbfb5b1e23","impliedFormat":1},{"version":"5ec8dcf94c99d8f1ed7bb042cdfa4ef6a9810ca2f61d959be33bcaf3f309debe","impliedFormat":1},{"version":"a80e02af710bdac31f2d8308890ac4de4b6a221aafcbce808123bfc2903c5dc2","impliedFormat":1},{"version":"d5895252efa27a50f134a9b580aa61f7def5ab73d0a8071f9b5bf9a317c01c2d","impliedFormat":1},{"version":"2c378d9368abcd2eba8c29b294d40909845f68557bc0b38117e4f04fc56e5f9c","impliedFormat":1},{"version":"0f345151cece7be8d10df068b58983ea8bcbfead1b216f0734037a6c63d8af87","impliedFormat":1},{"version":"37fd7bde9c88aa142756d15aeba872498f45ad149e0d1e56f3bccc1af405c520","impliedFormat":1},{"version":"2a920fd01157f819cf0213edfb801c3fb970549228c316ce0a4b1885020bad35","impliedFormat":1},{"version":"56208c500dcb5f42be7e18e8cb578f257a1a89b94b3280c506818fed06391805","impliedFormat":1},{"version":"0c94c2e497e1b9bcfda66aea239d5d36cd980d12a6d9d59e66f4be1fa3da5d5a","impliedFormat":1},{"version":"a67774ceb500c681e1129b50a631fa210872bd4438fae55e5e8698bac7036b19","impliedFormat":1},{"version":"bb220eaac1677e2ad82ac4e7fd3e609a0c7b6f2d6d9c673a35068c97f9fcd5cd","affectsGlobalScope":true,"impliedFormat":1},{"version":"dd8936160e41420264a9d5fade0ff95cc92cab56032a84c74a46b4c38e43121e","impliedFormat":1},{"version":"1f366bde16e0513fa7b64f87f86689c4d36efd85afce7eb24753e9c99b91c319","impliedFormat":1},{"version":"421c3f008f6ef4a5db2194d58a7b960ef6f33e94b033415649cd557be09ef619","impliedFormat":1},{"version":"57568ff84b8ba1a4f8c817141644b49252cc39ec7b899e4bfba0ec0557c910a0","impliedFormat":1},{"version":"e6f10f9a770dedf552ca0946eef3a3386b9bfb41509233a30fc8ca47c49db71c","impliedFormat":1},{"version":"fb893a0dfc3c9fb0f9ca93d0648694dd95f33cbad2c0f2c629f842981dfd4e2e","impliedFormat":1},{"version":"3eb11dbf3489064a47a2e1cf9d261b1f100ef0b3b50ffca6c44dd99d6dd81ac1","impliedFormat":1},{"version":"8cbbb12bfb321de8bd58ba74329f683d82e4e0abb56d998c7f1eef2e764a74c8","impliedFormat":1},{"version":"8e0733c50eaac49b4e84954106acc144ec1a8019922d6afcde3762523a3634af","impliedFormat":1},{"version":"20e87d239740059866b5245e6ef6ae92e2d63cd0b63d39af3464b9e260dddce1","impliedFormat":1},{"version":"15fe687c59d62741b4494d5e623d497d55eb38966ecf5bea7f36e48fc3fbe15e","impliedFormat":1},{"version":"2c3b8be03577c98530ef9cb1a76e2c812636a871f367e9edf4c5f3ce702b77f8","affectsGlobalScope":true,"impliedFormat":1}],"root":[408,[410,489],491,492,495,[806,811],[819,821],823,824,827,[829,838],[843,849],851,[856,858]],"options":{"allowJs":true,"esModuleInterop":true,"jsx":1,"module":99,"skipLibCheck":true,"strict":false},"referencedMap":[[824,1],[810,2],[811,3],[411,4],[412,5],[413,3],[414,3],[415,3],[416,3],[417,3],[418,3],[419,3],[420,3],[421,3],[422,3],[423,3],[424,3],[425,3],[426,3],[427,3],[428,3],[429,3],[430,3],[431,3],[432,3],[433,3],[434,3],[435,3],[436,3],[437,3],[438,3],[439,3],[440,3],[441,3],[442,3],[443,3],[444,3],[445,3],[446,3],[447,3],[448,3],[449,3],[450,3],[451,3],[452,3],[453,3],[454,3],[455,3],[456,3],[457,3],[458,3],[459,3],[460,3],[461,3],[462,3],[463,3],[464,3],[465,3],[466,3],[467,3],[468,3],[469,3],[470,3],[471,3],[472,3],[473,3],[474,3],[475,3],[476,3],[477,3],[478,3],[479,3],[480,3],[481,3],[482,3],[483,3],[484,3],[485,3],[486,3],[487,3],[488,3],[489,3],[807,6],[410,7],[408,8],[740,9],[742,10],[743,11],[744,12],[739,3],[741,3],[735,13],[736,13],[737,14],[747,15],[748,13],[749,13],[750,16],[751,13],[752,13],[753,13],[754,13],[755,13],[746,13],[756,17],[757,15],[758,18],[759,18],[760,13],[761,19],[762,13],[763,20],[764,13],[765,13],[767,13],[738,3],[768,21],[766,22],[745,23],[733,22],[734,24],[710,25],[702,26],[700,27],[708,28],[701,3],[709,29],[707,30],[361,3],[839,22],[855,31],[852,32],[853,32],[854,32],[840,22],[841,33],[828,22],[842,34],[597,35],[600,36],[605,37],[606,38],[604,39],[607,3],[608,40],[584,41],[583,3],[726,22],[859,3],[861,42],[862,42],[863,3],[864,3],[866,43],[867,3],[868,3],[869,42],[870,3],[871,3],[872,44],[873,3],[874,3],[875,45],[876,3],[877,46],[878,3],[879,3],[880,3],[881,3],[884,3],[883,47],[860,3],[885,48],[886,3],[882,3],[887,3],[888,42],[889,49],[890,50],[892,51],[622,52],[621,3],[865,3],[582,53],[893,3],[498,53],[894,54],[706,3],[891,3],[895,53],[138,55],[139,55],[140,56],[96,57],[141,58],[142,59],[143,60],[94,3],[144,61],[145,62],[146,63],[147,64],[148,65],[149,66],[150,66],[152,3],[151,67],[153,68],[154,69],[155,70],[137,71],[95,3],[156,72],[157,73],[158,74],[191,75],[159,76],[160,77],[161,78],[162,79],[163,80],[164,81],[165,82],[166,83],[167,84],[168,85],[169,85],[170,86],[171,3],[172,3],[173,87],[175,88],[174,89],[176,90],[177,91],[178,92],[179,93],[180,94],[181,95],[182,96],[183,97],[184,98],[185,99],[186,100],[187,101],[188,102],[189,103],[190,104],[86,3],[196,105],[197,106],[195,22],[193,107],[194,108],[84,3],[87,109],[284,22],[897,110],[896,3],[497,3],[515,111],[503,112],[505,113],[513,3],[504,114],[514,115],[518,116],[516,3],[511,117],[508,118],[509,118],[510,118],[506,112],[507,3],[512,119],[502,120],[499,3],[517,121],[500,122],[501,3],[581,123],[580,124],[579,125],[528,3],[576,126],[578,127],[577,128],[826,129],[825,130],[493,3],[85,3],[667,131],[624,132],[625,132],[664,133],[655,134],[658,135],[661,136],[662,132],[663,132],[665,137],[666,138],[596,139],[595,140],[705,141],[704,142],[703,138],[711,3],[818,22],[529,3],[575,143],[536,144],[557,145],[547,146],[541,147],[546,148],[538,149],[544,150],[534,151],[535,152],[537,153],[542,154],[531,3],[533,155],[532,156],[551,157],[550,158],[574,159],[573,160],[572,3],[570,161],[558,162],[568,163],[569,164],[571,165],[564,166],[560,167],[561,168],[563,169],[567,170],[562,171],[559,3],[565,172],[566,173],[549,174],[556,175],[555,176],[553,177],[554,3],[545,3],[540,178],[543,3],[530,3],[539,3],[548,3],[552,3],[629,179],[628,180],[627,181],[654,182],[653,183],[657,184],[656,183],[660,185],[659,186],[697,187],[671,188],[672,189],[673,189],[674,189],[675,189],[676,189],[677,189],[678,189],[679,189],[680,189],[681,189],[695,190],[682,189],[683,189],[684,189],[685,189],[686,189],[687,189],[688,189],[689,189],[691,189],[692,189],[690,189],[693,189],[694,189],[696,189],[670,191],[652,192],[632,193],[633,193],[634,193],[635,193],[636,193],[637,193],[638,194],[640,193],[639,193],[651,195],[641,193],[643,193],[642,193],[645,193],[644,193],[646,193],[647,193],[648,193],[649,193],[650,193],[631,193],[630,196],[626,3],[496,22],[93,197],[364,198],[368,199],[370,200],[217,201],[231,202],[335,203],[263,3],[338,204],[299,205],[308,206],[336,207],[218,208],[262,3],[264,209],[337,210],[238,211],[219,212],[243,211],[232,211],[202,211],[822,3],[290,213],[291,214],[207,3],[287,215],[292,216],[379,217],[285,216],[380,218],[269,3],[288,219],[392,220],[391,221],[294,216],[390,3],[388,3],[389,222],[289,22],[276,223],[277,224],[286,225],[303,226],[304,227],[293,228],[271,229],[272,230],[383,231],[386,232],[250,233],[249,234],[248,235],[395,22],[247,236],[223,3],[398,3],[401,3],[400,22],[402,237],[198,3],[329,3],[230,238],[200,239],[352,3],[353,3],[355,3],[358,240],[354,3],[356,241],[357,241],[216,3],[229,3],[363,242],[371,243],[375,244],[212,245],[279,246],[278,3],[270,229],[298,247],[296,248],[295,3],[297,3],[302,249],[274,250],[211,251],[236,252],[326,253],[203,254],[210,255],[199,203],[340,256],[350,257],[339,3],[349,258],[237,3],[221,259],[317,260],[316,3],[323,261],[325,262],[318,263],[322,264],[324,261],[321,263],[320,261],[319,263],[259,265],[244,265],[311,266],[245,266],[205,267],[204,3],[315,268],[314,269],[313,270],[312,271],[206,272],[283,273],[300,274],[282,275],[307,276],[309,277],[306,275],[239,272],[192,3],[327,278],[265,279],[301,3],[348,280],[268,281],[343,282],[209,3],[344,283],[346,284],[347,285],[330,3],[342,254],[241,286],[328,287],[351,288],[213,3],[215,3],[220,289],[310,290],[208,291],[214,3],[267,292],[266,293],[222,294],[275,295],[273,296],[224,297],[226,298],[399,3],[225,299],[227,300],[366,3],[365,3],[367,3],[397,3],[228,301],[281,22],[92,3],[305,302],[251,3],[261,303],[240,3],[373,22],[382,304],[258,22],[377,216],[257,305],[360,306],[256,304],[201,3],[384,307],[254,22],[255,22],[246,3],[260,3],[253,308],[252,309],[242,310],[235,228],[345,3],[234,311],[233,3],[369,3],[280,22],[362,312],[83,3],[91,313],[88,22],[89,3],[90,3],[341,314],[334,315],[333,3],[332,316],[331,3],[372,317],[374,318],[376,319],[378,320],[381,321],[407,322],[385,322],[406,323],[387,324],[393,325],[394,326],[396,327],[403,328],[405,3],[404,329],[359,330],[801,22],[797,22],[798,22],[799,22],[800,22],[802,22],[803,331],[796,332],[725,333],[793,334],[794,335],[718,336],[719,22],[720,337],[795,338],[727,22],[773,22],[774,339],[775,22],[776,22],[777,22],[728,22],[730,340],[729,22],[778,341],[722,342],[792,343],[781,344],[769,339],[770,345],[782,346],[783,22],[731,22],[732,347],[784,22],[771,339],[772,348],[779,349],[786,22],[785,350],[804,22],[805,351],[724,352],[723,353],[787,22],[788,22],[789,354],[721,22],[790,22],[791,22],[780,355],[717,356],[716,356],[409,357],[815,356],[816,356],[817,358],[814,356],[812,356],[813,356],[620,359],[715,360],[714,361],[603,362],[602,3],[594,363],[591,364],[592,3],[593,3],[590,365],[713,366],[712,367],[619,368],[669,369],[668,370],[699,371],[698,372],[599,373],[609,374],[585,37],[598,375],[601,376],[623,3],[589,377],[587,378],[588,379],[586,3],[494,3],[616,380],[615,3],[81,3],[82,3],[13,3],[14,3],[16,3],[15,3],[2,3],[17,3],[18,3],[19,3],[20,3],[21,3],[22,3],[23,3],[24,3],[3,3],[25,3],[26,3],[4,3],[27,3],[31,3],[28,3],[29,3],[30,3],[32,3],[33,3],[34,3],[5,3],[35,3],[36,3],[37,3],[38,3],[6,3],[42,3],[39,3],[40,3],[41,3],[43,3],[7,3],[44,3],[49,3],[50,3],[45,3],[46,3],[47,3],[48,3],[8,3],[54,3],[51,3],[52,3],[53,3],[55,3],[9,3],[56,3],[57,3],[58,3],[60,3],[59,3],[61,3],[62,3],[10,3],[63,3],[64,3],[65,3],[11,3],[66,3],[67,3],[68,3],[69,3],[70,3],[1,3],[71,3],[72,3],[12,3],[76,3],[74,3],[79,3],[78,3],[73,3],[77,3],[75,3],[80,3],[114,381],[125,382],[112,383],[126,384],[135,385],[103,386],[104,387],[102,388],[134,329],[129,389],[133,390],[106,391],[122,392],[105,393],[132,394],[100,395],[101,389],[107,396],[108,3],[113,397],[111,396],[98,398],[136,399],[127,400],[117,401],[116,396],[118,402],[120,403],[115,404],[119,405],[130,329],[109,406],[110,407],[121,408],[99,384],[124,409],[123,396],[128,3],[97,3],[131,410],[618,411],[614,3],[617,412],[611,413],[610,53],[613,414],[612,415],[524,416],[522,417],[525,417],[519,416],[526,418],[527,419],[521,417],[520,420],[523,421],[490,3],[830,422],[831,423],[832,424],[834,425],[835,426],[836,427],[837,428],[808,22],[821,429],[838,430],[844,431],[819,432],[806,433],[823,434],[845,435],[846,436],[847,437],[809,438],[820,439],[827,440],[829,441],[833,442],[856,443],[843,444],[848,425],[849,445],[851,446],[857,447],[850,3],[495,448],[858,449],[491,450],[492,3]],"semanticDiagnosticsPerFile":[[823,[{"start":1854,"length":8,"code":2339,"category":1,"messageText":"Property 'pagefind' does not exist on type 'Window & typeof globalThis'."}]]],"affectedFilesPendingEmit":[824,810,811,411,412,413,414,415,416,417,418,419,420,421,422,423,424,425,426,427,428,429,430,431,432,433,434,435,436,437,438,439,440,441,442,443,444,445,446,447,448,449,450,451,452,453,454,455,456,457,458,459,460,461,462,463,464,465,466,467,468,469,470,471,472,473,474,475,476,477,478,479,480,481,482,483,484,485,486,487,488,489,807,410,830,831,832,834,835,836,837,808,821,838,844,819,806,823,845,846,847,809,820,827,829,833,856,843,848,849,851,857,495,858,491,492],"version":"5.9.2"}
\ No newline at end of file
+{"fileNames":["./node_modules/typescript/lib/lib.es5.d.ts","./node_modules/typescript/lib/lib.es2015.d.ts","./node_modules/typescript/lib/lib.es2016.d.ts","./node_modules/typescript/lib/lib.es2017.d.ts","./node_modules/typescript/lib/lib.es2018.d.ts","./node_modules/typescript/lib/lib.es2019.d.ts","./node_modules/typescript/lib/lib.es2020.d.ts","./node_modules/typescript/lib/lib.es2021.d.ts","./node_modules/typescript/lib/lib.es2022.d.ts","./node_modules/typescript/lib/lib.es2023.d.ts","./node_modules/typescript/lib/lib.es2024.d.ts","./node_modules/typescript/lib/lib.esnext.d.ts","./node_modules/typescript/lib/lib.dom.d.ts","./node_modules/typescript/lib/lib.dom.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.core.d.ts","./node_modules/typescript/lib/lib.es2015.collection.d.ts","./node_modules/typescript/lib/lib.es2015.generator.d.ts","./node_modules/typescript/lib/lib.es2015.iterable.d.ts","./node_modules/typescript/lib/lib.es2015.promise.d.ts","./node_modules/typescript/lib/lib.es2015.proxy.d.ts","./node_modules/typescript/lib/lib.es2015.reflect.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.d.ts","./node_modules/typescript/lib/lib.es2015.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2016.array.include.d.ts","./node_modules/typescript/lib/lib.es2016.intl.d.ts","./node_modules/typescript/lib/lib.es2017.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2017.date.d.ts","./node_modules/typescript/lib/lib.es2017.object.d.ts","./node_modules/typescript/lib/lib.es2017.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2017.string.d.ts","./node_modules/typescript/lib/lib.es2017.intl.d.ts","./node_modules/typescript/lib/lib.es2017.typedarrays.d.ts","./node_modules/typescript/lib/lib.es2018.asyncgenerator.d.ts","./node_modules/typescript/lib/lib.es2018.asynciterable.d.ts","./node_modules/typescript/lib/lib.es2018.intl.d.ts","./node_modules/typescript/lib/lib.es2018.promise.d.ts","./node_modules/typescript/lib/lib.es2018.regexp.d.ts","./node_modules/typescript/lib/lib.es2019.array.d.ts","./node_modules/typescript/lib/lib.es2019.object.d.ts","./node_modules/typescript/lib/lib.es2019.string.d.ts","./node_modules/typescript/lib/lib.es2019.symbol.d.ts","./node_modules/typescript/lib/lib.es2019.intl.d.ts","./node_modules/typescript/lib/lib.es2020.bigint.d.ts","./node_modules/typescript/lib/lib.es2020.date.d.ts","./node_modules/typescript/lib/lib.es2020.promise.d.ts","./node_modules/typescript/lib/lib.es2020.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2020.string.d.ts","./node_modules/typescript/lib/lib.es2020.symbol.wellknown.d.ts","./node_modules/typescript/lib/lib.es2020.intl.d.ts","./node_modules/typescript/lib/lib.es2020.number.d.ts","./node_modules/typescript/lib/lib.es2021.promise.d.ts","./node_modules/typescript/lib/lib.es2021.string.d.ts","./node_modules/typescript/lib/lib.es2021.weakref.d.ts","./node_modules/typescript/lib/lib.es2021.intl.d.ts","./node_modules/typescript/lib/lib.es2022.array.d.ts","./node_modules/typescript/lib/lib.es2022.error.d.ts","./node_modules/typescript/lib/lib.es2022.intl.d.ts","./node_modules/typescript/lib/lib.es2022.object.d.ts","./node_modules/typescript/lib/lib.es2022.string.d.ts","./node_modules/typescript/lib/lib.es2022.regexp.d.ts","./node_modules/typescript/lib/lib.es2023.array.d.ts","./node_modules/typescript/lib/lib.es2023.collection.d.ts","./node_modules/typescript/lib/lib.es2023.intl.d.ts","./node_modules/typescript/lib/lib.es2024.arraybuffer.d.ts","./node_modules/typescript/lib/lib.es2024.collection.d.ts","./node_modules/typescript/lib/lib.es2024.object.d.ts","./node_modules/typescript/lib/lib.es2024.promise.d.ts","./node_modules/typescript/lib/lib.es2024.regexp.d.ts","./node_modules/typescript/lib/lib.es2024.sharedmemory.d.ts","./node_modules/typescript/lib/lib.es2024.string.d.ts","./node_modules/typescript/lib/lib.esnext.array.d.ts","./node_modules/typescript/lib/lib.esnext.collection.d.ts","./node_modules/typescript/lib/lib.esnext.intl.d.ts","./node_modules/typescript/lib/lib.esnext.disposable.d.ts","./node_modules/typescript/lib/lib.esnext.promise.d.ts","./node_modules/typescript/lib/lib.esnext.decorators.d.ts","./node_modules/typescript/lib/lib.esnext.iterator.d.ts","./node_modules/typescript/lib/lib.esnext.float16.d.ts","./node_modules/typescript/lib/lib.esnext.error.d.ts","./node_modules/typescript/lib/lib.esnext.sharedmemory.d.ts","./node_modules/typescript/lib/lib.decorators.d.ts","./node_modules/typescript/lib/lib.decorators.legacy.d.ts","./node_modules/next/dist/styled-jsx/types/css.d.ts","./node_modules/@types/react/global.d.ts","./node_modules/csstype/index.d.ts","./node_modules/@types/prop-types/index.d.ts","./node_modules/@types/react/index.d.ts","./node_modules/next/dist/styled-jsx/types/index.d.ts","./node_modules/next/dist/styled-jsx/types/macro.d.ts","./node_modules/next/dist/styled-jsx/types/style.d.ts","./node_modules/next/dist/styled-jsx/types/global.d.ts","./node_modules/next/dist/shared/lib/amp.d.ts","./node_modules/next/amp.d.ts","./node_modules/@types/node/compatibility/iterators.d.ts","./node_modules/@types/node/globals.typedarray.d.ts","./node_modules/@types/node/buffer.buffer.d.ts","./node_modules/undici-types/utility.d.ts","./node_modules/undici-types/header.d.ts","./node_modules/undici-types/readable.d.ts","./node_modules/undici-types/fetch.d.ts","./node_modules/undici-types/formdata.d.ts","./node_modules/undici-types/connector.d.ts","./node_modules/undici-types/client-stats.d.ts","./node_modules/undici-types/client.d.ts","./node_modules/undici-types/errors.d.ts","./node_modules/undici-types/dispatcher.d.ts","./node_modules/undici-types/global-dispatcher.d.ts","./node_modules/undici-types/global-origin.d.ts","./node_modules/undici-types/pool-stats.d.ts","./node_modules/undici-types/pool.d.ts","./node_modules/undici-types/handlers.d.ts","./node_modules/undici-types/balanced-pool.d.ts","./node_modules/undici-types/h2c-client.d.ts","./node_modules/undici-types/agent.d.ts","./node_modules/undici-types/mock-interceptor.d.ts","./node_modules/undici-types/mock-call-history.d.ts","./node_modules/undici-types/mock-agent.d.ts","./node_modules/undici-types/mock-client.d.ts","./node_modules/undici-types/mock-pool.d.ts","./node_modules/undici-types/mock-errors.d.ts","./node_modules/undici-types/proxy-agent.d.ts","./node_modules/undici-types/env-http-proxy-agent.d.ts","./node_modules/undici-types/retry-handler.d.ts","./node_modules/undici-types/retry-agent.d.ts","./node_modules/undici-types/api.d.ts","./node_modules/undici-types/cache-interceptor.d.ts","./node_modules/undici-types/interceptors.d.ts","./node_modules/undici-types/util.d.ts","./node_modules/undici-types/cookies.d.ts","./node_modules/undici-types/patch.d.ts","./node_modules/undici-types/websocket.d.ts","./node_modules/undici-types/eventsource.d.ts","./node_modules/undici-types/diagnostics-channel.d.ts","./node_modules/undici-types/content-type.d.ts","./node_modules/undici-types/cache.d.ts","./node_modules/undici-types/index.d.ts","./node_modules/@types/node/globals.d.ts","./node_modules/@types/node/assert.d.ts","./node_modules/@types/node/assert/strict.d.ts","./node_modules/@types/node/async_hooks.d.ts","./node_modules/@types/node/buffer.d.ts","./node_modules/@types/node/child_process.d.ts","./node_modules/@types/node/cluster.d.ts","./node_modules/@types/node/console.d.ts","./node_modules/@types/node/constants.d.ts","./node_modules/@types/node/crypto.d.ts","./node_modules/@types/node/dgram.d.ts","./node_modules/@types/node/diagnostics_channel.d.ts","./node_modules/@types/node/dns.d.ts","./node_modules/@types/node/dns/promises.d.ts","./node_modules/@types/node/domain.d.ts","./node_modules/@types/node/dom-events.d.ts","./node_modules/@types/node/events.d.ts","./node_modules/@types/node/fs.d.ts","./node_modules/@types/node/fs/promises.d.ts","./node_modules/@types/node/http.d.ts","./node_modules/@types/node/http2.d.ts","./node_modules/@types/node/https.d.ts","./node_modules/@types/node/inspector.d.ts","./node_modules/@types/node/module.d.ts","./node_modules/@types/node/net.d.ts","./node_modules/@types/node/os.d.ts","./node_modules/@types/node/path.d.ts","./node_modules/@types/node/perf_hooks.d.ts","./node_modules/@types/node/process.d.ts","./node_modules/@types/node/punycode.d.ts","./node_modules/@types/node/querystring.d.ts","./node_modules/@types/node/readline.d.ts","./node_modules/@types/node/readline/promises.d.ts","./node_modules/@types/node/repl.d.ts","./node_modules/@types/node/sea.d.ts","./node_modules/@types/node/sqlite.d.ts","./node_modules/@types/node/stream.d.ts","./node_modules/@types/node/stream/promises.d.ts","./node_modules/@types/node/stream/consumers.d.ts","./node_modules/@types/node/stream/web.d.ts","./node_modules/@types/node/string_decoder.d.ts","./node_modules/@types/node/test.d.ts","./node_modules/@types/node/timers.d.ts","./node_modules/@types/node/timers/promises.d.ts","./node_modules/@types/node/tls.d.ts","./node_modules/@types/node/trace_events.d.ts","./node_modules/@types/node/tty.d.ts","./node_modules/@types/node/url.d.ts","./node_modules/@types/node/util.d.ts","./node_modules/@types/node/v8.d.ts","./node_modules/@types/node/vm.d.ts","./node_modules/@types/node/wasi.d.ts","./node_modules/@types/node/worker_threads.d.ts","./node_modules/@types/node/zlib.d.ts","./node_modules/@types/node/index.d.ts","./node_modules/next/dist/server/get-page-files.d.ts","./node_modules/@types/react/canary.d.ts","./node_modules/@types/react/experimental.d.ts","./node_modules/@types/react-dom/index.d.ts","./node_modules/@types/react-dom/canary.d.ts","./node_modules/@types/react-dom/experimental.d.ts","./node_modules/next/dist/compiled/webpack/webpack.d.ts","./node_modules/next/dist/server/config.d.ts","./node_modules/next/dist/lib/load-custom-routes.d.ts","./node_modules/next/dist/shared/lib/image-config.d.ts","./node_modules/next/dist/build/webpack/plugins/subresource-integrity-plugin.d.ts","./node_modules/next/dist/server/body-streams.d.ts","./node_modules/next/dist/server/future/route-kind.d.ts","./node_modules/next/dist/server/future/route-definitions/route-definition.d.ts","./node_modules/next/dist/server/future/route-matches/route-match.d.ts","./node_modules/next/dist/client/components/app-router-headers.d.ts","./node_modules/next/dist/server/request-meta.d.ts","./node_modules/next/dist/server/lib/revalidate.d.ts","./node_modules/next/dist/server/config-shared.d.ts","./node_modules/next/dist/server/base-http/index.d.ts","./node_modules/next/dist/server/api-utils/index.d.ts","./node_modules/next/dist/server/node-environment.d.ts","./node_modules/next/dist/server/require-hook.d.ts","./node_modules/next/dist/server/node-polyfill-crypto.d.ts","./node_modules/next/dist/lib/page-types.d.ts","./node_modules/next/dist/build/analysis/get-page-static-info.d.ts","./node_modules/next/dist/build/webpack/loaders/get-module-build-info.d.ts","./node_modules/next/dist/build/webpack/plugins/middleware-plugin.d.ts","./node_modules/next/dist/server/render-result.d.ts","./node_modules/next/dist/server/future/helpers/i18n-provider.d.ts","./node_modules/next/dist/server/web/next-url.d.ts","./node_modules/next/dist/compiled/@edge-runtime/cookies/index.d.ts","./node_modules/next/dist/server/web/spec-extension/cookies.d.ts","./node_modules/next/dist/server/web/spec-extension/request.d.ts","./node_modules/next/dist/server/web/spec-extension/fetch-event.d.ts","./node_modules/next/dist/server/web/spec-extension/response.d.ts","./node_modules/next/dist/server/web/types.d.ts","./node_modules/next/dist/lib/setup-exception-listeners.d.ts","./node_modules/next/dist/lib/constants.d.ts","./node_modules/next/dist/build/index.d.ts","./node_modules/next/dist/build/webpack/plugins/pages-manifest-plugin.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-regex.d.ts","./node_modules/next/dist/shared/lib/router/utils/route-matcher.d.ts","./node_modules/next/dist/shared/lib/router/utils/parse-url.d.ts","./node_modules/next/dist/server/base-http/node.d.ts","./node_modules/next/dist/server/font-utils.d.ts","./node_modules/next/dist/build/webpack/plugins/flight-manifest-plugin.d.ts","./node_modules/next/dist/server/future/route-modules/route-module.d.ts","./node_modules/next/dist/shared/lib/deep-readonly.d.ts","./node_modules/next/dist/server/load-components.d.ts","./node_modules/next/dist/shared/lib/router/utils/middleware-route-matcher.d.ts","./node_modules/next/dist/build/webpack/plugins/next-font-manifest-plugin.d.ts","./node_modules/next/dist/server/future/route-definitions/locale-route-definition.d.ts","./node_modules/next/dist/server/future/route-definitions/pages-route-definition.d.ts","./node_modules/next/dist/shared/lib/mitt.d.ts","./node_modules/next/dist/client/with-router.d.ts","./node_modules/next/dist/client/router.d.ts","./node_modules/next/dist/client/route-loader.d.ts","./node_modules/next/dist/client/page-loader.d.ts","./node_modules/next/dist/shared/lib/bloom-filter.d.ts","./node_modules/next/dist/shared/lib/router/router.d.ts","./node_modules/next/dist/shared/lib/router-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/loadable.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/image-config-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/hooks-client-context.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/head-manager-context.shared-runtime.d.ts","./node_modules/next/dist/server/future/route-definitions/app-page-route-definition.d.ts","./node_modules/next/dist/shared/lib/modern-browserslist-target.d.ts","./node_modules/next/dist/shared/lib/constants.d.ts","./node_modules/next/dist/build/webpack/loaders/metadata/types.d.ts","./node_modules/next/dist/build/page-extensions-type.d.ts","./node_modules/next/dist/build/webpack/loaders/next-app-loader.d.ts","./node_modules/next/dist/server/lib/app-dir-module.d.ts","./node_modules/next/dist/server/response-cache/types.d.ts","./node_modules/next/dist/server/response-cache/index.d.ts","./node_modules/next/dist/server/lib/incremental-cache/index.d.ts","./node_modules/next/dist/client/components/hooks-server-context.d.ts","./node_modules/next/dist/server/app-render/dynamic-rendering.d.ts","./node_modules/next/dist/client/components/static-generation-async-storage-instance.d.ts","./node_modules/next/dist/client/components/static-generation-async-storage.external.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/request-cookies.d.ts","./node_modules/next/dist/server/async-storage/draft-mode-provider.d.ts","./node_modules/next/dist/server/web/spec-extension/adapters/headers.d.ts","./node_modules/next/dist/client/components/request-async-storage-instance.d.ts","./node_modules/next/dist/client/components/request-async-storage.external.d.ts","./node_modules/next/dist/server/app-render/create-error-handler.d.ts","./node_modules/next/dist/server/app-render/app-render.d.ts","./node_modules/next/dist/shared/lib/server-inserted-html.shared-runtime.d.ts","./node_modules/next/dist/shared/lib/amp-context.shared-runtime.d.ts","./node_modules/next/dist/server/future/route-modules/app-page/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/future/route-modules/app-page/module.compiled.d.ts","./node_modules/@types/react/jsx-runtime.d.ts","./node_modules/next/dist/client/components/error-boundary.d.ts","./node_modules/next/dist/client/components/router-reducer/create-initial-router-state.d.ts","./node_modules/next/dist/client/components/app-router.d.ts","./node_modules/next/dist/client/components/layout-router.d.ts","./node_modules/next/dist/client/components/render-from-template-context.d.ts","./node_modules/next/dist/client/components/action-async-storage-instance.d.ts","./node_modules/next/dist/client/components/action-async-storage.external.d.ts","./node_modules/next/dist/client/components/client-page.d.ts","./node_modules/next/dist/client/components/search-params.d.ts","./node_modules/next/dist/client/components/not-found-boundary.d.ts","./node_modules/next/dist/server/app-render/rsc/preloads.d.ts","./node_modules/next/dist/server/app-render/rsc/postpone.d.ts","./node_modules/next/dist/server/app-render/rsc/taint.d.ts","./node_modules/next/dist/server/app-render/entry-base.d.ts","./node_modules/next/dist/build/templates/app-page.d.ts","./node_modules/next/dist/server/future/route-modules/app-page/module.d.ts","./node_modules/next/dist/server/lib/builtin-request-context.d.ts","./node_modules/next/dist/server/app-render/types.d.ts","./node_modules/next/dist/client/components/router-reducer/fetch-server-response.d.ts","./node_modules/next/dist/client/components/router-reducer/router-reducer-types.d.ts","./node_modules/next/dist/shared/lib/app-router-context.shared-runtime.d.ts","./node_modules/next/dist/server/future/route-modules/pages/vendored/contexts/entrypoints.d.ts","./node_modules/next/dist/server/future/route-modules/pages/module.compiled.d.ts","./node_modules/next/dist/build/templates/pages.d.ts","./node_modules/next/dist/server/future/route-modules/pages/module.d.ts","./node_modules/next/dist/server/render.d.ts","./node_modules/next/dist/server/future/route-definitions/pages-api-route-definition.d.ts","./node_modules/next/dist/server/future/route-matches/pages-api-route-match.d.ts","./node_modules/next/dist/server/future/route-matchers/route-matcher.d.ts","./node_modules/next/dist/server/future/route-matcher-providers/route-matcher-provider.d.ts","./node_modules/next/dist/server/future/route-matcher-managers/route-matcher-manager.d.ts","./node_modules/next/dist/server/future/normalizers/normalizer.d.ts","./node_modules/next/dist/server/future/normalizers/locale-route-normalizer.d.ts","./node_modules/next/dist/server/future/normalizers/request/pathname-normalizer.d.ts","./node_modules/next/dist/server/future/normalizers/request/suffix.d.ts","./node_modules/next/dist/server/future/normalizers/request/rsc.d.ts","./node_modules/next/dist/server/future/normalizers/request/prefix.d.ts","./node_modules/next/dist/server/future/normalizers/request/postponed.d.ts","./node_modules/next/dist/server/future/normalizers/request/action.d.ts","./node_modules/next/dist/server/future/normalizers/request/prefetch-rsc.d.ts","./node_modules/next/dist/server/future/normalizers/request/next-data.d.ts","./node_modules/next/dist/server/base-server.d.ts","./node_modules/next/dist/server/image-optimizer.d.ts","./node_modules/next/dist/server/next-server.d.ts","./node_modules/next/dist/lib/coalesced-function.d.ts","./node_modules/next/dist/server/lib/router-utils/types.d.ts","./node_modules/next/dist/trace/types.d.ts","./node_modules/next/dist/trace/trace.d.ts","./node_modules/next/dist/trace/shared.d.ts","./node_modules/next/dist/trace/index.d.ts","./node_modules/next/dist/build/load-jsconfig.d.ts","./node_modules/next/dist/build/webpack-config.d.ts","./node_modules/next/dist/build/webpack/plugins/define-env-plugin.d.ts","./node_modules/next/dist/build/swc/index.d.ts","./node_modules/next/dist/server/dev/parse-version-info.d.ts","./node_modules/next/dist/server/dev/hot-reloader-types.d.ts","./node_modules/next/dist/telemetry/storage.d.ts","./node_modules/next/dist/server/lib/types.d.ts","./node_modules/next/dist/server/lib/render-server.d.ts","./node_modules/next/dist/server/lib/router-server.d.ts","./node_modules/next/dist/shared/lib/router/utils/path-match.d.ts","./node_modules/next/dist/server/lib/router-utils/filesystem.d.ts","./node_modules/next/dist/server/lib/router-utils/setup-dev-bundler.d.ts","./node_modules/next/dist/server/lib/dev-bundler-service.d.ts","./node_modules/next/dist/server/dev/static-paths-worker.d.ts","./node_modules/next/dist/server/dev/next-dev-server.d.ts","./node_modules/next/dist/server/next.d.ts","./node_modules/next/dist/lib/metadata/types/alternative-urls-types.d.ts","./node_modules/next/dist/lib/metadata/types/extra-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-types.d.ts","./node_modules/next/dist/lib/metadata/types/manifest-types.d.ts","./node_modules/next/dist/lib/metadata/types/opengraph-types.d.ts","./node_modules/next/dist/lib/metadata/types/twitter-types.d.ts","./node_modules/next/dist/lib/metadata/types/metadata-interface.d.ts","./node_modules/next/types/index.d.ts","./node_modules/next/dist/shared/lib/html-context.shared-runtime.d.ts","./node_modules/@next/env/dist/index.d.ts","./node_modules/next/dist/shared/lib/utils.d.ts","./node_modules/next/dist/pages/_app.d.ts","./node_modules/next/app.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-cache.d.ts","./node_modules/next/dist/server/web/spec-extension/revalidate.d.ts","./node_modules/next/dist/server/web/spec-extension/unstable-no-store.d.ts","./node_modules/next/cache.d.ts","./node_modules/next/dist/shared/lib/runtime-config.external.d.ts","./node_modules/next/config.d.ts","./node_modules/next/dist/pages/_document.d.ts","./node_modules/next/document.d.ts","./node_modules/next/dist/shared/lib/dynamic.d.ts","./node_modules/next/dynamic.d.ts","./node_modules/next/dist/pages/_error.d.ts","./node_modules/next/error.d.ts","./node_modules/next/dist/shared/lib/head.d.ts","./node_modules/next/head.d.ts","./node_modules/next/dist/client/components/draft-mode.d.ts","./node_modules/next/dist/client/components/headers.d.ts","./node_modules/next/headers.d.ts","./node_modules/next/dist/shared/lib/get-img-props.d.ts","./node_modules/next/dist/client/image-component.d.ts","./node_modules/next/dist/shared/lib/image-external.d.ts","./node_modules/next/image.d.ts","./node_modules/next/dist/client/link.d.ts","./node_modules/next/link.d.ts","./node_modules/next/dist/client/components/redirect-status-code.d.ts","./node_modules/next/dist/client/components/redirect.d.ts","./node_modules/next/dist/client/components/not-found.d.ts","./node_modules/next/dist/client/components/navigation.react-server.d.ts","./node_modules/next/dist/client/components/navigation.d.ts","./node_modules/next/navigation.d.ts","./node_modules/next/router.d.ts","./node_modules/next/dist/client/script.d.ts","./node_modules/next/script.d.ts","./node_modules/next/dist/server/web/spec-extension/user-agent.d.ts","./node_modules/next/dist/compiled/@edge-runtime/primitives/url.d.ts","./node_modules/next/dist/server/web/spec-extension/image-response.d.ts","./node_modules/next/dist/compiled/@vercel/og/satori/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/emoji/index.d.ts","./node_modules/next/dist/compiled/@vercel/og/types.d.ts","./node_modules/next/server.d.ts","./node_modules/next/types/global.d.ts","./node_modules/next/types/compiled.d.ts","./node_modules/next/index.d.ts","./node_modules/next/image-types/global.d.ts","./next-env.d.ts","./node_modules/@theguild/remark-mermaid/dist/mermaid.d.ts","./node_modules/better-react-mathjax/mathjax2.d.ts","./node_modules/mathjax-full/js/components/global.d.ts","./node_modules/mathjax-full/js/util/options.d.ts","./node_modules/mathjax-full/js/core/tree/factory.d.ts","./node_modules/mathjax-full/js/core/tree/nodefactory.d.ts","./node_modules/mathjax-full/js/core/tree/node.d.ts","./node_modules/mathjax-full/js/core/mmltree/attributes.d.ts","./node_modules/mathjax-full/js/core/mmltree/mmlfactory.d.ts","./node_modules/mathjax-full/js/core/domadaptor.d.ts","./node_modules/mathjax-full/js/core/mmltree/mmlnode.d.ts","./node_modules/mathjax-full/js/core/mathitem.d.ts","./node_modules/mathjax-full/js/util/prioritizedlist.d.ts","./node_modules/mathjax-full/js/util/functionlist.d.ts","./node_modules/mathjax-full/js/core/inputjax.d.ts","./node_modules/mathjax-full/js/core/outputjax.d.ts","./node_modules/mathjax-full/js/util/linkedlist.d.ts","./node_modules/mathjax-full/js/core/mathlist.d.ts","./node_modules/mathjax-full/js/util/bitfield.d.ts","./node_modules/mathjax-full/js/core/mathdocument.d.ts","./node_modules/mathjax-full/js/core/handler.d.ts","./node_modules/mathjax-full/js/util/stylelist.d.ts","./node_modules/mathjax-full/js/output/common/fontdata.d.ts","./node_modules/mathjax-full/js/core/tree/wrapperfactory.d.ts","./node_modules/mathjax-full/js/core/tree/wrapper.d.ts","./node_modules/mathjax-full/js/util/styles.d.ts","./node_modules/mathjax-full/js/output/common/wrapperfactory.d.ts","./node_modules/mathjax-full/js/util/bbox.d.ts","./node_modules/mathjax-full/js/output/common/wrapper.d.ts","./node_modules/mathjax-full/js/output/common/outputjax.d.ts","./node_modules/mathjax-full/js/core/findmath.d.ts","./node_modules/mathjax-full/js/input/tex/findtex.d.ts","./node_modules/mathjax-full/js/input/tex/texerror.d.ts","./node_modules/mathjax-full/js/input/tex/stackitem.d.ts","./node_modules/mathjax-full/js/input/tex/stackitemfactory.d.ts","./node_modules/mathjax-full/js/input/tex/tags.d.ts","./node_modules/mathjax-full/js/input/tex/symbol.d.ts","./node_modules/mathjax-full/js/input/tex/stack.d.ts","./node_modules/mathjax-full/js/input/tex/texparser.d.ts","./node_modules/mathjax-full/js/input/tex/types.d.ts","./node_modules/mathjax-full/js/input/tex/symbolmap.d.ts","./node_modules/mathjax-full/js/input/tex/maphandler.d.ts","./node_modules/mathjax-full/js/input/tex/nodefactory.d.ts","./node_modules/mathjax-full/js/input/tex/configuration.d.ts","./node_modules/mathjax-full/js/input/tex/parseoptions.d.ts","./node_modules/mathjax-full/js/input/tex/base/basemappings.d.ts","./node_modules/mathjax-full/js/input/tex/base/baseconfiguration.d.ts","./node_modules/mathjax-full/js/input/tex.d.ts","./node_modules/mathjax-full/js/components/startup.d.ts","./node_modules/better-react-mathjax/mathjax3.d.ts","./node_modules/better-react-mathjax/mathjaxcontext/mathjaxcontext.d.ts","./node_modules/better-react-mathjax/mathjaxcontext/index.d.ts","./node_modules/better-react-mathjax/mathjax/mathjax.d.ts","./node_modules/better-react-mathjax/mathjax/index.d.ts","./node_modules/better-react-mathjax/index.d.ts","./node_modules/nextra/dist/client/components/banner/index.d.ts","./node_modules/nextra/dist/client/components/file-tree/file.d.ts","./node_modules/nextra/dist/client/components/file-tree/tree.d.ts","./node_modules/nextra/dist/client/components/file-tree/index.d.ts","./node_modules/nextra/dist/client/components/skip-nav/index.client.d.ts","./node_modules/nextra/dist/client/components/skip-nav/index.d.ts","./node_modules/@headlessui/react/dist/types.d.ts","./node_modules/@headlessui/react/dist/utils/render.d.ts","./node_modules/@headlessui/react/dist/components/button/button.d.ts","./node_modules/@headlessui/react/dist/components/checkbox/checkbox.d.ts","./node_modules/@headlessui/react/dist/components/close-button/close-button.d.ts","./node_modules/@headlessui/react/dist/hooks/use-by-comparator.d.ts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.d.mts","./node_modules/@floating-ui/core/dist/floating-ui.core.d.mts","./node_modules/@floating-ui/utils/dist/floating-ui.utils.dom.d.mts","./node_modules/@floating-ui/dom/dist/floating-ui.dom.d.mts","./node_modules/@floating-ui/react-dom/dist/floating-ui.react-dom.d.mts","./node_modules/@floating-ui/react/dist/floating-ui.react.d.mts","./node_modules/@headlessui/react/dist/internal/floating.d.ts","./node_modules/@headlessui/react/dist/components/label/label.d.ts","./node_modules/@headlessui/react/dist/components/combobox/combobox.d.ts","./node_modules/@headlessui/react/dist/components/data-interactive/data-interactive.d.ts","./node_modules/@headlessui/react/dist/components/description/description.d.ts","./node_modules/@headlessui/react/dist/components/dialog/dialog.d.ts","./node_modules/@headlessui/react/dist/components/disclosure/disclosure.d.ts","./node_modules/@headlessui/react/dist/components/field/field.d.ts","./node_modules/@headlessui/react/dist/components/fieldset/fieldset.d.ts","./node_modules/@headlessui/react/dist/components/focus-trap/focus-trap.d.ts","./node_modules/@headlessui/react/dist/components/input/input.d.ts","./node_modules/@headlessui/react/dist/components/legend/legend.d.ts","./node_modules/@headlessui/react/dist/components/listbox/listbox.d.ts","./node_modules/@headlessui/react/dist/components/menu/menu.d.ts","./node_modules/@headlessui/react/dist/components/popover/popover.d.ts","./node_modules/@headlessui/react/dist/components/portal/portal.d.ts","./node_modules/@headlessui/react/dist/components/radio-group/radio-group.d.ts","./node_modules/@headlessui/react/dist/components/select/select.d.ts","./node_modules/@headlessui/react/dist/components/switch/switch.d.ts","./node_modules/@headlessui/react/dist/components/tabs/tabs.d.ts","./node_modules/@headlessui/react/dist/components/textarea/textarea.d.ts","./node_modules/@headlessui/react/dist/internal/close-provider.d.ts","./node_modules/@headlessui/react/dist/components/transition/transition.d.ts","./node_modules/@headlessui/react/dist/index.d.ts","./node_modules/nextra/dist/client/components/popup/index.client.d.ts","./node_modules/nextra/dist/client/components/popup/index.d.ts","./node_modules/nextra/dist/client/components/tabs/index.client.d.ts","./node_modules/nextra/dist/client/components/tabs/index.d.ts","./node_modules/nextra/dist/client/components/bleed.d.ts","./node_modules/nextra/dist/client/components/button.d.ts","./node_modules/nextra/dist/client/components/callout.d.ts","./node_modules/nextra/dist/client/components/cards.d.ts","./node_modules/nextra/dist/client/components/collapse.d.ts","./node_modules/zod/v4/core/json-schema.d.cts","./node_modules/zod/v4/core/standard-schema.d.cts","./node_modules/zod/v4/core/registries.d.cts","./node_modules/zod/v4/core/to-json-schema.d.cts","./node_modules/zod/v4/core/util.d.cts","./node_modules/zod/v4/core/versions.d.cts","./node_modules/zod/v4/core/schemas.d.cts","./node_modules/zod/v4/core/checks.d.cts","./node_modules/zod/v4/core/errors.d.cts","./node_modules/zod/v4/core/core.d.cts","./node_modules/zod/v4/core/parse.d.cts","./node_modules/zod/v4/core/regexes.d.cts","./node_modules/zod/v4/locales/ar.d.cts","./node_modules/zod/v4/locales/az.d.cts","./node_modules/zod/v4/locales/be.d.cts","./node_modules/zod/v4/locales/bg.d.cts","./node_modules/zod/v4/locales/ca.d.cts","./node_modules/zod/v4/locales/cs.d.cts","./node_modules/zod/v4/locales/da.d.cts","./node_modules/zod/v4/locales/de.d.cts","./node_modules/zod/v4/locales/en.d.cts","./node_modules/zod/v4/locales/eo.d.cts","./node_modules/zod/v4/locales/es.d.cts","./node_modules/zod/v4/locales/fa.d.cts","./node_modules/zod/v4/locales/fi.d.cts","./node_modules/zod/v4/locales/fr.d.cts","./node_modules/zod/v4/locales/fr-ca.d.cts","./node_modules/zod/v4/locales/he.d.cts","./node_modules/zod/v4/locales/hu.d.cts","./node_modules/zod/v4/locales/hy.d.cts","./node_modules/zod/v4/locales/id.d.cts","./node_modules/zod/v4/locales/is.d.cts","./node_modules/zod/v4/locales/it.d.cts","./node_modules/zod/v4/locales/ja.d.cts","./node_modules/zod/v4/locales/ka.d.cts","./node_modules/zod/v4/locales/kh.d.cts","./node_modules/zod/v4/locales/km.d.cts","./node_modules/zod/v4/locales/ko.d.cts","./node_modules/zod/v4/locales/lt.d.cts","./node_modules/zod/v4/locales/mk.d.cts","./node_modules/zod/v4/locales/ms.d.cts","./node_modules/zod/v4/locales/nl.d.cts","./node_modules/zod/v4/locales/no.d.cts","./node_modules/zod/v4/locales/ota.d.cts","./node_modules/zod/v4/locales/ps.d.cts","./node_modules/zod/v4/locales/pl.d.cts","./node_modules/zod/v4/locales/pt.d.cts","./node_modules/zod/v4/locales/ru.d.cts","./node_modules/zod/v4/locales/sl.d.cts","./node_modules/zod/v4/locales/sv.d.cts","./node_modules/zod/v4/locales/ta.d.cts","./node_modules/zod/v4/locales/th.d.cts","./node_modules/zod/v4/locales/tr.d.cts","./node_modules/zod/v4/locales/ua.d.cts","./node_modules/zod/v4/locales/uk.d.cts","./node_modules/zod/v4/locales/ur.d.cts","./node_modules/zod/v4/locales/uz.d.cts","./node_modules/zod/v4/locales/vi.d.cts","./node_modules/zod/v4/locales/zh-cn.d.cts","./node_modules/zod/v4/locales/zh-tw.d.cts","./node_modules/zod/v4/locales/yo.d.cts","./node_modules/zod/v4/locales/index.d.cts","./node_modules/zod/v4/core/doc.d.cts","./node_modules/zod/v4/core/api.d.cts","./node_modules/zod/v4/core/json-schema-processors.d.cts","./node_modules/zod/v4/core/json-schema-generator.d.cts","./node_modules/zod/v4/core/index.d.cts","./node_modules/zod/v4/classic/errors.d.cts","./node_modules/zod/v4/classic/parse.d.cts","./node_modules/zod/v4/classic/schemas.d.cts","./node_modules/zod/v4/classic/checks.d.cts","./node_modules/zod/v4/classic/compat.d.cts","./node_modules/zod/v4/classic/from-json-schema.d.cts","./node_modules/zod/v4/classic/iso.d.cts","./node_modules/zod/v4/classic/coerce.d.cts","./node_modules/zod/v4/classic/external.d.cts","./node_modules/zod/index.d.cts","./node_modules/@types/unist/index.d.ts","./node_modules/@types/hast/index.d.ts","./node_modules/@shikijs/vscode-textmate/dist/index.d.ts","./node_modules/@shikijs/types/dist/index.d.mts","./node_modules/shiki/dist/langs.d.mts","./node_modules/stringify-entities/lib/util/format-smart.d.ts","./node_modules/stringify-entities/lib/core.d.ts","./node_modules/stringify-entities/lib/index.d.ts","./node_modules/stringify-entities/index.d.ts","./node_modules/property-information/lib/util/info.d.ts","./node_modules/property-information/lib/find.d.ts","./node_modules/property-information/lib/hast-to-react.d.ts","./node_modules/property-information/lib/normalize.d.ts","./node_modules/property-information/index.d.ts","./node_modules/hast-util-to-html/lib/index.d.ts","./node_modules/hast-util-to-html/index.d.ts","./node_modules/@shikijs/core/dist/index.d.mts","./node_modules/shiki/dist/themes.d.mts","./node_modules/shiki/dist/bundle-full.d.mts","./node_modules/@shikijs/core/dist/types.d.mts","./node_modules/shiki/dist/types.d.mts","./node_modules/oniguruma-to-es/dist/esm/subclass.d.ts","./node_modules/oniguruma-to-es/dist/esm/index.d.ts","./node_modules/@shikijs/engine-javascript/dist/shared/engine-javascript.cdednu-m.d.mts","./node_modules/@shikijs/engine-javascript/dist/engine-raw.d.mts","./node_modules/@shikijs/engine-javascript/dist/index.d.mts","./node_modules/@shikijs/engine-oniguruma/dist/chunk-index.d.d.mts","./node_modules/@shikijs/engine-oniguruma/dist/index.d.mts","./node_modules/shiki/dist/index.d.mts","./node_modules/vfile-message/lib/index.d.ts","./node_modules/vfile-message/index.d.ts","./node_modules/vfile/lib/index.d.ts","./node_modules/vfile/index.d.ts","./node_modules/unified/lib/callable-instance.d.ts","./node_modules/trough/lib/index.d.ts","./node_modules/trough/index.d.ts","./node_modules/unified/lib/index.d.ts","./node_modules/unified/index.d.ts","./node_modules/rehype-pretty-code/dist/index.d.ts","./node_modules/@types/mdast/index.d.ts","./node_modules/@types/estree/index.d.ts","./node_modules/@types/estree-jsx/index.d.ts","./node_modules/source-map/source-map.d.ts","./node_modules/hast-util-to-estree/lib/handlers/comment.d.ts","./node_modules/hast-util-to-estree/lib/handlers/element.d.ts","./node_modules/micromark-util-types/index.d.ts","./node_modules/mdast-util-from-markdown/lib/types.d.ts","./node_modules/mdast-util-from-markdown/lib/index.d.ts","./node_modules/mdast-util-from-markdown/index.d.ts","./node_modules/mdast-util-to-markdown/lib/types.d.ts","./node_modules/mdast-util-to-markdown/lib/index.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/blockquote.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/break.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/code.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/definition.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/emphasis.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/heading.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/html.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/image.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/image-reference.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/inline-code.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/link.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/link-reference.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/list.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/list-item.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/paragraph.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/root.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/strong.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/text.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/thematic-break.d.ts","./node_modules/mdast-util-to-markdown/lib/handle/index.d.ts","./node_modules/mdast-util-to-markdown/index.d.ts","./node_modules/mdast-util-mdx-expression/lib/index.d.ts","./node_modules/mdast-util-mdx-expression/index.d.ts","./node_modules/hast-util-to-estree/lib/handlers/mdx-expression.d.ts","./node_modules/mdast-util-mdx-jsx/lib/index.d.ts","./node_modules/mdast-util-mdx-jsx/index.d.ts","./node_modules/hast-util-to-estree/lib/handlers/mdx-jsx-element.d.ts","./node_modules/mdast-util-mdxjs-esm/lib/index.d.ts","./node_modules/mdast-util-mdxjs-esm/index.d.ts","./node_modules/hast-util-to-estree/lib/handlers/mdxjs-esm.d.ts","./node_modules/hast-util-to-estree/lib/handlers/root.d.ts","./node_modules/hast-util-to-estree/lib/handlers/text.d.ts","./node_modules/hast-util-to-estree/lib/handlers/index.d.ts","./node_modules/hast-util-to-estree/lib/index.d.ts","./node_modules/hast-util-to-estree/lib/state.d.ts","./node_modules/hast-util-to-estree/index.d.ts","./node_modules/rehype-recma/lib/index.d.ts","./node_modules/rehype-recma/index.d.ts","./node_modules/mdast-util-to-hast/lib/state.d.ts","./node_modules/mdast-util-to-hast/lib/footer.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/blockquote.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/break.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/code.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/delete.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/emphasis.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/footnote-reference.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/heading.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/html.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/image-reference.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/image.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/inline-code.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/link-reference.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/link.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/list-item.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/list.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/paragraph.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/root.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/strong.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/table.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/table-cell.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/table-row.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/text.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/thematic-break.d.ts","./node_modules/mdast-util-to-hast/lib/handlers/index.d.ts","./node_modules/mdast-util-to-hast/lib/index.d.ts","./node_modules/mdast-util-to-hast/index.d.ts","./node_modules/remark-rehype/lib/index.d.ts","./node_modules/remark-rehype/index.d.ts","./node_modules/@mdx-js/mdx/lib/core.d.ts","./node_modules/@mdx-js/mdx/lib/node-types.d.ts","./node_modules/@mdx-js/mdx/lib/compile.d.ts","./node_modules/hast-util-to-jsx-runtime/lib/types.d.ts","./node_modules/hast-util-to-jsx-runtime/lib/index.d.ts","./node_modules/hast-util-to-jsx-runtime/index.d.ts","./node_modules/@types/mdx/types.d.ts","./node_modules/@mdx-js/mdx/lib/util/resolve-evaluate-options.d.ts","./node_modules/@mdx-js/mdx/lib/evaluate.d.ts","./node_modules/@mdx-js/mdx/lib/run.d.ts","./node_modules/@mdx-js/mdx/index.d.ts","./node_modules/katex/types/katex.d.ts","./node_modules/rehype-katex/lib/index.d.ts","./node_modules/rehype-katex/index.d.ts","./node_modules/nextra/dist/types.generated.d.ts","./node_modules/nextra/dist/client/components/head.d.ts","./node_modules/nextra/dist/client/components/image-zoom.d.ts","./node_modules/nextra/dist/server/schemas.d.ts","./node_modules/nextra/dist/types.d.ts","./node_modules/nextra/dist/client/mdx-components/anchor.d.ts","./node_modules/nextra/dist/client/mdx-components.d.ts","./node_modules/nextra/dist/client/evaluate.d.ts","./node_modules/nextra/dist/client/mdx-remote.d.ts","./node_modules/nextra/dist/client/components/playground.d.ts","./node_modules/nextra/dist/client/components/search.d.ts","./node_modules/nextra/dist/client/components/select.d.ts","./node_modules/nextra/dist/client/components/steps.d.ts","./node_modules/nextra/dist/client/mdx-components/pre/index.d.ts","./node_modules/nextra/dist/client/hocs/with-icons.d.ts","./node_modules/nextra/dist/client/hocs/with-github-alert.d.ts","./node_modules/nextra/dist/client/mdx-components/code.d.ts","./node_modules/nextra/dist/client/mdx-components/details.d.ts","./node_modules/nextra/dist/client/mdx-components/image.d.ts","./node_modules/nextra/dist/client/mdx-components/summary.d.ts","./node_modules/nextra/dist/client/mdx-components/table.d.ts","./node_modules/nextra/dist/client/components/index.d.ts","./src/components/font-loader.tsx","./node_modules/next-themes/dist/index.d.ts","./src/components/theme-provider.tsx","./app/layout.tsx","./.next/types/app/layout.ts","./node_modules/nextra/dist/server/index.d.ts","./node_modules/nextra/dist/client/normalize-pages.d.ts","./node_modules/nextra-theme-docs/dist/stores/config.d.mts","./node_modules/nextra-theme-docs/dist/stores/menu.d.mts","./node_modules/nextra-theme-docs/dist/stores/theme-config.d.mts","./node_modules/nextra-theme-docs/dist/mdx-components/index.d.mts","./node_modules/nextra-theme-docs/dist/mdx-components/link.d.mts","./node_modules/nextra-theme-docs/dist/schemas.d.mts","./node_modules/nextra-theme-docs/dist/types.generated.d.mts","./node_modules/nextra-theme-docs/dist/layout.d.mts","./node_modules/nextra-theme-docs/dist/components/footer/index.d.mts","./node_modules/nextra-theme-docs/dist/components/last-updated.d.mts","./node_modules/nextra-theme-docs/dist/components/locale-switch.d.mts","./node_modules/nextra-theme-docs/dist/components/navbar/index.d.mts","./node_modules/nextra-theme-docs/dist/components/404/index.d.mts","./node_modules/nextra-theme-docs/dist/components/theme-switch.d.mts","./node_modules/nextra-theme-docs/dist/index.d.mts","./node_modules/nextra/dist/server/page-map/normalize.d.ts","./node_modules/nextra/dist/server/page-map/to-page-map.d.ts","./node_modules/nextra/dist/server/page-map/merge-meta-with-page-map.d.ts","./node_modules/nextra/dist/server/page-map/get.d.ts","./node_modules/nextra/dist/server/page-map/index-page.d.ts","./node_modules/nextra/dist/server/page-map/index.d.ts","./node_modules/lucide-react/dist/lucide-react.d.ts","./src/components/language-dropdown.tsx","./node_modules/clsx/clsx.d.mts","./src/components/theme-toggle.tsx","./node_modules/nextra/dist/client/icons/arrow-right.d.ts","./node_modules/nextra/dist/client/icons/index.d.ts","./src/components/github-star-link.tsx","./node_modules/next/dist/client/add-base-path.d.ts","./src/components/search.tsx","./app/[lang]/layout.tsx","./.next/types/app/[lang]/layout.ts","./node_modules/nextra/dist/client/pages.d.ts","./src/components/locale-anchor.tsx","./mdx-components.tsx","./app/[lang]/[[...mdxpath]]/page.jsx","./.next/types/app/[lang]/[[...mdxpath]]/page.ts","./node_modules/nextra/dist/server/locales.d.ts","./middleware.ts","./app/robots.ts","./app/sitemap.ts","./content/de/_meta.ts","./content/de/developers/_meta.ts","./content/de/developers/development/_meta.ts","./content/de/developers/tools/_meta.ts","./content/de/users/_meta.ts","./content/de/users/configuration/_meta.ts","./content/de/users/extension/_meta.ts","./content/de/users/features/_meta.ts","./content/de/users/ide-integration/_meta.ts","./content/de/users/reference/_meta.ts","./content/de/users/support/_meta.ts","./content/en/_meta.ts","./content/en/developers/_meta.ts","./content/en/developers/development/_meta.ts","./content/en/developers/tools/_meta.ts","./content/en/users/_meta.ts","./content/en/users/configuration/_meta.ts","./content/en/users/extension/_meta.ts","./content/en/users/features/_meta.ts","./content/en/users/ide-integration/_meta.ts","./content/en/users/reference/_meta.ts","./content/en/users/support/_meta.ts","./content/fr/_meta.ts","./content/fr/developers/_meta.ts","./content/fr/developers/development/_meta.ts","./content/fr/developers/tools/_meta.ts","./content/fr/users/_meta.ts","./content/fr/users/configuration/_meta.ts","./content/fr/users/extension/_meta.ts","./content/fr/users/features/_meta.ts","./content/fr/users/ide-integration/_meta.ts","./content/fr/users/reference/_meta.ts","./content/fr/users/support/_meta.ts","./content/ja/_meta.ts","./content/ja/developers/_meta.ts","./content/ja/developers/development/_meta.ts","./content/ja/developers/tools/_meta.ts","./content/ja/users/_meta.ts","./content/ja/users/configuration/_meta.ts","./content/ja/users/extension/_meta.ts","./content/ja/users/features/_meta.ts","./content/ja/users/ide-integration/_meta.ts","./content/ja/users/reference/_meta.ts","./content/ja/users/support/_meta.ts","./content/pt-br/_meta.ts","./content/pt-br/developers/_meta.ts","./content/pt-br/developers/development/_meta.ts","./content/pt-br/developers/tools/_meta.ts","./content/pt-br/users/_meta.ts","./content/pt-br/users/configuration/_meta.ts","./content/pt-br/users/extension/_meta.ts","./content/pt-br/users/features/_meta.ts","./content/pt-br/users/ide-integration/_meta.ts","./content/pt-br/users/reference/_meta.ts","./content/pt-br/users/support/_meta.ts","./content/ru/_meta.ts","./content/ru/developers/_meta.ts","./content/ru/developers/development/_meta.ts","./content/ru/developers/tools/_meta.ts","./content/ru/users/_meta.ts","./content/ru/users/configuration/_meta.ts","./content/ru/users/extension/_meta.ts","./content/ru/users/features/_meta.ts","./content/ru/users/ide-integration/_meta.ts","./content/ru/users/reference/_meta.ts","./content/ru/users/support/_meta.ts","./content/zh/_meta.ts","./content/zh/developers/_meta.ts","./content/zh/developers/development/_meta.ts","./content/zh/developers/tools/_meta.ts","./content/zh/users/_meta.ts","./content/zh/users/configuration/_meta.ts","./content/zh/users/extension/_meta.ts","./content/zh/users/features/_meta.ts","./content/zh/users/ide-integration/_meta.ts","./content/zh/users/reference/_meta.ts","./content/zh/users/support/_meta.ts","./showcases.json","./src/showcase-data.ts","./src/showcase-videos-data.ts","./node_modules/tailwind-merge/dist/types.d.ts","./src/lib/utils.ts","./app/page.tsx","./node_modules/class-variance-authority/dist/types.d.ts","./node_modules/class-variance-authority/dist/index.d.ts","./src/components/ui/badge.tsx","./node_modules/@radix-ui/react-slot/dist/index.d.mts","./src/components/ui/button.tsx","./src/components/blog-index-client.tsx","./src/components/blog-index.tsx","./src/components/blog-post-header.tsx","./src/components/ui/card.tsx","./src/components/comparison-section.tsx","./src/components/cta-section.tsx","./src/components/custom-navbar.tsx","./src/components/features-section.tsx","./src/components/hero-section.tsx","./node_modules/@radix-ui/react-context/dist/index.d.mts","./node_modules/@radix-ui/react-primitive/dist/index.d.mts","./node_modules/@radix-ui/react-roving-focus/dist/index.d.mts","./node_modules/@radix-ui/react-tabs/dist/index.d.mts","./src/components/ui/tabs.tsx","./src/components/integration-section.tsx","./src/components/showcase-cards.tsx","./src/components/showcase-detail-meta.tsx","./src/components/showcase-detail.tsx","./src/components/usage-examples.tsx","./src/components/video-showcase-detail.tsx","./src/generated/showcase-data.json","./src/components/video-showcase-index.tsx","./node_modules/@radix-ui/react-dismissable-layer/dist/index.d.mts","./node_modules/@radix-ui/react-focus-scope/dist/index.d.mts","./node_modules/@radix-ui/react-portal/dist/index.d.mts","./node_modules/@radix-ui/react-dialog/dist/index.d.mts","./src/components/ui/dialog.tsx","./src/components/video-showcase.tsx","./src/page/index.tsx","./node_modules/@types/d3-array/index.d.ts","./node_modules/@types/d3-selection/index.d.ts","./node_modules/@types/d3-axis/index.d.ts","./node_modules/@types/d3-brush/index.d.ts","./node_modules/@types/d3-chord/index.d.ts","./node_modules/@types/d3-color/index.d.ts","./node_modules/@types/geojson/index.d.ts","./node_modules/@types/d3-contour/index.d.ts","./node_modules/@types/d3-delaunay/index.d.ts","./node_modules/@types/d3-dispatch/index.d.ts","./node_modules/@types/d3-drag/index.d.ts","./node_modules/@types/d3-dsv/index.d.ts","./node_modules/@types/d3-ease/index.d.ts","./node_modules/@types/d3-fetch/index.d.ts","./node_modules/@types/d3-force/index.d.ts","./node_modules/@types/d3-format/index.d.ts","./node_modules/@types/d3-geo/index.d.ts","./node_modules/@types/d3-hierarchy/index.d.ts","./node_modules/@types/d3-interpolate/index.d.ts","./node_modules/@types/d3-path/index.d.ts","./node_modules/@types/d3-polygon/index.d.ts","./node_modules/@types/d3-quadtree/index.d.ts","./node_modules/@types/d3-random/index.d.ts","./node_modules/@types/d3-time/index.d.ts","./node_modules/@types/d3-scale/index.d.ts","./node_modules/@types/d3-scale-chromatic/index.d.ts","./node_modules/@types/d3-shape/index.d.ts","./node_modules/@types/d3-time-format/index.d.ts","./node_modules/@types/d3-timer/index.d.ts","./node_modules/@types/d3-transition/index.d.ts","./node_modules/@types/d3-zoom/index.d.ts","./node_modules/@types/d3/index.d.ts","./node_modules/@types/ms/index.d.ts","./node_modules/@types/debug/index.d.ts","./node_modules/@types/katex/index.d.ts","./node_modules/@types/mdx/index.d.ts","./node_modules/@types/nlcst/index.d.ts","./node_modules/@types/trusted-types/lib/index.d.ts","./node_modules/@types/trusted-types/index.d.ts"],"fileIdsList":[[96,141,358,789],[96,141,358,784],[96,141,358,750],[96,141,786,788],[87,96,141,387,406,746,768,774,776,778,781,783],[87,96,141,396,406,746,747,749],[96,141],[96,141,406],[96,141,154,163,406],[87,96,141,731,746,768,780,787],[96,141,791],[96,141,406,407],[96,141,476],[96,141,477,478],[87,96,141,479],[87,96,141,480],[87,96,141,470,471],[87,96,141,472],[87,96,141,470,471,475,482,483],[87,96,141,470,471,486],[87,96,141,470,471,483],[87,96,141,470,471,482],[87,96,141,470,471,475,483,486],[87,96,141,470,471,483,486],[96,141,472,473,474,483,484,485,486,487,488,489,490,491,492,493,494,495,496,497,498,499,500,501,502,503,504],[87,96,141],[87,96,141,480,481],[87,96,141,470],[96,141,711,712,713,716,718,719,720],[96,141,624,711],[96,141,629,631,633,634,665,668,671,680,708,710],[96,141,624,717,718],[96,141,717,718],[96,141,713,716,717],[87,96,141,892,893,905,906,907],[87,96,141,893],[87,96,141,892,893],[87,91,96,141,193,194,359,402],[87,96,141,892,893,894],[96,141,593,595,607,665,668,671,708],[96,141,594,595],[96,141,595],[96,141,594,595,614,615,616],[96,141,594,595,614],[96,141,618],[96,141,593,594,665,668,671,708],[96,141,913,941],[96,141,912,918],[96,141,923],[96,141,918],[96,141,917],[96,141,935],[96,141,931],[96,141,913,930,941],[96,141,912,913,914,915,916,917,919,920,921,922,923,924,925,926,927,928,929,930,931,932,933,934,935,936,937,938,939,940,941,942],[96,141,944],[96,141,632,633],[96,141,592],[96,141,717,947],[96,138,141],[96,140,141],[141],[96,141,146,176],[96,141,142,147,153,161,173,184],[96,141,142,143,153,161],[96,141,144,185],[96,141,145,146,154,162],[96,141,146,173,181],[96,141,147,149,153,161],[96,140,141,148],[96,141,149,150],[96,141,151,153],[96,140,141,153],[96,141,153,154,155,173,184],[96,141,153,154,155,168,173,176],[96,136,141],[96,136,141,149,153,156,161,173,184],[96,141,153,154,156,157,161,173,181,184],[96,141,156,158,173,181,184],[94,95,96,137,138,139,140,141,142,143,144,145,146,147,148,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185,186,187,188,189,190],[96,141,153,159],[96,141,160,184],[96,141,149,153,161,173],[96,141,162],[96,141,163],[96,140,141,164],[96,138,139,140,141,142,143,144,145,146,147,148,149,150,151,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176,177,178,179,180,181,182,183,184,185,186,187,188,189,190],[96,141,166],[96,141,167],[96,141,153,168,169],[96,141,168,170,185,187],[96,141,153,173,174,176],[96,141,175,176],[96,141,173,174],[96,141,176],[96,141,177],[96,138,141,173,178],[96,141,153,179,180],[96,141,179,180],[96,141,146,161,173,181],[96,141,182],[96,141,161,183],[96,141,156,167,184],[96,141,146,185],[96,141,173,186],[96,141,160,187],[96,141,188],[96,141,153,155,164,173,176,184,186,187,189],[96,141,173,190],[87,96,141,195,196,197],[87,96,141,195,196],[87,91,96,141,194,359,402,881],[87,91,96,141,193,359,402,881],[84,85,86,96,141],[96,141,949],[96,141,410,458,460,462],[96,141,461],[87,96,141,460],[96,141,412,457],[96,141,459],[87,96,141,410,458],[96,141,777,878],[96,141,777],[96,141,675,676,677],[96,141,593,633,665,668,671,678,708],[96,141,635,636,666,669,672,673,674],[96,141,633,665,678],[96,141,633,668,678],[96,141,671,678],[96,141,593,632,633,665,668,671,678,708],[96,141,593,605,632,633,665,668,671,708],[96,141,606],[96,141,593,600,605,665,668,671,708],[96,141,714,715],[96,141,593,665,668,671,708,714,716],[96,141,411,418,419,423,424,428,429,438,456],[96,141,412],[96,141,412,420],[96,141,412,418,428],[96,141,412,417,418,419,420,422,428],[96,141,412,417,418,419,420,421,423,424,426,427],[96,141,412,419,423,428],[96,141,420,425],[96,141,415],[96,141,414,419],[96,141,415,416,417,418],[96,141,412,418,420,422,428],[96,141,414],[96,141,413,415],[96,141,415,432],[96,141,413,415,433],[96,141,412,417,419,420,423,428,440,441,452,453,455],[96,141,444,447,452,454],[96,141,412,421,422,442,444,450,456],[96,141,412,420,439],[96,141,448,449],[96,141,417,419,453],[96,141,412,419,443,444,447,450,451,452],[96,141,419,442,443],[96,141,413,419,443],[96,141,413,442,453],[96,141,448],[96,141,445,448],[96,141,412,419,420,442,453],[96,141,412,419,442,443,444,446,448,450,453],[96,141,442,445,447],[96,141,412,430],[96,141,412,419,420,424,428,430,431,434,435,437],[96,141,415,418,419,420,430,431,433,434,435,436,438],[96,141,419,431,432,437,438],[96,141,421],[96,141,637,638,639,640],[96,141,631,637,638,640,665,668,671,708],[96,141,631,637,640,665,668,671,708],[96,141,593,631,633,664,665,668,671,708],[96,141,640,663,668],[96,141,592,593,631,633,640,663,665,667,668,671,708],[96,141,593,631,633,665,668,670,671,708],[96,141,640,663,668,671],[96,141,593,631,665,668,671,681,682,706,707,708],[96,141,593,665,668,671,681,708],[96,141,593,631,665,668,671,681,708],[96,141,683,684,685,686,687,688,689,690,691,692,693,694,695,696,697,698,699,700,701,702,703,704,705],[96,141,593,624,631,665,668,671,682,708],[96,141,641,642,662],[96,141,631,663,665,668,671,708],[96,141,631,665,668,671,708],[96,141,643,644,645,646,647,648,649,650,651,652,653,654,655,656,657,658,659,660,661],[96,141,592,631,665,668,671,708],[92,96,141],[96,141,363],[96,141,365,366,367],[96,141,369],[96,141,200,210,216,218,359],[96,141,200,207,209,212,230],[96,141,210],[96,141,210,212,337],[96,141,265,283,298,405],[96,141,307],[96,141,200,210,217,251,261,334,335,405],[96,141,217,405],[96,141,210,261,262,263,405],[96,141,210,217,251,405],[96,141,405],[96,141,200,217,218,405],[96,141,291],[96,140,141,191,290],[87,96,141,284,285,286,304,305],[87,96,141,284],[96,141,274],[96,141,273,275,379],[87,96,141,284,285,302],[96,141,280,305,391],[96,141,389,390],[96,141,224,388],[96,141,277],[96,140,141,191,224,240,273,274,275,276],[87,96,141,302,304,305],[96,141,302,304],[96,141,302,303,305],[96,141,167,191],[96,141,272],[96,140,141,191,209,211,268,269,270,271],[87,96,141,201,382],[87,96,141,184,191],[87,96,141,217,249],[87,96,141,217],[96,141,247,252],[87,96,141,248,362],[87,91,96,141,156,191,193,194,359,400,401,881],[96,141,359],[96,141,199],[96,141,352,353,354,355,356,357],[96,141,354],[87,96,141,248,284,362],[87,96,141,284,360,362],[87,96,141,284,362],[96,141,156,191,211,362],[96,141,156,191,208,209,220,238,240,272,277,278,300,302],[96,141,269,272,277,285,287,288,289,291,292,293,294,295,296,297,405],[96,141,270],[87,96,141,167,191,209,210,238,240,241,243,268,300,301,305,359,405],[96,141,156,191,211,212,224,225,273],[96,141,156,191,210,212],[96,141,156,173,191,208,211,212],[96,141,156,167,184,191,208,209,210,211,212,217,220,221,231,232,234,237,238,240,241,242,243,267,268,301,302,310,312,315,317,320,322,323,324,325],[96,141,156,173,191],[96,141,200,201,202,208,209,359,362,405],[96,141,156,173,184,191,205,336,338,339,405],[96,141,167,184,191,205,208,211,228,232,234,235,236,241,268,315,326,328,334,348,349],[96,141,210,214,268],[96,141,208,210],[96,141,221,316],[96,141,318,319],[96,141,318],[96,141,316],[96,141,318,321],[96,141,204,205],[96,141,204,244],[96,141,204],[96,141,206,221,314],[96,141,313],[96,141,205,206],[96,141,206,311],[96,141,205],[96,141,300],[96,141,156,191,208,220,239,259,265,279,282,299,302],[96,141,253,254,255,256,257,258,280,281,305,360],[96,141,309],[96,141,156,191,208,220,239,245,306,308,310,359,362],[96,141,156,184,191,201,208,210,267],[96,141,264],[96,141,156,191,342,347],[96,141,231,240,267,362],[96,141,330,334,348,351],[96,141,156,214,334,342,343,351],[96,141,200,210,231,242,345],[96,141,156,191,210,217,242,329,330,340,341,344,346],[96,141,192,238,239,240,359,362],[96,141,156,167,184,191,206,208,209,211,214,219,220,228,231,232,234,235,236,237,241,243,267,268,312,326,327,362],[96,141,156,191,208,210,214,328,350],[96,141,156,191,209,211],[87,96,141,156,167,191,199,201,208,209,212,220,237,238,240,241,243,309,359,362],[96,141,156,167,184,191,203,206,207,211],[96,141,204,266],[96,141,156,191,204,209,220],[96,141,156,191,210,221],[96,141,156,191],[96,141,224],[96,141,223],[96,141,225],[96,141,210,222,224,228],[96,141,210,222,224],[96,141,156,191,203,210,211,217,225,226,227],[87,96,141,302,303,304],[96,141,260],[87,96,141,201],[87,96,141,234],[87,96,141,192,237,240,243,359,362],[96,141,201,382,383],[87,96,141,252],[87,96,141,167,184,191,199,246,248,250,251,362],[96,141,211,217,234],[96,141,233],[87,96,141,154,156,167,191,199,252,261,359,360,361],[83,87,88,89,90,96,141,193,194,359,402,881],[96,141,146],[96,141,331,332,333],[96,141,331],[96,141,371],[96,141,373],[96,141,375],[96,141,377],[96,141,380],[96,141,384],[91,93,96,141,359,364,368,370,372,374,376,378,381,385,387,393,394,396,403,404,405],[96,141,386],[96,141,392],[96,141,248],[96,141,395],[96,140,141,225,226,227,228,397,398,399,402],[96,141,191],[87,91,96,141,156,158,167,191,193,194,195,197,199,212,351,358,362,402,881],[87,96,141,184,284,385,387,591,731,738,746,748,752,753,754,755,756,757,758,759,760,761,762,763,764,765,766,767],[87,96,141,591,752,759,760],[87,96,141,184,284,385,387,731,738,752],[96,141,746],[87,96,141,591,752],[87,96,141,752,753],[87,96,141,752],[96,141,752],[87,96,141,505],[87,96,141,465,466],[87,96,141,463,591,630,721,724,725],[87,96,141,385],[87,96,141,184,382,385,387,406,409,463,464,465,466,467,468,469,505,506,507,508,509,510,511,512,513,514,591,630,631,665,668,671,708,721,724,725,726,727,728,729,730,731,732,733,734,735,736,737,738,739,740,741,742,743,744,745],[87,96,141,184,385,387,406,463,591,630,631,665,668,671,708,721,724,725,727,728,729,730,731,732,733],[87,96,141,505,506],[87,96,141,406,463,505,591,630,631,665,668,671,708,721,724,725,728,729],[87,96,141,468],[87,96,141,505,508],[87,96,141,184,385,387,406,463,591,630,631,665,668,671,708,721,724,725,727,728,729,730,731],[87,96,141,738],[87,96,141,779],[87,96,141,184,385,387,406,463,591,630,631,665,668,671,708,721,724,725,727,728,729,730],[87,96,141,387],[87,96,141,382,385],[87,96,141,184,385,387,406,463,591,630,631,665,668,671,708,721,724,725,727,728,729,730,731,732],[87,96,141,406,463,591,630,631,665,668,671,708,721,724,725,728,729],[96,141,403],[87,96,141,406,463,591,630,631,665,668,671,708,721,724,725,728,729,769,770,771,772,773],[87,96,141,463,591,630],[87,96,141,406,463,591,630,631,665,668,671,708,721,724,725,728],[96,141,463,630,721,724],[96,141,613],[96,141,602,603,604],[96,141,601,605],[96,141,605],[96,141,723],[96,141,593,624,665,668,671,708,722],[96,141,593,620,629,665,668,671,708],[96,141,678,679],[96,141,593,632,633,665,668,671,680,708],[96,141,708,709],[96,141,593,624,629,631,665,668,671,708],[96,141,593,595,596,608,609,665,668,671,708],[96,141,593,595,596,608,609,610,611,612,617,619,665,668,671,708],[96,141,608],[96,141,595,596,608,609,611],[96,141,599],[96,141,597],[96,141,597,598],[96,141,626],[96,103,106,109,110,141,184],[96,106,141,173,184],[96,106,110,141,184],[96,141,173],[96,100,141],[96,104,141],[96,102,103,106,141,184],[96,141,161,181],[96,100,141,191],[96,102,106,141,161,184],[96,97,98,99,101,105,141,153,173,184],[96,106,114,141],[96,98,104,141],[96,106,130,131,141],[96,98,101,106,141,176,184,191],[96,106,141],[96,102,106,141,184],[96,97,141],[96,100,101,102,104,105,106,107,108,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,131,132,133,134,135,141],[96,106,123,126,141,149],[96,106,114,115,116,141],[96,104,106,115,117,141],[96,105,141],[96,98,100,106,141],[96,106,110,115,117,141],[96,110,141],[96,104,106,109,141,184],[96,98,102,106,114,141],[96,106,123,141],[96,100,106,130,141,176,189,191],[96,141,624,628],[96,141,592,624,625,627,629],[96,141,621],[96,141,622,623],[96,141,592,622,624],[96,141,590],[96,141,581],[96,141,581,584],[96,141,576,579,581,582,583,584,585,586,587,588,589],[96,141,515,517,584],[96,141,581,582],[96,141,516,581,583],[96,141,517,519,521,522,523,524],[96,141,519,521,523,524],[96,141,519,521,523],[96,141,516,519,521,522,524],[96,141,515,517,518,519,520,521,522,523,524,525,526,576,577,578,579,580],[96,141,515,517,518,521],[96,141,517,518,521],[96,141,521,524],[96,141,515,516,518,519,520,522,523,524],[96,141,515,516,517,521,581],[96,141,521,522,523,524],[96,141,523],[96,141,527,528,529,530,531,532,533,534,535,536,537,538,539,540,541,542,543,544,545,546,547,548,549,550,551,552,553,554,555,556,557,558,559,560,561,562,563,564,565,566,567,568,569,570,571,572,573,574,575],[87,96,141,387,775,880,882],[87,96,141,774,883],[87,96,141,387,393,775,880],[96,141,775,880,886],[96,141,775,880,882],[87,96,141,156,387,393,746,775,777,778,780],[96,141,775],[87,96,141,777,780],[87,96,141,387,775,882],[87,96,141,775,882,896],[87,96,141,393,775],[87,96,141,387,393,777],[87,96,141,387,393,505,777,782],[87,96,141,387,393,775,873],[87,96,141,387,393,775],[96,141,387,393],[87,96,141,748],[87,96,141,748,775,777],[87,96,141,876,879],[87,96,141,876,879,881],[87,96,141,876],[87,96,141,775,876,908],[87,96,141,876,895],[87,96,141,387,393,775,874],[87,96,141,387,393,775,903],[87,96,141,775,880,896,909],[96,141,777,875],[96,141,887,888,889,890,891,897,901],[96,141,872]],"fileInfos":[{"version":"c430d44666289dae81f30fa7b2edebf186ecc91a2d4c71266ea6ae76388792e1","affectsGlobalScope":true,"impliedFormat":1},{"version":"45b7ab580deca34ae9729e97c13cfd999df04416a79116c3bfb483804f85ded4","impliedFormat":1},{"version":"3facaf05f0c5fc569c5649dd359892c98a85557e3e0c847964caeb67076f4d75","impliedFormat":1},{"version":"e44bb8bbac7f10ecc786703fe0a6a4b952189f908707980ba8f3c8975a760962","impliedFormat":1},{"version":"5e1c4c362065a6b95ff952c0eab010f04dcd2c3494e813b493ecfd4fcb9fc0d8","impliedFormat":1},{"version":"68d73b4a11549f9c0b7d352d10e91e5dca8faa3322bfb77b661839c42b1ddec7","impliedFormat":1},{"version":"5efce4fc3c29ea84e8928f97adec086e3dc876365e0982cc8479a07954a3efd4","impliedFormat":1},{"version":"feecb1be483ed332fad555aff858affd90a48ab19ba7272ee084704eb7167569","impliedFormat":1},{"version":"ee7bad0c15b58988daa84371e0b89d313b762ab83cb5b31b8a2d1162e8eb41c2","impliedFormat":1},{"version":"27bdc30a0e32783366a5abeda841bc22757c1797de8681bbe81fbc735eeb1c10","impliedFormat":1},{"version":"8fd575e12870e9944c7e1d62e1f5a73fcf23dd8d3a321f2a2c74c20d022283fe","impliedFormat":1},{"version":"2ab096661c711e4a81cc464fa1e6feb929a54f5340b46b0a07ac6bbf857471f0","impliedFormat":1},{"version":"080941d9f9ff9307f7e27a83bcd888b7c8270716c39af943532438932ec1d0b9","affectsGlobalScope":true,"impliedFormat":1},{"version":"2e80ee7a49e8ac312cc11b77f1475804bee36b3b2bc896bead8b6e1266befb43","affectsGlobalScope":true,"impliedFormat":1},{"version":"c57796738e7f83dbc4b8e65132f11a377649c00dd3eee333f672b8f0a6bea671","affectsGlobalScope":true,"impliedFormat":1},{"version":"dc2df20b1bcdc8c2d34af4926e2c3ab15ffe1160a63e58b7e09833f616efff44","affectsGlobalScope":true,"impliedFormat":1},{"version":"515d0b7b9bea2e31ea4ec968e9edd2c39d3eebf4a2d5cbd04e88639819ae3b71","affectsGlobalScope":true,"impliedFormat":1},{"version":"0559b1f683ac7505ae451f9a96ce4c3c92bdc71411651ca6ddb0e88baaaad6a3","affectsGlobalScope":true,"impliedFormat":1},{"version":"0dc1e7ceda9b8b9b455c3a2d67b0412feab00bd2f66656cd8850e8831b08b537","affectsGlobalScope":true,"impliedFormat":1},{"version":"ce691fb9e5c64efb9547083e4a34091bcbe5bdb41027e310ebba8f7d96a98671","affectsGlobalScope":true,"impliedFormat":1},{"version":"8d697a2a929a5fcb38b7a65594020fcef05ec1630804a33748829c5ff53640d0","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ff2a353abf8a80ee399af572debb8faab2d33ad38c4b4474cff7f26e7653b8d","affectsGlobalScope":true,"impliedFormat":1},{"version":"fb0f136d372979348d59b3f5020b4cdb81b5504192b1cacff5d1fbba29378aa1","affectsGlobalScope":true,"impliedFormat":1},{"version":"d15bea3d62cbbdb9797079416b8ac375ae99162a7fba5de2c6c505446486ac0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"68d18b664c9d32a7336a70235958b8997ebc1c3b8505f4f1ae2b7e7753b87618","affectsGlobalScope":true,"impliedFormat":1},{"version":"eb3d66c8327153d8fa7dd03f9c58d351107fe824c79e9b56b462935176cdf12a","affectsGlobalScope":true,"impliedFormat":1},{"version":"38f0219c9e23c915ef9790ab1d680440d95419ad264816fa15009a8851e79119","affectsGlobalScope":true,"impliedFormat":1},{"version":"69ab18c3b76cd9b1be3d188eaf8bba06112ebbe2f47f6c322b5105a6fbc45a2e","affectsGlobalScope":true,"impliedFormat":1},{"version":"a680117f487a4d2f30ea46f1b4b7f58bef1480456e18ba53ee85c2746eeca012","affectsGlobalScope":true,"impliedFormat":1},{"version":"2f11ff796926e0832f9ae148008138ad583bd181899ab7dd768a2666700b1893","affectsGlobalScope":true,"impliedFormat":1},{"version":"4de680d5bb41c17f7f68e0419412ca23c98d5749dcaaea1896172f06435891fc","affectsGlobalScope":true,"impliedFormat":1},{"version":"954296b30da6d508a104a3a0b5d96b76495c709785c1d11610908e63481ee667","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac9538681b19688c8eae65811b329d3744af679e0bdfa5d842d0e32524c73e1c","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a969edff4bd52585473d24995c5ef223f6652d6ef46193309b3921d65dd4376","affectsGlobalScope":true,"impliedFormat":1},{"version":"9e9fbd7030c440b33d021da145d3232984c8bb7916f277e8ffd3dc2e3eae2bdb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811ec78f7fefcabbda4bfa93b3eb67d9ae166ef95f9bff989d964061cbf81a0c","affectsGlobalScope":true,"impliedFormat":1},{"version":"717937616a17072082152a2ef351cb51f98802fb4b2fdabd32399843875974ca","affectsGlobalScope":true,"impliedFormat":1},{"version":"d7e7d9b7b50e5f22c915b525acc5a49a7a6584cf8f62d0569e557c5cfc4b2ac2","affectsGlobalScope":true,"impliedFormat":1},{"version":"71c37f4c9543f31dfced6c7840e068c5a5aacb7b89111a4364b1d5276b852557","affectsGlobalScope":true,"impliedFormat":1},{"version":"576711e016cf4f1804676043e6a0a5414252560eb57de9faceee34d79798c850","affectsGlobalScope":true,"impliedFormat":1},{"version":"89c1b1281ba7b8a96efc676b11b264de7a8374c5ea1e6617f11880a13fc56dc6","affectsGlobalScope":true,"impliedFormat":1},{"version":"74f7fa2d027d5b33eb0471c8e82a6c87216223181ec31247c357a3e8e2fddc5b","affectsGlobalScope":true,"impliedFormat":1},{"version":"d6d7ae4d1f1f3772e2a3cde568ed08991a8ae34a080ff1151af28b7f798e22ca","affectsGlobalScope":true,"impliedFormat":1},{"version":"063600664504610fe3e99b717a1223f8b1900087fab0b4cad1496a114744f8df","affectsGlobalScope":true,"impliedFormat":1},{"version":"934019d7e3c81950f9a8426d093458b65d5aff2c7c1511233c0fd5b941e608ab","affectsGlobalScope":true,"impliedFormat":1},{"version":"52ada8e0b6e0482b728070b7639ee42e83a9b1c22d205992756fe020fd9f4a47","affectsGlobalScope":true,"impliedFormat":1},{"version":"3bdefe1bfd4d6dee0e26f928f93ccc128f1b64d5d501ff4a8cf3c6371200e5e6","affectsGlobalScope":true,"impliedFormat":1},{"version":"59fb2c069260b4ba00b5643b907ef5d5341b167e7d1dbf58dfd895658bda2867","affectsGlobalScope":true,"impliedFormat":1},{"version":"639e512c0dfc3fad96a84caad71b8834d66329a1f28dc95e3946c9b58176c73a","affectsGlobalScope":true,"impliedFormat":1},{"version":"368af93f74c9c932edd84c58883e736c9e3d53cec1fe24c0b0ff451f529ceab1","affectsGlobalScope":true,"impliedFormat":1},{"version":"af3dd424cf267428f30ccfc376f47a2c0114546b55c44d8c0f1d57d841e28d74","affectsGlobalScope":true,"impliedFormat":1},{"version":"995c005ab91a498455ea8dfb63aa9f83fa2ea793c3d8aa344be4a1678d06d399","affectsGlobalScope":true,"impliedFormat":1},{"version":"959d36cddf5e7d572a65045b876f2956c973a586da58e5d26cde519184fd9b8a","affectsGlobalScope":true,"impliedFormat":1},{"version":"965f36eae237dd74e6cca203a43e9ca801ce38824ead814728a2807b1910117d","affectsGlobalScope":true,"impliedFormat":1},{"version":"3925a6c820dcb1a06506c90b1577db1fdbf7705d65b62b99dce4be75c637e26b","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a3d63ef2b853447ec4f749d3f368ce642264246e02911fcb1590d8c161b8005","affectsGlobalScope":true,"impliedFormat":1},{"version":"8cdf8847677ac7d20486e54dd3fcf09eda95812ac8ace44b4418da1bbbab6eb8","affectsGlobalScope":true,"impliedFormat":1},{"version":"8444af78980e3b20b49324f4a16ba35024fef3ee069a0eb67616ea6ca821c47a","affectsGlobalScope":true,"impliedFormat":1},{"version":"3287d9d085fbd618c3971944b65b4be57859f5415f495b33a6adc994edd2f004","affectsGlobalScope":true,"impliedFormat":1},{"version":"b4b67b1a91182421f5df999988c690f14d813b9850b40acd06ed44691f6727ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"df83c2a6c73228b625b0beb6669c7ee2a09c914637e2d35170723ad49c0f5cd4","affectsGlobalScope":true,"impliedFormat":1},{"version":"436aaf437562f276ec2ddbee2f2cdedac7664c1e4c1d2c36839ddd582eeb3d0a","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e3c06ea092138bf9fa5e874a1fdbc9d54805d074bee1de31b99a11e2fec239d","affectsGlobalScope":true,"impliedFormat":1},{"version":"87dc0f382502f5bbce5129bdc0aea21e19a3abbc19259e0b43ae038a9fc4e326","affectsGlobalScope":true,"impliedFormat":1},{"version":"b1cb28af0c891c8c96b2d6b7be76bd394fddcfdb4709a20ba05a7c1605eea0f9","affectsGlobalScope":true,"impliedFormat":1},{"version":"2fef54945a13095fdb9b84f705f2b5994597640c46afeb2ce78352fab4cb3279","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac77cb3e8c6d3565793eb90a8373ee8033146315a3dbead3bde8db5eaf5e5ec6","affectsGlobalScope":true,"impliedFormat":1},{"version":"56e4ed5aab5f5920980066a9409bfaf53e6d21d3f8d020c17e4de584d29600ad","affectsGlobalScope":true,"impliedFormat":1},{"version":"4ece9f17b3866cc077099c73f4983bddbcb1dc7ddb943227f1ec070f529dedd1","affectsGlobalScope":true,"impliedFormat":1},{"version":"0a6282c8827e4b9a95f4bf4f5c205673ada31b982f50572d27103df8ceb8013c","affectsGlobalScope":true,"impliedFormat":1},{"version":"1c9319a09485199c1f7b0498f2988d6d2249793ef67edda49d1e584746be9032","affectsGlobalScope":true,"impliedFormat":1},{"version":"e3a2a0cee0f03ffdde24d89660eba2685bfbdeae955a6c67e8c4c9fd28928eeb","affectsGlobalScope":true,"impliedFormat":1},{"version":"811c71eee4aa0ac5f7adf713323a5c41b0cf6c4e17367a34fbce379e12bbf0a4","affectsGlobalScope":true,"impliedFormat":1},{"version":"51ad4c928303041605b4d7ae32e0c1ee387d43a24cd6f1ebf4a2699e1076d4fa","affectsGlobalScope":true,"impliedFormat":1},{"version":"60037901da1a425516449b9a20073aa03386cce92f7a1fd902d7602be3a7c2e9","affectsGlobalScope":true,"impliedFormat":1},{"version":"d4b1d2c51d058fc21ec2629fff7a76249dec2e36e12960ea056e3ef89174080f","affectsGlobalScope":true,"impliedFormat":1},{"version":"22adec94ef7047a6c9d1af3cb96be87a335908bf9ef386ae9fd50eeb37f44c47","affectsGlobalScope":true,"impliedFormat":1},{"version":"196cb558a13d4533a5163286f30b0509ce0210e4b316c56c38d4c0fd2fb38405","affectsGlobalScope":true,"impliedFormat":1},{"version":"73f78680d4c08509933daf80947902f6ff41b6230f94dd002ae372620adb0f60","affectsGlobalScope":true,"impliedFormat":1},{"version":"c5239f5c01bcfa9cd32f37c496cf19c61d69d37e48be9de612b541aac915805b","affectsGlobalScope":true,"impliedFormat":1},{"version":"8e7f8264d0fb4c5339605a15daadb037bf238c10b654bb3eee14208f860a32ea","affectsGlobalScope":true,"impliedFormat":1},{"version":"782dec38049b92d4e85c1585fbea5474a219c6984a35b004963b00beb1aab538","affectsGlobalScope":true,"impliedFormat":1},{"version":"0990a7576222f248f0a3b888adcb7389f957928ce2afb1cd5128169086ff4d29","impliedFormat":1},{"version":"eb5b19b86227ace1d29ea4cf81387279d04bb34051e944bc53df69f58914b788","affectsGlobalScope":true,"impliedFormat":1},{"version":"ac51dd7d31333793807a6abaa5ae168512b6131bd41d9c5b98477fc3b7800f9f","impliedFormat":1},{"version":"87d9d29dbc745f182683f63187bf3d53fd8673e5fca38ad5eaab69798ed29fbc","impliedFormat":1},{"version":"035312d4945d13efa134ae482f6dc56a1a9346f7ac3be7ccbad5741058ce87f3","affectsGlobalScope":true,"impliedFormat":1},{"version":"cc69795d9954ee4ad57545b10c7bf1a7260d990231b1685c147ea71a6faa265c","impliedFormat":1},{"version":"8bc6c94ff4f2af1f4023b7bb2379b08d3d7dd80c698c9f0b07431ea16101f05f","impliedFormat":1},{"version":"1b61d259de5350f8b1e5db06290d31eaebebc6baafd5f79d314b5af9256d7153","impliedFormat":1},{"version":"57194e1f007f3f2cbef26fa299d4c6b21f4623a2eddc63dfeef79e38e187a36e","impliedFormat":1},{"version":"0f6666b58e9276ac3a38fdc80993d19208442d6027ab885580d93aec76b4ef00","impliedFormat":1},{"version":"05fd364b8ef02fb1e174fbac8b825bdb1e5a36a016997c8e421f5fab0a6da0a0","impliedFormat":1},{"version":"d153a11543fd884b596587ccd97aebbeed950b26933ee000f94009f1ab142848","affectsGlobalScope":true,"impliedFormat":1},{"version":"c0671b50bb99cc7ad46e9c68fa0e7f15ba4bc898b59c31a17ea4611fab5095da","affectsGlobalScope":true,"impliedFormat":1},{"version":"d802f0e6b5188646d307f070d83512e8eb94651858de8a82d1e47f60fb6da4e2","affectsGlobalScope":true,"impliedFormat":1},{"version":"cdcf9ea426ad970f96ac930cd176d5c69c6c24eebd9fc580e1572d6c6a88f62c","impliedFormat":1},{"version":"23cd712e2ce083d68afe69224587438e5914b457b8acf87073c22494d706a3d0","impliedFormat":1},{"version":"487b694c3de27ddf4ad107d4007ad304d29effccf9800c8ae23c2093638d906a","impliedFormat":1},{"version":"e525f9e67f5ddba7b5548430211cae2479070b70ef1fd93550c96c10529457bd","impliedFormat":1},{"version":"ccf4552357ce3c159ef75f0f0114e80401702228f1898bdc9402214c9499e8c0","impliedFormat":1},{"version":"c6fd2c5a395f2432786c9cb8deb870b9b0e8ff7e22c029954fabdd692bff6195","impliedFormat":1},{"version":"68834d631c8838c715f225509cfc3927913b9cc7a4870460b5b60c8dbdb99baf","impliedFormat":1},{"version":"4bc0794175abedf989547e628949888c1085b1efcd93fc482bccd77ee27f8b7c","impliedFormat":1},{"version":"3c8e93af4d6ce21eb4c8d005ad6dc02e7b5e6781f429d52a35290210f495a674","impliedFormat":1},{"version":"2c9875466123715464539bfd69bcaccb8ff6f3e217809428e0d7bd6323416d01","impliedFormat":1},{"version":"ea6bc8de8b59f90a7a3960005fd01988f98fd0784e14bc6922dde2e93305ec7d","impliedFormat":1},{"version":"36107995674b29284a115e21a0618c4c2751b32a8766dd4cb3ba740308b16d59","impliedFormat":1},{"version":"914a0ae30d96d71915fc519ccb4efbf2b62c0ddfb3a3fc6129151076bc01dc60","impliedFormat":1},{"version":"33e981bf6376e939f99bd7f89abec757c64897d33c005036b9a10d9587d80187","impliedFormat":1},{"version":"6c8e442ba33b07892169a14f7757321e49ab0f1032d676d321a1fdab8a67d40c","impliedFormat":1},{"version":"b41767d372275c154c7ea6c9d5449d9a741b8ce080f640155cc88ba1763e35b3","impliedFormat":1},{"version":"1cd673d367293fc5cb31cd7bf03d598eb368e4f31f39cf2b908abbaf120ab85a","impliedFormat":1},{"version":"af13e99445f37022c730bfcafcdc1761e9382ce1ea02afb678e3130b01ce5676","impliedFormat":1},{"version":"3825bf209f1662dfd039010a27747b73d0ef379f79970b1d05601ec8e8a4249f","impliedFormat":1},{"version":"0b6e25234b4eec6ed96ab138d96eb70b135690d7dd01f3dd8a8ab291c35a683a","impliedFormat":1},{"version":"9666f2f84b985b62400d2e5ab0adae9ff44de9b2a34803c2c5bd3c8325b17dc0","impliedFormat":1},{"version":"da52342062e70c77213e45107921100ba9f9b3a30dd019444cf349e5fb3470c4","impliedFormat":1},{"version":"e9ace91946385d29192766bf783b8460c7dbcbfc63284aa3c9cae6de5155c8bc","impliedFormat":1},{"version":"40b463c6766ca1b689bfcc46d26b5e295954f32ad43e37ee6953c0a677e4ae2b","impliedFormat":1},{"version":"249b9cab7f5d628b71308c7d9bb0a808b50b091e640ba3ed6e2d0516f4a8d91d","impliedFormat":1},{"version":"1e30c045732e7db8f7a82cf90b516ebe693d2f499ce2250a977ec0d12e44a529","impliedFormat":1},{"version":"84b736594d8760f43400202859cda55607663090a43445a078963031d47e25e7","impliedFormat":1},{"version":"499e5b055a5aba1e1998f7311a6c441a369831c70905cc565ceac93c28083d53","impliedFormat":1},{"version":"54c3e2371e3d016469ad959697fd257e5621e16296fa67082c2575d0bf8eced0","impliedFormat":1},{"version":"beb8233b2c220cfa0feea31fbe9218d89fa02faa81ef744be8dce5acb89bb1fd","impliedFormat":1},{"version":"78b29846349d4dfdd88bd6650cc5d2baaa67f2e89dc8a80c8e26ef7995386583","impliedFormat":1},{"version":"5d0375ca7310efb77e3ef18d068d53784faf62705e0ad04569597ae0e755c401","impliedFormat":1},{"version":"59af37caec41ecf7b2e76059c9672a49e682c1a2aa6f9d7dc78878f53aa284d6","impliedFormat":1},{"version":"addf417b9eb3f938fddf8d81e96393a165e4be0d4a8b6402292f9c634b1cb00d","impliedFormat":1},{"version":"e38d4fdf79e1eadd92ed7844c331dbaa40f29f21541cfee4e1acff4db09cda33","impliedFormat":1},{"version":"8bd86b8e8f6a6aa6c49b71e14c4ffe1211a0e97c80f08d2c8cc98838006e4b88","impliedFormat":1},{"version":"7c10a32ae6f3962672e6869ee2c794e8055d8225ef35c91c0228e354b4e5d2d3","impliedFormat":1},{"version":"2e85db9e6fd73cfa3d7f28e0ab6b55417ea18931423bd47b409a96e4a169e8e6","impliedFormat":1},{"version":"c46e079fe54c76f95c67fb89081b3e399da2c7d109e7dca8e4b58d83e332e605","impliedFormat":1},{"version":"99f569b42ea7e7c5fe404b2848c0893f3e1a56e0547c1cd0f74d5dbb9a9de27e","impliedFormat":1},{"version":"f4b4faedc57701ae727d78ba4a83e466a6e3bdcbe40efbf913b17e860642897c","affectsGlobalScope":true,"impliedFormat":1},{"version":"bbcfd9cd76d92c3ee70475270156755346c9086391e1b9cb643d072e0cf576b8","impliedFormat":1},{"version":"7394959e5a741b185456e1ef5d64599c36c60a323207450991e7a42e08911419","impliedFormat":1},{"version":"72c1f5e0a28e473026074817561d1bc9647909cf253c8d56c41d1df8d95b85f7","impliedFormat":1},{"version":"003ec918ec442c3a4db2c36dc0c9c766977ea1c8bcc1ca7c2085868727c3d3f6","affectsGlobalScope":true,"impliedFormat":1},{"version":"a6310806c6aa3154773976dd083a15659d294700d9ad8f6b8a2e10c3dc461ff1","impliedFormat":1},{"version":"c4e8e8031808b158cfb5ac5c4b38d4a26659aec4b57b6a7e2ba0a141439c208c","impliedFormat":1},{"version":"2c91d8366ff2506296191c26fd97cc1990bab3ee22576275d28b654a21261a44","affectsGlobalScope":true,"impliedFormat":1},{"version":"5524481e56c48ff486f42926778c0a3cce1cc85dc46683b92b1271865bcf015a","impliedFormat":1},{"version":"db39d9a16e4ddcd8a8f2b7b3292b362cc5392f92ad7ccd76f00bccf6838ac7de","affectsGlobalScope":true,"impliedFormat":1},{"version":"289e9894a4668c61b5ffed09e196c1f0c2f87ca81efcaebdf6357cfb198dac14","impliedFormat":1},{"version":"25a1105595236f09f5bce42398be9f9ededc8d538c258579ab662d509aa3b98e","impliedFormat":1},{"version":"5078cd62dbdf91ae8b1dc90b1384dec71a9c0932d62bdafb1a811d2a8e26bef2","impliedFormat":1},{"version":"a2e2bbde231b65c53c764c12313897ffdfb6c49183dd31823ee2405f2f7b5378","impliedFormat":1},{"version":"ad1cc0ed328f3f708771272021be61ab146b32ecf2b78f3224959ff1e2cd2a5c","impliedFormat":1},{"version":"71450bbc2d82821d24ca05699a533e72758964e9852062c53b30f31c36978ab8","affectsGlobalScope":true,"impliedFormat":1},{"version":"62f572306e0b173cc5dfc4c583471151f16ef3779cf27ab96922c92ec82a3bc8","affectsGlobalScope":true,"impliedFormat":1},{"version":"622b67a408a881e15ab38043547563b9d29ca4b46f5b7a7e4a4fc3123d25d19f","impliedFormat":1},{"version":"2617f1d06b32c7b4dfd0a5c8bc7b5de69368ec56788c90f3d7f3e3d2f39f0253","impliedFormat":1},{"version":"bd8b644c5861b94926687618ec2c9e60ad054d334d6b7eb4517f23f53cb11f91","impliedFormat":1},{"version":"bcbabfaca3f6b8a76cb2739e57710daf70ab5c9479ab70f5351c9b4932abf6bd","impliedFormat":1},{"version":"77fced47f495f4ff29bb49c52c605c5e73cd9b47d50080133783032769a9d8a6","impliedFormat":1},{"version":"966dd0793b220e22344c944e0f15afafdc9b0c9201b6444ea0197cd176b96893","impliedFormat":1},{"version":"c54f0b30a787b3df16280f4675bd3d9d17bf983ae3cd40087409476bc50b922d","affectsGlobalScope":true,"impliedFormat":1},{"version":"0f5cda0282e1d18198e2887387eb2f026372ebc4e11c4e4516fef8a19ee4d514","impliedFormat":1},{"version":"e99b0e71f07128fc32583e88ccd509a1aaa9524c290efb2f48c22f9bf8ba83b1","impliedFormat":1},{"version":"76957a6d92b94b9e2852cf527fea32ad2dc0ef50f67fe2b14bd027c9ceef2d86","impliedFormat":1},{"version":"5e9f8c1e042b0f598a9be018fc8c3cb670fe579e9f2e18e3388b63327544fe16","affectsGlobalScope":true,"impliedFormat":1},{"version":"a8a99a5e6ed33c4a951b67cc1fd5b64fd6ad719f5747845c165ca12f6c21ba16","affectsGlobalScope":true,"impliedFormat":1},{"version":"a58a15da4c5ba3df60c910a043281256fa52d36a0fcdef9b9100c646282e88dd","impliedFormat":1},{"version":"b36beffbf8acdc3ebc58c8bb4b75574b31a2169869c70fc03f82895b93950a12","impliedFormat":1},{"version":"de263f0089aefbfd73c89562fb7254a7468b1f33b61839aafc3f035d60766cb4","impliedFormat":1},{"version":"70b57b5529051497e9f6482b76d91c0dcbb103d9ead8a0549f5bab8f65e5d031","impliedFormat":1},{"version":"8c81fd4a110490c43d7c578e8c6f69b3af01717189196899a6a44f93daa57a3a","impliedFormat":1},{"version":"1013eb2e2547ad8c100aca52ef9df8c3f209edee32bb387121bb3227f7c00088","impliedFormat":1},{"version":"e07c573ac1971ea89e2c56ff5fd096f6f7bba2e6dbcd5681d39257c8d954d4a8","impliedFormat":1},{"version":"363eedb495912790e867da6ff96e81bf792c8cfe386321e8163b71823a35719a","impliedFormat":1},{"version":"37ba7b45141a45ce6e80e66f2a96c8a5ab1bcef0fc2d0f56bb58df96ec67e972","impliedFormat":1},{"version":"125d792ec6c0c0f657d758055c494301cc5fdb327d9d9d5960b3f129aff76093","impliedFormat":1},{"version":"dba28a419aec76ed864ef43e5f577a5c99a010c32e5949fe4e17a4d57c58dd11","affectsGlobalScope":true,"impliedFormat":1},{"version":"ea713aa14a670b1ea0fbaaca4fd204e645f71ca7653a834a8ec07ee889c45de6","impliedFormat":1},{"version":"07199a85560f473f37363d8f1300fac361cda2e954caf8a40221f83a6bfa7ade","impliedFormat":1},{"version":"9705cd157ffbb91c5cab48bdd2de5a437a372e63f870f8a8472e72ff634d47c1","affectsGlobalScope":true,"impliedFormat":1},{"version":"ae86f30d5d10e4f75ce8dcb6e1bd3a12ecec3d071a21e8f462c5c85c678efb41","impliedFormat":1},{"version":"982efeb2573605d4e6d5df4dc7e40846bda8b9e678e058fc99522ab6165c479e","impliedFormat":1},{"version":"e03460fe72b259f6d25ad029f085e4bedc3f90477da4401d8fbc1efa9793230e","impliedFormat":1},{"version":"4286a3a6619514fca656089aee160bb6f2e77f4dd53dc5a96b26a0b4fc778055","impliedFormat":1},{"version":"c9231cf03fd7e8cfd78307eecbd24ff3f0fa55d0f6d1108c4003c124d168adc4","affectsGlobalScope":true,"impliedFormat":1},{"version":"2d5d50cd0667d9710d4d2f6e077cc4e0f9dc75e106cccaea59999b36873c5a0d","affectsGlobalScope":true,"impliedFormat":1},{"version":"784490137935e1e38c49b9289110e74a1622baf8a8907888dcbe9e476d7c5e44","impliedFormat":1},{"version":"42180b657831d1b8fead051698618b31da623fb71ff37f002cb9d932cfa775f1","impliedFormat":1},{"version":"4f98d6fb4fe7cbeaa04635c6eaa119d966285d4d39f0eb55b2654187b0b27446","impliedFormat":1},{"version":"f8529fe0645fd9af7441191a4961497cc7638f75a777a56248eac6a079bb275d","affectsGlobalScope":true,"impliedFormat":1},{"version":"4445f6ce6289c5b2220398138da23752fd84152c5c95bb8b58dedefc1758c036","impliedFormat":1},{"version":"a51f786b9f3c297668f8f322a6c58f85d84948ef69ade32069d5d63ec917221c","impliedFormat":1},{"version":"8caa5c86be1b793cd5f599e27ecb34252c41e011980f7d61ae4989a149ff6ccc","impliedFormat":1},{"version":"f9fd93190acb1ffe0bc0fb395df979452f8d625071e9ffc8636e4dfb86ab2508","impliedFormat":1},{"version":"5f41fd8732a89e940c58ce22206e3df85745feb8983e2b4c6257fb8cbb118493","impliedFormat":1},{"version":"17ed71200119e86ccef2d96b73b02ce8854b76ad6bd21b5021d4269bec527b5f","impliedFormat":1},{"version":"1cfa8647d7d71cb03847d616bd79320abfc01ddea082a49569fda71ac5ece66b","impliedFormat":1},{"version":"bb7a61dd55dc4b9422d13da3a6bb9cc5e89be888ef23bbcf6558aa9726b89a1c","impliedFormat":1},{"version":"db6d2d9daad8a6d83f281af12ce4355a20b9a3e71b82b9f57cddcca0a8964a96","impliedFormat":1},{"version":"cfe4ef4710c3786b6e23dae7c086c70b4f4835a2e4d77b75d39f9046106e83d3","impliedFormat":1},{"version":"cbea99888785d49bb630dcbb1613c73727f2b5a2cf02e1abcaab7bcf8d6bf3c5","impliedFormat":1},{"version":"3a8bddb66b659f6bd2ff641fc71df8a8165bafe0f4b799cc298be5cd3755bb20","impliedFormat":1},{"version":"a86f82d646a739041d6702101afa82dcb935c416dd93cbca7fd754fd0282ce1f","impliedFormat":1},{"version":"2dad084c67e649f0f354739ec7df7c7df0779a28a4f55c97c6b6883ae850d1ce","impliedFormat":1},{"version":"fa5bbc7ab4130dd8cdc55ea294ec39f76f2bc507a0f75f4f873e38631a836ca7","impliedFormat":1},{"version":"df45ca1176e6ac211eae7ddf51336dc075c5314bc5c253651bae639defd5eec5","impliedFormat":1},{"version":"cf86de1054b843e484a3c9300d62fbc8c97e77f168bbffb131d560ca0474d4a8","impliedFormat":1},{"version":"196c960b12253fde69b204aa4fbf69470b26daf7a430855d7f94107a16495ab0","impliedFormat":1},{"version":"ee15ea5dd7a9fc9f5013832e5843031817a880bf0f24f37a29fd8337981aae07","impliedFormat":1},{"version":"bf24f6d35f7318e246010ffe9924395893c4e96d34324cde77151a73f078b9ad","impliedFormat":1},{"version":"ea53732769832d0f127ae16620bd5345991d26bf0b74e85e41b61b27d74ea90f","impliedFormat":1},{"version":"10595c7ff5094dd5b6a959ccb1c00e6a06441b4e10a87bc09c15f23755d34439","impliedFormat":1},{"version":"9620c1ff645afb4a9ab4044c85c26676f0a93e8c0e4b593aea03a89ccb47b6d0","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"a9af0e608929aaf9ce96bd7a7b99c9360636c31d73670e4af09a09950df97841","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"c86fe861cf1b4c46a0fb7d74dffe596cf679a2e5e8b1456881313170f092e3fa","impliedFormat":1},{"version":"08ed0b3f0166787f84a6606f80aa3b1388c7518d78912571b203817406e471da","impliedFormat":1},{"version":"47e5af2a841356a961f815e7c55d72554db0c11b4cba4d0caab91f8717846a94","impliedFormat":1},{"version":"65f43099ded6073336e697512d9b80f2d4fec3182b7b2316abf712e84104db00","impliedFormat":1},{"version":"f5f541902bf7ae0512a177295de9b6bcd6809ea38307a2c0a18bfca72212f368","impliedFormat":1},{"version":"b0decf4b6da3ebc52ea0c96095bdfaa8503acc4ac8e9081c5f2b0824835dd3bd","impliedFormat":1},{"version":"ca1b882a105a1972f82cc58e3be491e7d750a1eb074ffd13b198269f57ed9e1b","impliedFormat":1},{"version":"fc3e1c87b39e5ba1142f27ec089d1966da168c04a859a4f6aab64dceae162c2b","impliedFormat":1},{"version":"3b414b99a73171e1c4b7b7714e26b87d6c5cb03d200352da5342ab4088a54c85","impliedFormat":1},{"version":"61888522cec948102eba94d831c873200aa97d00d8989fdfd2a3e0ee75ec65a2","impliedFormat":1},{"version":"4e10622f89fea7b05dd9b52fb65e1e2b5cbd96d4cca3d9e1a60bb7f8a9cb86a1","impliedFormat":1},{"version":"74b2a5e5197bd0f2e0077a1ea7c07455bbea67b87b0869d9786d55104006784f","impliedFormat":1},{"version":"59bf32919de37809e101acffc120596a9e45fdbab1a99de5087f31fdc36e2f11","impliedFormat":1},{"version":"e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855","impliedFormat":1},{"version":"faa03dffb64286e8304a2ca96dd1317a77db6bfc7b3fb385163648f67e535d77","impliedFormat":1},{"version":"c40c848daad198266370c1c72a7a8c3d18d2f50727c7859fcfefd3ff69a7f288","impliedFormat":1},{"version":"ac60bbee0d4235643cc52b57768b22de8c257c12bd8c2039860540cab1fa1d82","impliedFormat":1},{"version":"6428e6edd944ce6789afdf43f9376c1f2e4957eea34166177625aaff4c0da1a0","impliedFormat":1},{"version":"ada39cbb2748ab2873b7835c90c8d4620723aedf323550e8489f08220e477c7f","impliedFormat":1},{"version":"6e5f5cee603d67ee1ba6120815497909b73399842254fc1e77a0d5cdc51d8c9c","impliedFormat":1},{"version":"8dba67056cbb27628e9b9a1cba8e57036d359dceded0725c72a3abe4b6c79cd4","impliedFormat":1},{"version":"70f3814c457f54a7efe2d9ce9d2686de9250bb42eb7f4c539bd2280a42e52d33","impliedFormat":1},{"version":"154dd2e22e1e94d5bc4ff7726706bc0483760bae40506bdce780734f11f7ec47","impliedFormat":1},{"version":"ef61792acbfa8c27c9bd113f02731e66229f7d3a169e3c1993b508134f1a58e0","impliedFormat":1},{"version":"9c82171d836c47486074e4ca8e059735bf97b205e70b196535b5efd40cbe1bc5","impliedFormat":1},{"version":"0131e203d8560edb39678abe10db42564a068f98c4ebd1ed9ffe7279c78b3c81","impliedFormat":1},{"version":"f6404e7837b96da3ea4d38c4f1a3812c96c9dcdf264e93d5bdb199f983a3ef4b","impliedFormat":1},{"version":"c5426dbfc1cf90532f66965a7aa8c1136a78d4d0f96d8180ecbfc11d7722f1a5","impliedFormat":1},{"version":"65a15fc47900787c0bd18b603afb98d33ede930bed1798fc984d5ebb78b26cf9","impliedFormat":1},{"version":"9d202701f6e0744adb6314d03d2eb8fc994798fc83d91b691b75b07626a69801","impliedFormat":1},{"version":"de9d2df7663e64e3a91bf495f315a7577e23ba088f2949d5ce9ec96f44fba37d","impliedFormat":1},{"version":"c7af78a2ea7cb1cd009cfb5bdb48cd0b03dad3b54f6da7aab615c2e9e9d570c5","impliedFormat":1},{"version":"1ee45496b5f8bdee6f7abc233355898e5bf9bd51255db65f5ff7ede617ca0027","impliedFormat":1},{"version":"8b8f00491431fe82f060dfe8c7f2180a9fb239f3d851527db909b83230e75882","affectsGlobalScope":true,"impliedFormat":1},{"version":"db01d18853469bcb5601b9fc9826931cc84cc1a1944b33cad76fd6f1e3d8c544","affectsGlobalScope":true,"impliedFormat":1},{"version":"dba114fb6a32b355a9cfc26ca2276834d72fe0e94cd2c3494005547025015369","impliedFormat":1},{"version":"903e299a28282fa7b714586e28409ed73c3b63f5365519776bf78e8cf173db36","affectsGlobalScope":true,"impliedFormat":1},{"version":"fa6c12a7c0f6b84d512f200690bfc74819e99efae69e4c95c4cd30f6884c526e","impliedFormat":1},{"version":"f1c32f9ce9c497da4dc215c3bc84b722ea02497d35f9134db3bb40a8d918b92b","impliedFormat":1},{"version":"b73c319af2cc3ef8f6421308a250f328836531ea3761823b4cabbd133047aefa","affectsGlobalScope":true,"impliedFormat":1},{"version":"e433b0337b8106909e7953015e8fa3f2d30797cea27141d1c5b135365bb975a6","impliedFormat":1},{"version":"dd3900b24a6a8745efeb7ad27629c0f8a626470ac229c1d73f1fe29d67e44dca","impliedFormat":1},{"version":"ddff7fc6edbdc5163a09e22bf8df7bef75f75369ebd7ecea95ba55c4386e2441","impliedFormat":1},{"version":"106c6025f1d99fd468fd8bf6e5bda724e11e5905a4076c5d29790b6c3745e50c","impliedFormat":1},{"version":"ec29be0737d39268696edcec4f5e97ce26f449fa9b7afc2f0f99a86def34a418","impliedFormat":1},{"version":"aeab39e8e0b1a3b250434c3b2bb8f4d17bbec2a9dbce5f77e8a83569d3d2cbc2","impliedFormat":1},{"version":"ec6cba1c02c675e4dd173251b156792e8d3b0c816af6d6ad93f1a55d674591aa","impliedFormat":1},{"version":"b620391fe8060cf9bedc176a4d01366e6574d7a71e0ac0ab344a4e76576fcbb8","impliedFormat":1},{"version":"d729408dfde75b451530bcae944cf89ee8277e2a9df04d1f62f2abfd8b03c1e1","impliedFormat":1},{"version":"e15d3c84d5077bb4a3adee4c791022967b764dc41cb8fa3cfa44d4379b2c95f5","impliedFormat":1},{"version":"5f58e28cd22e8fc1ac1b3bc6b431869f1e7d0b39e2c21fbf79b9fa5195a85980","impliedFormat":1},{"version":"e1fc1a1045db5aa09366be2b330e4ce391550041fc3e925f60998ca0b647aa97","impliedFormat":1},{"version":"63533978dcda286422670f6e184ac516805a365fb37a086eeff4309e812f1402","impliedFormat":1},{"version":"43ba4f2fa8c698f5c304d21a3ef596741e8e85a810b7c1f9b692653791d8d97a","impliedFormat":1},{"version":"31fb49ef3aa3d76f0beb644984e01eab0ea222372ea9b49bb6533be5722d756c","impliedFormat":1},{"version":"33cd131e1461157e3e06b06916b5176e7a8ec3fce15a5cfe145e56de744e07d2","impliedFormat":1},{"version":"889ef863f90f4917221703781d9723278db4122d75596b01c429f7c363562b86","impliedFormat":1},{"version":"3556cfbab7b43da96d15a442ddbb970e1f2fc97876d055b6555d86d7ac57dae5","impliedFormat":1},{"version":"437751e0352c6e924ddf30e90849f1d9eb00ca78c94d58d6a37202ec84eb8393","impliedFormat":1},{"version":"48e8af7fdb2677a44522fd185d8c87deff4d36ee701ea003c6c780b1407a1397","impliedFormat":1},{"version":"d11308de5a36c7015bb73adb5ad1c1bdaac2baede4cc831a05cf85efa3cc7f2f","impliedFormat":1},{"version":"38e4684c22ed9319beda6765bab332c724103d3a966c2e5e1c5a49cf7007845f","impliedFormat":1},{"version":"f9812cfc220ecf7557183379531fa409acd249b9e5b9a145d0d52b76c20862de","affectsGlobalScope":true,"impliedFormat":1},{"version":"e650298721abc4f6ae851e60ae93ee8199791ceec4b544c3379862f81f43178c","impliedFormat":1},{"version":"2e4f37ffe8862b14d8e24ae8763daaa8340c0df0b859d9a9733def0eee7562d9","impliedFormat":1},{"version":"13283350547389802aa35d9f2188effaeac805499169a06ef5cd77ce2a0bd63f","impliedFormat":1},{"version":"680793958f6a70a44c8d9ae7d46b7a385361c69ac29dcab3ed761edce1c14ab8","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"42c169fb8c2d42f4f668c624a9a11e719d5d07dacbebb63cbcf7ef365b0a75b3","impliedFormat":1},{"version":"913ddbba170240070bd5921b8f33ea780021bdf42fbdfcd4fcb2691b1884ddde","impliedFormat":1},{"version":"b4e6d416466999ff40d3fe5ceb95f7a8bfb7ac2262580287ac1a8391e5362431","impliedFormat":1},{"version":"5fe23bd829e6be57d41929ac374ee9551ccc3c44cee893167b7b5b77be708014","impliedFormat":1},{"version":"0a626484617019fcfbfc3c1bc1f9e84e2913f1adb73692aa9075817404fb41a1","impliedFormat":1},{"version":"438c7513b1df91dcef49b13cd7a1c4720f91a36e88c1df731661608b7c055f10","impliedFormat":1},{"version":"cf185cc4a9a6d397f416dd28cca95c227b29f0f27b160060a95c0e5e36cda865","impliedFormat":1},{"version":"0086f3e4ad898fd7ca56bb223098acfacf3fa065595182aaf0f6c4a6a95e6fbd","impliedFormat":1},{"version":"efaa078e392f9abda3ee8ade3f3762ab77f9c50b184e6883063a911742a4c96a","impliedFormat":1},{"version":"54a8bb487e1dc04591a280e7a673cdfb272c83f61e28d8a64cf1ac2e63c35c51","impliedFormat":1},{"version":"021a9498000497497fd693dd315325484c58a71b5929e2bbb91f419b04b24cea","impliedFormat":1},{"version":"9385cdc09850950bc9b59cca445a3ceb6fcca32b54e7b626e746912e489e535e","impliedFormat":1},{"version":"2894c56cad581928bb37607810af011764a2f511f575d28c9f4af0f2ef02d1ab","impliedFormat":1},{"version":"0a72186f94215d020cb386f7dca81d7495ab6c17066eb07d0f44a5bf33c1b21a","impliedFormat":1},{"version":"84124384abae2f6f66b7fbfc03862d0c2c0b71b826f7dbf42c8085d31f1d3f95","impliedFormat":1},{"version":"63a8e96f65a22604eae82737e409d1536e69a467bb738bec505f4f97cce9d878","impliedFormat":1},{"version":"3fd78152a7031315478f159c6a5872c712ece6f01212c78ea82aef21cb0726e2","impliedFormat":1},{"version":"b01bd582a6e41457bc56e6f0f9de4cb17f33f5f3843a7cf8210ac9c18472fb0f","impliedFormat":1},{"version":"58b49e5c1def740360b5ae22ae2405cfac295fee74abd88d74ac4ea42502dc03","impliedFormat":1},{"version":"512fc15cca3a35b8dbbf6e23fe9d07e6f87ad03c895acffd3087ce09f352aad0","impliedFormat":1},{"version":"9a0946d15a005832e432ea0cd4da71b57797efb25b755cc07f32274296d62355","impliedFormat":1},{"version":"a52ff6c0a149e9f370372fc3c715d7f2beee1f3bab7980e271a7ab7d313ec677","impliedFormat":1},{"version":"fd933f824347f9edd919618a76cdb6a0c0085c538115d9a287fa0c7f59957ab3","impliedFormat":1},{"version":"6ac6715916fa75a1f7ebdfeacac09513b4d904b667d827b7535e84ff59679aff","impliedFormat":1},{"version":"6a1aa3e55bdc50503956c5cd09ae4cd72e3072692d742816f65c66ca14f4dfdd","impliedFormat":1},{"version":"ab75cfd9c4f93ffd601f7ca1753d6a9d953bbedfbd7a5b3f0436ac8a1de60dfa","impliedFormat":1},{"version":"f95180f03d827525ca4f990f49e17ec67198c316dd000afbe564655141f725cd","impliedFormat":1},{"version":"b73cbf0a72c8800cf8f96a9acfe94f3ad32ca71342a8908b8ae484d61113f647","impliedFormat":1},{"version":"bae6dd176832f6423966647382c0d7ba9e63f8c167522f09a982f086cd4e8b23","impliedFormat":1},{"version":"1364f64d2fb03bbb514edc42224abd576c064f89be6a990136774ecdd881a1da","impliedFormat":1},{"version":"c9958eb32126a3843deedda8c22fb97024aa5d6dd588b90af2d7f2bfac540f23","impliedFormat":1},{"version":"950fb67a59be4c2dbe69a5786292e60a5cb0e8612e0e223537784c731af55db1","impliedFormat":1},{"version":"e927c2c13c4eaf0a7f17e6022eee8519eb29ef42c4c13a31e81a611ab8c95577","impliedFormat":1},{"version":"07ca44e8d8288e69afdec7a31fa408ce6ab90d4f3d620006701d5544646da6aa","impliedFormat":1},{"version":"70246ad95ad8a22bdfe806cb5d383a26c0c6e58e7207ab9c431f1cb175aca657","impliedFormat":1},{"version":"f00f3aa5d64ff46e600648b55a79dcd1333458f7a10da2ed594d9f0a44b76d0b","impliedFormat":1},{"version":"772d8d5eb158b6c92412c03228bd9902ccb1457d7a705b8129814a5d1a6308fc","impliedFormat":1},{"version":"4e4475fba4ed93a72f167b061cd94a2e171b82695c56de9899275e880e06ba41","impliedFormat":1},{"version":"97c5f5d580ab2e4decd0a3135204050f9b97cd7908c5a8fbc041eadede79b2fa","impliedFormat":1},{"version":"c99a3a5f2215d5b9d735aa04cec6e61ed079d8c0263248e298ffe4604d4d0624","impliedFormat":1},{"version":"49b2375c586882c3ac7f57eba86680ff9742a8d8cb2fe25fe54d1b9673690d41","impliedFormat":1},{"version":"802e797bcab5663b2c9f63f51bdf67eff7c41bc64c0fd65e6da3e7941359e2f7","impliedFormat":1},{"version":"847e160d709c74cc714fbe1f99c41d3425b74cd47b1be133df1623cd87014089","impliedFormat":1},{"version":"9fee04f1e1afa50524862289b9f0b0fdc3735b80e2a0d684cec3b9ff3d94cecc","impliedFormat":1},{"version":"5cdc27fbc5c166fc5c763a30ac21cbac9859dc5ba795d3230db6d4e52a1965bb","impliedFormat":1},{"version":"6459054aabb306821a043e02b89d54da508e3a6966601a41e71c166e4ea1474f","impliedFormat":1},{"version":"f416c9c3eee9d47ff49132c34f96b9180e50485d435d5748f0e8b72521d28d2e","impliedFormat":1},{"version":"05c97cddbaf99978f83d96de2d8af86aded9332592f08ce4a284d72d0952c391","impliedFormat":1},{"version":"14e5cdec6f8ae82dfd0694e64903a0a54abdfe37e1d966de3d4128362acbf35f","impliedFormat":1},{"version":"bbc183d2d69f4b59fd4dd8799ffdf4eb91173d1c4ad71cce91a3811c021bf80c","impliedFormat":1},{"version":"7b6ff760c8a240b40dab6e4419b989f06a5b782f4710d2967e67c695ef3e93c4","impliedFormat":1},{"version":"8dbc4134a4b3623fc476be5f36de35c40f2768e2e3d9ed437e0d5f1c4cd850f6","impliedFormat":1},{"version":"4e06330a84dec7287f7ebdd64978f41a9f70a668d3b5edc69d5d4a50b9b376bb","impliedFormat":1},{"version":"65bfa72967fbe9fc33353e1ac03f0480aa2e2ea346d61ff3ea997dfd850f641a","impliedFormat":1},{"version":"c06f0bb92d1a1a5a6c6e4b5389a5664d96d09c31673296cb7da5fe945d54d786","impliedFormat":1},{"version":"f974e4a06953682a2c15d5bd5114c0284d5abf8bc0fe4da25cb9159427b70072","impliedFormat":1},{"version":"872caaa31423f4345983d643e4649fb30f548e9883a334d6d1c5fff68ede22d4","impliedFormat":1},{"version":"94404c4a878fe291e7578a2a80264c6f18e9f1933fbb57e48f0eb368672e389c","impliedFormat":1},{"version":"5c1b7f03aa88be854bc15810bfd5bd5a1943c5a7620e1c53eddd2a013996343e","impliedFormat":1},{"version":"09dfc64fcd6a2785867f2368419859a6cc5a8d4e73cbe2538f205b1642eb0f51","impliedFormat":1},{"version":"bcf6f0a323653e72199105a9316d91463ad4744c546d1271310818b8cef7c608","impliedFormat":1},{"version":"01aa917531e116485beca44a14970834687b857757159769c16b228eb1e49c5f","impliedFormat":1},{"version":"351475f9c874c62f9b45b1f0dc7e2704e80dfd5f1af83a3a9f841f9dfe5b2912","impliedFormat":1},{"version":"ac457ad39e531b7649e7b40ee5847606eac64e236efd76c5d12db95bf4eacd17","impliedFormat":1},{"version":"187a6fdbdecb972510b7555f3caacb44b58415da8d5825d03a583c4b73fde4cf","impliedFormat":1},{"version":"d4c3250105a612202289b3a266bb7e323db144f6b9414f9dea85c531c098b811","impliedFormat":1},{"version":"95b444b8c311f2084f0fb51c616163f950fb2e35f4eaa07878f313a2d36c98a4","impliedFormat":1},{"version":"741067675daa6d4334a2dc80a4452ca3850e89d5852e330db7cb2b5f867173b1","impliedFormat":1},{"version":"f8acecec1114f11690956e007d920044799aefeb3cece9e7f4b1f8a1d542b2c9","impliedFormat":1},{"version":"178071ccd043967a58c5d1a032db0ddf9bd139e7920766b537d9783e88eb615e","impliedFormat":1},{"version":"3a17f09634c50cce884721f54fd9e7b98e03ac505889c560876291fcf8a09e90","impliedFormat":1},{"version":"32531dfbb0cdc4525296648f53b2b5c39b64282791e2a8c765712e49e6461046","impliedFormat":1},{"version":"0ce1b2237c1c3df49748d61568160d780d7b26693bd9feb3acb0744a152cd86d","impliedFormat":1},{"version":"e489985388e2c71d3542612685b4a7db326922b57ac880f299da7026a4e8a117","impliedFormat":1},{"version":"5cad4158616d7793296dd41e22e1257440910ea8d01c7b75045d4dfb20c5a41a","impliedFormat":1},{"version":"04d3aad777b6af5bd000bfc409907a159fe77e190b9d368da4ba649cdc28d39e","affectsGlobalScope":true,"impliedFormat":1},{"version":"74efc1d6523bd57eb159c18d805db4ead810626bc5bc7002a2c7f483044b2e0f","impliedFormat":1},{"version":"19252079538942a69be1645e153f7dbbc1ef56b4f983c633bf31fe26aeac32cd","impliedFormat":1},{"version":"bc11f3ac00ac060462597add171220aed628c393f2782ac75dd29ff1e0db871c","impliedFormat":1},{"version":"616775f16134fa9d01fc677ad3f76e68c051a056c22ab552c64cc281a9686790","impliedFormat":1},{"version":"65c24a8baa2cca1de069a0ba9fba82a173690f52d7e2d0f1f7542d59d5eb4db0","impliedFormat":1},{"version":"f9fe6af238339a0e5f7563acee3178f51db37f32a2e7c09f85273098cee7ec49","impliedFormat":1},{"version":"3b0b1d352b8d2e47f1c4df4fb0678702aee071155b12ef0185fce9eb4fa4af1e","impliedFormat":1},{"version":"77e71242e71ebf8528c5802993697878f0533db8f2299b4d36aa015bae08a79c","impliedFormat":1},{"version":"a344403e7a7384e0e7093942533d309194ad0a53eca2a3100c0b0ab4d3932773","impliedFormat":1},{"version":"b7fff2d004c5879cae335db8f954eb1d61242d9f2d28515e67902032723caeab","impliedFormat":1},{"version":"5f3dc10ae646f375776b4e028d2bed039a93eebbba105694d8b910feebbe8b9c","impliedFormat":1},{"version":"bb18bf4a61a17b4a6199eb3938ecfa4a59eb7c40843ad4a82b975ab6f7e3d925","impliedFormat":1},{"version":"4545c1a1ceca170d5d83452dd7c4994644c35cf676a671412601689d9a62da35","impliedFormat":1},{"version":"e9b6fc05f536dfddcdc65dbcf04e09391b1c968ab967382e48924f5cb90d88e1","impliedFormat":1},{"version":"a2d648d333cf67b9aeac5d81a1a379d563a8ffa91ddd61c6179f68de724260ff","impliedFormat":1},{"version":"2b664c3cc544d0e35276e1fb2d4989f7d4b4027ffc64da34ec83a6ccf2e5c528","impliedFormat":1},{"version":"a3f41ed1b4f2fc3049394b945a68ae4fdefd49fa1739c32f149d32c0545d67f5","impliedFormat":1},{"version":"3cd8f0464e0939b47bfccbb9bb474a6d87d57210e304029cd8eb59c63a81935d","impliedFormat":1},{"version":"47699512e6d8bebf7be488182427189f999affe3addc1c87c882d36b7f2d0b0e","impliedFormat":1},{"version":"3026abd48e5e312f2328629ede6e0f770d21c3cd32cee705c450e589d015ee09","impliedFormat":1},{"version":"8b140b398a6afbd17cc97c38aea5274b2f7f39b1ae5b62952cfe65bf493e3e75","impliedFormat":1},{"version":"7663d2c19ce5ef8288c790edba3d45af54e58c84f1b37b1249f6d49d962f3d91","impliedFormat":1},{"version":"5cce3b975cdb72b57ae7de745b3c5de5790781ee88bcb41ba142f07c0fa02e97","impliedFormat":1},{"version":"00bd6ebe607246b45296aa2b805bd6a58c859acecda154bfa91f5334d7c175c6","impliedFormat":1},{"version":"ad036a85efcd9e5b4f7dd5c1a7362c8478f9a3b6c3554654ca24a29aa850a9c5","impliedFormat":1},{"version":"fedebeae32c5cdd1a85b4e0504a01996e4a8adf3dfa72876920d3dd6e42978e7","impliedFormat":1},{"version":"0d28b974a7605c4eda20c943b3fa9ae16cb452c1666fc9b8c341b879992c7612","impliedFormat":1},{"version":"cdf21eee8007e339b1b9945abf4a7b44930b1d695cc528459e68a3adc39a622e","impliedFormat":1},{"version":"db036c56f79186da50af66511d37d9fe77fa6793381927292d17f81f787bb195","impliedFormat":1},{"version":"87ac2fb61e629e777f4d161dff534c2023ee15afd9cb3b1589b9b1f014e75c58","impliedFormat":1},{"version":"13c8b4348db91e2f7d694adc17e7438e6776bc506d5c8f5de9ad9989707fa3fe","impliedFormat":1},{"version":"3c1051617aa50b38e9efaabce25e10a5dd9b1f42e372ef0e8a674076a68742ed","impliedFormat":1},{"version":"07a3e20cdcb0f1182f452c0410606711fbea922ca76929a41aacb01104bc0d27","impliedFormat":1},{"version":"1de80059b8078ea5749941c9f863aa970b4735bdbb003be4925c853a8b6b4450","impliedFormat":1},{"version":"1d079c37fa53e3c21ed3fa214a27507bda9991f2a41458705b19ed8c2b61173d","impliedFormat":1},{"version":"4cd4b6b1279e9d744a3825cbd7757bbefe7f0708f3f1069179ad535f19e8ed2c","impliedFormat":1},{"version":"5835a6e0d7cd2738e56b671af0e561e7c1b4fb77751383672f4b009f4e161d70","impliedFormat":1},{"version":"c0eeaaa67c85c3bb6c52b629ebbfd3b2292dc67e8c0ffda2fc6cd2f78dc471e6","impliedFormat":1},{"version":"4b7f74b772140395e7af67c4841be1ab867c11b3b82a51b1aeb692822b76c872","impliedFormat":1},{"version":"27be6622e2922a1b412eb057faa854831b95db9db5035c3f6d4b677b902ab3b7","impliedFormat":1},{"version":"b95a6f019095dd1d48fd04965b50dfd63e5743a6e75478343c46d2582a5132bf","impliedFormat":99},{"version":"c2008605e78208cfa9cd70bd29856b72dda7ad89df5dc895920f8e10bcb9cd0a","impliedFormat":99},{"version":"b97cb5616d2ab82a98ec9ada7b9e9cabb1f5da880ec50ea2b8dc5baa4cbf3c16","impliedFormat":99},{"version":"d23df9ff06ae8bf1dcb7cc933e97ae7da418ac77749fecee758bb43a8d69f840","affectsGlobalScope":true,"impliedFormat":1},{"version":"040c71dde2c406f869ad2f41e8d4ce579cc60c8dbe5aa0dd8962ac943b846572","affectsGlobalScope":true,"impliedFormat":1},{"version":"3586f5ea3cc27083a17bd5c9059ede9421d587286d5a47f4341a4c2d00e4fa91","impliedFormat":1},{"version":"a6df929821e62f4719551f7955b9f42c0cd53c1370aec2dd322e24196a7dfe33","impliedFormat":1},{"version":"b789bf89eb19c777ed1e956dbad0925ca795701552d22e68fd130a032008b9f9","impliedFormat":1},"9dd9d642cdb87d4d5b3173217e0c45429b3e47a6f5cf5fb0ead6c644ec5fed01",{"version":"f66ddc4c537b76c0d69a08094a77dc3d5cae860ae9a549612cd738e67aa2ab6e","impliedFormat":99},{"version":"c888123e192a2fa20c7d58075aa60b6b48880cdf96bd39e92601ccb698569d05","impliedFormat":1},{"version":"1d959fdfe98916a596e44de2e5c1a302343b6917e58416696822e88bb116c5c2","impliedFormat":1},{"version":"7ee96c33ffa8089198e0caa413a0ded9a7d6bda9c428d721500200f561fa5912","impliedFormat":1},{"version":"0553fe55dea25bca5c65dd32b8ddd3be252dac19deedf5351068b14e3802292c","impliedFormat":1},{"version":"e128206c4e79a401f4d56c6d0eccb0e0024206069064eda35352810bce71a13d","impliedFormat":1},{"version":"07f3e5242785465bb7dfdac011638f60f36f1bdc107d7aed88c6dd5028a05fc8","impliedFormat":1},{"version":"dd41cffa61aeb7f1f45988fdb6554b3cd6c119d2489d1b060485beb17a24f84b","impliedFormat":1},{"version":"5bd39ec249095c24afd1250438ba99828f45ef8fa528ecbfcad2b784f2626b85","impliedFormat":1},{"version":"fb66f815ffad21aa39d287143df839080043df9143319f4c0df0ee7ce981d685","impliedFormat":1},{"version":"a692f79e1c4698b451ac84063159052dd6c5cffd9c1ddcd500371e616f33f49a","impliedFormat":1},{"version":"591c3090cba30fe63313a4cd6e0870e48f664626d06296155053d60e67576bbb","impliedFormat":1},{"version":"602ee2c4c4b144883e6469ce187d73d07053f7fa1832e38bde7b338d93309b4f","impliedFormat":1},{"version":"8599238bbe9b0576d88ba9c905e9cdd2f62b4de11724995e634cc44efe8d468f","impliedFormat":1},{"version":"d708d5cda41ab5cdb7238c75cab0650a1d8216cf0bd803b166a0b4e3371b2ead","impliedFormat":1},{"version":"d8a3e7a3fd488135d24f3dd2b1c355a5c0ef9bf1169356168c015521f9213881","impliedFormat":1},{"version":"8ad33af0c5e997c5fb2687b563ef15be184dfda0284d6ccefa1a63309ea6d3c5","impliedFormat":1},{"version":"adbe638d4ebb0a68e18fd257cc0be63e4dbf96efb311d6f7a0f502f746bae4d2","impliedFormat":1},{"version":"a8128e02f6c067da2f13224157b3b0024b1c5aa9d2a15946438d35d447a06b32","impliedFormat":1},{"version":"c37aecf4c7828e00392c784013513fff8256d700edb45c6aaf07b6f8156ca36f","impliedFormat":1},{"version":"4b95398b7517ab91a0dac31797e02be5a8b0e2160610d998a7b9e51c58f9e657","impliedFormat":1},{"version":"98682515f91248382be2c583a819e8e0bef160ad5ec0c49346100098755b4b80","impliedFormat":1},{"version":"69b50a12f5fe856d5d4d486e068938f364f4e04eee6b2ed323139b7c85edf849","impliedFormat":1},{"version":"ecfb422f8cf7cd66fa315e5501ca3d613cdde85aafeab0c22594d9ea3b2783df","impliedFormat":1},{"version":"f54a16d715fb229425b99ce208848b9528b4a0eefb2ab1052e30ab97f215a5dd","impliedFormat":1},{"version":"3ffb73d98590f61b003647a41911a51e82fce04b7dd8e1eca0390c240540e551","impliedFormat":1},{"version":"765b9f5a1b16c41688e883bd3bb9f0e33d4f5e26cc88b2ba80dca534ecea2cd1","impliedFormat":1},{"version":"12fcef9ef0bba67853c41e49cd57da352cc5d6b940a4ec7b5d9f46075b48bdf7","impliedFormat":1},{"version":"b133a567fe7e2ddd69391d546fcc8f29dd3983aee8e9b5e1a0af967c9624ed9f","impliedFormat":1},{"version":"62a013c189f3ac31c869642c0d6765e41519ba86ee7816de50d0df432693ff00","impliedFormat":1},{"version":"d1e4734feadf722b761d72b601f52aff639497e01f30210c2498b236c88f6d1f","impliedFormat":1},{"version":"b7b3112ed4a8c225f37b6c3b33147b291d76973ab3ad291b49a18df4cb3dfe10","impliedFormat":1},{"version":"2efd37a6626889d88e7881b1a3228a24944f7b4a02e4a72081b684bf28477f93","impliedFormat":1},{"version":"3f8d9d32bba66703ef3cbd3db94ab1092a2ca0f32415947e8eddbfab897fbc11","impliedFormat":1},{"version":"8a480dd48b83a683049509d51b4c008efafd17fc31ffb13c956ea0eaccbd9f36","impliedFormat":1},{"version":"310837536fb604daac566843519d1aa381312933c070bb250a34e2f8ccd8df09","impliedFormat":1},{"version":"a6b6d531ffc0e07459b9ee80664e938f998944d36807003dac316dc927aaffcf","impliedFormat":1},{"version":"b2e20e48ee8ca889fb3196cdc4a15ebc0f7f840dcacc05d0669a400f3753d5bd","impliedFormat":1},{"version":"a4dfc191cc9469a444e39351b9b2ad2eaf6eb9a3f977827c3f08b7bfb9d6cddd","impliedFormat":1},{"version":"92361785eb6735bbd0e4e04f2b353b4d1502b0dd452a307d1d8514ba4ab062cb","impliedFormat":1},{"version":"f3a5f83f1f11602ef9f1f1859c391996a375b7581041aaace936387a8caac650","impliedFormat":1},{"version":"806fe0c46d860f0e256964de1aa5a4fbafb7fdaa152bc3be20edd7890444a8ae","impliedFormat":1},{"version":"219efb4c63c52fbb2df716391a8c3b71176cd9861d29300d247bfed566d0c6e0","impliedFormat":1},{"version":"bc264ae77c91f490c177e2353c44eb1d0dff40367d958159789f1e51c4f8fb79","impliedFormat":1},{"version":"ed3ff1f2a9d6f6111efe3a848966be05da8123a8f5da106d0c451bf0a100afb5","impliedFormat":1},{"version":"8e609bb71c20b858c77f0e9f90bb1319db8477b13f9f965f1a1e18524bf50881","impliedFormat":1},{"version":"2d355bca3bcd3583b8c8b5820c4ead05917d24f2ca08d402a2ec1c112e17b087","impliedFormat":1},{"version":"48def278284b6070983dc9b8eb1a5d91946eb70eabf9b9a0d3daa4d1e31cb4ee","impliedFormat":1},{"version":"bcf3d283431b202ead3430491573d56e34153a122181c122ea0207f8f45c6828","impliedFormat":1},{"version":"d5424c5b192d8683d39187553a7f7aad733af72c70c0ddd3423244650de9e862","impliedFormat":1},{"version":"a827909fa8035922dd865b896d017b6e35e47b1bcc1f23ae56a68dfeb5141f24","impliedFormat":1},{"version":"1eec30e1287373c57a19b7b0e6c7769eaeed91f889c930c7c1f8af64d0a57935","impliedFormat":1},{"version":"038b0db492ddf28ff7bfc06da3a9bb4209bd24be978950ed895a6e3cd7deafa6","impliedFormat":1},{"version":"bf46e2f4e1c7aaa5d3e04f175cae4b6ff230718d606b055bcf929fe81babfd14","impliedFormat":1},{"version":"4fa2f105c0cf7969521837f4bef954f31fa1e228d9b0cde44e6503722a60c858","impliedFormat":1},{"version":"673446388721fb5130c4f8fbc3af8e187e0f6f8fa2ae29bda56ad3119d98f427","impliedFormat":1},{"version":"29d0311cc23d8ff84f2db8aa59ba5b283f294fa8791dc0bec3f175ce9d281244","impliedFormat":1},{"version":"0893c4bd1be9399141ea698c08c70e2eca1caa61ad4c42d24ec0895dbdbaeb8d","impliedFormat":1},{"version":"7b6c8999ce500ad946f4a608944d3a0e6b7111e2f3058f5a38cfcb9a9ac30796","impliedFormat":1},{"version":"5b0580c13591cb8d99a0681815f0c36c203d7f0119fe749c0724b3d205dd52ac","impliedFormat":1},{"version":"0b7df36baa62f953f7612d414e8d3aa4ec0f2f1c53a6b2d4eb18fd517fa00f4a","impliedFormat":1},{"version":"eae0f0bd272650a83a592c6000b7733520eb5aa42efcc8ab62d47dc1acb5ee78","impliedFormat":99},{"version":"9744ab454af4a34e65a3af6daa6a05ec9d9d2990e1508c75177603535304a8d5","impliedFormat":99},{"version":"481c19996de65c72ebf9d7e8f9952298072d4c30db6475cd4231df8e2f2d09b1","impliedFormat":99},{"version":"406be199d4f2b0c74810de31b45fecb333d0c04f6275d6e9578067cced0f3b8c","impliedFormat":99},{"version":"2401f5d61e82a35b49f8e89fe5e826682d82273714d86454b5d8ff74838efa7a","impliedFormat":99},{"version":"87ba3ab05e8e23618cd376562d0680ddd0c00a29569ddddb053b9862ef73e159","impliedFormat":99},{"version":"2b4276dde46aa2faf0dd86119999c76b81e6488cd6b0d0fcf9fb985769cd11c0","impliedFormat":99},{"version":"38d4cff03e87dc58bfd50ffe5a3fb25e6e6d4136a1282883285baf71d35967c5","impliedFormat":99},{"version":"5ecea63968444d55f7c3cf677cbec9525db9229953b34f06be0386a24b0fffd2","impliedFormat":99},{"version":"6ea9c8bf2ae4d47a0dbc2a1f9ac1e36c639b2ac9225c4d271c2f63a2faf24831","impliedFormat":99},{"version":"a3d603c46b55d51493799241b8a456169d36301cc926ff72c75f5480e7eb25bf","impliedFormat":99},{"version":"324869b470cb6aa2bc54e8fb057b90d972f90d24c7059c027869b2587efe01aa","impliedFormat":99},{"version":"eedf3960076a5b33a84cd28476e035983b7c71a9a8728f904d8e17e824259a8e","impliedFormat":99},{"version":"d7058b71aae678b2a276ecbeb7a9f0fdf4d57ccf0831f572686ba43be26b8ef7","impliedFormat":99},{"version":"85f9d1a2bbc6d5a8542c27b90ea6214475dec898166e01b8db95e9a696ded58f","impliedFormat":99},{"version":"9e0b04a9586f6f7bcf2cd160a21630643957553fc49197e8e10d8cca2d163610","impliedFormat":99},{"version":"2df4f080ac546741f1963d7b8a9cc74f739fbdedf8912c0bad34edeb99b64db6","impliedFormat":99},{"version":"4b62ccc8a561ee6f6124dec319721c064456d5888a66a31a5f2691d33aa93a5f","impliedFormat":99},{"version":"430fa8183f4a42a776af25dac202a5e254598ff5b46aa3016165570ea174b09e","impliedFormat":99},{"version":"7cd3e62c5a8cc665104736a6b6d8b360d97ebc9926e2ed98ac23dca8232e210b","impliedFormat":99},{"version":"ff434ea45f1fc18278b1fc25d3269ec58ce110e602ebafba629980543c3d6999","impliedFormat":99},{"version":"d39e6644c8b9854b16e6810f6fc96c2bf044e2fd200da65a17e557c1bac51bc4","impliedFormat":99},{"version":"cd6f4c96cb17765ebc8f0cc96637235385876f1141fa749fc145f29e0932fc2b","impliedFormat":99},{"version":"45ea8224ec8fc3787615fc548677d6bf6d7cec4251f864a6c09fc86dbdb2cd5d","impliedFormat":99},{"version":"3a997ddb7db269e4789803bc3afa7acac9797647477ac683a27f9d41fc681d17","impliedFormat":99},{"version":"0bbc9eb3b65e320a97c4a1cc8ee5069b86048c4b3dd12ac974c7a1a6d8b6fb36","impliedFormat":99},{"version":"68dc445224378e9b650c322f5753b371cccbeca078e5293cbc54374051d62734","impliedFormat":99},{"version":"93340b1999275b433662eedd4b1195b22f2df3a8eb7e9d1321e5a06c5576417c","impliedFormat":99},{"version":"4e76f3c76469e7c1025ef764118524a84d68aedd6d9c66c3089e3e0d430f09e5","impliedFormat":99},{"version":"37fcf5a0823c2344a947d4c0e50cc63316156f1e6bc0f0c6749e099642d286b1","impliedFormat":99},{"version":"85022f6317402b14e3a2f34aa21bc6849c6eded2e64ebfc5e26ba820492d9f3e","impliedFormat":99},{"version":"1b50e65f1fbcf48850f91b0bc6ff8c61e6fa2e2e64dd2134a087c40fcfa84e28","impliedFormat":99},{"version":"3736846e55c2a2291b0e4b8b0cb875d329b0b190367323f55a5ab58ee9c8406c","impliedFormat":99},{"version":"f86c6ba182a8b3e2042a61b7e4740413ddca1b68ed72d95758355d53dac232d4","impliedFormat":99},{"version":"33aab7e0f4bf0f7c016e98fb8ea1a05b367fedb2785025c7fa628d91f93818cc","impliedFormat":99},{"version":"20cb0921e0f2580cb2878b4379eedab15a7013197a1126a3df34ea7838999039","impliedFormat":99},{"version":"a88418129ba1c0da303f67e47ee8ac6f4cbfd563cff223031d2cf110c4696226","impliedFormat":1},{"version":"87a90971310514449015b19bc8c59c0edaaba3d153a80ac52c44e16bcf0d1d28","impliedFormat":1},{"version":"3b9f4ac2a325f66c0903baa8aa17d4700e7cd00269f1555cb12fa987108712ad","impliedFormat":1},{"version":"2955bb1323b7db4e5bc106c129ab526b79a15d87e6825a0ceccf4b21f0195e8a","impliedFormat":1},{"version":"884066b708c13cf4354e423131286134458ea143944321bda525570d858305bc","impliedFormat":1},{"version":"5cc7a2443958afc67c80359f132ee17c9878a2c14c76028fbd857245112de0ad","impliedFormat":1},{"version":"8de66fd74714b1800778f9c0c34aa62426223ccd10bbe0f5792ea14aa325c1e1","impliedFormat":1},{"version":"30676348ab19164671a301005feca9829b4ee79a4924436ec61276ee4b5936b5","impliedFormat":1},{"version":"4d553d9e9e633ff77e9571a03fa225f83a133b5612931a013ae7d07a8d1032dd","impliedFormat":1},{"version":"c1a2e05eb6d7ca8d7e4a7f4c93ccf0c2857e842a64c98eaee4d85841ee9855e6","impliedFormat":1},{"version":"835fb2909ce458740fb4a49fc61709896c6864f5ce3db7f0a88f06c720d74d02","impliedFormat":1},{"version":"6e5857f38aa297a859cab4ec891408659218a5a2610cd317b6dcbef9979459cc","impliedFormat":1},{"version":"ead8e39c2e11891f286b06ae2aa71f208b1802661fcdb2425cffa4f494a68854","impliedFormat":1},{"version":"82919acbb38870fcf5786ec1292f0f5afe490f9b3060123e48675831bd947192","impliedFormat":1},{"version":"e222701788ec77bd57c28facbbd142eadf5c749a74d586bc2f317db7e33544b1","impliedFormat":1},{"version":"09154713fae0ed7befacdad783e5bd1970c06fc41a5f866f7f933b96312ce764","impliedFormat":1},{"version":"8d67b13da77316a8a2fabc21d340866ddf8a4b99e76a6c951cc45189142df652","impliedFormat":1},{"version":"a91c8d28d10fee7fe717ddf3743f287b68770c813c98f796b6e38d5d164bd459","impliedFormat":1},{"version":"68add36d9632bc096d7245d24d6b0b8ad5f125183016102a3dad4c9c2438ccb0","impliedFormat":1},{"version":"3a819c2928ee06bbcc84e2797fd3558ae2ebb7e0ed8d87f71732fb2e2acc87b4","impliedFormat":1},{"version":"f6f827cd43e92685f194002d6b52a9408309cda1cec46fb7ca8489a95cbd2fd4","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"e0bfe601a9fdf6defe94ed62dc60ac71597566001a1f86e705c95e431a9c816d","impliedFormat":1},{"version":"a270a1a893d1aee5a3c1c8c276cd2778aa970a2741ee2ccf29cc3210d7da80f5","impliedFormat":1},{"version":"add0ce7b77ba5b308492fa68f77f24d1ed1d9148534bdf05ac17c30763fc1a79","impliedFormat":1},{"version":"8926594ee895917e90701d8cbb5fdf77fc238b266ac540f929c7253f8ad6233d","impliedFormat":1},{"version":"2f67911e4bf4e0717dc2ded248ce2d5e4398d945ee13889a6852c1233ea41508","impliedFormat":1},{"version":"d8430c275b0f59417ea8e173cfb888a4477b430ec35b595bf734f3ec7a7d729f","impliedFormat":1},{"version":"69364df1c776372d7df1fb46a6cb3a6bf7f55e700f533a104e3f9d70a32bec18","impliedFormat":1},{"version":"6042774c61ece4ba77b3bf375f15942eb054675b7957882a00c22c0e4fe5865c","impliedFormat":1},{"version":"5a3bd57ed7a9d9afef74c75f77fce79ba3c786401af9810cdf45907c4e93f30e","impliedFormat":1},{"version":"ed8763205f02fb65e84eff7432155258df7f93b7d938f01785cb447d043d53f3","impliedFormat":1},{"version":"30db853bb2e60170ba11e39ab48bacecb32d06d4def89eedf17e58ebab762a65","impliedFormat":1},{"version":"e27451b24234dfed45f6cf22112a04955183a99c42a2691fb4936d63cfe42761","impliedFormat":1},{"version":"2316301dd223d31962d917999acf8e543e0119c5d24ec984c9f22cb23247160c","impliedFormat":1},{"version":"58d65a2803c3b6629b0e18c8bf1bc883a686fcf0333230dd0151ab6e85b74307","impliedFormat":1},{"version":"e818471014c77c103330aee11f00a7a00b37b35500b53ea6f337aefacd6174c9","impliedFormat":1},{"version":"d4a5b1d2ff02c37643e18db302488cd64c342b00e2786e65caac4e12bda9219b","impliedFormat":1},{"version":"29f823cbe0166e10e7176a94afe609a24b9e5af3858628c541ff8ce1727023cd","impliedFormat":1},{"version":"89121c1bf2990f5219bfd802a3e7fc557de447c62058d6af68d6b6348d64499a","impliedFormat":1},{"version":"79b4369233a12c6fa4a07301ecb7085802c98f3a77cf9ab97eee27e1656f82e6","impliedFormat":1},{"version":"6c3741e44c9b0ebd563c8c74dcfb2f593190dfd939266c07874dc093ecb4aa0e","impliedFormat":99},{"version":"e12cbccd28ee5c537fe59e3afdd55e6c9130a42d9d5bb4beb1c9da1d16f31680","impliedFormat":99},{"version":"b5e8cb6c102ea4df23a4d1942c0f4f482c8a7793a5cfec71270b77e9a74fb99e","impliedFormat":99},{"version":"a65735a086ae8b401c1c41b51b41546532670c919fd2cedc1606fd186fcee2d7","impliedFormat":99},{"version":"fe021dbde66bd0d6195d4116dcb4c257966ebc8cfba0f34441839415e9e913e1","impliedFormat":99},{"version":"d52a4b1cabee2c94ed18c741c480a45dd9fed32477dd94a9cc8630a8bc263426","impliedFormat":99},{"version":"d059a52684789e6ef30f8052244cb7c52fb786e4066ac415c50642174cc76d14","impliedFormat":99},{"version":"2ccdfd33a753c18e8e5fe8a1eadefff968531d920bc9cdc7e4c97b0c6d3dcaf8","impliedFormat":99},{"version":"d64a434d7fb5040dbe7d5f4911145deda53e281b3f1887b9a610defd51b3c1a2","impliedFormat":99},{"version":"927f406568919fd7cd238ef7fe5e9c5e9ec826f1fff89830e480aff8cfd197da","impliedFormat":99},{"version":"a77d742410fe78bb054d325b690fda75459531db005b62ba0e9371c00163353c","impliedFormat":99},{"version":"f8de61dd3e3c4dc193bb341891d67d3979cb5523a57fcacaf46bf1e6284e6c35","impliedFormat":99},{"version":"addca1bb7478ebc3f1c67b710755acc945329875207a3c9befd6b5cbcab12574","impliedFormat":99},{"version":"50b565f4771b6b150cbf3ae31eb815c31f15e2e0f45518958a5f4348a1a01660","impliedFormat":99},{"version":"1453d1146382f9bcdf801cdcb5cadd9360c33a41d4be0f188bbaa01aa194ad72","impliedFormat":99},{"version":"4f0c7dd3195f81b0131cc5af1021ea1eb8df1016a7a065dbf02afbfe17307e92","impliedFormat":99},{"version":"4056a596190daaaa7268f5465b972915facc5eca90ee6432e90afa130ba2e4ee","impliedFormat":99},{"version":"aa20728bb08af6288996197b97b5ed7bcfb0b183423bb482a9b25867a5b33c57","impliedFormat":99},{"version":"5322c3686d3797d415f8570eec54e898f328e59f8271b38516b1366074b499aa","impliedFormat":99},{"version":"b0aa778c53f491350d81ec58eb3e435d34bef2ec93b496c51d9b50aa5a8a61e5","impliedFormat":99},{"version":"fa454230c32f38213198cf47db147caf4c03920b3f8904566b29a1a033341602","impliedFormat":99},{"version":"5571608cd06d2935efe2ed7ba105ec93e5c5d1e822d300e5770a1ad9a065c8b6","impliedFormat":99},{"version":"6bf8aa6ed64228b4d065f334b8fe11bc11f59952fd15015b690dfb3301c94484","impliedFormat":99},{"version":"41ae2bf47844e4643ebe68b8e0019af7a87a9daea2d38959a9f7520ada9ad3cb","impliedFormat":99},{"version":"f4498a2ac4186466abe5f9641c9279a3458fa5992dc10ed4581c265469b118d4","impliedFormat":99},{"version":"bd09a0e906dae9a9351c658e7d8d6caa9f4df2ba104df650ebca96d1c4f81c23","impliedFormat":99},{"version":"055ad004f230e10cf1099d08c6f5774c564782bd76fbefbda669ab1ad132c175","impliedFormat":99},{"version":"2b37ba54ec067598bf912d56fcb81f6d8ad86a045c757e79440bdef97b52fe1b","impliedFormat":99},{"version":"1bc9dd465634109668661f998485a32da369755d9f32b5a55ed64a525566c94b","impliedFormat":99},{"version":"5702b3c2f5d248290ed99419d77ca1cc3e6c29db5847172377659c50e6303768","impliedFormat":99},{"version":"9764b2eb5b4fc0b8951468fb3dbd6cd922d7752343ef5fbf1a7cd3dfcd54a75e","impliedFormat":99},{"version":"1fc2d3fe8f31c52c802c4dee6c0157c5a1d1f6be44ece83c49174e316cf931ad","impliedFormat":99},{"version":"dc4aae103a0c812121d9db1f7a5ea98231801ed405bf577d1c9c46a893177e36","impliedFormat":99},{"version":"106d3f40907ba68d2ad8ce143a68358bad476e1cc4a5c710c11c7dbaac878308","impliedFormat":99},{"version":"42ad582d92b058b88570d5be95393cf0a6c09a29ba9aa44609465b41d39d2534","impliedFormat":99},{"version":"36e051a1e0d2f2a808dbb164d846be09b5d98e8b782b37922a3b75f57ee66698","impliedFormat":99},{"version":"c20c6267d89b11813a3a6af9b9531518c554bfcce896cc14eee2e567e8fd59b6","impliedFormat":99},{"version":"d4a22007b481fe2a2e6bfd3a42c00cd62d41edb36d30fc4697df2692e9891fc8","impliedFormat":1},{"version":"151ff381ef9ff8da2da9b9663ebf657eac35c4c9a19183420c05728f31a6761d","impliedFormat":1},{"version":"5d08a179b846f5ee674624b349ebebe2121c455e3a265dc93da4e8d9e89722b4","impliedFormat":1},{"version":"89dcbbf69b16cd94043e16c7fbcfa04256577ec98bb8ae894833d2a922394db4","impliedFormat":1},{"version":"d9a75d09e41d52d7e1c8315cc637f995820a4a18a7356a0d30b1bed6d798aa70","impliedFormat":99},{"version":"a76819b2b56ccfc03484098828bdfe457bc16adb842f4308064a424cb8dba3e4","impliedFormat":99},{"version":"a5dbd4c9941b614526619bad31047ddd5f504ec4cdad88d6117b549faef34dd3","impliedFormat":99},{"version":"d36518bd617ff673c7d9f372706f241932a43f27673187f2a8472e93c40041c6","impliedFormat":99},{"version":"f8eb2909590ec619643841ead2fc4b4b183fbd859848ef051295d35fef9d8469","impliedFormat":99},{"version":"fe784567dd721417e2c4c7c1d7306f4b8611a4f232f5b7ce734382cf34b417d2","impliedFormat":99},{"version":"45d1e8fb4fd3e265b15f5a77866a8e21870eae4c69c473c33289a4b971e93704","impliedFormat":99},{"version":"cd40919f70c875ca07ecc5431cc740e366c008bcbe08ba14b8c78353fb4680df","impliedFormat":99},{"version":"ddfd9196f1f83997873bbe958ce99123f11b062f8309fc09d9c9667b2c284391","impliedFormat":99},{"version":"2999ba314a310f6a333199848166d008d088c6e36d090cbdcc69db67d8ae3154","impliedFormat":99},{"version":"62c1e573cd595d3204dfc02b96eba623020b181d2aa3ce6a33e030bc83bebb41","impliedFormat":99},{"version":"ca1616999d6ded0160fea978088a57df492b6c3f8c457a5879837a7e68d69033","impliedFormat":99},{"version":"835e3d95251bbc48918bb874768c13b8986b87ea60471ad8eceb6e38ddd8845e","impliedFormat":99},{"version":"de54e18f04dbcc892a4b4241b9e4c233cfce9be02ac5f43a631bbc25f479cd84","impliedFormat":99},{"version":"453fb9934e71eb8b52347e581b36c01d7751121a75a5cd1a96e3237e3fd9fc7e","impliedFormat":99},{"version":"bc1a1d0eba489e3eb5c2a4aa8cd986c700692b07a76a60b73a3c31e52c7ef983","impliedFormat":99},{"version":"4098e612efd242b5e203c5c0b9afbf7473209905ab2830598be5c7b3942643d0","impliedFormat":99},{"version":"28410cfb9a798bd7d0327fbf0afd4c4038799b1d6a3f86116dc972e31156b6d2","impliedFormat":99},{"version":"514ae9be6724e2164eb38f2a903ef56cf1d0e6ddb62d0d40f155f32d1317c116","impliedFormat":99},{"version":"970e5e94a9071fd5b5c41e2710c0ef7d73e7f7732911681592669e3f7bd06308","impliedFormat":99},{"version":"491fb8b0e0aef777cec1339cb8f5a1a599ed4973ee22a2f02812dd0f48bd78c1","impliedFormat":99},{"version":"6acf0b3018881977d2cfe4382ac3e3db7e103904c4b634be908f1ade06eb302d","impliedFormat":99},{"version":"2dbb2e03b4b7f6524ad5683e7b5aa2e6aef9c83cab1678afd8467fde6d5a3a92","impliedFormat":99},{"version":"135b12824cd5e495ea0a8f7e29aba52e1adb4581bb1e279fb179304ba60c0a44","impliedFormat":99},{"version":"e4c784392051f4bbb80304d3a909da18c98bc58b093456a09b3e3a1b7b10937f","impliedFormat":99},{"version":"2e87c3480512f057f2e7f44f6498b7e3677196e84e0884618fc9e8b6d6228bed","impliedFormat":99},{"version":"66984309d771b6b085e3369227077da237b40e798570f0a2ddbfea383db39812","impliedFormat":99},{"version":"e41be8943835ad083a4f8a558bd2a89b7fe39619ed99f1880187c75e231d033e","impliedFormat":99},{"version":"260558fff7344e4985cfc78472ae58cbc2487e406d23c1ddaf4d484618ce4cfd","impliedFormat":99},{"version":"a3d5be0365b28b3281541d39d9db08d30b88de49576ddfbbb5d086155017b283","impliedFormat":99},{"version":"985d310b29f50ce5d4b4666cf2e5a06e841f3e37d1d507bd14186c78649aa3dd","impliedFormat":99},{"version":"af1120ba3de51e52385019b7800e66e4694ebc9e6a4a68e9f4afc711f6ae88be","impliedFormat":99},{"version":"5c6b3840cbc84f6f60abfc5c58c3b67b7296b5ebe26fd370710cfc89bbe3a5f1","impliedFormat":99},{"version":"91ef552cc29ec57d616e95d73ee09765198c710fa34e20b25cb9f9cf502821f1","impliedFormat":99},{"version":"25b6edf357caf505aa8e21a944bb0f7a166c8dac6a61a49ad1a0366f1bde5160","impliedFormat":99},{"version":"1ab840e4672a64e3c705a9163142e2b79b898db88b3c18400e37dbe88a58fa60","impliedFormat":99},{"version":"48516730c1cf1b72cac2da04481983cfe61359101d8563314457ecb059b102a9","impliedFormat":99},{"version":"d391200bb56f44a4be56e6571b2aeedfe602c0fd3c686b87b1306ae62e80b1e9","impliedFormat":99},{"version":"3b3e4b39cbb8adb1f210af60388e4ad66f6dfdeb45b3c8dde961f557776d88fe","impliedFormat":99},{"version":"431f31d10ad58b5767c57ffbf44198303b754193ba8fbf034b7cf8a3ab68abc1","impliedFormat":99},{"version":"a52180aca81ba4ef18ac145083d5d272c3a19f26db54441d5a7d8ef4bd601765","impliedFormat":99},{"version":"9de8aba529388309bc46248fb9c6cca493111a6c9fc1c1f087a3b281fb145d77","impliedFormat":99},{"version":"f07c5fb951dfaf5eb0c6053f6a77c67e02d21c9586c58ed0836d892e438c5bb2","impliedFormat":99},{"version":"c97b20bb0ad5d42e1475255cb13ede29fe1b8c398db5cba2a5842f1cb973b658","impliedFormat":99},{"version":"5559999a83ecfa2da6009cdab20b402c63cd6bb0f7a13fc033a5b567b3eb404b","impliedFormat":99},{"version":"aec26ed2e2ef8f2dbc6ffce8e93503f0c1a6b6cf50b6a13141a8462e7a6b8c79","impliedFormat":99},{"version":"9d62e577adb05f5aafed137e747b3a1b26f8dce7b20f350d22f6fb3255a3c0ed","impliedFormat":99},{"version":"7ed92bcef308af6e3925b3b61c83ad6157a03ff15c7412cf325f24042fe5d363","impliedFormat":99},{"version":"3da9062d0c762c002b7ab88187d72e1978c0224db61832221edc8f4eb0b54414","impliedFormat":99},{"version":"84dbf6af43b0b5ad42c01e332fddf4c690038248140d7c4ccb74a424e9226d4d","impliedFormat":99},{"version":"00884fc0ea3731a9ffecffcde8b32e181b20e1039977a8ae93ae5bce3ab3d245","impliedFormat":99},{"version":"0bd8b6493d9bf244afe133ccb52d32d293de8d08d15437cca2089beed5f5a6b5","impliedFormat":99},{"version":"7fc3099c95752c6e7b0ea215915464c7203e835fcd6878210f2ce4f0dcbbfe67","impliedFormat":99},{"version":"83b5499dbc74ee1add93aef162f7d44b769dcef3a74afb5f80c70f9a5ce77cc0","impliedFormat":99},{"version":"8bf8b772b38fc4da471248320f49a2219c363a9669938c720e0e0a5a2531eabf","impliedFormat":99},{"version":"7da6e8c98eacf084c961e039255f7ebb9d97a43377e7eee2695cb77fec640c66","impliedFormat":99},{"version":"0b5b064c5145a48cd3e2a5d9528c63f49bac55aa4bc5f5b4e68a160066401375","impliedFormat":99},{"version":"702ff40d28906c05d9d60b23e646c2577ad1cc7cd177d5c0791255a2eab13c07","impliedFormat":99},{"version":"49ff0f30d6e757d865ae0b422103f42737234e624815eee2b7f523240aa0c8f8","impliedFormat":99},{"version":"0389aacf0ffd49a877a46814a21a4770f33fc33e99951a1584de866c8e971993","impliedFormat":99},{"version":"5cb7a51cf151c1056b61f078cf80b811e19787d1f29a33a2a6e4bf00334bbc10","impliedFormat":99},{"version":"215aa8915d707f97ad511b7abbf7eda51d3a7048e9a656955cf0dda767ae7db0","impliedFormat":99},{"version":"0d689a717fbef83da07ab4de33f83db5cbcec9bc4e3b04edb106c538a50a0210","impliedFormat":99},{"version":"d00bc73e8d1f4137f2f6238bb3aa2bbdad8573658cc95920e2cdfa7ad491a8d8","impliedFormat":99},{"version":"e3667aa9f5245d1a99fb4a2a1ac48daf1429040c29cc0d262e3843f9ae3b9d65","impliedFormat":99},{"version":"08c0f3222b50ec2b534be1a59392660102549129246425d33ec43f35aa051dc6","impliedFormat":99},{"version":"612fb780f312e6bb3c40f3cb2b827ea7455b922198f651c799d844fdd44cf2e9","impliedFormat":99},{"version":"bcd98e8f44bc76e4fcb41e4b1a8bab648161a942653a3d1f261775a891d258de","impliedFormat":99},{"version":"5abaa19aa91bb4f63ea58154ada5d021e33b1f39aa026ca56eb95f13b12c497a","impliedFormat":99},{"version":"356a18b0c50f297fee148f4a2c64b0affd352cbd6f21c7b6bfa569d30622c693","impliedFormat":99},{"version":"5876027679fd5257b92eb55d62efee634358012b9f25c5711ad02b918e52c837","impliedFormat":99},{"version":"f5622423ee5642dcf2b92d71b37967b458e8df3cf90b468675ff9fddaa532a0f","impliedFormat":99},{"version":"70265bc75baf24ec0d61f12517b91ea711732b9c349fceef71a446c4ff4a247a","impliedFormat":99},{"version":"41a4b2454b2d3a13b4fc4ec57d6a0a639127369f87da8f28037943019705d619","impliedFormat":99},{"version":"e9b82ac7186490d18dffaafda695f5d975dfee549096c0bf883387a8b6c3ab5a","impliedFormat":99},{"version":"eed9b5f5a6998abe0b408db4b8847a46eb401c9924ddc5b24b1cede3ebf4ee8c","impliedFormat":99},{"version":"f99db2cd80274f32467ae5231d74632c35596ab75fa65baac3fec9dd551cf9d7","impliedFormat":99},{"version":"c799ceedd4821387e6f3518cf5725f9430e2fb7cae1d4606119a243dea28ee40","impliedFormat":99},{"version":"dcf54538d0bfa5006f03bf111730788a7dd409a49036212a36b678afa0a5d8c6","impliedFormat":99},{"version":"1ed428700390f2f81996f60341acef406b26ad72f74fc05afaf3ca101ae18e61","impliedFormat":99},{"version":"417048bbdce52a57110e6c221d6fa4e883bde6464450894f3af378a8b9a82a47","impliedFormat":99},{"version":"ab0048d2b673c0d60afc882a4154abcb2edb9a10873375366f090ae7ae336fe8","impliedFormat":99},{"version":"f8a6bb79327f4a6afc63d28624654522fc80f7536efa7a617ef48200b7a5f673","impliedFormat":1},{"version":"3e61b9db82b5e4a8ffcdd54812fda9d980cd4772b1d9f56b323524368eed9e5a","impliedFormat":99},{"version":"dcbc70889e6105d3e0a369dcea59a2bd3094800be802cd206b617540ff422708","impliedFormat":99},{"version":"f0d325b9e8d30a91593dc922c602720cec5f41011e703655d1c3e4e183a22268","impliedFormat":99},{"version":"afbd42eb9f22aa6a53aa4d5f8e09bb289dd110836908064d2a18ea3ab86a1984","impliedFormat":99},{"version":"ed50aaad0f0648e7775213e9afe37b3ff194b88c63fa6fce1c38a7a8a1e3fbd8","impliedFormat":1},{"version":"61838b01af740887b4fe07d0602c2d62a66cd84cf309e4f7a5c21ec15d656510","impliedFormat":99},{"version":"15ec7a0b94628e74974c04379e20de119398638b3c70f0fa0c76ab92956be77c","impliedFormat":99},{"version":"c0d1ee395f67ad47a8e8e74acaff8f56a31af1925e7989e69502be57016a7cd7","impliedFormat":99},{"version":"cf36f8dc6e08a7b1d686985b063d88804f9f7736445c212db190247b0fbc11d4","impliedFormat":1},{"version":"bdee4994e4d36a404f31b791699a3bca0a6f7416d3ef47800160bb2d76ba561c","impliedFormat":1},{"version":"943dce72ba9a96e8a88ab210f22950e1b916c4e4afe06529ac9d5659bc9d921d","impliedFormat":99},{"version":"33abc1d0628959795b7bc25c0cc7202554236b974d73146c1a1aadb7a8c2b213","impliedFormat":99},{"version":"7ebcfed08a1a61449e87fa8052d1505baf1cb381b2d574a75fe1b1f6338a3961","impliedFormat":1},{"version":"e37fb25a4beb34512425fdaadc7bb51c9675f2b0a10dcfda182c3a18f41f8869","impliedFormat":1},{"version":"f28d1befaee36c27655633b246c4720afd6136c34656d9a6d297ee7625bbc28d","impliedFormat":1},{"version":"9b5716de9eb0f8b8380b6acf6719e849468987590c9a34db9e98e274c299d2dd","impliedFormat":1},{"version":"224333569037a28cab226f61dcefa4c7cfac29bd38c54aca4b96d6fcc0c36d16","impliedFormat":1},{"version":"994871071cc737d3e9ae4b3c3981fd6a091a76adcc8656ea890abdeba686a9e3","impliedFormat":1},{"version":"8c600a8bf06f06c323b0dd6b576a194e049e269b12242dc4b3b27f227fe6d115","impliedFormat":1},{"version":"451d4bf2933967e1e352df7beca72fc1b8470a7dca62ff5be4bfb6a3603f76ab","impliedFormat":1},{"version":"a30302fe38c71633b69e8f427a9fa0354204a493d49edb5a364748e96ecb8148","impliedFormat":1},{"version":"76f37f27446d8b116ca6091954c8c7f72342f6c271478b98fd0afdc42c61dec7","impliedFormat":1},{"version":"40641de2695e62b3b253c6636064bc54eb238eddfe454588fa67254815e011a0","impliedFormat":1},{"version":"d6fb16225f7646cde2e68930942b9602352e4f230b74bfc5b53756342f964f33","impliedFormat":1},{"version":"9f5e7861e49857780d09abd67534d793d652905f1177e22c5e26fa22a0f0251e","impliedFormat":1},{"version":"d440c6aac5a7fb4ee961b925cc2d129dcabfd5ea9b6d5adcd4c8b3bdb5afef7f","impliedFormat":1},{"version":"cef4f19f013d36794cbf6116b5a3b3fa062a4cb60c0724449ad6e18788ccaad4","impliedFormat":1},{"version":"2949d179b723cf2f748fc0f958cb464763904bde7f42b6695065bb847c3e9a66","impliedFormat":1},{"version":"9f317077d6e6f130fc9bd81456dbc39d3a810180bed948b2b40de89ec361fbbf","impliedFormat":1},"e32b9a24e0d24c5ba2963c91277f6f1ddfdc4f3b1365ead966eaae8a8a32bf1d",{"version":"6c05d0fcee91437571513c404e62396ee798ff37a2d8bef2104accdc79deb9c0","impliedFormat":1},"d327de57431c454d4628a35964e141b33e31b7aca6f75e6efe30001ff52b344b","22e61bef6f89b3f86df2ee0aa7e360a7946b46cf1fd66fde59424e640e967a22","176564575af186fd030646c10f6d434f2c23c55251b500dddadebc9dac991b5d",{"version":"4988820a1950b86c971c9bb361d8e8939d299a76385807e0853350f4a44bb0be","impliedFormat":99},{"version":"ce1c773906296acd1a9983fc7f43801ea4c5c82a011c435eb48590408bcffe78","impliedFormat":1},{"version":"f5bbca989b692a6c94600e18c92318d084169bc34fa305c599fdb195beb99cb7","impliedFormat":99},{"version":"e8d7a5ca03f827f2947a13f26d9aa39c9c204744a3d2cb291c1f0d980b3a971e","impliedFormat":99},{"version":"1c2d3a5ab9beceb3a68cef59600015e94fabccfa424f1af2d1c828ee10b8800e","impliedFormat":99},{"version":"ec1671359d28e0bc2167e35d51d41ee19a455a04eff1bc3812d55a3856c89ed9","impliedFormat":99},{"version":"659ee58b7c28be11fd30236ae7a8a9a1f9d364c2b2706253dd3a9af4933de0b5","impliedFormat":99},{"version":"649e08d76cc3acbd2e14eaf4e347c02b2e36ee3e874dd5d27ef672db0e9e4692","impliedFormat":99},{"version":"e54edf3bd4c5178ccb361c435263065974ae8bac003b92cb309e797027ff3988","impliedFormat":99},{"version":"08216526808d166f378e666a76febecade30910495c77a3c1734979365629603","impliedFormat":99},{"version":"dba1253cd7311f7d59b74ba2a28b9c2747815d2a2083e49e62bd799f185ae0f8","impliedFormat":99},{"version":"2dc123a9a8ce3be8d2c04fa3833d02c82f23f05867a9234a18d5887bfdd5cbf8","impliedFormat":99},{"version":"52544e9f3a28787d89c36ae1dc2080dcfd77154b323b772e37d42676fc0953b3","impliedFormat":99},{"version":"08cf8c8810e255703255d2a84c70d83ff7b90b4bd193460c7aa2b65a2da9600c","impliedFormat":99},{"version":"b2a90a91594a912ae7c0eb0b55c8dfd6993c7dc0ffc1296c028e2755fd8fb4d5","impliedFormat":99},{"version":"b416c7945b28faa9be7eb28c8fcd37595fcc694e701e7c64d15adf15b6911779","impliedFormat":99},{"version":"57027778be9f9bf32689632e6cd9f36e2be048233821505d031ab5e1543be70a","impliedFormat":99},{"version":"e398327186bb72b3730222e73cccc8815ea77f6de3addef908de58c4343db9aa","impliedFormat":99},{"version":"ad120003744e9fa2a0af510695bbeabbad9d8a5a9806e8e1cc671921185742bb","impliedFormat":99},{"version":"dcf8f6b18ffd15c495fbfc4e2c09b6fe3521a354b4b634eb275a4eddb3c1287f","impliedFormat":99},{"version":"cadf71de927adfda0164b3638bf65f331ae6181e5e68264a3809744d489f9b48","impliedFormat":99},{"version":"0321a51e139dd1707905a48600ecfb498e9fe656f500f16a0b55bb4df963bf83","impliedFormat":99},{"version":"4248918827e8f480cbb1e1f65e21305fb65362d0aae9a8cf626ccfa419648527","impliedFormat":99},{"version":"984db96213910ed86bf0af7bcc2c9679d596efc53ad4c5ceb7731f654fa0e963","impliedFormat":1},"0bafa51c9cd7ea8b4a2f0e3ce52f39a91d996575e8c0fe2b9f839b97f6dd4470",{"version":"c57b441e0c0a9cbdfa7d850dae1f8a387d6f81cbffbc3cd0465d530084c2417d","impliedFormat":99},"2ea24cfb994a1a451abd4b0442a31f4648c9511f73c268f624544f2975fb7b50",{"version":"d30fb773b1dd328d368d8fd024beb8dbf96516e71fa01e742aa380b2be4c1a91","impliedFormat":1},{"version":"8cf882977f65d3e10ab4a58e2780f7472333d4e63be63bb276f18e2fc73a48b0","impliedFormat":1},"6771397e347d8ed44a5e98360e19ca8e24dfd3fb4f3acaccfd56b7ecc410a7d0",{"version":"9931969d0976d9c2b17f3d5b3d093fce589c4273cd31986d83f9e3c0cd04b370","impliedFormat":1},{"version":"8cb588aac7151e70bb4fca1c49a7f02825d5b6bbbe27674c4d3298af6d27f2b4","affectsGlobalScope":true},"ab47925d5419232c45d67576ae059da0937990a363071ec8ab0904e60cc1f86b","d9092dc90bcc8e98f450ba8b0a5062a441d85a2c3e289e3aee86bd4f62a5debd",{"version":"b4a1a53c394f0f2dd88a126516b1ad88143e339bfc7fe11d4385595a6c653209","impliedFormat":1},"9103422710119b112ee3485dfa99dcac7d6b6ba96fb2473365fd8213f7c31eb0","046b7441c60d3f6967866f32f49b56e357dc964e3cd235b804017252a004eacf","b374d1b8978c09de7ea20340ea67767a39a805b4ea084b02a899a4b0446de19f","278d06f7e49f2a76725d08ff2a8b2a5cce3860d5ab7cea25e2df134f761a4538",{"version":"26c4c3a716d018bddc973f75f0790b0539165d332d143fbaae1d12ffa7519436","impliedFormat":99},"faaa48da0f9cbcbfd942ad20b665eb9893c4a2d73434bf4f34fcd23902295296","55e51a38eaf8500bc21cc40fc2ab3304d24f793398f78cae997d691dda341f2e","650d8a49bb299e51316fd2b66535101593e6f15e4e8f428ab234023bf1858653","18bb4d4308957debc9964a91f9cc6bba95f083ed6ba1a18697318a3b22c0a4a7","718b09b057145c3cb644c1e30015fc4aa4f7a99072f3a6e484e72c272b8d1120","2c131df61f1d03a7281ac635181ffd4d9910b6e4662f140e876ce0afc7270841","4200814f04a02a96150400bdc3dfe02ddf5f8cb0c0e0d2ff8827edfec5353c9b","7df4c51482b695fa286ccc80f1bf2d5966a2ef9866e959f7e5d4e3ebf4aaba72","b5f2de7a5d15598dc6a0f9cc3bf8bb95e484bcce591b5a5b3201bfac839a5a39","eb240db4c093970eeeefd7f7c6c5833f82d22a0ad46f718b9e66162aa82da51a","1454b7d9ecf3d0b9c815071bb65496d3ffe2ab812be2c9cd6a1674353b5ec243","5e0ba72eec66b4ea34cc2201f75a751dd805f8115038b4fce114ec5ba0a069bb","c4113cebb2a6d8fb10c8af57ae59353005c46d05c970702b4b4c51477d5d320a","d30b7502f4f3c27ab59b3b80885732287f28202ce4b7f1f6ea8dc3edc7fb0fb3","f5d49184542d31b36744ef6beca1b81d7e0ac97a726007bbf9840b89b4e7fdaf","a96d518181ffa599ba97fb06438ac58ec6da9c0183e2d11e7270772faa8774cd","d72f3606f80233327174c2da98e3c8a834250a638ee6858d03d54750bc4cc432","2e51d5516b1353107869d131f0e699429087713d9ac0ab114e51d6185c694aeb","0b3611722f6e6935d2582eef6a7b21c9acf893895e4f5760542e39ed6ea3adb6","2c92e727faa51d4def1f268dffdc9baf7768839c0aa67549440f8a46053c0297","22918779826f90770a278ce98b5b0f03e85e327a5b3f44e9189a5883d21b6ab0","870040b7bd8d8d41780fd12dd50576df9a96ed16bfa0224dd19f76e4d0698c52","c90636cabf91d7e797459d496d6c3c688c10941075674c083b7dcf4bfbf897a4","45d0b691487aa476bf9640f3a5c3b92f82aa041c2935d071193d37c6f2539cc2","0c8d70b188a2ae8f93fc331e16881f0046caef9051ecbf503741f31ac8ddef2a","72f61779a12f8e209f10ec38101577ffdd870ab3e49dc6c3044d5f29b67d0713","a25e0000a0dbe1017626b54ed54e3ffc7a93f44b6a8d3cfc316cccc0556d23a3","eb6de45339d9165baec7db4207dd93332b49b58e4d10e024453a4ca57ce2504d","58e828b990ce8acd6be0dd61df61abc273006ca7d70ddae4bc0243214e6fb4c0","577e23d59e229572710500f1d6e5220b1d5f704c89a82825b756c61bd0293d59","d74748a830e1faff8e19d8e6c58742941f949ccc62d7d62729bf9b5fd1e84574","367209a29e331f34779b3179b7333defae301fdcfadc5e3b32867c94717615bd","b9c50220efe5f6ec3b77afcf6dae5545596d7302a77706c77def05d1456b9f7c","939b4ee5f1dcace103303116551c63fbdda4949892c967cdfebdfb2a44f29ad4","ee3d6c935587a0c82825ae6a9c279c3113509be8844a419f88e970e20c91eb77","5ea00f47e188374d03ea2346037b01fdfed5b8ff3a3f09e03b15214a4d14be7d","f0007a3552cba7e5c4a38fa1d37df62b4534b725dd3f3b91197ebff6ccfdd70d","c07d01172c253746c9971e9386f64d163cb717cd04189e4479d882a0a2435c8c","779d2fe4ca1b70e5834e2ec40f0e874e5ec686fe0598a584eef1224b03486edf","1a5dc1e3242f7192ba788f212f6e103c6bac849b6ef5110a1323dbe1aaf8d35f","75f709363c34d5d4172ba52d638a1ce4fc3925ce1c71b27db3084579050212c2","03eaebb6305f165dc3070ebe7c0bba2a73bb775e2f70e53293c6539a78766ec2","ce73b29e3d9e9dbdf225c9af624558a2b2d5ea61ce13133b7269d910e841c262","dfc995e2dfc01573210d9ed213fa153161df443600d25e65011dcc78d6b6dc83","0f08691ff0596d4c57639a6d53023ac484ba838d56b6f010d473b8e3fb46f884","418083fcfbb579321094fc13a58f8c7001f682c64fddd909dc62c0339cbb9b5f","7881b4ba7afb3a71e72116833d92dc45d8c916f20612377e2dcebf35ea796908","c7daf4760abc615b669e912edb3a88cdf2a211d9a407a4622c9aa8ad108b377a","69606634f99b0a6986829c82eeb0e90fe125c211f9e977e572d970b0d19fdd5e","b9172e7464c6f2d05bc3bcf7906f8b1d028d30691730db1783cab0082941e6dc","3a04d16d2a2a280f10f475748690b269a49875d95debb8fa849e9709eb4d5f50","710de7a8759a8c6af7f259843bbb595abc9b452e2f36399fcafd32fd6769464c","5450c66c0c8a012e036517a9495e2bd01415e9759755b94152a1d04e9a9325e3","9976a792a8b248eb0f64b406c4e793e3514dcf75d5a90eff82fc049192db3d5a","d79257f2ff05b46b58eebcc82c7c5bfc1814200eab961368ad8bfde326202740","e71fa8de57a62efdc4346a740a80d758db09cf47e3135cb42c303f29755e2deb","c5dff313ff3f77daa6fd8adef62b1d0d81a07fb9d9dec2da8c5671548ac1fcd0","6cdb7c6ee721611067d3084814c630309e9f2767c0107a72d30cac9da3e09d08","cd5b78cce3db29880a720777299be5573780bb682d01974c8d59a92de114c095","1878d251b0396a260c1952fcb95d67459f345c4673069966817ec4fdc2a6600b","2549178987ac843a3153bf45484dc205b569f66f8b0cc87a25adc5d273c7425e","8a008cea93b15c74604e709f4bee4880ede0bfc86880013fefffe5028bf39b84","186f8d24f18bb242799eb08dac75e85a9f1f4a41d3c40e001912dcc193967ad7","18e5d6b9e745b815cdf737766f60e08b028d8bc9c633ad6e98c741e7f345466a","29aa62c14bcd33a71fa13d9450ca628679042151d2a17fab8ab54ed89e575b42","32544141a11da6ed5e31c8f822bff73a8171b72f5e4d89b1180c3f176dac4147","31c38f52ffd03316d5db2bcd8fe4499ab8ea4006b3368a5570e833eb334fd62f","ad03e6cb8a90d49b7d6f036961c93382c23c3433d4ccbcbd72c67118e657a6af","9cc8b424c9bc0ee968adac722b54211733f290f39c82ef68e632448246cb12e3","dfbe70f770e92ce018030425df456a0f9f7f6a61f13ddd17eda461267fb87dc3","9758882e165ff9a37d812a15b039bb1dbc7db904f5c450885b4ca7bc1f3f4ca2","797a86598c6dcda81864a2d3a7c15f33875a5cd13b503dcf4d0448653bcddfd5","ff71be5a531ba79198dcf692bdcdef1c92042974968f0bec912eb9b39b3d5340","57fc90696b43f197f64e1f92247a102c2d5d60648fca8dac50c6d5942763d9dd","81b71d434dd24c5c64c6e707281b2e1f962fcd5c0547c805978605954fff76f6","06ea1f473da86f826a5ab68ef06e1e559b0cf4ed4b1250d0557badbf44b28059","7310de3175d6d02af26d0744ac4fd48f36d4f51cbc87f30ba60e521d66db2ed0","15a1cc2037348b0622d6b72735a1981f77b981da672561a80ebdb675476bacda","8a66994e89f77e1f37b6408956f136ee4819e6b1ed3a8b18f5f1c46a3562610d","c86de22c74702ddb2ebb85bcffa2aac8402af2458396d5526ebb8cb662efba27","6dca39856ab909bdc88379986804d02ea52cbaee7fe9a4ca0b08e7f349ed1f36","ce48e412b15ec0bdaee58e4812942535fdf75702db44136574afafb5b252806c","93d04062d1f9137b03995f01bdd3fbd301ce439796e74e269798444151356edc",{"version":"8658354b90861a76abc7b3c04ece2124295c7da0cc4c4d31c2c78d8607188d03","impliedFormat":1},"4acbc7165a8d54738ff62b51414e772c08fe78434e524e6d8770180d3ba2925f","9f44bbd80379d002f255db0720f8f87de47b11419914015b87a07db3d2b5e24f",{"version":"2fbe402f0ee5aa8ab55367f88030f79d46211c0a0f342becaa9f648bf8534e9d","impliedFormat":1},{"version":"b94258ef37e67474ac5522e9c519489a55dcb3d4a8f645e335fc68ea2215fe88","impliedFormat":1},"db977d821af56ae3fb7952182d9c0a076a10c75c38bc2d2b000827e720423d32",{"version":"a346701ad6dcdaa58e388fe0995fc5304c09c395b8cba68ed872780f8c102004","impliedFormat":99},"415ccc47cf69a2a87db699cc6da7f1fdcb799a1f40dab3a6220d91ac8da8abbe","26f13a5937d8800c4f77a28e481bceb4d930e84dd1bb13581e5262bf35d1bf32","01c857f8ec1f73d5902d6f101a4d26999320e78dab7e1c33588d3d0a94907d42","7b0c54cf49644bfbeb1ab41977c24b46087d647a1943191c88d52217299d2bcd","8bad317eca5b74899d868688a339a16f54995e36810c0fdfe214c057755535e0","cbb7fde17bf285ee7d540f4b2c8773493a04e77568d3e5a77ed50c5f38546533","a8c0dd219dabd971008b4c597897779d4e911559235cc86097d8472a4661338e","8a361263f1bb1cfa9885902e9c492f6b7655e08d188dd73bd1a4242e6784a6a0","16576fde0050a5738c12608414bab38ea0e669047caec9cc2c8629d6c3f49cd4","491c1bb1ce5e0e629a862ecf451372149f4413a5754c485a4dbc5de5c8093843",{"version":"a9373d52584b48809ffd61d74f5b3dfd127da846e3c4ee3c415560386df3994b","impliedFormat":99},{"version":"caf4af98bf464ad3e10c46cf7d340556f89197aab0f87f032c7b84eb8ddb24d9","impliedFormat":99},{"version":"68b6a7501a56babd7bcd840e0d638ee7ec582f1e70b3c36ebf32e5e5836913c8","impliedFormat":99},{"version":"7a14bf21ae8a29d64c42173c08f026928daf418bed1b97b37ac4bb2aa197b89b","impliedFormat":99},"d9958fd005db42bcca4f2c12ede63500e74f1a9bd82ddc3a6bf6fcb369706f07","fa152421370cf649c175175928c76769689607bd3cb015f037dad5dc7cf9567d",{"version":"19013384cbfca42911a912ee827cf662947d8eb15b3d25450096541dee22fcaa","signature":"31a51143339c15896cabd11227ca234531d91695984e8d085a84f5c5d4d2ef29"},"0f4bb1c89db720fd2f43efa9bad2a6451bc5f592412c49d04d3d0a6d060d2395","1f6f3375b1c13c62ac82c2f96120c46fd513fef1bb60ad2c9e0808806dd07273","64d9dead7bca302efd35e05bd88576e05008c90235d53487ae8968888dc50c1a","e3cd9b792ab6d4c2cc28a5b5d7c54f89bc3bdef9d7c24a6396887c49e0ba8cb1","33b4e5b65b484e02642d01f482f246454dd352190a3b94ea717c64719629fa1d","c12d848c52bbb816bfb9b1329c01cdda130c0e044d3ea489efb5d473f61fbf3f",{"version":"7ec047b73f621c526468517fea779fec2007dd05baa880989def59126c98ef79","impliedFormat":99},{"version":"8dd450de6d756cee0761f277c6dc58b0b5a66b8c274b980949318b8cad26d712","impliedFormat":99},{"version":"904d6ad970b6bd825449480488a73d9b98432357ab38cf8d31ffd651ae376ff5","impliedFormat":99},{"version":"dfcf16e716338e9fe8cf790ac7756f61c85b83b699861df970661e97bf482692","impliedFormat":99},"bb67c322bfde96ee051ae32c0760c65a1dea25146472d3bcaba5c21040ddeb7b","525b367905ccdf586b3ce33880fa82a3df42bb14e74ccd9b1b8bebe8b57da1a5","66b32871604d779cc45c2221c4a7f9ac20021a470004e42caf0f2f1793175741",{"version":"b1538a92b9bae8d230267210c5db38c2eb6bdb352128a3ce3aa8c6acf9fc9622","impliedFormat":1},{"version":"469532350a366536390c6eb3bde6839ec5c81fe1227a6b7b6a70202954d70c40","impliedFormat":1},{"version":"17c9f569be89b4c3c17dc17a9fb7909b6bab34f73da5a9a02d160f502624e2e8","impliedFormat":1},{"version":"003df7b9a77eaeb7a524b795caeeb0576e624e78dea5e362b053cb96ae89132a","impliedFormat":1},{"version":"7ba17571f91993b87c12b5e4ecafe66b1a1e2467ac26fcb5b8cee900f6cf8ff4","impliedFormat":1},{"version":"6fc1a4f64372593767a9b7b774e9b3b92bf04e8785c3f9ea98973aa9f4bbe490","impliedFormat":1},{"version":"d30e67059f5c545c5f8f0cc328a36d2e03b8c4a091b4301bc1d6afb2b1491a3a","impliedFormat":1},{"version":"8b219399c6a743b7c526d4267800bd7c84cf8e27f51884c86ad032d662218a9d","impliedFormat":1},{"version":"bad6d83a581dbd97677b96ee3270a5e7d91b692d220b87aab53d63649e47b9ad","impliedFormat":1},{"version":"324726a1827e34c0c45c43c32ecf73d235b01e76ef6d0f44c2c0270628df746a","impliedFormat":1},{"version":"54e79224429e911b5d6aeb3cf9097ec9fd0f140d5a1461bbdece3066b17c232c","impliedFormat":1},{"version":"e1b666b145865bc8d0d843134b21cf589c13beba05d333c7568e7c30309d933a","impliedFormat":1},{"version":"ff09b6fbdcf74d8af4e131b8866925c5e18d225540b9b19ce9485ca93e574d84","impliedFormat":1},{"version":"c836b5d8d84d990419548574fc037c923284df05803b098fe5ddaa49f88b898a","impliedFormat":1},{"version":"3a2b8ed9d6b687ab3e1eac3350c40b1624632f9e837afe8a4b5da295acf491cb","impliedFormat":1},{"version":"189266dd5f90a981910c70d7dfa05e2bca901a4f8a2680d7030c3abbfb5b1e23","impliedFormat":1},{"version":"5ec8dcf94c99d8f1ed7bb042cdfa4ef6a9810ca2f61d959be33bcaf3f309debe","impliedFormat":1},{"version":"a80e02af710bdac31f2d8308890ac4de4b6a221aafcbce808123bfc2903c5dc2","impliedFormat":1},{"version":"d5895252efa27a50f134a9b580aa61f7def5ab73d0a8071f9b5bf9a317c01c2d","impliedFormat":1},{"version":"2c378d9368abcd2eba8c29b294d40909845f68557bc0b38117e4f04fc56e5f9c","impliedFormat":1},{"version":"0f345151cece7be8d10df068b58983ea8bcbfead1b216f0734037a6c63d8af87","impliedFormat":1},{"version":"37fd7bde9c88aa142756d15aeba872498f45ad149e0d1e56f3bccc1af405c520","impliedFormat":1},{"version":"2a920fd01157f819cf0213edfb801c3fb970549228c316ce0a4b1885020bad35","impliedFormat":1},{"version":"56208c500dcb5f42be7e18e8cb578f257a1a89b94b3280c506818fed06391805","impliedFormat":1},{"version":"0c94c2e497e1b9bcfda66aea239d5d36cd980d12a6d9d59e66f4be1fa3da5d5a","impliedFormat":1},{"version":"a67774ceb500c681e1129b50a631fa210872bd4438fae55e5e8698bac7036b19","impliedFormat":1},{"version":"9b048390bcffe88c023a4cd742a720b41d4cd7df83bc9270e6f2339bf38de278","affectsGlobalScope":true,"impliedFormat":1},{"version":"dd8936160e41420264a9d5fade0ff95cc92cab56032a84c74a46b4c38e43121e","impliedFormat":1},{"version":"1f366bde16e0513fa7b64f87f86689c4d36efd85afce7eb24753e9c99b91c319","impliedFormat":1},{"version":"421c3f008f6ef4a5db2194d58a7b960ef6f33e94b033415649cd557be09ef619","impliedFormat":1},{"version":"57568ff84b8ba1a4f8c817141644b49252cc39ec7b899e4bfba0ec0557c910a0","impliedFormat":1},{"version":"e6f10f9a770dedf552ca0946eef3a3386b9bfb41509233a30fc8ca47c49db71c","impliedFormat":1},{"version":"fb893a0dfc3c9fb0f9ca93d0648694dd95f33cbad2c0f2c629f842981dfd4e2e","impliedFormat":1},{"version":"89e326922cadcc2331d7e851011cf9f0456a681aaf3c95b48b81f8d80e8cdfba","impliedFormat":1},{"version":"8cbbb12bfb321de8bd58ba74329f683d82e4e0abb56d998c7f1eef2e764a74c8","impliedFormat":1},{"version":"8e0733c50eaac49b4e84954106acc144ec1a8019922d6afcde3762523a3634af","impliedFormat":1},{"version":"20e87d239740059866b5245e6ef6ae92e2d63cd0b63d39af3464b9e260dddce1","impliedFormat":1},{"version":"15fe687c59d62741b4494d5e623d497d55eb38966ecf5bea7f36e48fc3fbe15e","impliedFormat":1},{"version":"2c3b8be03577c98530ef9cb1a76e2c812636a871f367e9edf4c5f3ce702b77f8","affectsGlobalScope":true,"impliedFormat":1}],"root":[408,747,[749,751],776,778,781,[783,785],787,788,790,[792,871],873,874,876,877,880,[882,891],[896,902],904,[909,911]],"options":{"allowJs":true,"esModuleInterop":true,"jsx":1,"module":99,"skipLibCheck":true,"strict":false},"referencedMap":[[790,1],[785,2],[751,3],[789,4],[784,5],[750,6],[877,7],[793,8],[794,9],[795,7],[796,7],[797,7],[798,7],[799,7],[800,7],[801,7],[802,7],[803,7],[804,7],[805,7],[806,7],[807,7],[808,7],[809,7],[810,7],[811,7],[812,7],[813,7],[814,7],[815,7],[816,7],[817,7],[818,7],[819,7],[820,7],[821,7],[822,7],[823,7],[824,7],[825,7],[826,7],[827,7],[828,7],[829,7],[830,7],[831,7],[832,7],[833,7],[834,7],[835,7],[836,7],[837,7],[838,7],[839,7],[840,7],[841,7],[842,7],[843,7],[844,7],[845,7],[846,7],[847,7],[848,7],[849,7],[850,7],[851,7],[852,7],[853,7],[854,7],[855,7],[856,7],[857,7],[858,7],[859,7],[860,7],[861,7],[862,7],[863,7],[864,7],[865,7],[866,7],[867,7],[868,7],[869,7],[870,7],[871,7],[788,10],[792,11],[408,12],[477,13],[479,14],[480,15],[481,16],[476,7],[478,7],[472,17],[473,17],[474,18],[484,19],[485,17],[486,17],[487,20],[488,17],[489,17],[490,17],[491,17],[492,17],[483,17],[493,21],[494,19],[495,22],[496,22],[497,17],[498,23],[499,17],[500,24],[501,17],[502,17],[504,17],[475,7],[505,25],[503,26],[482,27],[470,26],[471,28],[721,29],[713,30],[711,31],[719,32],[712,7],[720,33],[718,34],[361,7],[892,26],[908,35],[905,36],[906,36],[907,36],[893,26],[894,37],[881,38],[895,39],[608,40],[611,41],[616,42],[617,43],[615,44],[618,7],[619,45],[595,46],[594,7],[409,26],[912,7],[914,47],[915,47],[916,7],[917,7],[919,48],[920,7],[921,7],[922,47],[923,7],[924,7],[925,49],[926,7],[927,7],[928,50],[929,7],[930,51],[931,7],[932,7],[933,7],[934,7],[937,7],[936,52],[913,7],[938,53],[939,7],[935,7],[940,7],[941,47],[942,54],[943,55],[945,56],[633,57],[632,7],[918,7],[593,58],[946,7],[631,58],[947,59],[717,7],[944,7],[948,58],[138,60],[139,60],[140,61],[96,62],[141,63],[142,64],[143,65],[94,7],[144,66],[145,67],[146,68],[147,69],[148,70],[149,71],[150,71],[152,7],[151,72],[153,73],[154,74],[155,75],[137,76],[95,7],[156,77],[157,78],[158,79],[191,80],[159,81],[160,82],[161,83],[162,84],[163,85],[164,86],[165,87],[166,88],[167,89],[168,90],[169,90],[170,91],[171,7],[172,7],[173,92],[175,93],[174,94],[176,95],[177,96],[178,97],[179,98],[180,99],[181,100],[182,101],[183,102],[184,103],[185,104],[186,105],[187,106],[188,107],[189,108],[190,109],[86,7],[196,110],[197,111],[195,26],[193,112],[194,113],[84,7],[87,114],[284,26],[950,115],[949,7],[592,7],[463,116],[462,117],[461,118],[410,7],[458,119],[460,120],[459,121],[879,122],[878,123],[777,7],[85,7],[678,124],[635,125],[636,125],[675,126],[666,127],[669,128],[672,129],[673,125],[674,125],[676,130],[677,131],[607,132],[606,133],[716,134],[715,135],[714,131],[722,7],[775,26],[411,7],[457,136],[418,137],[439,138],[429,139],[423,140],[428,141],[420,142],[426,143],[416,144],[417,145],[419,146],[424,147],[413,7],[415,148],[414,149],[433,150],[432,151],[456,152],[455,153],[454,7],[452,154],[440,155],[450,156],[451,157],[453,158],[446,159],[442,160],[443,161],[445,162],[449,163],[444,164],[441,7],[447,165],[448,166],[431,167],[438,168],[437,169],[435,170],[436,7],[427,7],[422,171],[425,7],[412,7],[421,7],[430,7],[434,7],[640,172],[639,173],[638,174],[665,175],[664,176],[668,177],[667,176],[671,178],[670,179],[708,180],[682,181],[683,182],[684,182],[685,182],[686,182],[687,182],[688,182],[689,182],[690,182],[691,182],[692,182],[706,183],[693,182],[694,182],[695,182],[696,182],[697,182],[698,182],[699,182],[700,182],[702,182],[703,182],[701,182],[704,182],[705,182],[707,182],[681,184],[663,185],[643,186],[644,186],[645,186],[646,186],[647,186],[648,186],[649,187],[651,186],[650,186],[662,188],[652,186],[654,186],[653,186],[656,186],[655,186],[657,186],[658,186],[659,186],[660,186],[661,186],[642,186],[641,189],[637,7],[748,26],[93,190],[364,191],[368,192],[370,193],[217,194],[231,195],[335,196],[263,7],[338,197],[299,198],[308,199],[336,200],[218,201],[262,7],[264,202],[337,203],[238,204],[219,205],[243,204],[232,204],[202,204],[782,7],[290,206],[291,207],[207,7],[287,208],[292,209],[379,210],[285,209],[380,211],[269,7],[288,212],[392,213],[391,214],[294,209],[390,7],[388,7],[389,215],[289,26],[276,216],[277,217],[286,218],[303,219],[304,220],[293,221],[271,222],[272,223],[383,224],[386,225],[250,226],[249,227],[248,228],[395,26],[247,229],[223,7],[398,7],[401,7],[400,26],[402,230],[198,7],[329,7],[230,231],[200,232],[352,7],[353,7],[355,7],[358,233],[354,7],[356,234],[357,234],[216,7],[229,7],[363,235],[371,236],[375,237],[212,238],[279,239],[278,7],[270,222],[298,240],[296,241],[295,7],[297,7],[302,242],[274,243],[211,244],[236,245],[326,246],[203,247],[210,248],[199,196],[340,249],[350,250],[339,7],[349,251],[237,7],[221,252],[317,253],[316,7],[323,254],[325,255],[318,256],[322,257],[324,254],[321,256],[320,254],[319,256],[259,258],[244,258],[311,259],[245,259],[205,260],[204,7],[315,261],[314,262],[313,263],[312,264],[206,265],[283,266],[300,267],[282,268],[307,269],[309,270],[306,268],[239,265],[192,7],[327,271],[265,272],[301,7],[348,273],[268,274],[343,275],[209,7],[344,276],[346,277],[347,278],[330,7],[342,247],[241,279],[328,280],[351,281],[213,7],[215,7],[220,282],[310,283],[208,284],[214,7],[267,285],[266,286],[222,287],[275,288],[273,289],[224,290],[226,291],[399,7],[225,292],[227,293],[366,7],[365,7],[367,7],[397,7],[228,294],[281,26],[92,7],[305,295],[251,7],[261,296],[240,7],[373,26],[382,297],[258,26],[377,209],[257,298],[360,299],[256,297],[201,7],[384,300],[254,26],[255,26],[246,7],[260,7],[253,301],[252,302],[242,303],[235,221],[345,7],[234,304],[233,7],[369,7],[280,26],[362,305],[83,7],[91,306],[88,26],[89,7],[90,7],[341,307],[334,308],[333,7],[332,309],[331,7],[372,310],[374,311],[376,312],[378,313],[381,314],[407,315],[385,315],[406,316],[387,317],[393,318],[394,319],[396,320],[403,321],[405,7],[404,322],[359,323],[766,26],[762,26],[763,26],[764,26],[765,26],[767,26],[768,324],[761,325],[757,326],[758,327],[759,328],[754,329],[755,26],[756,330],[760,331],[464,26],[510,26],[511,332],[512,26],[513,26],[514,26],[465,26],[467,333],[466,26],[726,334],[727,335],[746,336],[734,337],[506,332],[507,338],[735,339],[736,26],[468,26],[469,340],[737,26],[508,332],[509,341],[732,342],[740,26],[739,343],[779,26],[780,344],[731,345],[730,346],[741,26],[742,26],[743,347],[738,26],[744,26],[745,26],[733,348],[753,349],[786,349],[752,349],[791,350],[772,349],[773,349],[774,351],[771,349],[769,349],[770,349],[728,352],[729,353],[725,354],[614,355],[613,7],[605,356],[602,357],[603,7],[604,7],[601,358],[724,359],[723,360],[630,361],[680,362],[679,363],[710,364],[709,365],[610,366],[620,367],[596,42],[609,368],[612,369],[634,7],[600,370],[598,371],[599,372],[597,7],[875,7],[627,373],[626,7],[81,7],[82,7],[13,7],[14,7],[16,7],[15,7],[2,7],[17,7],[18,7],[19,7],[20,7],[21,7],[22,7],[23,7],[24,7],[3,7],[25,7],[26,7],[4,7],[27,7],[31,7],[28,7],[29,7],[30,7],[32,7],[33,7],[34,7],[5,7],[35,7],[36,7],[37,7],[38,7],[6,7],[42,7],[39,7],[40,7],[41,7],[43,7],[7,7],[44,7],[49,7],[50,7],[45,7],[46,7],[47,7],[48,7],[8,7],[54,7],[51,7],[52,7],[53,7],[55,7],[9,7],[56,7],[57,7],[58,7],[60,7],[59,7],[61,7],[62,7],[10,7],[63,7],[64,7],[65,7],[11,7],[66,7],[67,7],[68,7],[69,7],[70,7],[1,7],[71,7],[72,7],[12,7],[76,7],[74,7],[79,7],[78,7],[73,7],[77,7],[75,7],[80,7],[114,374],[125,375],[112,376],[126,377],[135,378],[103,379],[104,380],[102,381],[134,322],[129,382],[133,383],[106,384],[122,385],[105,386],[132,387],[100,388],[101,382],[107,389],[108,7],[113,390],[111,389],[98,391],[136,392],[127,393],[117,394],[116,389],[118,395],[120,396],[115,397],[119,398],[130,322],[109,399],[110,400],[121,401],[99,377],[124,402],[123,389],[128,7],[97,7],[131,403],[629,404],[625,7],[628,405],[622,406],[621,58],[624,407],[623,408],[591,409],[585,410],[589,411],[586,411],[582,410],[590,412],[587,413],[588,411],[583,414],[584,415],[578,416],[522,417],[524,418],[577,7],[523,419],[581,420],[580,421],[579,422],[515,7],[525,417],[526,7],[517,423],[521,424],[516,7],[518,425],[519,426],[520,7],[527,427],[528,427],[529,427],[530,427],[531,427],[532,427],[533,427],[534,427],[535,427],[536,427],[537,427],[538,427],[539,427],[541,427],[540,427],[542,427],[543,427],[544,427],[545,427],[576,428],[546,427],[547,427],[548,427],[549,427],[550,427],[551,427],[552,427],[553,427],[554,427],[555,427],[556,427],[557,427],[558,427],[560,427],[559,427],[561,427],[562,427],[563,427],[564,427],[565,427],[566,427],[567,427],[568,427],[569,427],[570,427],[571,427],[572,427],[575,427],[573,427],[574,427],[872,7],[883,429],[884,430],[885,431],[887,432],[888,433],[889,434],[890,435],[747,26],[781,436],[891,437],[897,438],[776,439],[787,440],[783,441],[898,442],[899,443],[900,444],[749,445],[778,446],[880,447],[882,448],[886,449],[909,450],[896,451],[901,432],[902,452],[904,453],[910,454],[903,7],[876,455],[911,456],[873,457],[874,7]],"affectedFilesPendingEmit":[790,785,751,789,784,750,877,793,794,795,796,797,798,799,800,801,802,803,804,805,806,807,808,809,810,811,812,813,814,815,816,817,818,819,820,821,822,823,824,825,826,827,828,829,830,831,832,833,834,835,836,837,838,839,840,841,842,843,844,845,846,847,848,849,850,851,852,853,854,855,856,857,858,859,860,861,862,863,864,865,866,867,868,869,870,871,788,792,883,884,885,887,888,889,890,747,781,891,897,776,787,783,898,899,900,749,778,880,882,886,909,896,901,902,904,910,876,911,873,874],"version":"5.9.3"}
\ No newline at end of file