Skip to content

Commit fdeb2b3

Browse files
nadr0github-actions[bot]pierremtb
authored
Feature: Implement read write access checking on Project Directory and report any issues in home page (#5676)
* chore: skeleton to detect read write directories and if we have access to notify user * chore: adding buttont to easily change project directory * chore: cleaning up home page error bar layout and button * fix: adding clearer comments * fix: ugly console debugging but I need to save off progress * fix: removing project dir check on empty string * fix: debug progress to save off listProjects once. Still bugged... * fix: more hard coded debugging to get project loading optimizted * fix: yarp, we got another one bois * fix: cleaning up code * fix: massive bug comment to warn devs about chokidar bugs * fix: returning error instead of throwing * fix: cleaning up PR * fix: fixed loading the projects when the project directory changes * fix: remove testing code * fix: only skip directories if you can access the project directory since we don't need to view them * fix: unit tests, turning off noisey localhost vitest garbage * A snapshot a day keeps the bugs away! 📷🐛 (OS: namespace-profile-ubuntu-8-cores) * A snapshot a day keeps the bugs away! 📷🐛 (OS: namespace-profile-ubuntu-8-cores) * fix: deleted testing state --------- Co-authored-by: github-actions[bot] <github-actions[bot]@users.noreply.github.com> Co-authored-by: Pierre Jacquier <pierrejacquier39@gmail.com> Co-authored-by: Pierre Jacquier <pierre@zoo.dev>
1 parent 65c455a commit fdeb2b3

17 files changed

+207
-51
lines changed

interface.d.ts

+3
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,9 @@ export interface IElectronAPI {
4444
rm: typeof fs.rm
4545
stat: (path: string) => ReturnType<fs.stat>
4646
statIsDirectory: (path: string) => Promise<boolean>
47+
canReadWriteDirectory: (
48+
path: string
49+
) => Promise<{ value: boolean; error: unknown }>
4750
path: typeof path
4851
mkdir: typeof fs.mkdir
4952
join: typeof path.join

packages/codemirror-lang-kcl/vitest.main.config.ts

+3-1
Original file line numberDiff line numberDiff line change
@@ -18,7 +18,9 @@ const config = defineConfig({
1818
environment: 'node',
1919
reporters: process.env.GITHUB_ACTIONS
2020
? ['dot', 'github-actions']
21-
: ['verbose', 'hanging-process'],
21+
: // Gotcha: 'hanging-process' is very noisey, turn off by default on localhost
22+
// : ['verbose', 'hanging-process'],
23+
['verbose'],
2224
testTimeout: 1000,
2325
hookTimeout: 1000,
2426
teardownTimeout: 1000,

src/components/ProjectCard/ProjectCard.tsx

+27-15
Original file line numberDiff line numberDiff line change
@@ -86,8 +86,16 @@ function ProjectCard({
8686
>
8787
<Link
8888
data-testid="project-link"
89-
to={`${PATHS.FILE}/${encodeURIComponent(project.default_file)}`}
90-
className="flex flex-col flex-1 !no-underline !text-chalkboard-110 dark:!text-chalkboard-10 group-hover:!hue-rotate-0 min-h-[5em] divide-y divide-primary/40 dark:divide-chalkboard-80 group-hover:!divide-primary"
89+
to={
90+
project.readWriteAccess
91+
? `${PATHS.FILE}/${encodeURIComponent(project.default_file)}`
92+
: ''
93+
}
94+
className={`flex flex-col flex-1 !no-underline !text-chalkboard-110 dark:!text-chalkboard-10 min-h-[5em] divide-y divide-primary/40 dark:divide-chalkboard-80 ${
95+
project.readWriteAccess
96+
? 'group-hover:!divide-primary group-hover:!hue-rotate-0'
97+
: 'cursor-not-allowed'
98+
}`}
9199
>
92100
<div className="h-36 relative overflow-hidden bg-gradient-to-b from-transparent to-primary/10 rounded-t-sm">
93101
{imageUrl && (
@@ -116,19 +124,21 @@ function ProjectCard({
116124
{project.name?.replace(FILE_EXT, '')}
117125
</h3>
118126
)}
119-
<span className="px-2 text-chalkboard-60 text-xs">
120-
<span data-testid="project-file-count">{numberOfFiles}</span> file
121-
{numberOfFiles === 1 ? '' : 's'}{' '}
122-
{numberOfFolders > 0 && (
123-
<>
124-
{'/ '}
125-
<span data-testid="project-folder-count">
126-
{numberOfFolders}
127-
</span>{' '}
128-
folder{numberOfFolders === 1 ? '' : 's'}
129-
</>
130-
)}
131-
</span>
127+
{project.readWriteAccess && (
128+
<span className="px-2 text-chalkboard-60 text-xs">
129+
<span data-testid="project-file-count">{numberOfFiles}</span> file
130+
{numberOfFiles === 1 ? '' : 's'}{' '}
131+
{numberOfFolders > 0 && (
132+
<>
133+
{'/ '}
134+
<span data-testid="project-folder-count">
135+
{numberOfFolders}
136+
</span>{' '}
137+
folder{numberOfFolders === 1 ? '' : 's'}
138+
</>
139+
)}
140+
</span>
141+
)}
132142
<span className="px-2 text-chalkboard-60 text-xs">
133143
Edited{' '}
134144
<span data-testid="project-edit-date">
@@ -145,6 +155,7 @@ function ProjectCard({
145155
data-edit-buttons-for={project.name?.replace(FILE_EXT, '')}
146156
>
147157
<ActionButton
158+
disabled={!project.readWriteAccess}
148159
Element="button"
149160
iconStart={{
150161
icon: 'sketch',
@@ -163,6 +174,7 @@ function ProjectCard({
163174
</Tooltip>
164175
</ActionButton>
165176
<ActionButton
177+
disabled={!project.readWriteAccess}
166178
Element="button"
167179
iconStart={{
168180
icon: 'trash',

src/components/ProjectSidebarMenu.test.tsx

+1
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@ const projectWellFormed = {
1414
children: [],
1515
},
1616
],
17+
readWriteAccess: true,
1718
metadata: {
1819
created: now.toISOString(),
1920
modified: now.toISOString(),

src/components/ProjectsContextProvider.tsx

+25-11
Original file line numberDiff line numberDiff line change
@@ -137,6 +137,7 @@ const ProjectsContextWeb = ({ children }: { children: React.ReactNode }) => {
137137
projects: [],
138138
defaultProjectName: settings.projects.defaultProjectName.current,
139139
defaultDirectory: settings.app.projectDirectory.current,
140+
hasListedProjects: false,
140141
},
141142
}
142143
)
@@ -182,20 +183,11 @@ const ProjectsContextDesktop = ({
182183
}, [searchParams, setSearchParams])
183184
const { onProjectOpen } = useLspContext()
184185
const settings = useSettings()
185-
186186
const [projectsLoaderTrigger, setProjectsLoaderTrigger] = useState(0)
187187
const { projectPaths, projectsDir } = useProjectsLoader([
188188
projectsLoaderTrigger,
189189
])
190190

191-
// Re-read projects listing if the projectDir has any updates.
192-
useFileSystemWatcher(
193-
async () => {
194-
return setProjectsLoaderTrigger(projectsLoaderTrigger + 1)
195-
},
196-
projectsDir ? [projectsDir] : []
197-
)
198-
199191
const [state, send, actor] = useMachine(
200192
projectsMachine.provide({
201193
actions: {
@@ -313,7 +305,9 @@ const ProjectsContextDesktop = ({
313305
),
314306
},
315307
actors: {
316-
readProjects: fromPromise(() => listProjects()),
308+
readProjects: fromPromise(() => {
309+
return listProjects()
310+
}),
317311
createProject: fromPromise(async ({ input }) => {
318312
let name = (
319313
input && 'name' in input && input.name
@@ -427,13 +421,33 @@ const ProjectsContextDesktop = ({
427421
projects: projectPaths,
428422
defaultProjectName: settings.projects.defaultProjectName.current,
429423
defaultDirectory: settings.app.projectDirectory.current,
424+
hasListedProjects: false,
430425
},
431426
}
432427
)
433428

429+
useFileSystemWatcher(
430+
async () => {
431+
// Gotcha: Chokidar is buggy. It will emit addDir or add on files that did not get created.
432+
// This means while the application initialize and Chokidar initializes you cannot tell if
433+
// a directory or file is actually created or they are buggy signals. This means you must
434+
// ignore all signals during initialization because it is ambiguous. Once those signals settle
435+
// you can actually start listening to real signals.
436+
// If someone creates folders or files during initialization we ignore those events!
437+
if (!actor.getSnapshot().context.hasListedProjects) {
438+
return
439+
}
440+
return setProjectsLoaderTrigger(projectsLoaderTrigger + 1)
441+
},
442+
projectsDir ? [projectsDir] : []
443+
)
444+
445+
// Gotcha: Triggers listProjects() on chokidar changes
446+
// Gotcha: Load the projects when the projectDirectory changes.
447+
const projectDirectory = settings.app.projectDirectory.current
434448
useEffect(() => {
435449
send({ type: 'Read projects', data: {} })
436-
}, [projectPaths])
450+
}, [projectPaths, projectDirectory])
437451

438452
// register all project-related command palette commands
439453
useStateMachineCommands({

src/hooks/useProjectsLoader.tsx

+2
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,8 @@ import { loadAndValidateSettings } from 'lib/settings/settingsUtils'
55
import { Project } from 'lib/project'
66
import { isDesktop } from 'lib/isDesktop'
77

8+
// Gotcha: This should be ported to the ProjectMachine and keep track of
9+
// projectDirs and projectPaths in the context when it internally calls listProjects
810
// Hook uses [number] to give users familiarity. It is meant to mimic a
911
// dependency array, but is intended to only ever be used with 1 value.
1012
export const useProjectsLoader = (deps?: [number]) => {

src/lib/desktop.test.ts

+7
Original file line numberDiff line numberDiff line change
@@ -25,6 +25,7 @@ const mockElectron = {
2525
},
2626
getPath: vi.fn(),
2727
kittycad: vi.fn(),
28+
canReadWriteDirectory: vi.fn(),
2829
}
2930

3031
vi.stubGlobal('window', { electron: mockElectron })
@@ -87,6 +88,12 @@ describe('desktop utilities', () => {
8788
return path in mockFileSystem
8889
})
8990

91+
mockElectron.canReadWriteDirectory.mockImplementation(
92+
async (path: string) => {
93+
return { value: path in mockFileSystem, error: undefined }
94+
}
95+
)
96+
9097
// Mock stat to always resolve with dummy metadata
9198
mockElectron.stat.mockResolvedValue({
9299
mtimeMs: 123,

src/lib/desktop.ts

+51-6
Original file line numberDiff line numberDiff line change
@@ -126,6 +126,8 @@ export async function createNewProjectDirectory(
126126
metadata,
127127
kcl_file_count: 1,
128128
directory_count: 0,
129+
// If the mkdir did not crash you have readWriteAccess
130+
readWriteAccess: true,
129131
}
130132
}
131133

@@ -150,27 +152,41 @@ export async function listProjects(
150152
const projects = []
151153
if (!projectDir) return Promise.reject(new Error('projectDir was falsey'))
152154

155+
// Gotcha: readdir will list all folders at this project directory even if you do not have readwrite access on the directory path
153156
const entries = await window.electron.readdir(projectDir)
157+
158+
const { value: canReadWriteProjectDirectory } =
159+
await window.electron.canReadWriteDirectory(projectDir)
160+
154161
for (let entry of entries) {
155162
// Skip directories that start with a dot
156163
if (entry.startsWith('.')) {
157164
continue
158165
}
159166

160167
const projectPath = window.electron.path.join(projectDir, entry)
168+
161169
// if it's not a directory ignore.
170+
// Gotcha: statIsDirectory will work even if you do not have read write permissions on the project path
162171
const isDirectory = await window.electron.statIsDirectory(projectPath)
163172
if (!isDirectory) {
164173
continue
165174
}
166175

167176
const project = await getProjectInfo(projectPath)
168-
// Needs at least one file to be added to the projects list
169-
if (project.kcl_file_count === 0) {
177+
178+
if (
179+
project.kcl_file_count === 0 &&
180+
project.readWriteAccess &&
181+
canReadWriteProjectDirectory
182+
) {
170183
continue
171184
}
185+
186+
// Push folders you cannot readWrite to show users the issue
172187
projects.push(project)
173188
}
189+
174190
return projects
175191
}
176192

@@ -185,7 +201,10 @@ const IMPORT_FILE_EXTENSIONS = [
185201
const isRelevantFile = (filename: string): boolean =>
186202
IMPORT_FILE_EXTENSIONS.some((ext) => filename.endsWith('.' + ext))
187203

188-
const collectAllFilesRecursiveFrom = async (path: string) => {
204+
const collectAllFilesRecursiveFrom = async (
205+
path: string,
206+
canReadWritePath: boolean
207+
) => {
189208
// Make sure the filesystem object exists.
190209
try {
191210
await window.electron.stat(path)
@@ -202,12 +221,18 @@ const collectAllFilesRecursiveFrom = async (path: string) => {
202221
}
203222

204223
const name = window.electron.path.basename(path)
224+
205225
let entry: FileEntry = {
206226
name: name,
207227
path,
208228
children: [],
209229
}
210230

231+
// If you cannot read/write this project path do not collect the files
232+
if (!canReadWritePath) {
233+
return entry
234+
}
235+
211236
const children = []
212237

213238
const entries = await window.electron.readdir(path)
@@ -234,7 +259,10 @@ const collectAllFilesRecursiveFrom = async (path: string) => {
234259
const isEDir = await window.electron.statIsDirectory(ePath)
235260

236261
if (isEDir) {
237-
const subChildren = await collectAllFilesRecursiveFrom(ePath)
262+
const subChildren = await collectAllFilesRecursiveFrom(
263+
ePath,
264+
canReadWritePath
265+
)
238266
children.push(subChildren)
239267
} else {
240268
if (!isRelevantFile(ePath)) {
@@ -343,15 +371,31 @@ export async function getProjectInfo(projectPath: string): Promise<Project> {
343371

344372
// Make sure it is a directory.
345373
const projectPathIsDir = await window.electron.statIsDirectory(projectPath)
374+
346375
if (!projectPathIsDir) {
347376
return Promise.reject(
348377
new Error(`Project path is not a directory: ${projectPath}`)
349378
)
350379
}
351-
let walked = await collectAllFilesRecursiveFrom(projectPath)
352-
let default_file = await getDefaultKclFileForDir(projectPath, walked)
380+
381+
// Detect the projectPath has read write permission
382+
const { value: canReadWriteProjectPath } =
383+
await window.electron.canReadWriteDirectory(projectPath)
353384
const metadata = await window.electron.stat(projectPath)
354385

386+
// Return walked early if canReadWriteProjectPath is false
387+
let walked = await collectAllFilesRecursiveFrom(
388+
projectPath,
389+
canReadWriteProjectPath
390+
)
391+
392+
// If the projectPath does not have read write permissions, the default_file is empty string
393+
let default_file = ''
394+
if (canReadWriteProjectPath) {
395+
// Create the default main.kcl file only if the project path has read write permissions
396+
default_file = await getDefaultKclFileForDir(projectPath, walked)
397+
}
398+
355399
let project = {
356400
...walked,
357401
// We need to map from node fs.Stats to FileMetadata
@@ -368,6 +412,7 @@ export async function getProjectInfo(projectPath: string): Promise<Project> {
368412
kcl_file_count: 0,
369413
directory_count: 0,
370414
default_file,
415+
readWriteAccess: canReadWriteProjectPath,
371416
}
372417

373418
// Populate the number of KCL files in the project.

src/lib/project.d.ts

+1
Original file line numberDiff line numberDiff line change
@@ -43,4 +43,5 @@ export type Project = {
4343
path: string
4444
name: string
4545
children: Array<FileEntry> | null
46+
readWriteAccess: boolean
4647
}

src/lib/routeLoaders.ts

+2
Original file line numberDiff line numberDiff line change
@@ -98,6 +98,7 @@ export const fileLoader: LoaderFunction = async (
9898
directory_count: 0,
9999
metadata: null,
100100
default_file: projectPath,
101+
readWriteAccess: true,
101102
}
102103

103104
const maybeProjectInfo = isDesktop()
@@ -143,6 +144,7 @@ export const fileLoader: LoaderFunction = async (
143144
directory_count: 0,
144145
kcl_file_count: 1,
145146
metadata: null,
147+
readWriteAccess: true,
146148
}
147149

148150
// Fire off the event to load the project settings

0 commit comments

Comments
 (0)