Simplified file structure

This commit is contained in:
2024-08-07 19:39:10 +02:00
parent 1b13539b22
commit 66569446b1
219 changed files with 453 additions and 457 deletions

12
src/fs/File.go Normal file
View File

@ -0,0 +1,12 @@
package fs
import "git.akyoto.dev/cli/q/src/token"
// File represents a single source file.
type File struct {
Path string
Package string
Bytes []byte
Imports map[string]*Import
Tokens token.List
}

11
src/fs/Import.go Normal file
View File

@ -0,0 +1,11 @@
package fs
import "git.akyoto.dev/cli/q/src/token"
// Import represents an import statement in a file.
type Import struct {
Path string
FullPath string
Position token.Position
Used bool
}

61
src/fs/Walk.go Normal file
View File

@ -0,0 +1,61 @@
package fs
import (
"syscall"
"unsafe"
)
// Walk calls your callback function for every file name inside the directory.
// It doesn't distinguish between files and directories.
func Walk(directory string, callBack func(string)) error {
fd, err := syscall.Open(directory, 0, 0)
if err != nil {
return err
}
defer syscall.Close(fd)
buffer := make([]byte, 1024)
for {
n, err := syscall.ReadDirent(fd, buffer)
if err != nil {
return err
}
if n <= 0 {
break
}
readBuffer := buffer[:n]
for len(readBuffer) > 0 {
dirent := (*syscall.Dirent)(unsafe.Pointer(&readBuffer[0]))
readBuffer = readBuffer[dirent.Reclen:]
// Skip deleted files
if dirent.Ino == 0 {
continue
}
// Skip hidden files
if dirent.Name[0] == '.' {
continue
}
for i, c := range dirent.Name {
if c != 0 {
continue
}
bytePointer := (*byte)(unsafe.Pointer(&dirent.Name[0]))
name := unsafe.String(bytePointer, i)
callBack(name)
break
}
}
}
return nil
}

30
src/fs/Walk_test.go Normal file
View File

@ -0,0 +1,30 @@
package fs_test
import (
"testing"
"git.akyoto.dev/cli/q/src/fs"
"git.akyoto.dev/go/assert"
)
func TestWalk(t *testing.T) {
var files []string
err := fs.Walk(".", func(file string) {
files = append(files, file)
})
assert.Nil(t, err)
assert.Contains(t, files, "Walk.go")
assert.Contains(t, files, "Walk_test.go")
}
func TestWalkFile(t *testing.T) {
err := fs.Walk("Walk.go", func(file string) {})
assert.NotNil(t, err)
}
func TestWalkNonExisting(t *testing.T) {
err := fs.Walk("does-not-exist", func(file string) {})
assert.NotNil(t, err)
}