Add VSCode Project Manager and Recent Workspaces features

This commit is contained in:
Huakun Shen 2025-02-26 05:55:52 -05:00
parent 2a8738aa2f
commit ded7c56fd7
No known key found for this signature in database
7 changed files with 219 additions and 20 deletions

View File

@ -2,4 +2,15 @@
## Features
- Open projects stored by project manager extension
- Open projects stored by project manager extension
## Features
- Recent VSCode Projects
- Project Manager Projects
![](https://i.imgur.com/R77kLaH.png)
## VSCode Recent Projects
![](https://i.imgur.com/rfzMh9x.png)

View File

@ -1,20 +1,24 @@
import { watch } from "fs"
import { join } from "path"
import { refreshTemplateWorkerCommand } from "@kksh/api/dev"
import { $ } from "bun"
import { watch } from "fs";
import { join } from "path";
import { refreshTemplateWorkerCommand } from "@kksh/api/dev";
import { $ } from "bun";
const filenames = ["recent-workspaces.ts", "project-manager.ts"];
async function build() {
await $`bun build --minify --target=browser --outdir=./dist ./src/index.ts`
await refreshTemplateWorkerCommand()
for (const filename of filenames) {
await $`bun build --minify --target=browser --outdir=./dist ./src/${filename}`;
}
await refreshTemplateWorkerCommand();
}
const srcDir = join(import.meta.dir, "src")
const srcDir = join(import.meta.dir, "src");
await build()
await build();
if (Bun.argv.includes("dev")) {
console.log(`Watching ${srcDir} for changes...`)
watch(srcDir, { recursive: true }, async (event, filename) => {
await build()
})
console.log(`Watching ${srcDir} for changes...`);
watch(srcDir, { recursive: true }, async (event, filename) => {
await build();
});
}

BIN
bun.lockb

Binary file not shown.

View File

@ -1,6 +1,6 @@
{
"name": "@kunkun/kunkun-ext-vscode",
"version": "0.1.5",
"version": "0.1.6",
"license": "MIT",
"exports": "./mod.ts",
"publish": {

View File

@ -1,7 +1,7 @@
{
"$schema": "https://schema.kunkun.sh/",
"name": "kunkun-ext-vscode",
"version": "0.1.5",
"version": "0.1.6",
"license": "MIT",
"repository": "https://github.com/kunkunsh/kunkun-ext-vscode",
"type": "module",
@ -12,6 +12,14 @@
"identifier": "vscode",
"permissions": [
"os:all",
{
"permission": "fs:exists",
"allow": [
{
"path": "**/*"
}
]
},
{
"permission": "shell:execute",
"allow": [
@ -52,6 +60,15 @@
},
{
"path": "$APPDATA/Code/User/globalStorage/alefragnani.project-manager/projects.json"
},
{
"path": "$HOME/Library/Application Support/Code/User/globalStorage/storage.json"
},
{
"path": "$HOME/.config/Code/User/globalStorage/storage.json"
},
{
"path": "$APPDATA/Code/User/globalStorage/storage.json"
}
]
}
@ -65,7 +82,12 @@
"templateUiCmds": [
{
"name": "Search VSCode Project Manager",
"main": "dist/index.js",
"main": "dist/project-manager.js",
"cmds": []
},
{
"name": "VSCode Recent Projects",
"main": "dist/recent-workspaces.js",
"cmds": []
}
]
@ -78,14 +100,13 @@
"build": "bun build.ts"
},
"dependencies": {
"@kksh/api": "^0.1.1",
"valibot": "1.0.0-beta.11"
"@kksh/api": "^0.1.5",
"valibot": "^1.0.0-rc.2"
},
"devDependencies": {
"@types/bun": "latest"
},
"peerDependencies": {
"typescript": "^5.0.0"
},
"packageManager": "pnpm@9.8.0+sha512.8e4c3550fb500e808dbc30bb0ce4dd1eb614e30b1c55245f211591ec2cdf9c611cabd34e1364b42f564bd54b3945ed0f49d61d1bbf2ec9bd74b866fcdc723276"
}
}

163
src/recent-workspaces.ts Normal file
View File

@ -0,0 +1,163 @@
import {
expose,
fs,
Icon,
IconEnum,
List,
log,
os,
path,
shell,
toast,
ui,
TemplateUiCommand,
} from "@kksh/api/ui/template";
import {
array,
boolean,
flatten,
object,
record,
safeParse,
string,
type InferOutput,
} from "valibot";
const StorageSchema = object({
profileAssociations: object({
workspaces: record(string(), string()),
}),
});
type Storage = InferOutput<typeof StorageSchema>;
function openWithVSCode(path: string) {
return shell
.hasCommand("code")
.then((hasCommand) => {
if (!hasCommand) {
return toast.error(
"code command not installed to PATH, please install it the 'code' command."
);
} else {
return shell
.createCommand("code", [path])
.execute()
.then((res) => {
toast.success(`Opened with VSCode`);
})
.catch((err) => {
toast.error(`Failed to open with VSCode: ${err}`);
});
}
})
.catch((err) => {
toast.error(`${err}`);
});
}
class VSCodeProjectManager extends TemplateUiCommand {
async load() {
ui.render(new List.List({ items: [] }));
const platform = await os.platform();
let fileContent: string | undefined;
if (platform === "macos") {
fileContent = await fs.readTextFile(
"Library/Application Support/Code/User/globalStorage/storage.json",
{ baseDir: path.BaseDirectory.Home }
);
} else if (platform === "windows") {
fileContent = await fs.readTextFile(
"Code/User/globalStorage/storage.json",
{ baseDir: path.BaseDirectory.AppData }
);
} else if (platform === "linux") {
fileContent = await fs.readTextFile(
".config/Code/User/globalStorage/storage.json",
{ baseDir: path.BaseDirectory.Home }
);
} else {
return toast
.error(`Unsupported platform: ${platform}`)
.then(() => Promise.resolve());
}
if (!fileContent) {
return toast
.error(`Failed to read Project Manager configuration file`)
.then(() => Promise.resolve());
}
let jsonContent: Storage | undefined;
try {
jsonContent = JSON.parse(fileContent);
} catch (error) {
return toast.error(
`Failed to parse Project Manager configuration file: ${error}`
);
}
const parseRes = safeParse(StorageSchema, JSON.parse(fileContent));
if (!parseRes.success) {
return toast.error(
`Failed to parse Project Manager configuration file: ${flatten<
typeof StorageSchema
>(parseRes.issues)}`
);
}
let workspaces = Object.keys(parseRes.output.profileAssociations.workspaces)
.filter((w) => w.startsWith("file://"))
.map((w) => w.slice(7));
workspaces = (
await Promise.all(
workspaces.map(async (workspace) => ({
workspace,
exists: await fs.exists(workspace).catch((error) => {
console.error(`Failed to check if ${workspace} exists:`, error);
return false;
}),
}))
)
)
.filter(({ exists }) => exists)
.map(({ workspace }) => workspace);
const folderNames = await Promise.all(
workspaces.map(async (workspace) => await path.basename(workspace))
);
console.log(folderNames);
const items = folderNames.map((name, idx) => {
return new List.Item({
title: name,
subTitle: workspaces[idx],
value: workspaces[idx],
icon: new Icon({
type: IconEnum.Iconify,
value: "ri:folder-open-fill",
}),
});
});
return ui.setSearchBarPlaceholder("Search for projects...").then(() => {
return ui.render(new List.List({ items }));
});
}
onSearchTermChange(term: string): Promise<void> {
return Promise.resolve();
}
async onListItemSelected(value: string): Promise<void> {
log.info(`Selected project: ${value}`);
const platform = await os.platform();
if (platform === "macos") {
openWithVSCode(value);
// shell.Command.create("code", [value]).execute();
// shell.executeBashScript(`open -a "Visual Studio Code" "${value}"`)
} else if (platform === "windows") {
openWithVSCode(value);
} else if (platform === "linux") {
openWithVSCode(value);
} else {
toast.error(
`Unsupported platform: ${platform}).then(() => Promise.resolve()`
);
}
}
}
expose(new VSCodeProjectManager());