メモ
Copilot SDK は現在 テクニカル プレビューです。 機能と可用性は変更される場合があります。
`onUserPromptSubmitted` フックは、ユーザーがメッセージを送信したときに呼び出されます。 これは次の目的で使用されます。
- ユーザー プロンプトを変更または拡張する
- 処理前にコンテキストを追加する
- ユーザー入力をフィルター処理または検証する
- プロンプト テンプレートを実装する
フック署名
import type { UserPromptSubmittedHookInput, HookInvocation, UserPromptSubmittedHookOutput } from "@github/copilot-sdk";
type UserPromptSubmittedHandler = (
input: UserPromptSubmittedHookInput,
invocation: HookInvocation
) => Promise<
UserPromptSubmittedHookOutput | null | undefined
>;
Python、Go、.NET のフック署名については、 github/copilot-sdk リポジトリを参照してください。
入力
| フィールド | タイプ | 説明 |
|---|---|---|
timestamp | 数値 | フックがトリガーされたときの Unix タイムスタンプ |
cwd | 文字列 | 現在の作業ディレクトリ |
prompt | 文字列 | ユーザーが送信したプロンプト |
アウトプット
プロンプトを変更せずに使用するには、 null または undefined を返します。 それ以外の場合は、次のいずれかのフィールドを持つオブジェクトを返します。
| フィールド | タイプ | 説明 |
|---|---|---|
modifiedPrompt | 文字列 | 元のプロンプトの代わりに使用するように変更されたプロンプト |
additionalContext | 文字列 | 会話に追加された追加のコンテキスト |
suppressOutput | ブーリアン | trueは、アシスタントの応答出力を抑制します |
例示
すべてのユーザー プロンプトをログに記録する
const session = await client.createSession({
hooks: {
onUserPromptSubmitted: async (
input, invocation
) => {
console.log(
`[${invocation.sessionId}] `
+ `User: ${input.prompt}`
);
return null; // Pass through unchanged
},
},
});
Python、Go、.NET の例については、 github/copilot-sdk リポジトリを参照してください。
プロジェクト コンテキストを追加する
const session = await client.createSession({
hooks: {
onUserPromptSubmitted: async (input) => {
const projectInfo = await getProjectInfo();
return {
additionalContext: `
Project: ${projectInfo.name}
Language: ${projectInfo.language}
Framework: ${projectInfo.framework}
`.trim(),
};
},
},
});
省略形コマンドを展開する
const SHORTCUTS: Record<string, string> = {
"/fix":
"Please fix the errors in the code",
"/explain":
"Please explain this code in detail",
"/test":
"Please write unit tests for this code",
"/refactor":
"Please refactor this code to improve "
+ "readability and maintainability",
};
const session = await client.createSession({
hooks: {
onUserPromptSubmitted: async (input) => {
for (const [shortcut, expansion]
of Object.entries(SHORTCUTS)) {
if (input.prompt.startsWith(shortcut)) {
const rest = input.prompt
.slice(shortcut.length).trim();
return {
modifiedPrompt:
`${expansion}`
+ `${rest ? `: ${rest}` : ""}`,
};
}
}
return null;
},
},
});
コンテンツのフィルター処理
const BLOCKED_PATTERNS = [
/password\s*[:=]/i,
/api[_-]?key\s*[:=]/i,
/secret\s*[:=]/i,
];
const session = await client.createSession({
hooks: {
onUserPromptSubmitted: async (input) => {
for (const pattern of BLOCKED_PATTERNS) {
if (pattern.test(input.prompt)) {
return {
modifiedPrompt:
"[Content blocked: Please don't "
+ "include sensitive credentials "
+ "in your prompts. Use environment "
+ "variables instead.]",
suppressOutput: true,
};
}
}
return null;
},
},
});
プロンプトの制限の長さを強制する
const MAX_PROMPT_LENGTH = 10000;
const session = await client.createSession({
hooks: {
onUserPromptSubmitted: async (input) => {
if (input.prompt.length > MAX_PROMPT_LENGTH) {
// Truncate the prompt and add context
return {
modifiedPrompt: input.prompt.substring(0, MAX_PROMPT_LENGTH),
additionalContext: `Note: The original prompt was ${input.prompt.length} characters and was truncated to ${MAX_PROMPT_LENGTH} characters.`,
};
}
return null;
},
},
});
ユーザー設定を追加する
interface UserPreferences {
codeStyle: "concise" | "verbose";
preferredLanguage: string;
experienceLevel: "beginner" | "intermediate" | "expert";
}
const session = await client.createSession({
hooks: {
onUserPromptSubmitted: async (input) => {
const prefs: UserPreferences = await loadUserPreferences();
const contextParts = [];
if (prefs.codeStyle === "concise") {
contextParts.push("User prefers concise code with minimal comments.");
} else {
contextParts.push("User prefers verbose code with detailed comments.");
}
if (prefs.experienceLevel === "beginner") {
contextParts.push("Explain concepts in simple terms.");
}
return {
additionalContext: contextParts.join(" "),
};
},
},
});
レート制限
const promptTimestamps: number[] = [];
const RATE_LIMIT = 10; // prompts
const RATE_WINDOW = 60000; // 1 minute
const session = await client.createSession({
hooks: {
onUserPromptSubmitted: async (input) => {
const now = Date.now();
// Remove timestamps outside the window
while (promptTimestamps.length > 0 && promptTimestamps[0] < now - RATE_WINDOW) {
promptTimestamps.shift();
}
if (promptTimestamps.length >= RATE_LIMIT) {
return {
reject: true,
rejectReason: `Rate limit exceeded. Please wait before sending more prompts.`,
};
}
promptTimestamps.push(now);
return null;
},
},
});
プロンプト テンプレート
const TEMPLATES: Record<
string, (args: string) => string
> = {
"bug:": (desc) =>
`I found a bug: ${desc}\n\n`
+ `Please help me:\n`
+ `1. Understand why this is happening\n`
+ `2. Suggest a fix\n`
+ `3. Explain how to prevent similar bugs`,
"feature:": (desc) =>
`I want to implement this feature: `
+ `${desc}\n\n`
+ `Please:\n`
+ `1. Outline the implementation approach\n`
+ `2. Identify potential challenges\n`
+ `3. Provide sample code`,
};
const session = await client.createSession({
hooks: {
onUserPromptSubmitted: async (input) => {
for (const [prefix, template]
of Object.entries(TEMPLATES)) {
if (
input.prompt.toLowerCase()
.startsWith(prefix)
) {
const args = input.prompt
.slice(prefix.length).trim();
return {
modifiedPrompt: template(args),
};
}
}
return null;
},
},
});
ベスト プラクティス
-
**ユーザーの意図を保持します。** プロンプトを変更する場合は、主要な意図が明確なままであることを確認します。 -
**変更に透明性を持たせる。** プロンプトを大幅に変更する場合は、ログ記録またはユーザーへの通知を検討してください。 -
** `additionalContext`よりも`modifiedPrompt`を使用します。** コンテキストの追加は、プロンプトを書き直すよりも侵入が少なくなります。 -
**明確な拒否理由を指定します。** プロンプトを拒否する場合は、問題を解決する理由と方法を説明します。 -
**処理を速く続けます。** このフックは、すべてのユーザー メッセージで実行されます。 低速な操作は避けてください。
詳細については、次を参照してください。
-
[AUTOTITLE](/copilot/how-tos/copilot-sdk/use-hooks/quickstart) -
[AUTOTITLE](/copilot/how-tos/copilot-sdk/use-hooks/session-lifecycle) -
[AUTOTITLE](/copilot/how-tos/copilot-sdk/use-hooks/pre-tool-use)