forked from github/copilot-sdk
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathgo.ts
More file actions
315 lines (266 loc) · 12.6 KB
/
go.ts
File metadata and controls
315 lines (266 loc) · 12.6 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
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
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
/*---------------------------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
*--------------------------------------------------------------------------------------------*/
/**
* Go code generator for session-events and RPC types.
*/
import { execFile } from "child_process";
import fs from "fs/promises";
import { promisify } from "util";
import type { JSONSchema7 } from "json-schema";
import { FetchingJSONSchemaStore, InputData, JSONSchemaInput, quicktype } from "quicktype-core";
import {
getSessionEventsSchemaPath,
getApiSchemaPath,
postProcessSchema,
writeGeneratedFile,
isRpcMethod,
type ApiSchema,
type RpcMethod,
} from "./utils.js";
const execFileAsync = promisify(execFile);
// ── Utilities ───────────────────────────────────────────────────────────────
// Go initialisms that should be all-caps
const goInitialisms = new Set(["id", "url", "api", "http", "https", "json", "xml", "html", "css", "sql", "ssh", "tcp", "udp", "ip", "rpc"]);
function toPascalCase(s: string): string {
return s
.split(/[._]/)
.map((w) => goInitialisms.has(w.toLowerCase()) ? w.toUpperCase() : w.charAt(0).toUpperCase() + w.slice(1))
.join("");
}
function toGoFieldName(jsonName: string): string {
// Handle camelCase field names like "modelId" -> "ModelID"
return jsonName
.replace(/([a-z])([A-Z])/g, "$1_$2")
.split("_")
.map((w) => goInitialisms.has(w.toLowerCase()) ? w.toUpperCase() : w.charAt(0).toUpperCase() + w.slice(1).toLowerCase())
.join("");
}
async function formatGoFile(filePath: string): Promise<void> {
try {
await execFileAsync("go", ["fmt", filePath]);
console.log(` ✓ Formatted with go fmt`);
} catch {
// go fmt not available, skip
}
}
function collectRpcMethods(node: Record<string, unknown>): RpcMethod[] {
const results: RpcMethod[] = [];
for (const value of Object.values(node)) {
if (isRpcMethod(value)) {
results.push(value);
} else if (typeof value === "object" && value !== null) {
results.push(...collectRpcMethods(value as Record<string, unknown>));
}
}
return results;
}
// ── Session Events ──────────────────────────────────────────────────────────
async function generateSessionEvents(schemaPath?: string): Promise<void> {
console.log("Go: generating session-events...");
const resolvedPath = schemaPath ?? (await getSessionEventsSchemaPath());
const schema = JSON.parse(await fs.readFile(resolvedPath, "utf-8")) as JSONSchema7;
const resolvedSchema = (schema.definitions?.SessionEvent as JSONSchema7) || schema;
const processed = postProcessSchema(resolvedSchema);
const schemaInput = new JSONSchemaInput(new FetchingJSONSchemaStore());
await schemaInput.addSource({ name: "SessionEvent", schema: JSON.stringify(processed) });
const inputData = new InputData();
inputData.addInput(schemaInput);
const result = await quicktype({
inputData,
lang: "go",
rendererOptions: { package: "copilot" },
});
const banner = `// AUTO-GENERATED FILE - DO NOT EDIT
// Generated from: session-events.schema.json
`;
const outPath = await writeGeneratedFile("go/generated_session_events.go", banner + result.lines.join("\n"));
console.log(` ✓ ${outPath}`);
await formatGoFile(outPath);
}
// ── RPC Types ───────────────────────────────────────────────────────────────
async function generateRpc(schemaPath?: string): Promise<void> {
console.log("Go: generating RPC types...");
const resolvedPath = schemaPath ?? (await getApiSchemaPath());
const schema = JSON.parse(await fs.readFile(resolvedPath, "utf-8")) as ApiSchema;
const allMethods = [...collectRpcMethods(schema.server || {}), ...collectRpcMethods(schema.session || {})];
// Build a combined schema for quicktype - prefix types to avoid conflicts
const combinedSchema: JSONSchema7 = {
$schema: "http://json-schema.org/draft-07/schema#",
definitions: {},
};
for (const method of allMethods) {
const baseName = toPascalCase(method.rpcMethod);
if (method.result) {
combinedSchema.definitions![baseName + "Result"] = method.result;
}
if (method.params?.properties && Object.keys(method.params.properties).length > 0) {
// For session methods, filter out sessionId from params type
if (method.rpcMethod.startsWith("session.")) {
const filtered: JSONSchema7 = {
...method.params,
properties: Object.fromEntries(
Object.entries(method.params.properties).filter(([k]) => k !== "sessionId")
),
required: method.params.required?.filter((r) => r !== "sessionId"),
};
if (Object.keys(filtered.properties!).length > 0) {
combinedSchema.definitions![baseName + "Params"] = filtered;
}
} else {
combinedSchema.definitions![baseName + "Params"] = method.params;
}
}
}
// Generate types via quicktype
const schemaInput = new JSONSchemaInput(new FetchingJSONSchemaStore());
for (const [name, def] of Object.entries(combinedSchema.definitions!)) {
await schemaInput.addSource({ name, schema: JSON.stringify(def) });
}
const inputData = new InputData();
inputData.addInput(schemaInput);
const qtResult = await quicktype({
inputData,
lang: "go",
rendererOptions: { package: "copilot", "just-types": "true" },
});
// Build method wrappers
const lines: string[] = [];
lines.push(`// AUTO-GENERATED FILE - DO NOT EDIT`);
lines.push(`// Generated from: api.schema.json`);
lines.push(``);
lines.push(`package rpc`);
lines.push(``);
lines.push(`import (`);
lines.push(` "context"`);
lines.push(` "encoding/json"`);
lines.push(``);
lines.push(` "github.com/github/copilot-sdk/go/internal/jsonrpc2"`);
lines.push(`)`);
lines.push(``);
// Add quicktype-generated types (skip package line)
const qtLines = qtResult.lines.filter((l) => !l.startsWith("package "));
lines.push(...qtLines);
lines.push(``);
// Emit ServerRpc
if (schema.server) {
emitRpcWrapper(lines, schema.server, false);
}
// Emit SessionRpc
if (schema.session) {
emitRpcWrapper(lines, schema.session, true);
}
const outPath = await writeGeneratedFile("go/rpc/generated_rpc.go", lines.join("\n"));
console.log(` ✓ ${outPath}`);
await formatGoFile(outPath);
}
function emitRpcWrapper(lines: string[], node: Record<string, unknown>, isSession: boolean): void {
const groups = Object.entries(node).filter(([, v]) => typeof v === "object" && v !== null && !isRpcMethod(v));
const topLevelMethods = Object.entries(node).filter(([, v]) => isRpcMethod(v));
const wrapperName = isSession ? "SessionRpc" : "ServerRpc";
const apiSuffix = "RpcApi";
// Emit API structs for groups
for (const [groupName, groupNode] of groups) {
const prefix = isSession ? "" : "Server";
const apiName = prefix + toPascalCase(groupName) + apiSuffix;
const fields = isSession ? "client *jsonrpc2.Client; sessionID string" : "client *jsonrpc2.Client";
lines.push(`type ${apiName} struct { ${fields} }`);
lines.push(``);
for (const [key, value] of Object.entries(groupNode as Record<string, unknown>)) {
if (!isRpcMethod(value)) continue;
emitMethod(lines, apiName, key, value, isSession);
}
}
// Emit wrapper struct
lines.push(`// ${wrapperName} provides typed ${isSession ? "session" : "server"}-scoped RPC methods.`);
lines.push(`type ${wrapperName} struct {`);
lines.push(` client *jsonrpc2.Client`);
if (isSession) lines.push(` sessionID string`);
for (const [groupName] of groups) {
const prefix = isSession ? "" : "Server";
lines.push(` ${toPascalCase(groupName)} *${prefix}${toPascalCase(groupName)}${apiSuffix}`);
}
lines.push(`}`);
lines.push(``);
// Top-level methods (server only)
for (const [key, value] of topLevelMethods) {
if (!isRpcMethod(value)) continue;
emitMethod(lines, wrapperName, key, value, isSession);
}
// Constructor
const ctorParams = isSession ? "client *jsonrpc2.Client, sessionID string" : "client *jsonrpc2.Client";
const ctorFields = isSession ? "client: client, sessionID: sessionID," : "client: client,";
lines.push(`func New${wrapperName}(${ctorParams}) *${wrapperName} {`);
lines.push(` return &${wrapperName}{${ctorFields}`);
for (const [groupName] of groups) {
const prefix = isSession ? "" : "Server";
const apiInit = isSession
? `&${toPascalCase(groupName)}${apiSuffix}{client: client, sessionID: sessionID}`
: `&${prefix}${toPascalCase(groupName)}${apiSuffix}{client: client}`;
lines.push(` ${toPascalCase(groupName)}: ${apiInit},`);
}
lines.push(` }`);
lines.push(`}`);
lines.push(``);
}
function emitMethod(lines: string[], receiver: string, name: string, method: RpcMethod, isSession: boolean): void {
const methodName = toPascalCase(name);
const resultType = toPascalCase(method.rpcMethod) + "Result";
const paramProps = method.params?.properties || {};
const requiredParams = new Set(method.params?.required || []);
const nonSessionParams = Object.keys(paramProps).filter((k) => k !== "sessionId");
const hasParams = isSession ? nonSessionParams.length > 0 : Object.keys(paramProps).length > 0;
const paramsType = hasParams ? toPascalCase(method.rpcMethod) + "Params" : "";
const sig = hasParams
? `func (a *${receiver}) ${methodName}(ctx context.Context, params *${paramsType}) (*${resultType}, error)`
: `func (a *${receiver}) ${methodName}(ctx context.Context) (*${resultType}, error)`;
lines.push(sig + ` {`);
if (isSession) {
lines.push(` req := map[string]interface{}{"sessionId": a.sessionID}`);
if (hasParams) {
lines.push(` if params != nil {`);
for (const pName of nonSessionParams) {
const goField = toGoFieldName(pName);
const isOptional = !requiredParams.has(pName);
if (isOptional) {
// Optional fields are pointers - only add when non-nil and dereference
lines.push(` if params.${goField} != nil {`);
lines.push(` req["${pName}"] = *params.${goField}`);
lines.push(` }`);
} else {
lines.push(` req["${pName}"] = params.${goField}`);
}
}
lines.push(` }`);
}
lines.push(` raw, err := a.client.Request("${method.rpcMethod}", req)`);
} else {
const arg = hasParams ? "params" : "map[string]interface{}{}";
lines.push(` raw, err := a.client.Request("${method.rpcMethod}", ${arg})`);
}
lines.push(` if err != nil { return nil, err }`);
lines.push(` var result ${resultType}`);
lines.push(` if err := json.Unmarshal(raw, &result); err != nil { return nil, err }`);
lines.push(` return &result, nil`);
lines.push(`}`);
lines.push(``);
}
// ── Main ────────────────────────────────────────────────────────────────────
async function generate(sessionSchemaPath?: string, apiSchemaPath?: string): Promise<void> {
await generateSessionEvents(sessionSchemaPath);
try {
await generateRpc(apiSchemaPath);
} catch (err) {
if ((err as NodeJS.ErrnoException).code === "ENOENT" && !apiSchemaPath) {
console.log("Go: skipping RPC (api.schema.json not found)");
} else {
throw err;
}
}
}
const sessionArg = process.argv[2] || undefined;
const apiArg = process.argv[3] || undefined;
generate(sessionArg, apiArg).catch((err) => {
console.error("Go generation failed:", err);
process.exit(1);
});