repo
stringlengths
6
47
file_url
stringlengths
77
269
file_path
stringlengths
5
186
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
7 values
commit_sha
stringlengths
40
40
retrieved_at
stringdate
2026-01-07 08:35:43
2026-01-07 08:55:24
truncated
bool
2 classes
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/utils/utils_test.go
src/utils/utils_test.go
package utils import ( "archive/zip" "bytes" "fmt" "log" "math/rand" "os" "path" "path/filepath" "strings" "testing" "time" "github.com/stretchr/testify/assert" ) const TCP_BUFFER_SIZE = 1024 * 64 var bigFileSize = 75000000 func bigFile() { os.WriteFile("bigfile.test", bytes.Repeat([]byte("z"), bigFileSize), 0o666) } func BenchmarkMD5(b *testing.B) { bigFile() b.ResetTimer() for i := 0; i < b.N; i++ { MD5HashFile("bigfile.test", false) } } func BenchmarkXXHash(b *testing.B) { bigFile() b.ResetTimer() for i := 0; i < b.N; i++ { XXHashFile("bigfile.test", false) } } func BenchmarkImoHash(b *testing.B) { bigFile() b.ResetTimer() for i := 0; i < b.N; i++ { IMOHashFile("bigfile.test") } } func BenchmarkHighwayHash(b *testing.B) { bigFile() b.ResetTimer() for i := 0; i < b.N; i++ { HighwayHashFile("bigfile.test", false) } } func BenchmarkImoHashFull(b *testing.B) { bigFile() b.ResetTimer() for i := 0; i < b.N; i++ { IMOHashFileFull("bigfile.test") } } func BenchmarkSha256(b *testing.B) { b.ResetTimer() for i := 0; i < b.N; i++ { SHA256("hello,world") } } func BenchmarkMissingChunks(b *testing.B) { bigFile() b.ResetTimer() for i := 0; i < b.N; i++ { MissingChunks("bigfile.test", int64(bigFileSize), TCP_BUFFER_SIZE/2) } } func TestExists(t *testing.T) { bigFile() defer os.Remove("bigfile.test") fmt.Println(GetLocalIPs()) assert.True(t, Exists("bigfile.test")) assert.False(t, Exists("doesnotexist")) } func TestMD5HashFile(t *testing.T) { bigFile() defer os.Remove("bigfile.test") b, err := MD5HashFile("bigfile.test", false) assert.Nil(t, err) assert.Equal(t, "8304ff018e02baad0e3555bade29a405", fmt.Sprintf("%x", b)) _, err = MD5HashFile("bigfile.test.nofile", false) assert.NotNil(t, err) } func TestHighwayHashFile(t *testing.T) { bigFile() defer os.Remove("bigfile.test") b, err := HighwayHashFile("bigfile.test", false) assert.Nil(t, err) assert.Equal(t, "3c32999529323ed66a67aeac5720c7bf1301dcc5dca87d8d46595e85ff990329", fmt.Sprintf("%x", b)) _, err = HighwayHashFile("bigfile.test.nofile", false) assert.NotNil(t, err) } func TestIMOHashFile(t *testing.T) { bigFile() defer os.Remove("bigfile.test") b, err := IMOHashFile("bigfile.test") assert.Nil(t, err) assert.Equal(t, "c0d1e12301e6c635f6d4a8ea5c897437", fmt.Sprintf("%x", b)) } func TestXXHashFile(t *testing.T) { bigFile() defer os.Remove("bigfile.test") b, err := XXHashFile("bigfile.test", false) assert.Nil(t, err) assert.Equal(t, "4918740eb5ccb6f7", fmt.Sprintf("%x", b)) _, err = XXHashFile("nofile", false) assert.NotNil(t, err) } func TestSHA256(t *testing.T) { assert.Equal(t, "09ca7e4eaa6e8ae9c7d261167129184883644d07dfba7cbfbc4c8a2e08360d5b", SHA256("hello, world")) } func TestByteCountDecimal(t *testing.T) { assert.Equal(t, "10.0 kB", ByteCountDecimal(10240)) assert.Equal(t, "50 B", ByteCountDecimal(50)) assert.Equal(t, "12.4 MB", ByteCountDecimal(13002343)) } func TestMissingChunks(t *testing.T) { fileSize := 100 chunkSize := 10 rand.Seed(1) bigBuff := make([]byte, fileSize) rand.Read(bigBuff) os.WriteFile("missing.test", bigBuff, 0o644) empty := make([]byte, chunkSize) f, err := os.OpenFile("missing.test", os.O_RDWR, 0o644) assert.Nil(t, err) for block := 0; block < fileSize/chunkSize; block++ { if block == 0 || block == 4 || block == 5 || block >= 7 { f.WriteAt(empty, int64(block*chunkSize)) } } f.Close() chunkRanges := MissingChunks("missing.test", int64(fileSize), chunkSize) assert.Equal(t, []int64{10, 0, 1, 40, 2, 70, 3}, chunkRanges) chunks := ChunkRangesToChunks(chunkRanges) assert.Equal(t, []int64{0, 40, 50, 70, 80, 90}, chunks) os.Remove("missing.test") content := []byte("temporary file's content") tmpfile, err := os.CreateTemp("", "example") if err != nil { log.Fatal(err) } defer os.Remove(tmpfile.Name()) // clean up if _, err := tmpfile.Write(content); err != nil { panic(err) } if err := tmpfile.Close(); err != nil { panic(err) } chunkRanges = MissingChunks(tmpfile.Name(), int64(len(content)), chunkSize) assert.Empty(t, chunkRanges) chunkRanges = MissingChunks(tmpfile.Name(), int64(len(content)+10), chunkSize) assert.Empty(t, chunkRanges) chunkRanges = MissingChunks(tmpfile.Name()+"ok", int64(len(content)), chunkSize) assert.Empty(t, chunkRanges) chunks = ChunkRangesToChunks(chunkRanges) assert.Empty(t, chunks) } // func Test1(t *testing.T) { // chunkRanges := MissingChunks("../../m/bigfile.test", int64(75000000), 1024*64/2) // fmt.Println(chunkRanges) // fmt.Println(ChunkRangesToChunks((chunkRanges))) // assert.Nil(t, nil) // } func TestHashFile(t *testing.T) { content := []byte("temporary file's content") tmpfile, err := os.CreateTemp("", "example") if err != nil { log.Fatal(err) } defer os.Remove(tmpfile.Name()) // clean up if _, err = tmpfile.Write(content); err != nil { panic(err) } if err = tmpfile.Close(); err != nil { panic(err) } hashed, err := HashFile(tmpfile.Name(), "xxhash") assert.Nil(t, err) assert.Equal(t, "e66c561610ad51e2", fmt.Sprintf("%x", hashed)) } func TestPublicIP(t *testing.T) { ip, err := PublicIP() fmt.Println(ip) assert.True(t, strings.Contains(ip, ".") || strings.Contains(ip, ":")) assert.Nil(t, err) } func TestLocalIP(t *testing.T) { ip := LocalIP() fmt.Println(ip) assert.True(t, strings.Contains(ip, ".") || strings.Contains(ip, ":")) } func TestGetRandomName(t *testing.T) { name := GetRandomName() fmt.Println(name) assert.NotEmpty(t, name) } func intSliceSame(a, b []int) bool { if len(a) != len(b) { return false } for i, v := range a { if v != b[i] { return false } } return true } func TestFindOpenPorts(t *testing.T) { openPorts := FindOpenPorts("127.0.0.1", 9009, 4) if !intSliceSame(openPorts, []int{9009, 9010, 9011, 9012}) && !intSliceSame(openPorts, []int{9014, 9015, 9016, 9017}) { t.Errorf("openPorts: %v", openPorts) } } func TestIsLocalIP(t *testing.T) { assert.True(t, IsLocalIP("192.168.0.14:9009")) } func TestValidFileName(t *testing.T) { // contains regular characters assert.Nil(t, ValidFileName("中文.csl")) // contains regular characters assert.Nil(t, ValidFileName("[something].csl")) // contains regular characters assert.Nil(t, ValidFileName("[(something)].csl")) // contains invisible character err := ValidFileName("D中文.cslouglas​") assert.NotNil(t, err) assert.Equal(t, "non-graphical unicode: e2808b U+8203 in '44e4b8ade696872e63736c6f75676c6173e2808b'", err.Error()) // contains "..", but not next to a path separator assert.Nil(t, ValidFileName("hi..txt")) // contains "..", but only next to a path separator on one side assert.Nil(t, ValidFileName("rel"+string(os.PathSeparator)+"..txt")) assert.Nil(t, ValidFileName("rel.."+string(os.PathSeparator)+"txt")) // contains ".." between two path separators, but does not break out of the base directory assert.Nil(t, ValidFileName("hi"+string(os.PathSeparator)+".."+string(os.PathSeparator)+"txt")) // contains ".." between two path separators, and breaks out of the base directory assert.NotNil(t, ValidFileName("hi"+string(os.PathSeparator)+".."+string(os.PathSeparator)+".."+string(os.PathSeparator)+"txt")) // contains ".." between a path separator and the beginning or end of the path assert.NotNil(t, ValidFileName(".."+string(os.PathSeparator)+"hi.txt")) assert.NotNil(t, ValidFileName("hi"+string(os.PathSeparator)+".."+string(os.PathSeparator)+".."+string(os.PathSeparator)+"hi.txt")) assert.NotNil(t, ValidFileName("..")) // is an absolute path assert.NotNil(t, ValidFileName(path.Join(string(os.PathSeparator), "abs", string(os.PathSeparator), "hi.txt"))) } // zip // TestUnzipDirectory tests the unzip directory functionality func TestUnzipDirectory(t *testing.T) { // Create temporary directory for tests tmpDir, err := os.MkdirTemp("", "unzip_test") if err != nil { t.Fatalf("Failed to create temp dir: %v", err) } defer os.RemoveAll(tmpDir) // Create test zip and extraction directory zipPath := filepath.Join(tmpDir, "test.zip") extractDir := filepath.Join(tmpDir, "extracted") // Create test zip file with proper structure and known mod times expectedModTime := time.Date(2023, 2, 1, 10, 30, 0, 0, time.UTC) if err := createTestZipWithModTime(zipPath, expectedModTime); err != nil { t.Fatalf("Failed to create test zip: %v", err) } // Test extraction err = UnzipDirectory(extractDir, zipPath) if err != nil { t.Fatalf("UnzipDirectory failed: %v", err) } // Update expected files to match the actual structure from createTestZipWithModTime baseName := "test" expectedFiles := []string{ baseName + "/file1.txt", baseName + "/subdir/file2.txt", baseName + "/subdir2/file3.txt", baseName + "/file4.txt", } // Also check directories expectedDirs := []string{ baseName + "/", baseName + "/subdir/", baseName + "/subdir2/", } // Verify files for _, expectedFile := range expectedFiles { fullPath := filepath.Join(extractDir, expectedFile) if _, err := os.Stat(fullPath); os.IsNotExist(err) { t.Errorf("File was not extracted: %s", expectedFile) } else { // Verify modification time is preserved after extraction verifyFileModTime(t, fullPath, expectedModTime) } } // Verify directories for _, expectedDir := range expectedDirs { fullPath := filepath.Join(extractDir, expectedDir) if _, err := os.Stat(fullPath); os.IsNotExist(err) { t.Errorf("Directory was not extracted: %s", expectedDir) } else { // Verify modification time is preserved after extraction verifyFileModTime(t, fullPath, expectedModTime) } } // Verify file contents after extraction verifyFileContent(t, filepath.Join(extractDir, baseName+"/file1.txt"), "Test content 1") verifyFileContent(t, filepath.Join(extractDir, baseName+"/subdir/file2.txt"), "Test content 2") verifyFileContent(t, filepath.Join(extractDir, baseName+"/subdir2/file3.txt"), "Test content 3") verifyFileContent(t, filepath.Join(extractDir, baseName+"/file4.txt"), "Test content 4") } // TestUnzipToNonExistentDirectory tests unzip to non-existent destination func TestUnzipToNonExistentDirectory(t *testing.T) { tmpDir, err := os.MkdirTemp("", "unzip_nonexistent_dest_test") if err != nil { t.Fatalf("Failed to create temp dir: %v", err) } defer os.RemoveAll(tmpDir) // Create test zip zipPath := filepath.Join(tmpDir, "test.zip") expectedModTime := time.Date(2023, 4, 1, 9, 0, 0, 0, time.UTC) if err := createTestZipWithModTime(zipPath, expectedModTime); err != nil { t.Fatalf("Failed to create test zip: %v", err) } // Extract to non-existent directory extractDir := filepath.Join(tmpDir, "nonexistent", "deep", "path") err = UnzipDirectory(extractDir, zipPath) if err != nil { t.Fatalf("UnzipDirectory failed to create destination directory: %v", err) } // Update expected files to match the actual structure baseName := "test" expectedFiles := []string{ baseName + "/file1.txt", baseName + "/subdir/file2.txt", baseName + "/subdir2/file3.txt", baseName + "/file4.txt", } // Also check directories expectedDirs := []string{ baseName + "/", baseName + "/subdir/", baseName + "/subdir2/", } // Verify files for _, expectedFile := range expectedFiles { fullPath := filepath.Join(extractDir, expectedFile) if _, err := os.Stat(fullPath); os.IsNotExist(err) { t.Errorf("File was not extracted to non-existent destination: %s", expectedFile) } else { // Verify modification time is preserved verifyFileModTime(t, fullPath, expectedModTime) } } // Verify directories for _, expectedDir := range expectedDirs { fullPath := filepath.Join(extractDir, expectedDir) if _, err := os.Stat(fullPath); os.IsNotExist(err) { t.Errorf("Directory was not extracted to non-existent destination: %s", expectedDir) } else { // Verify modification time is preserved verifyFileModTime(t, fullPath, expectedModTime) } } } // TestZipAndUnzipRoundTrip tests complete zip/unzip cycle with proper paths func TestZipAndUnzipRoundTrip(t *testing.T) { // Create temporary directory for tests tmpDir, err := os.MkdirTemp("", "roundtrip_test") if err != nil { t.Fatalf("Failed to create temp dir: %v", err) } defer os.RemoveAll(tmpDir) // Create source directory with test files sourceDir := filepath.Join(tmpDir, "source") if err := os.MkdirAll(sourceDir, 0755); err != nil { t.Fatalf("Failed to create source directory: %v", err) } // Use specific mod times for different items rootModTime := time.Date(2023, 3, 1, 14, 30, 0, 0, time.UTC) subdirModTime := time.Date(2023, 3, 1, 14, 29, 0, 0, time.UTC) subdir2ModTime := time.Date(2023, 3, 1, 14, 28, 0, 0, time.UTC) fileModTime := time.Date(2023, 3, 1, 14, 31, 0, 0, time.UTC) // Create directories structure first dirs := []string{ "subdir", "subdir2", } for _, dir := range dirs { fullPath := filepath.Join(sourceDir, dir) if err := os.MkdirAll(fullPath, 0755); err != nil { t.Fatalf("Failed to create directory: %v", err) } } // Create files with specific modification times testFiles := map[string]string{ "file1.txt": "Content of file 1", "subdir/file2.txt": "Content of file 2 in subdir", "subdir2/file3.txt": "Content of file 3 in another subdir", "file4.txt": "Content of file 4", } for filePath, content := range testFiles { fullPath := filepath.Join(sourceDir, filePath) if err := os.MkdirAll(filepath.Dir(fullPath), 0755); err != nil { t.Fatalf("Failed to create directory: %v", err) } if err := os.WriteFile(fullPath, []byte(content), 0644); err != nil { t.Fatalf("Failed to create test file: %v", err) } if err := os.Chtimes(fullPath, fileModTime, fileModTime); err != nil { t.Fatalf("Failed to set file time: %v", err) } } // NOW set directory times AFTER creating all files // Set time for root source directory if err := os.Chtimes(sourceDir, rootModTime, rootModTime); err != nil { t.Fatalf("Failed to set source directory time: %v", err) } // Set times for subdirectories dirTimes := map[string]time.Time{ "subdir": subdirModTime, "subdir2": subdir2ModTime, } for dir, modTime := range dirTimes { fullPath := filepath.Join(sourceDir, dir) if err := os.Chtimes(fullPath, modTime, modTime); err != nil { t.Fatalf("Failed to set directory %s time: %v", dir, err) } } // Wait a moment to ensure time changes are applied time.Sleep(100 * time.Millisecond) // Create zip zipPath := filepath.Join(tmpDir, "test.zip") err = ZipDirectory(zipPath, sourceDir) if err != nil { t.Fatalf("ZipDirectory failed: %v", err) } // Print zip contents using Go's zip reader fmt.Printf("=== ZIP Archive Contents ===\n") archive, err := zip.OpenReader(zipPath) if err == nil { defer archive.Close() for _, f := range archive.File { modifiedTime := f.Modified if modifiedTime.IsZero() { modifiedTime = f.FileHeader.Modified } fmt.Printf(" %s (dir: %v) modTime: %v\n", f.Name, f.FileInfo().IsDir(), modifiedTime.UTC()) } } // Extract to different directory extractDir := filepath.Join(tmpDir, "extracted") err = UnzipDirectory(extractDir, zipPath) if err != nil { t.Fatalf("UnzipDirectory failed: %v", err) } // Expected items (both files and directories) baseName := "test" expectedItems := []string{ baseName + "/", baseName + "/file1.txt", baseName + "/subdir/", baseName + "/subdir/file2.txt", baseName + "/subdir2/", baseName + "/subdir2/file3.txt", baseName + "/file4.txt", } expectedExtractedTimes := map[string]time.Time{ baseName + "/": rootModTime, baseName + "/subdir/": subdirModTime, baseName + "/subdir2/": subdir2ModTime, baseName + "/file1.txt": fileModTime, baseName + "/subdir/file2.txt": fileModTime, baseName + "/subdir2/file3.txt": fileModTime, baseName + "/file4.txt": fileModTime, } // Verify all items exist with correct modification times fmt.Printf("=== Extracted Files Verification ===\n") for _, itemPath := range expectedItems { fullPath := filepath.Join(extractDir, itemPath) if _, err := os.Stat(fullPath); os.IsNotExist(err) { t.Errorf("Item was not extracted: %s", itemPath) continue } // Verify with test assertion expectedTime := expectedExtractedTimes[itemPath] verifyFileModTime(t, fullPath, expectedTime) } // Verify file contents verifyFileContent(t, filepath.Join(extractDir, baseName+"/file1.txt"), "Content of file 1") verifyFileContent(t, filepath.Join(extractDir, baseName+"/subdir/file2.txt"), "Content of file 2 in subdir") verifyFileContent(t, filepath.Join(extractDir, baseName+"/subdir2/file3.txt"), "Content of file 3 in another subdir") verifyFileContent(t, filepath.Join(extractDir, baseName+"/file4.txt"), "Content of file 4") } // Helper function to create test zip file with specific modification time func createTestZipWithModTime(zipPath string, modTime time.Time) error { file, err := os.Create(zipPath) if err != nil { return err } defer file.Close() writer := zip.NewWriter(file) defer writer.Close() // Get base name for consistent structure baseName := strings.TrimSuffix(filepath.Base(zipPath), ".zip") // First create entries for directories with modification time dirs := []string{ baseName + "/", baseName + "/subdir/", baseName + "/subdir2/", } for _, dir := range dirs { header := &zip.FileHeader{ Name: filepath.ToSlash(dir), Modified: modTime, } _, err := writer.CreateHeader(header) if err != nil { return err } } // Then create files files := []struct { name string content string }{ {filepath.Join(baseName, "file1.txt"), "Test content 1"}, {filepath.Join(baseName, "subdir", "file2.txt"), "Test content 2"}, {filepath.Join(baseName, "subdir2", "file3.txt"), "Test content 3"}, {filepath.Join(baseName, "file4.txt"), "Test content 4"}, } for _, f := range files { header := &zip.FileHeader{ Name: filepath.ToSlash(f.name), Modified: modTime, Method: zip.Deflate, } w, err := writer.CreateHeader(header) if err != nil { return err } if _, err := w.Write([]byte(f.content)); err != nil { return err } } return nil } // Helper function to verify file content func verifyFileContent(t *testing.T, filePath, expectedContent string) { content, err := os.ReadFile(filePath) if err != nil { t.Errorf("Failed to read file %s: %v", filePath, err) return } if string(content) != expectedContent { t.Errorf("Content mismatch for %s, expected '%s', got '%s'", filePath, expectedContent, string(content)) } } // Helper function to verify file modification time func verifyFileModTime(t *testing.T, filePath string, expectedTime time.Time) { info, err := os.Stat(filePath) if err != nil { t.Errorf("Failed to stat file %s: %v", filePath, err) return } // Compare times truncated to seconds (file system precision may vary) expected := expectedTime.UTC().Truncate(time.Second) actual := info.ModTime().UTC().Truncate(time.Second) if !actual.Equal(expected) { t.Errorf("Modification time mismatch for %s, expected %v, got %v", filePath, expected, actual) } }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/diskusage/diskusage_windows.go
src/diskusage/diskusage_windows.go
package diskusage import ( "unsafe" "golang.org/x/sys/windows" ) type DiskUsage struct { freeBytes int64 totalBytes int64 availBytes int64 } // NewDiskUsage returns an object holding the disk usage of volumePath // or nil in case of error (invalid path, etc) func NewDiskUsage(volumePath string) *DiskUsage { h := windows.MustLoadDLL("kernel32.dll") c := h.MustFindProc("GetDiskFreeSpaceExW") du := &DiskUsage{} c.Call( uintptr(unsafe.Pointer(windows.StringToUTF16Ptr(volumePath))), uintptr(unsafe.Pointer(&du.freeBytes)), uintptr(unsafe.Pointer(&du.totalBytes)), uintptr(unsafe.Pointer(&du.availBytes))) return du } // Free returns total free bytes on file system func (du *DiskUsage) Free() uint64 { return uint64(du.freeBytes) } // Available returns total available bytes on file system to an unprivileged user func (du *DiskUsage) Available() uint64 { return uint64(du.availBytes) } // Size returns total size of the file system func (du *DiskUsage) Size() uint64 { return uint64(du.totalBytes) } // Used returns total bytes used in file system func (du *DiskUsage) Used() uint64 { return du.Size() - du.Free() } // Usage returns percentage of use on the file system func (du *DiskUsage) Usage() float32 { return float32(du.Used()) / float32(du.Size()) }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/diskusage/diskusage_test.go
src/diskusage/diskusage_test.go
package diskusage import ( "fmt" "testing" ) var KB = uint64(1024) func TestNewDiskUsage(t *testing.T) { usage := NewDiskUsage(".") fmt.Println("Free:", usage.Free()/(KB*KB)) fmt.Println("Available:", usage.Available()/(KB*KB)) fmt.Println("Size:", usage.Size()/(KB*KB)) fmt.Println("Used:", usage.Used()/(KB*KB)) fmt.Println("Usage:", usage.Usage()*100, "%") }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/diskusage/diskusage.go
src/diskusage/diskusage.go
//go:build !windows // +build !windows package diskusage import ( "golang.org/x/sys/unix" ) // DiskUsage contains usage data and provides user-friendly access methods type DiskUsage struct { stat *unix.Statfs_t } // NewDiskUsage returns an object holding the disk usage of volumePath // or nil in case of error (invalid path, etc) func NewDiskUsage(volumePath string) *DiskUsage { stat := unix.Statfs_t{} err := unix.Statfs(volumePath, &stat) if err != nil { return nil } return &DiskUsage{&stat} } // Free returns total free bytes on file system func (du *DiskUsage) Free() uint64 { return uint64(du.stat.Bfree) * uint64(du.stat.Bsize) } // Available return total available bytes on file system to an unprivileged user func (du *DiskUsage) Available() uint64 { return uint64(du.stat.Bavail) * uint64(du.stat.Bsize) } // Size returns total size of the file system func (du *DiskUsage) Size() uint64 { return uint64(du.stat.Blocks) * uint64(du.stat.Bsize) } // Used returns total bytes used in file system func (du *DiskUsage) Used() uint64 { return du.Size() - du.Free() } // Usage returns percentage of use on the file system func (du *DiskUsage) Usage() float32 { return float32(du.Used()) / float32(du.Size()) }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/crypt/crypt.go
src/crypt/crypt.go
package crypt import ( "crypto/aes" "crypto/cipher" "crypto/rand" "crypto/sha256" "fmt" "log" "golang.org/x/crypto/argon2" "golang.org/x/crypto/chacha20poly1305" "golang.org/x/crypto/pbkdf2" ) // New generates a new key based on a passphrase and salt func New(passphrase []byte, usersalt []byte) (key []byte, salt []byte, err error) { if len(passphrase) < 1 { err = fmt.Errorf("need more than that for passphrase") return } if usersalt == nil { salt = make([]byte, 8) // http://www.ietf.org/rfc/rfc2898.txt // Salt. if _, err := rand.Read(salt); err != nil { log.Fatalf("can't get random salt: %v", err) } } else { salt = usersalt } key = pbkdf2.Key(passphrase, salt, 100, 32, sha256.New) return } // Encrypt will encrypt using the pre-generated key func Encrypt(plaintext []byte, key []byte) (encrypted []byte, err error) { // generate a random iv each time // http://nvlpubs.nist.gov/nistpubs/Legacy/SP/nistspecialpublication800-38d.pdf // Section 8.2 ivBytes := make([]byte, 12) if _, err = rand.Read(ivBytes); err != nil { log.Fatalf("can't initialize crypto: %v", err) } b, err := aes.NewCipher(key) if err != nil { return } aesgcm, err := cipher.NewGCM(b) if err != nil { return } encrypted = aesgcm.Seal(nil, ivBytes, plaintext, nil) encrypted = append(ivBytes, encrypted...) return } // Decrypt using the pre-generated key func Decrypt(encrypted []byte, key []byte) (plaintext []byte, err error) { if len(encrypted) < 13 { err = fmt.Errorf("incorrect passphrase") return } b, err := aes.NewCipher(key) if err != nil { return } aesgcm, err := cipher.NewGCM(b) if err != nil { return } plaintext, err = aesgcm.Open(nil, encrypted[:12], encrypted[12:], nil) return } // NewArgon2 generates a new key based on a passphrase and salt // using argon2 // https://pkg.go.dev/golang.org/x/crypto/argon2 func NewArgon2(passphrase []byte, usersalt []byte) (aead cipher.AEAD, salt []byte, err error) { if len(passphrase) < 1 { err = fmt.Errorf("need more than that for passphrase") return } if usersalt == nil { salt = make([]byte, 8) // http://www.ietf.org/rfc/rfc2898.txt // Salt. if _, err = rand.Read(salt); err != nil { log.Fatalf("can't get random salt: %v", err) } } else { salt = usersalt } aead, err = chacha20poly1305.NewX(argon2.IDKey(passphrase, salt, 1, 64*1024, 4, 32)) return } // EncryptChaCha will encrypt ChaCha20-Poly1305 using the pre-generated key // https://pkg.go.dev/golang.org/x/crypto/chacha20poly1305 func EncryptChaCha(plaintext []byte, aead cipher.AEAD) (encrypted []byte, err error) { nonce := make([]byte, aead.NonceSize(), aead.NonceSize()+len(plaintext)+aead.Overhead()) if _, err := rand.Read(nonce); err != nil { panic(err) } // Encrypt the message and append the ciphertext to the nonce. encrypted = aead.Seal(nonce, nonce, plaintext, nil) return } // DecryptChaCha will decrypt ChaCha20-Poly1305 using the pre-generated key // https://pkg.go.dev/golang.org/x/crypto/chacha20poly1305 func DecryptChaCha(encryptedMsg []byte, aead cipher.AEAD) (plaintext []byte, err error) { if len(encryptedMsg) < aead.NonceSize() { err = fmt.Errorf("ciphertext too short") return } // Split nonce and ciphertext. nonce, ciphertext := encryptedMsg[:aead.NonceSize()], encryptedMsg[aead.NonceSize():] // Decrypt the message and check it wasn't tampered with. plaintext, err = aead.Open(nil, nonce, ciphertext, nil) return }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/crypt/crypt_test.go
src/crypt/crypt_test.go
package crypt import ( "fmt" "testing" "github.com/stretchr/testify/assert" ) func BenchmarkEncrypt(b *testing.B) { bob, _, _ := New([]byte("password"), nil) for i := 0; i < b.N; i++ { Encrypt([]byte("hello, world"), bob) } } func BenchmarkDecrypt(b *testing.B) { key, _, _ := New([]byte("password"), nil) msg := []byte("hello, world") enc, _ := Encrypt(msg, key) b.ResetTimer() for i := 0; i < b.N; i++ { Decrypt(enc, key) } } func BenchmarkNewPbkdf2(b *testing.B) { b.ResetTimer() for i := 0; i < b.N; i++ { New([]byte("password"), nil) } } func BenchmarkNewArgon2(b *testing.B) { b.ResetTimer() for i := 0; i < b.N; i++ { NewArgon2([]byte("password"), nil) } } func BenchmarkEncryptChaCha(b *testing.B) { bob, _, _ := NewArgon2([]byte("password"), nil) for i := 0; i < b.N; i++ { EncryptChaCha([]byte("hello, world"), bob) } } func BenchmarkDecryptChaCha(b *testing.B) { key, _, _ := NewArgon2([]byte("password"), nil) msg := []byte("hello, world") enc, _ := EncryptChaCha(msg, key) b.ResetTimer() for i := 0; i < b.N; i++ { DecryptChaCha(enc, key) } } func TestEncryption(t *testing.T) { key, salt, err := New([]byte("password"), nil) assert.Nil(t, err) msg := []byte("hello, world") enc, err := Encrypt(msg, key) assert.Nil(t, err) dec, err := Decrypt(enc, key) assert.Nil(t, err) assert.Equal(t, msg, dec) // check reusing the salt key2, _, _ := New([]byte("password"), salt) dec, err = Decrypt(enc, key2) assert.Nil(t, err) assert.Equal(t, msg, dec) // check reusing the salt key2, _, _ = New([]byte("wrong password"), salt) dec, err = Decrypt(enc, key2) assert.NotNil(t, err) assert.NotEqual(t, msg, dec) // error with no password _, err = Decrypt([]byte(""), key) assert.NotNil(t, err) // error with small password _, _, err = New([]byte(""), nil) assert.NotNil(t, err) } func TestEncryptionChaCha(t *testing.T) { key, salt, err := NewArgon2([]byte("password"), nil) fmt.Printf("key: %x\n", key) assert.Nil(t, err) msg := []byte("hello, world") enc, err := EncryptChaCha(msg, key) assert.Nil(t, err) dec, err := DecryptChaCha(enc, key) assert.Nil(t, err) assert.Equal(t, msg, dec) // check reusing the salt key2, _, _ := NewArgon2([]byte("password"), salt) dec, err = DecryptChaCha(enc, key2) assert.Nil(t, err) assert.Equal(t, msg, dec) // check reusing the salt key2, _, _ = NewArgon2([]byte("wrong password"), salt) dec, err = DecryptChaCha(enc, key2) assert.NotNil(t, err) assert.NotEqual(t, msg, dec) // error with no password _, err = DecryptChaCha([]byte(""), key) assert.NotNil(t, err) // error with small password _, _, err = NewArgon2([]byte(""), nil) assert.NotNil(t, err) }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/mnemonicode/mnemonicode.go
src/mnemonicode/mnemonicode.go
// From GitHub version/fork maintained by Stephen Paul Weber available at: // https://github.com/singpolyma/mnemonicode // // Originally from: // http://web.archive.org/web/20101031205747/http://www.tothink.com/mnemonic/ /* Copyright (c) 2000 Oren Tirosh <oren@hishome.net> Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ package mnemonicode const base = 1626 // WordsRequired returns the number of words required to encode input // data of length bytes using mnomonic encoding. // // Every four bytes of input is encoded into three words. If there // is an extra one or two bytes they get an extra one or two words // respectively. If there is an extra three bytes, they will be encoded // into three words with the last word being one of a small set of very // short words (only needed to encode the last 3 bits). func WordsRequired(length int) int { return ((length + 1) * 3) / 4 } // EncodeWordList encodes src into mnemomic words which are appended to dst. // The final wordlist is returned. // There will be WordsRequired(len(src)) words appended. func EncodeWordList(dst []string, src []byte) (result []string) { if n := len(dst) + WordsRequired(len(src)); cap(dst) < n { result = make([]string, len(dst), n) copy(result, dst) } else { result = dst } var x uint32 for len(src) >= 4 { x = uint32(src[0]) x |= uint32(src[1]) << 8 x |= uint32(src[2]) << 16 x |= uint32(src[3]) << 24 src = src[4:] i0 := int(x % base) i1 := int(x/base) % base i2 := int(x/base/base) % base result = append(result, WordList[i0], WordList[i1], WordList[i2]) } if len(src) > 0 { x = 0 for i := len(src) - 1; i >= 0; i-- { x <<= 8 x |= uint32(src[i]) } i := int(x % base) result = append(result, WordList[i]) if len(src) >= 2 { i = int(x/base) % base result = append(result, WordList[i]) } if len(src) == 3 { i = base + int(x/base/base)%7 result = append(result, WordList[i]) } } return result }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/mnemonicode/wordlist.go
src/mnemonicode/wordlist.go
// From GitHub version/fork maintained by Stephen Paul Weber available at: // https://github.com/singpolyma/mnemonicode // // Originally from: // http://web.archive.org/web/20101031205747/http://www.tothink.com/mnemonic/ /* Copyright (c) 2000 Oren Tirosh <oren@hishome.net> Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ package mnemonicode // WordListVersion is the version of compiled in word list. const WordListVersion = "0.7" var wordMap = make(map[string]int, len(WordList)) func init() { for i, w := range WordList { wordMap[w] = i } } const longestWord = 7 var WordList = []string{ "academy", "acrobat", "active", "actor", "adam", "admiral", "adrian", "africa", "agenda", "agent", "airline", "airport", "aladdin", "alarm", "alaska", "albert", "albino", "album", "alcohol", "alex", "algebra", "alibi", "alice", "alien", "alpha", "alpine", "amadeus", "amanda", "amazon", "amber", "america", "amigo", "analog", "anatomy", "angel", "animal", "antenna", "antonio", "apollo", "april", "archive", "arctic", "arizona", "arnold", "aroma", "arthur", "artist", "asia", "aspect", "aspirin", "athena", "athlete", "atlas", "audio", "august", "austria", "axiom", "aztec", "balance", "ballad", "banana", "bandit", "banjo", "barcode", "baron", "basic", "battery", "belgium", "berlin", "bermuda", "bernard", "bikini", "binary", "bingo", "biology", "block", "blonde", "bonus", "boris", "boston", "boxer", "brandy", "bravo", "brazil", "bronze", "brown", "bruce", "bruno", "burger", "burma", "cabinet", "cactus", "cafe", "cairo", "cake", "calypso", "camel", "camera", "campus", "canada", "canal", "cannon", "canoe", "cantina", "canvas", "canyon", "capital", "caramel", "caravan", "carbon", "cargo", "carlo", "carol", "carpet", "cartel", "casino", "castle", "castro", "catalog", "caviar", "cecilia", "cement", "center", "century", "ceramic", "chamber", "chance", "change", "chaos", "charlie", "charm", "charter", "chef", "chemist", "cherry", "chess", "chicago", "chicken", "chief", "china", "cigar", "cinema", "circus", "citizen", "city", "clara", "classic", "claudia", "clean", "client", "climax", "clinic", "clock", "club", "cobra", "coconut", "cola", "collect", "colombo", "colony", "color", "combat", "comedy", "comet", "command", "compact", "company", "complex", "concept", "concert", "connect", "consul", "contact", "context", "contour", "control", "convert", "copy", "corner", "corona", "correct", "cosmos", "couple", "courage", "cowboy", "craft", "crash", "credit", "cricket", "critic", "crown", "crystal", "cuba", "culture", "dallas", "dance", "daniel", "david", "decade", "decimal", "deliver", "delta", "deluxe", "demand", "demo", "denmark", "derby", "design", "detect", "develop", "diagram", "dialog", "diamond", "diana", "diego", "diesel", "diet", "digital", "dilemma", "diploma", "direct", "disco", "disney", "distant", "doctor", "dollar", "dominic", "domino", "donald", "dragon", "drama", "dublin", "duet", "dynamic", "east", "ecology", "economy", "edgar", "egypt", "elastic", "elegant", "element", "elite", "elvis", "email", "energy", "engine", "english", "episode", "equator", "escort", "ethnic", "europe", "everest", "evident", "exact", "example", "exit", "exotic", "export", "express", "extra", "fabric", "factor", "falcon", "family", "fantasy", "fashion", "fiber", "fiction", "fidel", "fiesta", "figure", "film", "filter", "final", "finance", "finish", "finland", "flash", "florida", "flower", "fluid", "flute", "focus", "ford", "forest", "formal", "format", "formula", "fortune", "forum", "fragile", "france", "frank", "friend", "frozen", "future", "gabriel", "galaxy", "gallery", "gamma", "garage", "garden", "garlic", "gemini", "general", "genetic", "genius", "germany", "global", "gloria", "golf", "gondola", "gong", "good", "gordon", "gorilla", "grand", "granite", "graph", "green", "group", "guide", "guitar", "guru", "hand", "happy", "harbor", "harmony", "harvard", "havana", "hawaii", "helena", "hello", "henry", "hilton", "history", "horizon", "hotel", "human", "humor", "icon", "idea", "igloo", "igor", "image", "impact", "import", "index", "india", "indigo", "input", "insect", "instant", "iris", "italian", "jacket", "jacob", "jaguar", "janet", "japan", "jargon", "jazz", "jeep", "john", "joker", "jordan", "jumbo", "june", "jungle", "junior", "jupiter", "karate", "karma", "kayak", "kermit", "kilo", "king", "koala", "korea", "labor", "lady", "lagoon", "laptop", "laser", "latin", "lava", "lecture", "left", "legal", "lemon", "level", "lexicon", "liberal", "libra", "limbo", "limit", "linda", "linear", "lion", "liquid", "liter", "little", "llama", "lobby", "lobster", "local", "logic", "logo", "lola", "london", "lotus", "lucas", "lunar", "machine", "macro", "madam", "madonna", "madrid", "maestro", "magic", "magnet", "magnum", "major", "mama", "mambo", "manager", "mango", "manila", "marco", "marina", "market", "mars", "martin", "marvin", "master", "matrix", "maximum", "media", "medical", "mega", "melody", "melon", "memo", "mental", "mentor", "menu", "mercury", "message", "metal", "meteor", "meter", "method", "metro", "mexico", "miami", "micro", "million", "mineral", "minimum", "minus", "minute", "miracle", "mirage", "miranda", "mister", "mixer", "mobile", "model", "modem", "modern", "modular", "moment", "monaco", "monica", "monitor", "mono", "monster", "montana", "morgan", "motel", "motif", "motor", "mozart", "multi", "museum", "music", "mustang", "natural", "neon", "nepal", "neptune", "nerve", "neutral", "nevada", "news", "ninja", "nirvana", "normal", "nova", "novel", "nuclear", "numeric", "nylon", "oasis", "object", "observe", "ocean", "octopus", "olivia", "olympic", "omega", "opera", "optic", "optimal", "orange", "orbit", "organic", "orient", "origin", "orlando", "oscar", "oxford", "oxygen", "ozone", "pablo", "pacific", "pagoda", "palace", "pamela", "panama", "panda", "panel", "panic", "paradox", "pardon", "paris", "parker", "parking", "parody", "partner", "passage", "passive", "pasta", "pastel", "patent", "patriot", "patrol", "patron", "pegasus", "pelican", "penguin", "pepper", "percent", "perfect", "perfume", "period", "permit", "person", "peru", "phone", "photo", "piano", "picasso", "picnic", "picture", "pigment", "pilgrim", "pilot", "pirate", "pixel", "pizza", "planet", "plasma", "plaster", "plastic", "plaza", "pocket", "poem", "poetic", "poker", "polaris", "police", "politic", "polo", "polygon", "pony", "popcorn", "popular", "postage", "postal", "precise", "prefix", "premium", "present", "price", "prince", "printer", "prism", "private", "product", "profile", "program", "project", "protect", "proton", "public", "pulse", "puma", "pyramid", "queen", "radar", "radio", "random", "rapid", "rebel", "record", "recycle", "reflex", "reform", "regard", "regular", "relax", "report", "reptile", "reverse", "ricardo", "ringo", "ritual", "robert", "robot", "rocket", "rodeo", "romeo", "royal", "russian", "safari", "salad", "salami", "salmon", "salon", "salute", "samba", "sandra", "santana", "sardine", "school", "screen", "script", "second", "secret", "section", "segment", "select", "seminar", "senator", "senior", "sensor", "serial", "service", "sheriff", "shock", "sierra", "signal", "silicon", "silver", "similar", "simon", "single", "siren", "slogan", "social", "soda", "solar", "solid", "solo", "sonic", "soviet", "special", "speed", "spiral", "spirit", "sport", "static", "station", "status", "stereo", "stone", "stop", "street", "strong", "student", "studio", "style", "subject", "sultan", "super", "susan", "sushi", "suzuki", "switch", "symbol", "system", "tactic", "tahiti", "talent", "tango", "tarzan", "taxi", "telex", "tempo", "tennis", "texas", "textile", "theory", "thermos", "tiger", "titanic", "tokyo", "tomato", "topic", "tornado", "toronto", "torpedo", "total", "totem", "tourist", "tractor", "traffic", "transit", "trapeze", "travel", "tribal", "trick", "trident", "trilogy", "tripod", "tropic", "trumpet", "tulip", "tuna", "turbo", "twist", "ultra", "uniform", "union", "uranium", "vacuum", "valid", "vampire", "vanilla", "vatican", "velvet", "ventura", "venus", "vertigo", "veteran", "victor", "video", "vienna", "viking", "village", "vincent", "violet", "violin", "virtual", "virus", "visa", "vision", "visitor", "visual", "vitamin", "viva", "vocal", "vodka", "volcano", "voltage", "volume", "voyage", "water", "weekend", "welcome", "western", "window", "winter", "wizard", "wolf", "world", "xray", "yankee", "yoga", "yogurt", "yoyo", "zebra", "zero", "zigzag", "zipper", "zodiac", "zoom", "abraham", "action", "address", "alabama", "alfred", "almond", "ammonia", "analyze", "annual", "answer", "apple", "arena", "armada", "arsenal", "atlanta", "atomic", "avenue", "average", "bagel", "baker", "ballet", "bambino", "bamboo", "barbara", "basket", "bazaar", "benefit", "bicycle", "bishop", "blitz", "bonjour", "bottle", "bridge", "british", "brother", "brush", "budget", "cabaret", "cadet", "candle", "capitan", "capsule", "career", "cartoon", "channel", "chapter", "cheese", "circle", "cobalt", "cockpit", "college", "compass", "comrade", "condor", "crimson", "cyclone", "darwin", "declare", "degree", "delete", "delphi", "denver", "desert", "divide", "dolby", "domain", "domingo", "double", "drink", "driver", "eagle", "earth", "echo", "eclipse", "editor", "educate", "edward", "effect", "electra", "emerald", "emotion", "empire", "empty", "escape", "eternal", "evening", "exhibit", "expand", "explore", "extreme", "ferrari", "first", "flag", "folio", "forget", "forward", "freedom", "fresh", "friday", "fuji", "galileo", "garcia", "genesis", "gold", "gravity", "habitat", "hamlet", "harlem", "helium", "holiday", "house", "hunter", "ibiza", "iceberg", "imagine", "infant", "isotope", "jackson", "jamaica", "jasmine", "java", "jessica", "judo", "kitchen", "lazarus", "letter", "license", "lithium", "loyal", "lucky", "magenta", "mailbox", "manual", "marble", "mary", "maxwell", "mayor", "milk", "monarch", "monday", "money", "morning", "mother", "mystery", "native", "nectar", "nelson", "network", "next", "nikita", "nobel", "nobody", "nominal", "norway", "nothing", "number", "october", "office", "oliver", "opinion", "option", "order", "outside", "package", "pancake", "pandora", "panther", "papa", "patient", "pattern", "pedro", "pencil", "people", "phantom", "philips", "pioneer", "pluto", "podium", "portal", "potato", "prize", "process", "protein", "proxy", "pump", "pupil", "python", "quality", "quarter", "quiet", "rabbit", "radical", "radius", "rainbow", "ralph", "ramirez", "ravioli", "raymond", "respect", "respond", "result", "resume", "retro", "richard", "right", "risk", "river", "roger", "roman", "rondo", "sabrina", "salary", "salsa", "sample", "samuel", "saturn", "savage", "scarlet", "scoop", "scorpio", "scratch", "scroll", "sector", "serpent", "shadow", "shampoo", "sharon", "sharp", "short", "shrink", "silence", "silk", "simple", "slang", "smart", "smoke", "snake", "society", "sonar", "sonata", "soprano", "source", "sparta", "sphere", "spider", "sponsor", "spring", "acid", "adios", "agatha", "alamo", "alert", "almanac", "aloha", "andrea", "anita", "arcade", "aurora", "avalon", "baby", "baggage", "balloon", "bank", "basil", "begin", "biscuit", "blue", "bombay", "brain", "brenda", "brigade", "cable", "carmen", "cello", "celtic", "chariot", "chrome", "citrus", "civil", "cloud", "common", "compare", "cool", "copper", "coral", "crater", "cubic", "cupid", "cycle", "depend", "door", "dream", "dynasty", "edison", "edition", "enigma", "equal", "eric", "event", "evita", "exodus", "extend", "famous", "farmer", "food", "fossil", "frog", "fruit", "geneva", "gentle", "george", "giant", "gilbert", "gossip", "gram", "greek", "grille", "hammer", "harvest", "hazard", "heaven", "herbert", "heroic", "hexagon", "husband", "immune", "inca", "inch", "initial", "isabel", "ivory", "jason", "jerome", "joel", "joshua", "journal", "judge", "juliet", "jump", "justice", "kimono", "kinetic", "leonid", "lima", "maze", "medusa", "member", "memphis", "michael", "miguel", "milan", "mile", "miller", "mimic", "mimosa", "mission", "monkey", "moral", "moses", "mouse", "nancy", "natasha", "nebula", "nickel", "nina", "noise", "orchid", "oregano", "origami", "orinoco", "orion", "othello", "paper", "paprika", "prelude", "prepare", "pretend", "profit", "promise", "provide", "puzzle", "remote", "repair", "reply", "rival", "riviera", "robin", "rose", "rover", "rudolf", "saga", "sahara", "scholar", "shelter", "ship", "shoe", "sigma", "sister", "sleep", "smile", "spain", "spark", "split", "spray", "square", "stadium", "star", "storm", "story", "strange", "stretch", "stuart", "subway", "sugar", "sulfur", "summer", "survive", "sweet", "swim", "table", "taboo", "target", "teacher", "telecom", "temple", "tibet", "ticket", "tina", "today", "toga", "tommy", "tower", "trivial", "tunnel", "turtle", "twin", "uncle", "unicorn", "unique", "update", "valery", "vega", "version", "voodoo", "warning", "william", "wonder", "year", "yellow", "young", "absent", "absorb", "accent", "alfonso", "alias", "ambient", "andy", "anvil", "appear", "apropos", "archer", "ariel", "armor", "arrow", "austin", "avatar", "axis", "baboon", "bahama", "bali", "balsa", "bazooka", "beach", "beast", "beatles", "beauty", "before", "benny", "betty", "between", "beyond", "billy", "bison", "blast", "bless", "bogart", "bonanza", "book", "border", "brave", "bread", "break", "broken", "bucket", "buenos", "buffalo", "bundle", "button", "buzzer", "byte", "caesar", "camilla", "canary", "candid", "carrot", "cave", "chant", "child", "choice", "chris", "cipher", "clarion", "clark", "clever", "cliff", "clone", "conan", "conduct", "congo", "content", "costume", "cotton", "cover", "crack", "current", "danube", "data", "decide", "desire", "detail", "dexter", "dinner", "dispute", "donor", "druid", "drum", "easy", "eddie", "enjoy", "enrico", "epoxy", "erosion", "except", "exile", "explain", "fame", "fast", "father", "felix", "field", "fiona", "fire", "fish", "flame", "flex", "flipper", "float", "flood", "floor", "forbid", "forever", "fractal", "frame", "freddie", "front", "fuel", "gallop", "game", "garbo", "gate", "gibson", "ginger", "giraffe", "gizmo", "glass", "goblin", "gopher", "grace", "gray", "gregory", "grid", "griffin", "ground", "guest", "gustav", "gyro", "hair", "halt", "harris", "heart", "heavy", "herman", "hippie", "hobby", "honey", "hope", "horse", "hostel", "hydro", "imitate", "info", "ingrid", "inside", "invent", "invest", "invite", "iron", "ivan", "james", "jester", "jimmy", "join", "joseph", "juice", "julius", "july", "justin", "kansas", "karl", "kevin", "kiwi", "ladder", "lake", "laura", "learn", "legacy", "legend", "lesson", "life", "light", "list", "locate", "lopez", "lorenzo", "love", "lunch", "malta", "mammal", "margo", "marion", "mask", "match", "mayday", "meaning", "mercy", "middle", "mike", "mirror", "modest", "morph", "morris", "nadia", "nato", "navy", "needle", "neuron", "never", "newton", "nice", "night", "nissan", "nitro", "nixon", "north", "oberon", "octavia", "ohio", "olga", "open", "opus", "orca", "oval", "owner", "page", "paint", "palma", "parade", "parent", "parole", "paul", "peace", "pearl", "perform", "phoenix", "phrase", "pierre", "pinball", "place", "plate", "plato", "plume", "pogo", "point", "polite", "polka", "poncho", "powder", "prague", "press", "presto", "pretty", "prime", "promo", "quasi", "quest", "quick", "quiz", "quota", "race", "rachel", "raja", "ranger", "region", "remark", "rent", "reward", "rhino", "ribbon", "rider", "road", "rodent", "round", "rubber", "ruby", "rufus", "sabine", "saddle", "sailor", "saint", "salt", "satire", "scale", "scuba", "season", "secure", "shake", "shallow", "shannon", "shave", "shelf", "sherman", "shine", "shirt", "side", "sinatra", "sincere", "size", "slalom", "slow", "small", "snow", "sofia", "song", "sound", "south", "speech", "spell", "spend", "spoon", "stage", "stamp", "stand", "state", "stella", "stick", "sting", "stock", "store", "sunday", "sunset", "support", "sweden", "swing", "tape", "think", "thomas", "tictac", "time", "toast", "tobacco", "tonight", "torch", "torso", "touch", "toyota", "trade", "tribune", "trinity", "triton", "truck", "trust", "type", "under", "unit", "urban", "urgent", "user", "value", "vendor", "venice", "verona", "vibrate", "virgo", "visible", "vista", "vital", "voice", "vortex", "waiter", "watch", "wave", "weather", "wedding", "wheel", "whiskey", "wisdom", "deal", "null", "nurse", "quebec", "reserve", "reunion", "roof", "singer", "verbal", "amen", "ego", "fax", "jet", "job", "rio", "ski", "yes", }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/mnemonicode/mnemonicode_test.go
src/mnemonicode/mnemonicode_test.go
package mnemonicode import ( "testing" ) func TestWordsRequired(t *testing.T) { tests := []struct { name string length int want int }{ {"empty", 0, 0}, {"1 byte", 1, 1}, {"2 bytes", 2, 2}, {"3 bytes", 3, 3}, {"4 bytes", 4, 3}, {"5 bytes", 5, 4}, {"8 bytes", 8, 6}, {"12 bytes", 12, 9}, } for _, tt := range tests { t.Run(tt.name, func(t *testing.T) { if got := WordsRequired(tt.length); got != tt.want { t.Errorf("WordsRequired(%d) = %d, want %d", tt.length, got, tt.want) } }) } } func TestEncodeWordList(t *testing.T) { tests := []struct { name string dst []string src []byte want int }{ { name: "empty input", dst: []string{}, src: []byte{}, want: 0, }, { name: "single byte", dst: []string{}, src: []byte{0x01}, want: 1, }, { name: "two bytes", dst: []string{}, src: []byte{0x01, 0x02}, want: 2, }, { name: "three bytes", dst: []string{}, src: []byte{0x01, 0x02, 0x03}, want: 3, }, { name: "four bytes", dst: []string{}, src: []byte{0x01, 0x02, 0x03, 0x04}, want: 3, }, { name: "eight bytes", dst: []string{}, src: []byte{0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08}, want: 6, }, { name: "with existing dst", dst: []string{"existing"}, src: []byte{0x01}, want: 2, }, } for _, tt := range tests { t.Run(tt.name, func(t *testing.T) { result := EncodeWordList(tt.dst, tt.src) if len(result) != tt.want { t.Errorf("EncodeWordList() returned %d words, want %d", len(result), tt.want) } // Check that all words are valid for i, word := range result { if word == "" { t.Errorf("EncodeWordList() returned empty word at index %d", i) } } }) } } func TestEncodeWordListConsistency(t *testing.T) { input := []byte{0x12, 0x34, 0x56, 0x78} // Encode twice with empty dst result1 := EncodeWordList([]string{}, input) result2 := EncodeWordList([]string{}, input) if len(result1) != len(result2) { t.Errorf("Inconsistent result lengths: %d vs %d", len(result1), len(result2)) } for i := range result1 { if result1[i] != result2[i] { t.Errorf("Inconsistent result at index %d: %s vs %s", i, result1[i], result2[i]) } } } func TestEncodeWordListCapacityHandling(t *testing.T) { // Test with dst that has sufficient capacity dst := make([]string, 1, 10) dst[0] = "existing" input := []byte{0x01, 0x02} result := EncodeWordList(dst, input) if len(result) != 3 { // 1 existing + 2 new t.Errorf("Expected 3 words, got %d", len(result)) } if result[0] != "existing" { t.Errorf("Expected first word to be 'existing', got %s", result[0]) } } func TestEncodeWordListBoundaryValues(t *testing.T) { tests := []struct { name string src []byte }{ {"max single byte", []byte{0xFF}}, {"max two bytes", []byte{0xFF, 0xFF}}, {"max three bytes", []byte{0xFF, 0xFF, 0xFF}}, {"max four bytes", []byte{0xFF, 0xFF, 0xFF, 0xFF}}, {"all zeros", []byte{0x00, 0x00, 0x00, 0x00}}, } for _, tt := range tests { t.Run(tt.name, func(t *testing.T) { result := EncodeWordList([]string{}, tt.src) expectedLen := WordsRequired(len(tt.src)) if len(result) != expectedLen { t.Errorf("Expected %d words, got %d", expectedLen, len(result)) } // Ensure all words are from the WordList for _, word := range result { found := false for _, validWord := range WordList { if word == validWord { found = true break } } if !found { t.Errorf("Invalid word generated: %s", word) } } }) } }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/croc/croc.go
src/croc/croc.go
package croc import ( "bytes" "crypto/rand" "crypto/sha256" "encoding/binary" "encoding/hex" "encoding/json" "fmt" "io" "math" "net" "os" "os/exec" "path" "path/filepath" "runtime" "strconv" "strings" "sync" "time" "github.com/denisbrodbeck/machineid" ignore "github.com/sabhiram/go-gitignore" log "github.com/schollz/logger" "github.com/schollz/pake/v3" "github.com/schollz/peerdiscovery" "github.com/schollz/progressbar/v3" "github.com/skip2/go-qrcode" "golang.org/x/term" "golang.org/x/time/rate" "github.com/schollz/croc/v10/src/comm" "github.com/schollz/croc/v10/src/compress" "github.com/schollz/croc/v10/src/crypt" "github.com/schollz/croc/v10/src/message" "github.com/schollz/croc/v10/src/models" "github.com/schollz/croc/v10/src/tcp" "github.com/schollz/croc/v10/src/utils" ) var ( ipRequest = []byte("ips?") handshakeRequest = []byte("handshake") ) func init() { log.SetLevel("debug") } // Debug toggles debug mode func Debug(debug bool) { if debug { log.SetLevel("debug") } else { log.SetLevel("warn") } } // Options specifies user specific options type Options struct { IsSender bool SharedSecret string RoomName string Debug bool RelayAddress string RelayAddress6 string RelayPorts []string RelayPassword string Stdout bool NoPrompt bool NoMultiplexing bool DisableLocal bool OnlyLocal bool IgnoreStdin bool Ask bool SendingText bool NoCompress bool IP string Overwrite bool Curve string HashAlgorithm string ThrottleUpload string ZipFolder bool TestFlag bool GitIgnore bool MulticastAddress string ShowQrCode bool Exclude []string Quiet bool DisableClipboard bool ExtendedClipboard bool } type SimpleMessage struct { Bytes []byte Kind string } // Client holds the state of the croc transfer type Client struct { Options Options Pake *pake.Pake Key []byte ExternalIP, ExternalIPConnected string // steps involved in forming relationship Step1ChannelSecured bool Step2FileInfoTransferred bool Step3RecipientRequestFile bool Step4FileTransferred bool Step5CloseChannels bool SuccessfulTransfer bool // send / receive information of all files FilesToTransfer []FileInfo EmptyFoldersToTransfer []FileInfo TotalNumberOfContents int TotalNumberFolders int FilesToTransferCurrentNum int FilesHasFinished map[int]struct{} TotalFilesIgnored int // send / receive information of current file CurrentFile *os.File CurrentFileChunkRanges []int64 CurrentFileChunks []int64 CurrentFileIsClosed bool LastFolder string TotalSent int64 TotalChunksTransferred int chunkMap map[uint64]struct{} limiter *rate.Limiter // tcp connections conn []*comm.Comm bar *progressbar.ProgressBar longestFilename int firstSend bool mutex *sync.Mutex fread *os.File numfinished int quit chan bool finishedNum int numberOfTransferredFiles int } // Chunk contains information about the // needed bytes type Chunk struct { Bytes []byte `json:"b,omitempty"` Location int64 `json:"l,omitempty"` } // FileInfo registers the information about the file type FileInfo struct { Name string `json:"n,omitempty"` FolderRemote string `json:"fr,omitempty"` FolderSource string `json:"fs,omitempty"` Hash []byte `json:"h,omitempty"` Size int64 `json:"s,omitempty"` ModTime time.Time `json:"m,omitempty"` IsCompressed bool `json:"c,omitempty"` IsEncrypted bool `json:"e,omitempty"` Symlink string `json:"sy,omitempty"` Mode os.FileMode `json:"md,omitempty"` TempFile bool `json:"tf,omitempty"` IsIgnored bool `json:"ig,omitempty"` } // RemoteFileRequest requests specific bytes type RemoteFileRequest struct { CurrentFileChunkRanges []int64 FilesToTransferCurrentNum int MachineID string } // SenderInfo lists the files to be transferred type SenderInfo struct { FilesToTransfer []FileInfo EmptyFoldersToTransfer []FileInfo TotalNumberFolders int MachineID string Ask bool SendingText bool NoCompress bool HashAlgorithm string } // New establishes a new connection for transferring files between two instances. func New(ops Options) (c *Client, err error) { c = new(Client) c.FilesHasFinished = make(map[int]struct{}) // setup basic info c.Options = ops Debug(c.Options.Debug) // redirect stderr to null if quiet mode is enabled if c.Options.Quiet { devNull, err := os.OpenFile(os.DevNull, os.O_WRONLY, 0) if err == nil { os.Stderr = devNull } } if len(c.Options.SharedSecret) < 6 { err = fmt.Errorf("code is too short") return } // Create a hash of part of the shared secret to use as the room name hashExtra := "croc" roomNameBytes := sha256.Sum256([]byte(c.Options.SharedSecret[:4] + hashExtra)) c.Options.RoomName = hex.EncodeToString(roomNameBytes[:]) c.conn = make([]*comm.Comm, 16) // initialize throttler if len(c.Options.ThrottleUpload) > 1 && c.Options.IsSender { upload := c.Options.ThrottleUpload[:len(c.Options.ThrottleUpload)-1] var uploadLimit int64 uploadLimit, err = strconv.ParseInt(upload, 10, 64) if err != nil { panic("Could not parse given Upload Limit") } minBurstSize := models.TCP_BUFFER_SIZE var rt rate.Limit switch unit := string(c.Options.ThrottleUpload[len(c.Options.ThrottleUpload)-1:]); unit { case "g", "G": uploadLimit = uploadLimit * 1024 * 1024 * 1024 case "m", "M": uploadLimit = uploadLimit * 1024 * 1024 case "k", "K": uploadLimit = uploadLimit * 1024 default: uploadLimit, err = strconv.ParseInt(c.Options.ThrottleUpload, 10, 64) if err != nil { panic("Could not parse given Upload Limit") } } rt = rate.Every(time.Second / time.Duration(uploadLimit)) if int(uploadLimit) > minBurstSize { minBurstSize = int(uploadLimit) } c.limiter = rate.NewLimiter(rt, minBurstSize) log.Debugf("Throttling Upload to %#v", c.limiter.Limit()) } // initialize pake for recipient if !c.Options.IsSender { c.Pake, err = pake.InitCurve([]byte(c.Options.SharedSecret[5:]), 0, c.Options.Curve) } if err != nil { return } c.mutex = &sync.Mutex{} return } // TransferOptions for sending type TransferOptions struct { PathToFiles []string KeepPathInRemote bool } // helper function checking for an empty folder func isEmptyFolder(folderPath string) (bool, error) { f, err := os.Open(folderPath) if err != nil { return false, err } defer f.Close() _, err = f.Readdirnames(1) if err == io.EOF { return true, nil } return false, nil } // helper function to walk each subfolder and parses against an ignore file. // returns a hashmap Key: Absolute filepath, Value: boolean (true=ignore) func gitWalk(dir string, gitObj *ignore.GitIgnore, files map[string]bool) { var ignoredDir bool var current string err := filepath.Walk(dir, func(path string, info os.FileInfo, err error) error { if err != nil { return err } if isChild(current, path) && ignoredDir { files[path] = true return nil } if info.IsDir() && filepath.Base(path) == filepath.Base(dir) { ignoredDir = false // Skip applying ignore rules for root directory return nil } if gitObj.MatchesPath(info.Name()) { files[path] = true ignoredDir = true current = path return nil } else { files[path] = false ignoredDir = false return nil } }) if err != nil { log.Errorf("filepath error") } } func isChild(parentPath, childPath string) bool { relPath, err := filepath.Rel(parentPath, childPath) if err != nil { return false } return !strings.HasPrefix(relPath, "..") } // This function retrieves the important file information // for every file that will be transferred func GetFilesInfo(fnames []string, zipfolder bool, ignoreGit bool, exclusions []string) (filesInfo []FileInfo, emptyFolders []FileInfo, totalNumberFolders int, err error) { // fnames: the relative/absolute paths of files/folders that will be transferred totalNumberFolders = 0 var paths []string for _, fname := range fnames { // Support wildcard if strings.Contains(fname, "*") { matches, errGlob := filepath.Glob(fname) if errGlob != nil { err = errGlob return } paths = append(paths, matches...) continue } else { paths = append(paths, fname) } } ignoredPaths := make(map[string]bool) if ignoreGit { wd, wdErr := os.Stat(".gitignore") if wdErr == nil { gitIgnore, gitErr := ignore.CompileIgnoreFile(wd.Name()) if gitErr == nil { for _, path := range paths { abs, absErr := filepath.Abs(path) if absErr != nil { err = absErr return } if gitIgnore.MatchesPath(path) { ignoredPaths[abs] = true } } } } for _, path := range paths { abs, absErr := filepath.Abs(path) if absErr != nil { err = absErr return } file, fileErr := os.Stat(path) if fileErr == nil && file.IsDir() { _, subErr := os.Stat(filepath.Join(path, ".gitignore")) if subErr == nil { gitObj, gitObjErr := ignore.CompileIgnoreFile(filepath.Join(path, ".gitignore")) if gitObjErr != nil { err = gitObjErr return } gitWalk(abs, gitObj, ignoredPaths) } } } } for _, fpath := range paths { stat, errStat := os.Lstat(fpath) if errStat != nil { err = errStat return } absPath, errAbs := filepath.Abs(fpath) if errAbs != nil { err = errAbs return } if stat.IsDir() && zipfolder { if fpath[len(fpath)-1:] != "/" { fpath += "/" } fpath = filepath.Dir(fpath) dest := filepath.Base(fpath) + ".zip" utils.ZipDirectory(dest, fpath) utils.MarkFileForRemoval(dest) stat, errStat = os.Lstat(dest) if errStat != nil { err = errStat return } absPath, errAbs = filepath.Abs(dest) if errAbs != nil { err = errAbs return } fInfo := FileInfo{ Name: stat.Name(), FolderRemote: "./", FolderSource: filepath.Dir(absPath), Size: stat.Size(), ModTime: stat.ModTime(), Mode: stat.Mode(), TempFile: true, IsIgnored: ignoredPaths[absPath], } if fInfo.IsIgnored { continue } filesInfo = append(filesInfo, fInfo) continue } if stat.IsDir() { err = filepath.Walk(absPath, func(pathName string, info os.FileInfo, err error) error { if err != nil { return err } absPathWithSeparator := filepath.Dir(absPath) if !strings.HasSuffix(absPathWithSeparator, string(os.PathSeparator)) { absPathWithSeparator += string(os.PathSeparator) } if strings.HasSuffix(absPathWithSeparator, string(os.PathSeparator)+string(os.PathSeparator)) { absPathWithSeparator = strings.TrimSuffix(absPathWithSeparator, string(os.PathSeparator)) } remoteFolder := strings.TrimPrefix(filepath.Dir(pathName), absPathWithSeparator) if !info.IsDir() { fInfo := FileInfo{ Name: info.Name(), FolderRemote: strings.ReplaceAll(remoteFolder, string(os.PathSeparator), "/") + "/", FolderSource: filepath.Dir(pathName), Size: info.Size(), ModTime: info.ModTime(), Mode: info.Mode(), TempFile: false, IsIgnored: ignoredPaths[pathName], } if fInfo.IsIgnored && ignoreGit { return nil } else { filesInfo = append(filesInfo, fInfo) } } else { if ignoredPaths[pathName] { return filepath.SkipDir } isEmptyFolder, _ := isEmptyFolder(pathName) totalNumberFolders++ if isEmptyFolder { emptyFolders = append(emptyFolders, FileInfo{ // Name: info.Name(), FolderRemote: strings.ReplaceAll(strings.TrimPrefix(pathName, filepath.Dir(absPath)+string(os.PathSeparator)), string(os.PathSeparator), "/") + "/", }) } } return nil }) if err != nil { return } } else { fInfo := FileInfo{ Name: stat.Name(), FolderRemote: "./", FolderSource: filepath.Dir(absPath), Size: stat.Size(), ModTime: stat.ModTime(), Mode: stat.Mode(), TempFile: false, IsIgnored: ignoredPaths[absPath], } if fInfo.IsIgnored && ignoreGit { continue } else { filesInfo = append(filesInfo, fInfo) } } } return } func (c *Client) sendCollectFiles(filesInfo []FileInfo) (err error) { c.FilesToTransfer = filesInfo totalFilesSize := int64(0) for i, fileInfo := range c.FilesToTransfer { var fullPath string fullPath = fileInfo.FolderSource + string(os.PathSeparator) + fileInfo.Name fullPath = filepath.Clean(fullPath) if len(fileInfo.Name) > c.longestFilename { c.longestFilename = len(fileInfo.Name) } if fileInfo.Mode&os.ModeSymlink != 0 { log.Debugf("%s is symlink", fileInfo.Name) c.FilesToTransfer[i].Symlink, err = os.Readlink(fullPath) if err != nil { log.Debugf("error getting symlink: %s", err.Error()) } log.Debugf("%+v", c.FilesToTransfer[i]) } if c.Options.HashAlgorithm == "" { c.Options.HashAlgorithm = "xxhash" } c.FilesToTransfer[i].Hash, err = utils.HashFile(fullPath, c.Options.HashAlgorithm, fileInfo.Size > 1e7) log.Debugf("hashed %s to %x using %s", fullPath, c.FilesToTransfer[i].Hash, c.Options.HashAlgorithm) totalFilesSize += fileInfo.Size if err != nil { return } log.Debugf("file %d info: %+v", i, c.FilesToTransfer[i]) fmt.Fprintf(os.Stderr, "\r ") fmt.Fprintf(os.Stderr, "\rSending %d files (%s)", i, utils.ByteCountDecimal(totalFilesSize)) } log.Debugf("longestFilename: %+v", c.longestFilename) fname := fmt.Sprintf("%d files", len(c.FilesToTransfer)) folderName := fmt.Sprintf("%d folders", c.TotalNumberFolders) if len(c.FilesToTransfer) == 1 { fname = fmt.Sprintf("'%s'", c.FilesToTransfer[0].Name) } if strings.HasPrefix(fname, "'croc-stdin-") { fname = "'stdin'" if c.Options.SendingText { fname = "'text'" } } fmt.Fprintf(os.Stderr, "\r ") if c.TotalNumberFolders > 0 { fmt.Fprintf(os.Stderr, "\rSending %s and %s (%s)\n", fname, folderName, utils.ByteCountDecimal(totalFilesSize)) } else { fmt.Fprintf(os.Stderr, "\rSending %s (%s)\n", fname, utils.ByteCountDecimal(totalFilesSize)) } return } func (c *Client) setupLocalRelay() { // setup the relay locally firstPort, _ := strconv.Atoi(c.Options.RelayPorts[0]) openPorts := utils.FindOpenPorts("127.0.0.1", firstPort, len(c.Options.RelayPorts)) if len(openPorts) < len(c.Options.RelayPorts) { panic("not enough open ports to run local relay") } for i, port := range openPorts { c.Options.RelayPorts[i] = fmt.Sprint(port) } for _, port := range c.Options.RelayPorts { go func(portStr string) { debugString := "warn" if c.Options.Debug { debugString = "debug" } err := tcp.Run(debugString, "127.0.0.1", portStr, c.Options.RelayPassword, strings.Join(c.Options.RelayPorts[1:], ",")) if err != nil { panic(err) } }(port) } } func (c *Client) broadcastOnLocalNetwork(useipv6 bool) { var timeLimit time.Duration // if we don't use an external relay, the broadcast messages need to be sent continuously if c.Options.OnlyLocal { timeLimit = -1 * time.Second } else { timeLimit = 30 * time.Second } // look for peers first settings := peerdiscovery.Settings{ Limit: -1, Payload: []byte("croc" + c.Options.RelayPorts[0]), Delay: 20 * time.Millisecond, TimeLimit: timeLimit, } if useipv6 { settings.IPVersion = peerdiscovery.IPv6 } else { settings.MulticastAddress = c.Options.MulticastAddress } discoveries, err := peerdiscovery.Discover(settings) log.Debugf("discoveries: %+v", discoveries) if err != nil { log.Debug(err) } } func (c *Client) transferOverLocalRelay(errchan chan<- error) { time.Sleep(500 * time.Millisecond) log.Debug("establishing connection") var banner string conn, banner, ipaddr, err := tcp.ConnectToTCPServer("127.0.0.1:"+c.Options.RelayPorts[0], c.Options.RelayPassword, c.Options.RoomName) log.Debugf("banner: %s", banner) if err != nil { err = fmt.Errorf("could not connect to 127.0.0.1:%s: %w", c.Options.RelayPorts[0], err) log.Debug(err) // not really an error because it will try to connect over the actual relay return } log.Debugf("local connection established: %+v", conn) for { data, _ := conn.Receive() if bytes.Equal(data, handshakeRequest) { break } else if bytes.Equal(data, []byte{1}) { log.Debug("got ping") } else { log.Debugf("instead of handshake got: %s", data) } } c.conn[0] = conn log.Debug("exchanged header message") c.Options.RelayAddress = "127.0.0.1" c.Options.RelayPorts = strings.Split(banner, ",") if c.Options.NoMultiplexing { log.Debug("no multiplexing") c.Options.RelayPorts = []string{c.Options.RelayPorts[0]} } c.ExternalIP = ipaddr errchan <- c.transfer() } // Send will send the specified file func (c *Client) Send(filesInfo []FileInfo, emptyFoldersToTransfer []FileInfo, totalNumberFolders int) (err error) { c.EmptyFoldersToTransfer = emptyFoldersToTransfer c.TotalNumberFolders = totalNumberFolders c.TotalNumberOfContents = len(filesInfo) err = c.sendCollectFiles(filesInfo) if err != nil { return } flags := &strings.Builder{} if c.Options.RelayAddress != models.DEFAULT_RELAY && !c.Options.OnlyLocal { flags.WriteString("--relay " + c.Options.RelayAddress + " ") } if c.Options.RelayPassword != models.DEFAULT_PASSPHRASE { flags.WriteString("--pass " + c.Options.RelayPassword + " ") } fmt.Fprintf(os.Stderr, `Code is: %[1]s On the other computer run: (For Windows) croc %[2]s%[1]s (For Linux/macOS) CROC_SECRET=%[1]q croc %[2]s `, c.Options.SharedSecret, flags.String()) if !c.Options.DisableClipboard { clipboardText := c.Options.SharedSecret if c.Options.ExtendedClipboard { clipboardText = fmt.Sprintf("CROC_SECRET=%q croc %s", c.Options.SharedSecret, strings.TrimSpace(flags.String())) } copyToClipboard(clipboardText, c.Options.Quiet, c.Options.ExtendedClipboard) } if c.Options.ShowQrCode { showReceiveCommandQrCode(fmt.Sprintf("%[1]s", c.Options.SharedSecret)) } if c.Options.Ask { machid, _ := machineid.ID() fmt.Fprintf(os.Stderr, "\rYour machine ID is '%s'\n", machid) } // c.spinner.Suffix = " waiting for recipient..." // c.spinner.Start() // create channel for quitting // connect to the relay for messaging errchan := make(chan error, 1) if !c.Options.DisableLocal { // add two things to the error channel errchan = make(chan error, 2) c.setupLocalRelay() // broadcast on ipv4 go c.broadcastOnLocalNetwork(false) // broadcast on ipv6 go c.broadcastOnLocalNetwork(true) go c.transferOverLocalRelay(errchan) } if !c.Options.OnlyLocal { go func() { var ipaddr, banner string var conn *comm.Comm durations := []time.Duration{100 * time.Millisecond, 5 * time.Second} for i, address := range []string{c.Options.RelayAddress6, c.Options.RelayAddress} { if address == "" { continue } host, port, _ := net.SplitHostPort(address) log.Debugf("host: '%s', port: '%s'", host, port) // Default port to :9009 if port == "" { host = address port = models.DEFAULT_PORT } log.Debugf("got host '%v' and port '%v'", host, port) address = net.JoinHostPort(host, port) log.Debugf("trying connection to %s", address) conn, banner, ipaddr, err = tcp.ConnectToTCPServer(address, c.Options.RelayPassword, c.Options.RoomName, durations[i]) if err == nil { c.Options.RelayAddress = address break } log.Debugf("could not establish '%s'", address) } if conn == nil && err == nil { err = fmt.Errorf("could not connect") } if err != nil { err = fmt.Errorf("could not connect to %s: %w", c.Options.RelayAddress, err) log.Debug(err) errchan <- err return } log.Debugf("banner: %s", banner) log.Debugf("connection established: %+v", conn) var kB []byte B, _ := pake.InitCurve([]byte(c.Options.SharedSecret[5:]), 1, c.Options.Curve) for { var dataMessage SimpleMessage log.Trace("waiting for bytes") data, errConn := conn.Receive() if errConn != nil { log.Tracef("[%+v] had error: %s", conn, errConn.Error()) } json.Unmarshal(data, &dataMessage) log.Tracef("data: %+v '%s'", data, data) log.Tracef("dataMessage: %s", dataMessage) log.Tracef("kB: %x", kB) // if kB not null, then use it to decrypt if kB != nil { var decryptErr error var dataDecrypt []byte dataDecrypt, decryptErr = crypt.Decrypt(data, kB) if decryptErr != nil { log.Tracef("error decrypting: %v: '%s'", decryptErr, data) // relay sent a message encrypted with an invalid key. // consider this a security issue and abort if strings.Contains(decryptErr.Error(), "message authentication failed") { errchan <- decryptErr return } } else { // copy dataDecrypt to data data = dataDecrypt log.Tracef("decrypted: %s", data) } } if bytes.Equal(data, ipRequest) { log.Tracef("got ipRequest") // recipient wants to try to connect to local ips var ips []string // only get local ips if the local is enabled if !c.Options.DisableLocal { // get list of local ips ips, err = utils.GetLocalIPs() if err != nil { log.Tracef("error getting local ips: %v", err) } // prepend the port that is being listened to ips = append([]string{c.Options.RelayPorts[0]}, ips...) } log.Tracef("sending ips: %+v", ips) bips, errIps := json.Marshal(ips) if errIps != nil { log.Tracef("error marshalling ips: %v", errIps) } bips, errIps = crypt.Encrypt(bips, kB) if errIps != nil { log.Tracef("error encrypting ips: %v", errIps) } if err = conn.Send(bips); err != nil { log.Errorf("error sending: %v", err) } } else if dataMessage.Kind == "pake1" { log.Trace("got pake1") var pakeError error pakeError = B.Update(dataMessage.Bytes) if pakeError == nil { kB, pakeError = B.SessionKey() if pakeError == nil { log.Tracef("dataMessage kB: %x", kB) dataMessage.Bytes = B.Bytes() dataMessage.Kind = "pake2" data, _ = json.Marshal(dataMessage) if pakeError = conn.Send(data); err != nil { log.Errorf("dataMessage error sending: %v", err) } } } } else if bytes.Equal(data, handshakeRequest) { log.Trace("got handshake") break } else if bytes.Equal(data, []byte{1}) { log.Trace("got ping") continue } else { log.Tracef("[%+v] got weird bytes: %+v", conn, data) // throttle the reading errchan <- fmt.Errorf("gracefully refusing using the public relay") return } } c.conn[0] = conn c.Options.RelayPorts = strings.Split(banner, ",") if c.Options.NoMultiplexing { log.Debug("no multiplexing") c.Options.RelayPorts = []string{c.Options.RelayPorts[0]} } c.ExternalIP = ipaddr log.Debug("exchanged header message") errchan <- c.transfer() }() } err = <-errchan if err == nil { return // no error } else { log.Debugf("error from errchan: %v", err) if strings.Contains(err.Error(), "could not secure channel") { return err } } if !c.Options.DisableLocal { if strings.Contains(err.Error(), "refusing files") || strings.Contains(err.Error(), "EOF") || strings.Contains(err.Error(), "bad password") || strings.Contains(err.Error(), "message authentication failed") { errchan <- err } err = <-errchan } return err } func showReceiveCommandQrCode(command string) { qrCode, err := qrcode.New(command, qrcode.Medium) if err == nil { fmt.Println(qrCode.ToSmallString(false)) } } // Receive will receive a file func (c *Client) Receive() (err error) { fmt.Fprintf(os.Stderr, "connecting...") // recipient will look for peers first // and continue if it doesn't find any within 100 ms usingLocal := false isIPset := false if c.Options.OnlyLocal || c.Options.IP != "" { c.Options.RelayAddress = "" c.Options.RelayAddress6 = "" } if c.Options.IP != "" { // check ip version if strings.Count(c.Options.IP, ":") >= 2 { log.Debug("assume ipv6") c.Options.RelayAddress6 = c.Options.IP } if strings.Contains(c.Options.IP, ".") { log.Debug("assume ipv4") c.Options.RelayAddress = c.Options.IP } isIPset = true } if !c.Options.DisableLocal && !isIPset { log.Debug("attempt to discover peers") var discoveries []peerdiscovery.Discovered var wgDiscovery sync.WaitGroup var dmux sync.Mutex wgDiscovery.Add(2) go func() { defer wgDiscovery.Done() ipv4discoveries, err1 := peerdiscovery.Discover(peerdiscovery.Settings{ Limit: 1, Payload: []byte("ok"), Delay: 20 * time.Millisecond, TimeLimit: 200 * time.Millisecond, MulticastAddress: c.Options.MulticastAddress, }) if err1 == nil && len(ipv4discoveries) > 0 { dmux.Lock() err = err1 discoveries = append(discoveries, ipv4discoveries...) dmux.Unlock() } }() go func() { defer wgDiscovery.Done() ipv6discoveries, err1 := peerdiscovery.Discover(peerdiscovery.Settings{ Limit: 1, Payload: []byte("ok"), Delay: 20 * time.Millisecond, TimeLimit: 200 * time.Millisecond, IPVersion: peerdiscovery.IPv6, }) if err1 == nil && len(ipv6discoveries) > 0 { dmux.Lock() err = err1 discoveries = append(discoveries, ipv6discoveries...) dmux.Unlock() } }() wgDiscovery.Wait() if err == nil && len(discoveries) > 0 { log.Debugf("all discoveries: %+v", discoveries) for i := 0; i < len(discoveries); i++ { log.Debugf("discovery %d has payload: %+v", i, discoveries[i]) if !bytes.HasPrefix(discoveries[i].Payload, []byte("croc")) { log.Debug("skipping discovery") continue } log.Debug("switching to local") portToUse := string(bytes.TrimPrefix(discoveries[i].Payload, []byte("croc"))) if portToUse == "" { portToUse = models.DEFAULT_PORT } address := net.JoinHostPort(discoveries[i].Address, portToUse) errPing := tcp.PingServer(address) if errPing == nil { log.Debugf("successfully pinged '%s'", address) c.Options.RelayAddress = address c.ExternalIPConnected = c.Options.RelayAddress c.Options.RelayAddress6 = "" usingLocal = true break } else { log.Debugf("could not ping: %+v", errPing) } } } log.Debugf("discoveries: %+v", discoveries) log.Debug("establishing connection") } var banner string durations := []time.Duration{200 * time.Millisecond, 5 * time.Second} err = fmt.Errorf("found no addresses to connect") for i, address := range []string{c.Options.RelayAddress6, c.Options.RelayAddress} { if address == "" { continue } var host, port string host, port, _ = net.SplitHostPort(address) // Default port to :9009 if port == "" { host = address port = models.DEFAULT_PORT } log.Debugf("got host '%v' and port '%v'", host, port) address = net.JoinHostPort(host, port) log.Debugf("trying connection to %s", address) c.conn[0], banner, c.ExternalIP, err = tcp.ConnectToTCPServer(address, c.Options.RelayPassword, c.Options.RoomName, durations[i]) if err == nil { c.Options.RelayAddress = address break } log.Debugf("could not establish '%s'", address) } if err != nil { err = fmt.Errorf("could not connect to %s: %w", c.Options.RelayAddress, err) log.Debug(err) return } log.Debugf("receiver connection established: %+v", c.conn[0]) log.Debugf("banner: %s", banner) if c.Options.TestFlag { log.Debugf("TEST FLAG ENABLED, TESTING LOCAL IPS") } if c.Options.TestFlag || (!usingLocal && !c.Options.DisableLocal && !isIPset) { // ask the sender for their local ips and port // and try to connect to them var ips []string err = func() (err error) { var A *pake.Pake var data []byte A, err = pake.InitCurve([]byte(c.Options.SharedSecret[5:]), 0, c.Options.Curve) if err != nil { return err } dataMessage := SimpleMessage{ Bytes: A.Bytes(), Kind: "pake1", } data, _ = json.Marshal(dataMessage) if err = c.conn[0].Send(data); err != nil { log.Errorf("dataMessage send error: %v", err) return } data, err = c.conn[0].Receive() if err != nil { return } err = json.Unmarshal(data, &dataMessage) if err != nil || dataMessage.Kind != "pake2" { log.Debugf("data: %s", data) return fmt.Errorf("dataMessage %s pake failed", ipRequest) } err = A.Update(dataMessage.Bytes) if err != nil { return } var kA []byte kA, err = A.SessionKey() if err != nil { return } log.Debugf("dataMessage kA: %x", kA) // secure ipRequest data, err = crypt.Encrypt([]byte(ipRequest), kA) if err != nil { return } log.Debug("sending ips?") if err = c.conn[0].Send(data); err != nil { log.Errorf("ips send error: %v", err) } data, err = c.conn[0].Receive() if err != nil { return } data, err = crypt.Decrypt(data, kA) if err != nil { return } log.Debugf("ips data: %s", data) if err = json.Unmarshal(data, &ips); err != nil { log.Debugf("ips unmarshal error: %v", err) } return }() if len(ips) > 1 { port := ips[0] ips = ips[1:] for _, ip := range ips { ipv4Addr, ipv4Net, errNet := net.ParseCIDR(fmt.Sprintf("%s/24", ip)) log.Debugf("ipv4Add4: %+v, ipv4Net: %+v, err: %+v", ipv4Addr, ipv4Net, errNet) // For peer-to-peer connectivity within a LAN, the sender and receiver don't need to be on the same subnet. // Even with NAT routers in their respective local networks, // a receiver behind NAT can establish direct access to the sender without requiring internet connectivity. // Conversely, the local networks on the sender and receiver may overlap but not be connected. // This often occurs with 192.168.0.0/30 and 192.168.1.0/30 subnets. // localIps, _ := utils.GetLocalIPs() // haveLocalIP := false // for _, localIP := range localIps { // localIPparsed := net.ParseIP(localIP) // log.Debugf("localIP: %+v, localIPparsed: %+v", localIP, localIPparsed) // if ipv4Net.Contains(localIPparsed) { // haveLocalIP = true // log.Debugf("ip: %+v is a local IP", ip) // break // } // } // if !haveLocalIP { // log.Debugf("%s is not a local IP, skipping", ip) // continue // } serverTry := net.JoinHostPort(ip, port) conn, banner2, externalIP, errConn := tcp.ConnectToTCPServer(serverTry, c.Options.RelayPassword, c.Options.RoomName, 500*time.Millisecond) if errConn != nil { log.Debug(errConn) log.Debug("could not connect to " + serverTry) continue } log.Debugf("local connection established to %s", serverTry) log.Debugf("banner: %s", banner2) // reset to the local port banner = banner2 c.Options.RelayAddress = serverTry c.ExternalIP = externalIP c.conn[0].Close() c.conn[0] = nil c.conn[0] = conn break } } } if err = c.conn[0].Send(handshakeRequest); err != nil { log.Errorf("handshake send error: %v", err) } c.Options.RelayPorts = strings.Split(banner, ",") if c.Options.NoMultiplexing { log.Debug("no multiplexing") c.Options.RelayPorts = []string{c.Options.RelayPorts[0]} } log.Debug("exchanged header message") fmt.Fprintf(os.Stderr, "\rsecuring channel...") err = c.transfer() if err == nil { if c.numberOfTransferredFiles+len(c.EmptyFoldersToTransfer) == 0 { fmt.Fprintf(os.Stderr, "\rNo files transferred.\n") } } return } func (c *Client) transfer() (err error) { // connect to the server // quit with c.quit <- true c.quit = make(chan bool) // if recipient, initialize with sending pake information log.Debug("ready") if !c.Options.IsSender && !c.Step1ChannelSecured { err = message.Send(c.conn[0], c.Key, message.Message{
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
true
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/croc/croc_test.go
src/croc/croc_test.go
package croc import ( "os" "path" "path/filepath" "runtime" "strings" "sync" "testing" "time" "github.com/schollz/croc/v10/src/tcp" log "github.com/schollz/logger" "github.com/stretchr/testify/assert" ) func init() { log.SetLevel("trace") go tcp.Run("debug", "127.0.0.1", "8281", "pass123", "8282,8283,8284,8285") go tcp.Run("debug", "127.0.0.1", "8282", "pass123") go tcp.Run("debug", "127.0.0.1", "8283", "pass123") go tcp.Run("debug", "127.0.0.1", "8284", "pass123") go tcp.Run("debug", "127.0.0.1", "8285", "pass123") time.Sleep(1 * time.Second) } func TestCrocReadme(t *testing.T) { defer os.Remove("README.md") log.Debug("setting up sender") sender, err := New(Options{ IsSender: true, SharedSecret: "8123-testingthecroc", Debug: true, RelayAddress: "127.0.0.1:8281", RelayPorts: []string{"8281"}, RelayPassword: "pass123", Stdout: false, NoPrompt: true, DisableLocal: true, Curve: "siec", Overwrite: true, GitIgnore: false, }) if err != nil { panic(err) } log.Debug("setting up receiver") receiver, err := New(Options{ IsSender: false, SharedSecret: "8123-testingthecroc", Debug: true, RelayAddress: "127.0.0.1:8281", RelayPassword: "pass123", Stdout: false, NoPrompt: true, DisableLocal: true, Curve: "siec", Overwrite: true, }) if err != nil { panic(err) } var wg sync.WaitGroup wg.Add(2) go func() { filesInfo, emptyFolders, totalNumberFolders, errGet := GetFilesInfo([]string{"../../README.md"}, false, false, []string{}) if errGet != nil { t.Errorf("failed to get minimal info: %v", errGet) } err := sender.Send(filesInfo, emptyFolders, totalNumberFolders) if err != nil { t.Errorf("send failed: %v", err) } wg.Done() }() time.Sleep(100 * time.Millisecond) go func() { err := receiver.Receive() if err != nil { t.Errorf("receive failed: %v", err) } wg.Done() }() wg.Wait() } func TestCrocEmptyFolder(t *testing.T) { pathName := "../../testEmpty" defer os.RemoveAll(pathName) defer os.RemoveAll("./testEmpty") os.MkdirAll(pathName, 0o755) log.Debug("setting up sender") sender, err := New(Options{ IsSender: true, SharedSecret: "8123-testingthecroc", Debug: true, RelayAddress: "127.0.0.1:8281", RelayPorts: []string{"8281"}, RelayPassword: "pass123", Stdout: false, NoPrompt: true, DisableLocal: true, Curve: "siec", Overwrite: true, }) if err != nil { panic(err) } log.Debug("setting up receiver") receiver, err := New(Options{ IsSender: false, SharedSecret: "8123-testingthecroc", Debug: true, RelayAddress: "127.0.0.1:8281", RelayPassword: "pass123", Stdout: false, NoPrompt: true, DisableLocal: true, Curve: "siec", Overwrite: true, }) if err != nil { panic(err) } var wg sync.WaitGroup wg.Add(2) go func() { filesInfo, emptyFolders, totalNumberFolders, errGet := GetFilesInfo([]string{pathName}, false, false, []string{}) if errGet != nil { t.Errorf("failed to get minimal info: %v", errGet) } err := sender.Send(filesInfo, emptyFolders, totalNumberFolders) if err != nil { t.Errorf("send failed: %v", err) } wg.Done() }() time.Sleep(100 * time.Millisecond) go func() { err := receiver.Receive() if err != nil { t.Errorf("receive failed: %v", err) } wg.Done() }() wg.Wait() } func TestCrocSymlink(t *testing.T) { pathName := "../link-in-folder" defer os.RemoveAll(pathName) defer os.RemoveAll("./link-in-folder") os.MkdirAll(pathName, 0o755) os.Symlink("../../README.md", filepath.Join(pathName, "README.link")) log.Debug("setting up sender") sender, err := New(Options{ IsSender: true, SharedSecret: "8124-testingthecroc", Debug: true, RelayAddress: "127.0.0.1:8281", RelayPorts: []string{"8281"}, RelayPassword: "pass123", Stdout: false, NoPrompt: true, DisableLocal: true, Curve: "siec", Overwrite: true, GitIgnore: false, }) if err != nil { panic(err) } log.Debug("setting up receiver") receiver, err := New(Options{ IsSender: false, SharedSecret: "8124-testingthecroc", Debug: true, RelayAddress: "127.0.0.1:8281", RelayPassword: "pass123", Stdout: false, NoPrompt: true, DisableLocal: true, Curve: "siec", Overwrite: true, }) if err != nil { panic(err) } var wg sync.WaitGroup wg.Add(2) go func() { filesInfo, emptyFolders, totalNumberFolders, errGet := GetFilesInfo([]string{pathName}, false, false, []string{}) if errGet != nil { t.Errorf("failed to get minimal info: %v", errGet) } err = sender.Send(filesInfo, emptyFolders, totalNumberFolders) if err != nil { t.Errorf("send failed: %v", err) } wg.Done() }() time.Sleep(100 * time.Millisecond) go func() { err = receiver.Receive() if err != nil { t.Errorf("receive failed: %v", err) } wg.Done() }() wg.Wait() s, err := filepath.EvalSymlinks(path.Join(pathName, "README.link")) if s != "../../README.md" && s != "..\\..\\README.md" { log.Debug(s) t.Errorf("symlink failed to transfer in folder") } if err != nil { t.Errorf("symlink transfer failed: %s", err.Error()) } } func TestCrocIgnoreGit(t *testing.T) { log.SetLevel("trace") defer os.Remove(".gitignore") time.Sleep(300 * time.Millisecond) time.Sleep(1 * time.Second) file, err := os.Create(".gitignore") if err != nil { log.Errorf("error creating file") } _, err = file.WriteString("LICENSE") if err != nil { log.Errorf("error writing to file") } time.Sleep(1 * time.Second) // due to how files are ignored in this function, all we have to do to test is make sure LICENSE doesn't get included in FilesInfo. filesInfo, _, _, errGet := GetFilesInfo([]string{"../../LICENSE", ".gitignore", "croc.go"}, false, true, []string{}) if errGet != nil { t.Errorf("failed to get minimal info: %v", errGet) } for _, file := range filesInfo { if strings.Contains(file.Name, "LICENSE") { t.Errorf("test failed, should ignore LICENSE") } } } func TestCrocLocal(t *testing.T) { log.SetLevel("trace") defer os.Remove("LICENSE") defer os.Remove("touched") time.Sleep(300 * time.Millisecond) log.Debug("setting up sender") sender, err := New(Options{ IsSender: true, SharedSecret: "8123-testingthecroc", Debug: true, RelayAddress: "127.0.0.1:8181", RelayPorts: []string{"8181", "8182"}, RelayPassword: "pass123", Stdout: true, NoPrompt: true, DisableLocal: false, Curve: "ed25519", Overwrite: true, GitIgnore: false, }) if err != nil { panic(err) } time.Sleep(1 * time.Second) log.Debug("setting up receiver") receiver, err := New(Options{ IsSender: false, SharedSecret: "8123-testingthecroc", Debug: true, RelayAddress: "127.0.0.1:8181", RelayPassword: "pass123", Stdout: true, NoPrompt: true, DisableLocal: false, Curve: "ed25519", Overwrite: true, }) if err != nil { panic(err) } var wg sync.WaitGroup os.Create("touched") wg.Add(2) go func() { filesInfo, emptyFolders, totalNumberFolders, errGet := GetFilesInfo([]string{"../../LICENSE", "touched"}, false, false, []string{}) if errGet != nil { t.Errorf("failed to get minimal info: %v", errGet) } err := sender.Send(filesInfo, emptyFolders, totalNumberFolders) if err != nil { t.Errorf("send failed: %v", err) } wg.Done() }() time.Sleep(100 * time.Millisecond) go func() { err := receiver.Receive() if err != nil { t.Errorf("send failed: %v", err) } wg.Done() }() wg.Wait() } func TestCrocError(t *testing.T) { content := []byte("temporary file's content") tmpfile, err := os.CreateTemp("", "example") if err != nil { panic(err) } defer os.Remove(tmpfile.Name()) // clean up if _, err = tmpfile.Write(content); err != nil { panic(err) } if err = tmpfile.Close(); err != nil { panic(err) } Debug(false) log.SetLevel("warn") sender, _ := New(Options{ IsSender: true, SharedSecret: "8123-testingthecroc2", Debug: true, RelayAddress: "doesntexistok.com:8381", RelayPorts: []string{"8381", "8382"}, RelayPassword: "pass123", Stdout: true, NoPrompt: true, DisableLocal: true, Curve: "siec", Overwrite: true, }) filesInfo, emptyFolders, totalNumberFolders, errGet := GetFilesInfo([]string{tmpfile.Name()}, false, false, []string{}) if errGet != nil { t.Errorf("failed to get minimal info: %v", errGet) } err = sender.Send(filesInfo, emptyFolders, totalNumberFolders) log.Debug(err) assert.NotNil(t, err) } func TestReceiverStdoutWithInvalidSecret(t *testing.T) { // Test for issue: panic when receiving with --stdout and invalid CROC_SECRET // This should fail gracefully without panicking log.SetLevel("warn") receiver, err := New(Options{ IsSender: false, SharedSecret: "invalid-secret-12345", Debug: true, RelayAddress: "127.0.0.1:8281", RelayPassword: "pass123", Stdout: true, // This is the key flag that triggered the panic NoPrompt: true, DisableLocal: true, Curve: "siec", Overwrite: true, }) if err != nil { t.Errorf("failed to create receiver: %v", err) return } // This should fail but not panic err = receiver.Receive() // We expect an error since the secret is invalid and no sender is present assert.NotNil(t, err) log.Debugf("Expected error occurred: %v", err) } func TestCleanUp(t *testing.T) { // windows allows files to be deleted only if they // are not open by another program so the remove actions // from the above tests will not always do a good clean up // This "test" will make sure operatingSystem := runtime.GOOS log.Debugf("The operating system is %s", operatingSystem) if operatingSystem == "windows" { time.Sleep(1 * time.Second) log.Debug("Full cleanup") var err error for _, file := range []string{"README.md", "./README.md"} { err = os.Remove(file) if err == nil { log.Debugf("Successfully purged %s", file) } else { log.Debugf("%s was already purged.", file) } } for _, folder := range []string{"./testEmpty", "./link-in-folder"} { err = os.RemoveAll(folder) if err == nil { log.Debugf("Successfully purged %s", folder) } else { log.Debugf("%s was already purged.", folder) } } } }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/compress/compress.go
src/compress/compress.go
package compress import ( "bytes" "compress/flate" "io" log "github.com/schollz/logger" ) // CompressWithOption returns compressed data using the specified level func CompressWithOption(src []byte, level int) []byte { compressedData := new(bytes.Buffer) compress(src, compressedData, level) return compressedData.Bytes() } // Compress returns a compressed byte slice. func Compress(src []byte) []byte { compressedData := new(bytes.Buffer) compress(src, compressedData, flate.HuffmanOnly) return compressedData.Bytes() } // Decompress returns a decompressed byte slice. func Decompress(src []byte) []byte { compressedData := bytes.NewBuffer(src) deCompressedData := new(bytes.Buffer) decompress(compressedData, deCompressedData) return deCompressedData.Bytes() } // compress uses flate to compress a byte slice to a corresponding level func compress(src []byte, dest io.Writer, level int) { compressor, err := flate.NewWriter(dest, level) if err != nil { log.Debugf("error level data: %v", err) return } if _, err := compressor.Write(src); err != nil { log.Debugf("error writing data: %v", err) } compressor.Close() } // decompress uses flate to decompress an io.Reader func decompress(src io.Reader, dest io.Writer) { decompressor := flate.NewReader(src) if _, err := io.Copy(dest, decompressor); err != nil { log.Debugf("error copying data: %v", err) } decompressor.Close() }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/compress/compress_test.go
src/compress/compress_test.go
package compress import ( "crypto/rand" "fmt" "testing" "github.com/stretchr/testify/assert" ) var fable = []byte(`The Frog and the Crocodile Once, there was a frog who lived in the middle of a swamp. His entire family had lived in that swamp for generations, but this particular frog decided that he had had quite enough wetness to last him a lifetime. He decided that he was going to find a dry place to live instead. The only thing that separated him from dry land was a swampy, muddy, swiftly flowing river. But the river was home to all sorts of slippery, slittering snakes that loved nothing better than a good, plump frog for dinner, so Frog didn't dare try to swim across. So for many days, the frog stayed put, hopping along the bank, trying to think of a way to get across. The snakes hissed and jeered at him, daring him to come closer, but he refused. Occasionally they would slither closer, jaws open to attack, but the frog always leaped out of the way. But no matter how far upstream he searched or how far downstream, the frog wasn't able to find a way across the water. He had felt certain that there would be a bridge, or a place where the banks came together, yet all he found was more reeds and water. After a while, even the snakes stopped teasing him and went off in search of easier prey. The frog sighed in frustration and sat to sulk in the rushes. Suddenly, he spotted two big eyes staring at him from the water. The giant log-shaped animal opened its mouth and asked him, "What are you doing, Frog? Surely there are enough flies right there for a meal." The frog croaked in surprise and leaped away from the crocodile. That creature could swallow him whole in a moment without thinking about it! Once he was a satisfied that he was a safe distance away, he answered. "I'm tired of living in swampy waters, and I want to travel to the other side of the river. But if I swim across, the snakes will eat me." The crocodile harrumphed in agreement and sat, thinking, for a while. "Well, if you're afraid of the snakes, I could give you a ride across," he suggested. "Oh no, I don't think so," Frog answered quickly. "You'd eat me on the way over, or go underwater so the snakes could get me!" "Now why would I let the snakes get you? I think they're a terrible nuisance with all their hissing and slithering! The river would be much better off without them altogether! Anyway, if you're so worried that I might eat you, you can ride on my tail." The frog considered his offer. He did want to get to dry ground very badly, and there didn't seem to be any other way across the river. He looked at the crocodile from his short, squat buggy eyes and wondered about the crocodile's motives. But if he rode on the tail, the croc couldn't eat him anyway. And he was right about the snakes--no self-respecting crocodile would give a meal to the snakes. "Okay, it sounds like a good plan to me. Turn around so I can hop on your tail." The crocodile flopped his tail into the marshy mud and let the frog climb on, then he waddled out to the river. But he couldn't stick his tail into the water as a rudder because the frog was on it -- and if he put his tail in the water, the snakes would eat the frog. They clumsily floated downstream for a ways, until the crocodile said, "Hop onto my back so I can steer straight with my tail." The frog moved, and the journey smoothed out. From where he was sitting, the frog couldn't see much except the back of Crocodile's head. "Why don't you hop up on my head so you can see everything around us?" Crocodile invited. `) func BenchmarkCompressLevelMinusTwo(b *testing.B) { for i := 0; i < b.N; i++ { CompressWithOption(fable, -2) } } func BenchmarkCompressLevelNine(b *testing.B) { for i := 0; i < b.N; i++ { CompressWithOption(fable, 9) } } func BenchmarkCompressLevelMinusTwoBinary(b *testing.B) { data := make([]byte, 1000000) if _, err := rand.Read(data); err != nil { b.Fatal(err) } for i := 0; i < b.N; i++ { CompressWithOption(data, -2) } } func BenchmarkCompressLevelNineBinary(b *testing.B) { data := make([]byte, 1000000) if _, err := rand.Read(data); err != nil { b.Fatal(err) } for i := 0; i < b.N; i++ { CompressWithOption(data, 9) } } func TestCompress(t *testing.T) { compressedB := CompressWithOption(fable, 9) dataRateSavings := 100 * (1.0 - float64(len(compressedB))/float64(len(fable))) fmt.Printf("Level 9: %2.0f%% percent space savings\n", dataRateSavings) assert.True(t, len(compressedB) < len(fable)) assert.Equal(t, fable, Decompress(compressedB)) compressedB = CompressWithOption(fable, -2) dataRateSavings = 100 * (1.0 - float64(len(compressedB))/float64(len(fable))) fmt.Printf("Level -2: %2.0f%% percent space savings\n", dataRateSavings) assert.True(t, len(compressedB) < len(fable)) compressedB = Compress(fable) dataRateSavings = 100 * (1.0 - float64(len(compressedB))/float64(len(fable))) fmt.Printf("Level -2: %2.0f%% percent space savings\n", dataRateSavings) assert.True(t, len(compressedB) < len(fable)) data := make([]byte, 4096) if _, err := rand.Read(data); err != nil { t.Fatal(err) } compressedB = CompressWithOption(data, -2) dataRateSavings = 100 * (1.0 - float64(len(compressedB))/float64(len(data))) fmt.Printf("random, Level -2: %2.0f%% percent space savings\n", dataRateSavings) if _, err := rand.Read(data); err != nil { t.Fatal(err) } compressedB = CompressWithOption(data, 9) dataRateSavings = 100 * (1.0 - float64(len(compressedB))/float64(len(data))) fmt.Printf("random, Level 9: %2.0f%% percent space savings\n", dataRateSavings) }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/message/message.go
src/message/message.go
package message import ( "encoding/json" "github.com/schollz/croc/v10/src/comm" "github.com/schollz/croc/v10/src/compress" "github.com/schollz/croc/v10/src/crypt" log "github.com/schollz/logger" ) // Type is a message type type Type string const ( TypePAKE Type = "pake" TypeExternalIP Type = "externalip" TypeFinished Type = "finished" TypeError Type = "error" TypeCloseRecipient Type = "close-recipient" TypeCloseSender Type = "close-sender" TypeRecipientReady Type = "recipientready" TypeFileInfo Type = "fileinfo" ) // Message is the possible payload for messaging type Message struct { Type Type `json:"t,omitempty"` Message string `json:"m,omitempty"` Bytes []byte `json:"b,omitempty"` Bytes2 []byte `json:"b2,omitempty"` Num int `json:"n,omitempty"` } func (m Message) String() string { b, _ := json.Marshal(m) return string(b) } // Send will send out func Send(c *comm.Comm, key []byte, m Message) (err error) { mSend, err := Encode(key, m) if err != nil { return } err = c.Send(mSend) return } // Encode will convert to bytes func Encode(key []byte, m Message) (b []byte, err error) { b, err = json.Marshal(m) if err != nil { return } b = compress.Compress(b) if key != nil { log.Debugf("writing %s message (encrypted)", m.Type) b, err = crypt.Encrypt(b, key) } else { log.Debugf("writing %s message (unencrypted)", m.Type) } return } // Decode will convert from bytes func Decode(key []byte, b []byte) (m Message, err error) { if key != nil { b, err = crypt.Decrypt(b, key) if err != nil { return } } b = compress.Decompress(b) err = json.Unmarshal(b, &m) if err == nil { if key != nil { log.Debugf("read %s message (encrypted)", m.Type) } else { log.Debugf("read %s message (unencrypted)", m.Type) } } return }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/message/message_test.go
src/message/message_test.go
package message import ( "crypto/rand" "fmt" "net" "testing" "time" "github.com/schollz/croc/v10/src/comm" "github.com/schollz/croc/v10/src/crypt" log "github.com/schollz/logger" "github.com/stretchr/testify/assert" ) var TypeMessage Type = "message" func TestMessage(t *testing.T) { log.SetLevel("debug") m := Message{Type: TypeMessage, Message: "hello, world"} e, salt, err := crypt.New([]byte("pass"), nil) assert.Nil(t, err) fmt.Println(string(salt)) b, err := Encode(e, m) assert.Nil(t, err) fmt.Printf("%x\n", b) m2, err := Decode(e, b) assert.Nil(t, err) assert.Equal(t, m, m2) assert.Equal(t, `{"t":"message","m":"hello, world"}`, m.String()) _, err = Decode([]byte("not pass"), b) assert.NotNil(t, err) _, err = Encode([]byte("0"), m) assert.NotNil(t, err) } func TestMessageNoPass(t *testing.T) { log.SetLevel("debug") m := Message{Type: TypeMessage, Message: "hello, world"} b, err := Encode(nil, m) assert.Nil(t, err) fmt.Printf("%x\n", b) m2, err := Decode(nil, b) assert.Nil(t, err) assert.Equal(t, m, m2) assert.Equal(t, `{"t":"message","m":"hello, world"}`, m.String()) } func TestSend(t *testing.T) { token := make([]byte, 40000000) rand.Read(token) port := "8801" go func() { log.Debug("starting TCP server on " + port) server, err := net.Listen("tcp", "0.0.0.0:"+port) if err != nil { log.Error(err) } defer server.Close() // spawn a new goroutine whenever a client connects for { connection, err := server.Accept() if err != nil { log.Error(err) } log.Debugf("client %s connected", connection.RemoteAddr().String()) go func(_ string, connection net.Conn) { c := comm.New(connection) err = c.Send([]byte("hello, world")) assert.Nil(t, err) data, err := c.Receive() assert.Nil(t, err) assert.Equal(t, []byte("hello, computer"), data) data, err = c.Receive() assert.Nil(t, err) assert.Equal(t, []byte{'\x00'}, data) data, err = c.Receive() assert.Nil(t, err) assert.Equal(t, token, data) }(port, connection) } }() time.Sleep(800 * time.Millisecond) a, err := comm.NewConnection("127.0.0.1:"+port, 10*time.Minute) assert.Nil(t, err) m := Message{Type: TypeMessage, Message: "hello, world"} e, salt, err := crypt.New([]byte("pass"), nil) log.Debug(salt) assert.Nil(t, err) assert.Nil(t, Send(a, e, m)) }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/cli/cli.go
src/cli/cli.go
package cli import ( "encoding/json" "errors" "fmt" "io" "os" "path" "path/filepath" "runtime" "strconv" "strings" "time" "github.com/chzyer/readline" "github.com/schollz/cli/v2" "github.com/schollz/croc/v10/src/comm" "github.com/schollz/croc/v10/src/croc" "github.com/schollz/croc/v10/src/mnemonicode" "github.com/schollz/croc/v10/src/models" "github.com/schollz/croc/v10/src/tcp" "github.com/schollz/croc/v10/src/utils" log "github.com/schollz/logger" "github.com/schollz/pake/v3" ) // Version specifies the version var Version string // Run will run the command line program func Run() (err error) { // use all of the processors runtime.GOMAXPROCS(runtime.NumCPU()) app := cli.NewApp() app.Name = "croc" if Version == "" { Version = "v10.3.1" } app.Version = Version app.Compiled = time.Now() app.Usage = "easily and securely transfer stuff from one computer to another" app.UsageText = `croc [GLOBAL OPTIONS] [COMMAND] [COMMAND OPTIONS] [filename(s) or folder] USAGE EXAMPLES: Send a file: croc send file.txt -git to respect your .gitignore Send multiple files: croc send file1.txt file2.txt file3.txt or croc send *.jpg Send everything in a folder: croc send example-folder-name Send a file with a custom code: croc send --code secret-code file.txt Receive a file using code: croc secret-code` app.Commands = []*cli.Command{ { Name: "send", Usage: "send file(s), or folder (see options with croc send -h)", Description: "send file(s), or folder, over the relay", ArgsUsage: "[filename(s) or folder]", Flags: []cli.Flag{ &cli.BoolFlag{Name: "zip", Usage: "zip folder before sending"}, &cli.StringFlag{Name: "code", Aliases: []string{"c"}, Usage: "codephrase used to connect to relay"}, &cli.StringFlag{Name: "hash", Value: "xxhash", Usage: "hash algorithm (xxhash, imohash, md5)"}, &cli.StringFlag{Name: "text", Aliases: []string{"t"}, Usage: "send some text"}, &cli.BoolFlag{Name: "no-local", Usage: "disable local relay when sending"}, &cli.BoolFlag{Name: "no-multi", Usage: "disable multiplexing"}, &cli.BoolFlag{Name: "git", Usage: "enable .gitignore respect / don't send ignored files"}, &cli.IntFlag{Name: "port", Value: 9009, Usage: "base port for the relay"}, &cli.IntFlag{Name: "transfers", Value: 4, Usage: "number of ports to use for transfers"}, &cli.BoolFlag{Name: "qrcode", Aliases: []string{"qr"}, Usage: "show receive code as a qrcode"}, &cli.StringFlag{Name: "exclude", Value: "", Usage: "exclude files if they contain any of the comma separated strings"}, }, HelpName: "croc send", Action: send, }, { Name: "relay", Usage: "start your own relay (optional)", Description: "start relay", HelpName: "croc relay", Action: relay, Flags: []cli.Flag{ &cli.StringFlag{Name: "host", Usage: "host of the relay"}, &cli.StringFlag{Name: "ports", Value: "9009,9010,9011,9012,9013", Usage: "ports of the relay"}, &cli.IntFlag{Name: "port", Value: 9009, Usage: "base port for the relay"}, &cli.IntFlag{Name: "transfers", Value: 5, Usage: "number of ports to use for relay"}, }, }, { Name: "generate-fish-completion", Usage: "generate fish completion and output to stdout", Hidden: true, Action: func(ctx *cli.Context) error { completion, err := ctx.App.ToFishCompletion() if err != nil { return err } fmt.Print(completion) return nil }, }, } app.Flags = []cli.Flag{ &cli.BoolFlag{Name: "internal-dns", Usage: "use a built-in DNS stub resolver rather than the host operating system"}, &cli.BoolFlag{Name: "classic", Usage: "toggle between the classic mode (insecure due to local attack vector) and new mode (secure)"}, &cli.BoolFlag{Name: "remember", Usage: "save these settings to reuse next time"}, &cli.BoolFlag{Name: "debug", Usage: "toggle debug mode"}, &cli.BoolFlag{Name: "yes", Usage: "automatically agree to all prompts"}, &cli.BoolFlag{Name: "stdout", Usage: "redirect file to stdout"}, &cli.BoolFlag{Name: "no-compress", Usage: "disable compression"}, &cli.BoolFlag{Name: "ask", Usage: "make sure sender and recipient are prompted"}, &cli.BoolFlag{Name: "local", Usage: "force to use only local connections"}, &cli.BoolFlag{Name: "ignore-stdin", Usage: "ignore piped stdin"}, &cli.BoolFlag{Name: "overwrite", Usage: "do not prompt to overwrite or resume"}, &cli.BoolFlag{Name: "testing", Usage: "flag for testing purposes"}, &cli.BoolFlag{Name: "quiet", Usage: "disable all output"}, &cli.BoolFlag{Name: "disable-clipboard", Usage: "disable copy to clipboard"}, &cli.BoolFlag{Name: "extended-clipboard", Usage: "copy full command with secret as env variable to clipboard"}, &cli.StringFlag{Name: "multicast", Value: "239.255.255.250", Usage: "multicast address to use for local discovery"}, &cli.StringFlag{Name: "curve", Value: "p256", Usage: "choose an encryption curve (" + strings.Join(pake.AvailableCurves(), ", ") + ")"}, &cli.StringFlag{Name: "ip", Value: "", Usage: "set sender ip if known e.g. 10.0.0.1:9009, [::1]:9009"}, &cli.StringFlag{Name: "relay", Value: models.DEFAULT_RELAY, Usage: "address of the relay", EnvVars: []string{"CROC_RELAY"}}, &cli.StringFlag{Name: "relay6", Value: models.DEFAULT_RELAY6, Usage: "ipv6 address of the relay", EnvVars: []string{"CROC_RELAY6"}}, &cli.StringFlag{Name: "out", Value: ".", Usage: "specify an output folder to receive the file"}, &cli.StringFlag{Name: "pass", Value: models.DEFAULT_PASSPHRASE, Usage: "password for the relay", EnvVars: []string{"CROC_PASS"}}, &cli.StringFlag{Name: "socks5", Value: "", Usage: "add a socks5 proxy", EnvVars: []string{"SOCKS5_PROXY"}}, &cli.StringFlag{Name: "connect", Value: "", Usage: "add a http proxy", EnvVars: []string{"HTTP_PROXY"}}, &cli.StringFlag{Name: "throttleUpload", Value: "", Usage: "throttle the upload speed e.g. 500k"}, } app.EnableBashCompletion = true app.HideHelp = false app.HideVersion = false app.Action = func(c *cli.Context) error { allStringsAreFiles := func(strs []string) bool { for _, str := range strs { if !utils.Exists(str) { return false } } return true } // check if "classic" is set classicFile := getClassicConfigFile(true) classicInsecureMode := utils.Exists(classicFile) if c.Bool("classic") { if classicInsecureMode { // classic mode not enabled fmt.Print(`Classic mode is currently ENABLED. Disabling this mode will prevent the shared secret from being visible on the host's process list when passed via the command line. On a multi-user system, this will help ensure that other local users cannot access the shared secret and receive the files instead of the intended recipient. Do you wish to continue to DISABLE the classic mode? (y/N) `) choice := strings.ToLower(utils.GetInput("")) if choice == "y" || choice == "yes" { os.Remove(classicFile) fmt.Print("\nClassic mode DISABLED.\n\n") fmt.Print(`To send and receive, export the CROC_SECRET variable with the code phrase: Send: CROC_SECRET=*** croc send file.txt Receive: CROC_SECRET=*** croc` + "\n\n") } else { fmt.Print("\nClassic mode ENABLED.\n") } } else { // enable classic mode // touch the file fmt.Print(`Classic mode is currently DISABLED. Please note that enabling this mode will make the shared secret visible on the host's process list when passed via the command line. On a multi-user system, this could allow other local users to access the shared secret and receive the files instead of the intended recipient. Do you wish to continue to enable the classic mode? (y/N) `) choice := strings.ToLower(utils.GetInput("")) if choice == "y" || choice == "yes" { fmt.Print("\nClassic mode ENABLED.\n\n") os.WriteFile(classicFile, []byte("enabled"), 0o644) fmt.Print(`To send and receive, use the code phrase: Send: croc send --code *** file.txt Receive: croc ***` + "\n\n") } else { fmt.Print("\nClassic mode DISABLED.\n") } } os.Exit(0) } // if trying to send but forgot send, let the user know if c.Args().Present() && allStringsAreFiles(c.Args().Slice()) { fnames := []string{} for _, fpath := range c.Args().Slice() { _, basename := filepath.Split(fpath) fnames = append(fnames, "'"+basename+"'") } promptMessage := fmt.Sprintf("Did you mean to send %s? (Y/n) ", strings.Join(fnames, ", ")) choice := strings.ToLower(utils.GetInput(promptMessage)) if choice == "" || choice == "y" || choice == "yes" { return send(c) } } return receive(c) } return app.Run(os.Args) } func setDebugLevel(c *cli.Context) { if c.Bool("quiet") { log.SetLevel("error") } else if c.Bool("debug") { log.SetLevel("debug") log.Debug("debug mode on") // print the public IP address ip, err := utils.PublicIP() if err == nil { log.Debugf("public IP address: %s", ip) } else { log.Debug(err) } } else { log.SetLevel("info") } } func getSendConfigFile(requireValidPath bool) string { configFile, err := utils.GetConfigDir(requireValidPath) if err != nil { log.Error(err) return "" } return path.Join(configFile, "send.json") } func getClassicConfigFile(requireValidPath bool) string { configFile, err := utils.GetConfigDir(requireValidPath) if err != nil { log.Error(err) return "" } return path.Join(configFile, "classic_enabled") } func getReceiveConfigFile(requireValidPath bool) (string, error) { configFile, err := utils.GetConfigDir(requireValidPath) if err != nil { log.Error(err) return "", err } return path.Join(configFile, "receive.json"), nil } func determinePass(c *cli.Context) (pass string) { pass = c.String("pass") b, err := os.ReadFile(pass) if err == nil { pass = strings.TrimSpace(string(b)) } return } func send(c *cli.Context) (err error) { setDebugLevel(c) comm.Socks5Proxy = c.String("socks5") comm.HttpProxy = c.String("connect") portParam := c.Int("port") if portParam == 0 { portParam = 9009 } transfersParam := c.Int("transfers") if transfersParam == 0 { transfersParam = 4 } excludeStrings := []string{} for _, v := range strings.Split(c.String("exclude"), ",") { v = strings.ToLower(strings.TrimSpace(v)) if v != "" { excludeStrings = append(excludeStrings, v) } } ports := make([]string, transfersParam+1) for i := 0; i <= transfersParam; i++ { ports[i] = strconv.Itoa(portParam + i) } crocOptions := croc.Options{ SharedSecret: c.String("code"), IsSender: true, Debug: c.Bool("debug"), NoPrompt: c.Bool("yes"), RelayAddress: c.String("relay"), RelayAddress6: c.String("relay6"), Stdout: c.Bool("stdout"), DisableLocal: c.Bool("no-local"), OnlyLocal: c.Bool("local"), IgnoreStdin: c.Bool("ignore-stdin"), RelayPorts: ports, Ask: c.Bool("ask"), NoMultiplexing: c.Bool("no-multi"), RelayPassword: determinePass(c), SendingText: c.String("text") != "", NoCompress: c.Bool("no-compress"), Overwrite: c.Bool("overwrite"), Curve: c.String("curve"), HashAlgorithm: c.String("hash"), ThrottleUpload: c.String("throttleUpload"), ZipFolder: c.Bool("zip"), GitIgnore: c.Bool("git"), ShowQrCode: c.Bool("qrcode"), MulticastAddress: c.String("multicast"), Exclude: excludeStrings, Quiet: c.Bool("quiet"), DisableClipboard: c.Bool("disable-clipboard"), ExtendedClipboard: c.Bool("extended-clipboard"), } if crocOptions.RelayAddress != models.DEFAULT_RELAY { crocOptions.RelayAddress6 = "" } else if crocOptions.RelayAddress6 != models.DEFAULT_RELAY6 { crocOptions.RelayAddress = "" } b, errOpen := os.ReadFile(getSendConfigFile(false)) if errOpen == nil && !c.Bool("remember") { var rememberedOptions croc.Options err = json.Unmarshal(b, &rememberedOptions) if err != nil { log.Error(err) return } // update anything that isn't explicitly set if !c.IsSet("no-local") { crocOptions.DisableLocal = rememberedOptions.DisableLocal } if !c.IsSet("ports") && len(rememberedOptions.RelayPorts) > 0 { crocOptions.RelayPorts = rememberedOptions.RelayPorts } if !c.IsSet("code") { crocOptions.SharedSecret = rememberedOptions.SharedSecret } if !c.IsSet("pass") && rememberedOptions.RelayPassword != "" { crocOptions.RelayPassword = rememberedOptions.RelayPassword } if !c.IsSet("overwrite") { crocOptions.Overwrite = rememberedOptions.Overwrite } if !c.IsSet("curve") && rememberedOptions.Curve != "" { crocOptions.Curve = rememberedOptions.Curve } if !c.IsSet("local") { crocOptions.OnlyLocal = rememberedOptions.OnlyLocal } if !c.IsSet("hash") { crocOptions.HashAlgorithm = rememberedOptions.HashAlgorithm } if !c.IsSet("git") { crocOptions.GitIgnore = rememberedOptions.GitIgnore } if !c.IsSet("relay") && strings.HasPrefix(rememberedOptions.RelayAddress, "non-default:") { var rememberedAddr = strings.TrimPrefix(rememberedOptions.RelayAddress, "non-default:") rememberedAddr = strings.TrimSpace(rememberedAddr) crocOptions.RelayAddress = rememberedAddr } if !c.IsSet("relay6") && strings.HasPrefix(rememberedOptions.RelayAddress6, "non-default:") { var rememberedAddr = strings.TrimPrefix(rememberedOptions.RelayAddress6, "non-default:") rememberedAddr = strings.TrimSpace(rememberedAddr) crocOptions.RelayAddress6 = rememberedAddr } } var fnames []string stat, _ := os.Stdin.Stat() if ((stat.Mode() & os.ModeCharDevice) == 0) && !c.Bool("ignore-stdin") { fnames, err = getStdin() if err != nil { return } utils.MarkFileForRemoval(fnames[0]) defer func() { e := os.Remove(fnames[0]) if e != nil { log.Error(e) } }() } else if c.String("text") != "" { fnames, err = makeTempFileWithString(c.String("text")) if err != nil { return } utils.MarkFileForRemoval(fnames[0]) defer func() { e := os.Remove(fnames[0]) if e != nil { log.Error(e) } }() } else { fnames = c.Args().Slice() } if len(fnames) == 0 { return errors.New("must specify file: croc send [filename(s) or folder]") } classicInsecureMode := utils.Exists(getClassicConfigFile(true)) if !classicInsecureMode { // if operating system is UNIX, then use environmental variable to set the code if (!(runtime.GOOS == "windows") && c.IsSet("code")) || os.Getenv("CROC_SECRET") != "" { crocOptions.SharedSecret = os.Getenv("CROC_SECRET") if crocOptions.SharedSecret == "" { fmt.Printf(`On UNIX systems, to send with a custom code phrase, you need to set the environmental variable CROC_SECRET: CROC_SECRET=**** croc send file.txt Or you can have the code phrase automatically generated: croc send file.txt Or you can go back to the classic croc behavior by enabling classic mode: croc --classic `) os.Exit(0) } } } if len(crocOptions.SharedSecret) == 0 { // generate code phrase crocOptions.SharedSecret = utils.GetRandomName() } minimalFileInfos, emptyFoldersToTransfer, totalNumberFolders, err := croc.GetFilesInfo(fnames, crocOptions.ZipFolder, crocOptions.GitIgnore, crocOptions.Exclude) if err != nil { return } if len(crocOptions.Exclude) > 0 { minimalFileInfosInclude := []croc.FileInfo{} emptyFoldersToTransferInclude := []croc.FileInfo{} for _, f := range minimalFileInfos { exclude := false for _, exclusion := range crocOptions.Exclude { if strings.Contains(path.Join(strings.ToLower(f.FolderRemote), strings.ToLower(f.Name)), exclusion) { exclude = true break } } if !exclude { minimalFileInfosInclude = append(minimalFileInfosInclude, f) } } for _, f := range emptyFoldersToTransfer { exclude := false for _, exclusion := range crocOptions.Exclude { if strings.Contains(path.Join(strings.ToLower(f.FolderRemote), strings.ToLower(f.Name)), exclusion) { exclude = true break } } if !exclude { emptyFoldersToTransferInclude = append(emptyFoldersToTransferInclude, f) } } totalNumberFolders = 0 folderMap := make(map[string]bool) for _, f := range minimalFileInfosInclude { folderMap[f.FolderRemote] = true } for _, f := range emptyFoldersToTransferInclude { folderMap[f.FolderRemote] = true } totalNumberFolders = len(folderMap) minimalFileInfos = minimalFileInfosInclude emptyFoldersToTransfer = emptyFoldersToTransferInclude } cr, err := croc.New(crocOptions) if err != nil { return } // save the config saveConfig(c, crocOptions) err = cr.Send(minimalFileInfos, emptyFoldersToTransfer, totalNumberFolders) return } func getStdin() (fnames []string, err error) { f, err := os.CreateTemp(".", "croc-stdin-") if err != nil { return } _, err = io.Copy(f, os.Stdin) if err != nil { return } err = f.Close() if err != nil { return } fnames = []string{f.Name()} return } func makeTempFileWithString(s string) (fnames []string, err error) { f, err := os.CreateTemp(".", "croc-stdin-") if err != nil { return } _, err = f.WriteString(s) if err != nil { return } err = f.Close() if err != nil { return } fnames = []string{f.Name()} return } func saveConfig(c *cli.Context, crocOptions croc.Options) { if c.Bool("remember") { configFile := getSendConfigFile(true) log.Debug("saving config file") var bConfig []byte // if the code wasn't set, don't save it if c.String("code") == "" { crocOptions.SharedSecret = "" } if c.String("relay") != models.DEFAULT_RELAY { crocOptions.RelayAddress = "non-default: " + c.String("relay") } else { crocOptions.RelayAddress = "default" } if c.String("relay6") != models.DEFAULT_RELAY6 { crocOptions.RelayAddress6 = "non-default: " + c.String("relay6") } else { crocOptions.RelayAddress6 = "default" } bConfig, err := json.MarshalIndent(crocOptions, "", " ") if err != nil { log.Error(err) return } err = os.WriteFile(configFile, bConfig, 0o644) if err != nil { log.Error(err) return } log.Debugf("wrote %s", configFile) } } type TabComplete struct{} func (t TabComplete) Do(line []rune, pos int) ([][]rune, int) { var words = strings.SplitAfter(string(line), "-") var lastPartialWord = words[len(words)-1] var nbCharacter = len(lastPartialWord) if nbCharacter == 0 { // No completion return [][]rune{[]rune("")}, 0 } if len(words) == 1 && nbCharacter == utils.NbPinNumbers { // Check if word is indeed a number _, err := strconv.Atoi(lastPartialWord) if err == nil { return [][]rune{[]rune("-")}, nbCharacter } } var strArray [][]rune for _, s := range mnemonicode.WordList { if strings.HasPrefix(s, lastPartialWord) { var completionCandidate = s[nbCharacter:] if len(words) <= mnemonicode.WordsRequired(utils.NbBytesWords) { completionCandidate += "-" } strArray = append(strArray, []rune(completionCandidate)) } } return strArray, nbCharacter } func receive(c *cli.Context) (err error) { comm.Socks5Proxy = c.String("socks5") comm.HttpProxy = c.String("connect") crocOptions := croc.Options{ SharedSecret: c.String("code"), IsSender: false, Debug: c.Bool("debug"), NoPrompt: c.Bool("yes"), RelayAddress: c.String("relay"), RelayAddress6: c.String("relay6"), Stdout: c.Bool("stdout"), Ask: c.Bool("ask"), RelayPassword: determinePass(c), OnlyLocal: c.Bool("local"), IP: c.String("ip"), Overwrite: c.Bool("overwrite"), Curve: c.String("curve"), TestFlag: c.Bool("testing"), MulticastAddress: c.String("multicast"), Quiet: c.Bool("quiet"), DisableClipboard: c.Bool("disable-clipboard"), ExtendedClipboard: c.Bool("extended-clipboard"), } if crocOptions.RelayAddress != models.DEFAULT_RELAY { crocOptions.RelayAddress6 = "" } else if crocOptions.RelayAddress6 != models.DEFAULT_RELAY6 { crocOptions.RelayAddress = "" } switch c.Args().Len() { case 1: crocOptions.SharedSecret = c.Args().First() case 3: fallthrough case 4: var phrase []string phrase = append(phrase, c.Args().First()) phrase = append(phrase, c.Args().Tail()...) crocOptions.SharedSecret = strings.Join(phrase, "-") } // load options here setDebugLevel(c) doRemember := c.Bool("remember") configFile, err := getReceiveConfigFile(doRemember) if err != nil && doRemember { return } b, errOpen := os.ReadFile(configFile) if errOpen == nil && !doRemember { var rememberedOptions croc.Options err = json.Unmarshal(b, &rememberedOptions) if err != nil { log.Error(err) return } // update anything that isn't explicitly Globally set if !c.IsSet("yes") { crocOptions.NoPrompt = rememberedOptions.NoPrompt } if crocOptions.SharedSecret == "" { crocOptions.SharedSecret = rememberedOptions.SharedSecret } if !c.IsSet("pass") && rememberedOptions.RelayPassword != "" { crocOptions.RelayPassword = rememberedOptions.RelayPassword } if !c.IsSet("overwrite") { crocOptions.Overwrite = rememberedOptions.Overwrite } if !c.IsSet("curve") && rememberedOptions.Curve != "" { crocOptions.Curve = rememberedOptions.Curve } if !c.IsSet("local") { crocOptions.OnlyLocal = rememberedOptions.OnlyLocal } if !c.IsSet("relay") && strings.HasPrefix(rememberedOptions.RelayAddress, "non-default:") { var rememberedAddr = strings.TrimPrefix(rememberedOptions.RelayAddress, "non-default:") rememberedAddr = strings.TrimSpace(rememberedAddr) crocOptions.RelayAddress = rememberedAddr } if !c.IsSet("relay6") && strings.HasPrefix(rememberedOptions.RelayAddress6, "non-default:") { var rememberedAddr = strings.TrimPrefix(rememberedOptions.RelayAddress6, "non-default:") rememberedAddr = strings.TrimSpace(rememberedAddr) crocOptions.RelayAddress6 = rememberedAddr } } classicInsecureMode := utils.Exists(getClassicConfigFile(true)) if crocOptions.SharedSecret == "" && os.Getenv("CROC_SECRET") != "" { crocOptions.SharedSecret = os.Getenv("CROC_SECRET") } else if !(runtime.GOOS == "windows") && crocOptions.SharedSecret != "" && !classicInsecureMode { crocOptions.SharedSecret = os.Getenv("CROC_SECRET") if crocOptions.SharedSecret == "" { fmt.Printf(`On UNIX systems, to receive with croc you either need to set a code phrase using your environmental variables: CROC_SECRET=**** croc Or you can specify the code phrase when you run croc without declaring the secret on the command line: croc Enter receive code: **** Or you can go back to the classic croc behavior by enabling classic mode: croc --classic `) os.Exit(0) } } if crocOptions.SharedSecret == "" { l, err := readline.NewEx(&readline.Config{ Prompt: "Enter receive code: ", AutoComplete: TabComplete{}, }) if err != nil { return err } crocOptions.SharedSecret, err = l.Readline() if err != nil { return err } } if c.String("out") != "" { if err = os.Chdir(c.String("out")); err != nil { return err } } cr, err := croc.New(crocOptions) if err != nil { return } // save the config if doRemember { log.Debug("saving config file") var bConfig []byte if c.String("relay") != models.DEFAULT_RELAY { crocOptions.RelayAddress = "non-default: " + c.String("relay") } else { crocOptions.RelayAddress = "default" } if c.String("relay6") != models.DEFAULT_RELAY6 { crocOptions.RelayAddress6 = "non-default: " + c.String("relay6") } else { crocOptions.RelayAddress6 = "default" } bConfig, err = json.MarshalIndent(crocOptions, "", " ") if err != nil { log.Error(err) return } err = os.WriteFile(configFile, bConfig, 0o644) if err != nil { log.Error(err) return } log.Debugf("wrote %s", configFile) } err = cr.Receive() return } func relay(c *cli.Context) (err error) { log.Infof("starting croc relay version %v", Version) debugString := "info" if c.Bool("debug") { debugString = "debug" } host := c.String("host") var ports []string if c.IsSet("ports") { ports = strings.Split(c.String("ports"), ",") } else { portString := c.Int("port") if portString == 0 { portString = 9009 } transfersString := c.Int("transfers") if transfersString == 0 { transfersString = 4 } ports = make([]string, transfersString) for i := range ports { ports[i] = strconv.Itoa(portString + i) } } tcpPorts := strings.Join(ports[1:], ",") for i, port := range ports { if i == 0 { continue } go func(portStr string) { err := tcp.Run(debugString, host, portStr, determinePass(c)) if err != nil { panic(err) } }(port) } return tcp.Run(debugString, host, ports[0], determinePass(c), tcpPorts) }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
schollz/croc
https://github.com/schollz/croc/blob/913c22f8ab0b399f87ac3a681091771b39dc763b/src/install/updateversion.go
src/install/updateversion.go
package main import ( "fmt" "os" "os/exec" "strings" ) func main() { err := run() if err != nil { fmt.Println(err) } } func run() (err error) { versionNew := "v" + os.Getenv("VERSION") versionHash, err := exec.Command("git", "rev-parse", "--short", "HEAD").Output() if err != nil { return } versionHashNew := strings.TrimSpace(string(versionHash)) fmt.Println(versionNew) fmt.Println(versionHashNew) err = replaceInFile("src/cli/cli.go", `Version = "`, `"`, versionNew+"-"+versionHashNew) if err == nil { fmt.Printf("updated cli.go to version %s\n", versionNew) } err = replaceInFile("README.md", `version-`, `-b`, strings.Split(versionNew, "-")[0]) if err == nil { fmt.Printf("updated README to version %s\n", strings.Split(versionNew, "-")[0]) } err = replaceInFile("src/install/default.txt", `croc_version="`, `"`, strings.Split(versionNew, "-")[0][1:]) if err == nil { fmt.Printf("updated default.txt to version %s\n", strings.Split(versionNew, "-")[0][1:]) } return } func replaceInFile(fname, start, end, replacement string) (err error) { b, err := os.ReadFile(fname) if err != nil { return } oldVersion := getStringInBetween(string(b), start, end) if oldVersion == "" { err = fmt.Errorf("nothing") return } newF := strings.Replace( string(b), fmt.Sprintf("%s%s%s", start, oldVersion, end), fmt.Sprintf("%s%s%s", start, replacement, end), 1, ) err = os.WriteFile(fname, []byte(newF), 0o644) return } // getStringInBetween Returns empty string if no start string found func getStringInBetween(str, start, end string) (result string) { s := strings.Index(str, start) if s == -1 { return } s += len(start) e := strings.Index(str[s:], end) if e == -1 { return } e += s return str[s:e] }
go
MIT
913c22f8ab0b399f87ac3a681091771b39dc763b
2026-01-07T08:36:10.668174Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/main.go
main.go
package main import ( "os" "github.com/filebrowser/filebrowser/v2/cmd" ) func main() { if err := cmd.Execute(); err != nil { os.Exit(1) } }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/storage/storage.go
storage/storage.go
package storage import ( "github.com/filebrowser/filebrowser/v2/auth" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/share" "github.com/filebrowser/filebrowser/v2/users" ) // Storage is a storage powered by a Backend which makes the necessary // verifications when fetching and saving data to ensure consistency. type Storage struct { Users users.Store Share *share.Storage Auth *auth.Storage Settings *settings.Storage }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/storage/bolt/share.go
storage/bolt/share.go
package bolt import ( "errors" "github.com/asdine/storm/v3" "github.com/asdine/storm/v3/q" fberrors "github.com/filebrowser/filebrowser/v2/errors" "github.com/filebrowser/filebrowser/v2/share" ) type shareBackend struct { db *storm.DB } func (s shareBackend) All() ([]*share.Link, error) { var v []*share.Link err := s.db.All(&v) if errors.Is(err, storm.ErrNotFound) { return v, fberrors.ErrNotExist } return v, err } func (s shareBackend) FindByUserID(id uint) ([]*share.Link, error) { var v []*share.Link err := s.db.Select(q.Eq("UserID", id)).Find(&v) if errors.Is(err, storm.ErrNotFound) { return v, fberrors.ErrNotExist } return v, err } func (s shareBackend) GetByHash(hash string) (*share.Link, error) { var v share.Link err := s.db.One("Hash", hash, &v) if errors.Is(err, storm.ErrNotFound) { return nil, fberrors.ErrNotExist } return &v, err } func (s shareBackend) GetPermanent(path string, id uint) (*share.Link, error) { var v share.Link err := s.db.Select(q.Eq("Path", path), q.Eq("Expire", 0), q.Eq("UserID", id)).First(&v) if errors.Is(err, storm.ErrNotFound) { return nil, fberrors.ErrNotExist } return &v, err } func (s shareBackend) Gets(path string, id uint) ([]*share.Link, error) { var v []*share.Link err := s.db.Select(q.Eq("Path", path), q.Eq("UserID", id)).Find(&v) if errors.Is(err, storm.ErrNotFound) { return v, fberrors.ErrNotExist } return v, err } func (s shareBackend) Save(l *share.Link) error { return s.db.Save(l) } func (s shareBackend) Delete(hash string) error { err := s.db.DeleteStruct(&share.Link{Hash: hash}) if errors.Is(err, storm.ErrNotFound) { return nil } return err } func (s shareBackend) DeleteWithPathPrefix(pathPrefix string) error { var links []share.Link if err := s.db.Prefix("Path", pathPrefix, &links); err != nil { return err } var err error for _, link := range links { err = errors.Join(err, s.db.DeleteStruct(&share.Link{Hash: link.Hash})) } return err }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/storage/bolt/utils.go
storage/bolt/utils.go
package bolt import ( "errors" "github.com/asdine/storm/v3" fberrors "github.com/filebrowser/filebrowser/v2/errors" ) func get(db *storm.DB, name string, to interface{}) error { err := db.Get("config", name, to) if errors.Is(err, storm.ErrNotFound) { return fberrors.ErrNotExist } return err } func save(db *storm.DB, name string, from interface{}) error { return db.Set("config", name, from) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/storage/bolt/config.go
storage/bolt/config.go
package bolt import ( "github.com/asdine/storm/v3" "github.com/filebrowser/filebrowser/v2/settings" ) type settingsBackend struct { db *storm.DB } func (s settingsBackend) Get() (*settings.Settings, error) { set := &settings.Settings{} return set, get(s.db, "settings", set) } func (s settingsBackend) Save(set *settings.Settings) error { return save(s.db, "settings", set) } func (s settingsBackend) GetServer() (*settings.Server, error) { server := &settings.Server{} return server, get(s.db, "server", server) } func (s settingsBackend) SaveServer(server *settings.Server) error { return save(s.db, "server", server) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/storage/bolt/auth.go
storage/bolt/auth.go
package bolt import ( "github.com/asdine/storm/v3" "github.com/filebrowser/filebrowser/v2/auth" fberrors "github.com/filebrowser/filebrowser/v2/errors" "github.com/filebrowser/filebrowser/v2/settings" ) type authBackend struct { db *storm.DB } func (s authBackend) Get(t settings.AuthMethod) (auth.Auther, error) { var auther auth.Auther switch t { case auth.MethodJSONAuth: auther = &auth.JSONAuth{} case auth.MethodProxyAuth: auther = &auth.ProxyAuth{} case auth.MethodHookAuth: auther = &auth.HookAuth{} case auth.MethodNoAuth: auther = &auth.NoAuth{} default: return nil, fberrors.ErrInvalidAuthMethod } return auther, get(s.db, "auther", auther) } func (s authBackend) Save(a auth.Auther) error { return save(s.db, "auther", a) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/storage/bolt/bolt.go
storage/bolt/bolt.go
package bolt import ( "github.com/asdine/storm/v3" "github.com/filebrowser/filebrowser/v2/auth" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/share" "github.com/filebrowser/filebrowser/v2/storage" "github.com/filebrowser/filebrowser/v2/users" ) // NewStorage creates a storage.Storage based on Bolt DB. func NewStorage(db *storm.DB) (*storage.Storage, error) { userStore := users.NewStorage(usersBackend{db: db}) shareStore := share.NewStorage(shareBackend{db: db}) settingsStore := settings.NewStorage(settingsBackend{db: db}) authStore := auth.NewStorage(authBackend{db: db}, userStore) err := save(db, "version", 2) if err != nil { return nil, err } return &storage.Storage{ Auth: authStore, Users: userStore, Share: shareStore, Settings: settingsStore, }, nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/storage/bolt/users.go
storage/bolt/users.go
package bolt import ( "errors" "fmt" "reflect" "github.com/asdine/storm/v3" fberrors "github.com/filebrowser/filebrowser/v2/errors" "github.com/filebrowser/filebrowser/v2/users" ) type usersBackend struct { db *storm.DB } func (st usersBackend) GetBy(i interface{}) (user *users.User, err error) { user = &users.User{} var arg string switch i.(type) { case uint: arg = "ID" case string: arg = "Username" default: return nil, fberrors.ErrInvalidDataType } err = st.db.One(arg, i, user) if err != nil { if errors.Is(err, storm.ErrNotFound) { return nil, fberrors.ErrNotExist } return nil, err } return } func (st usersBackend) Gets() ([]*users.User, error) { var allUsers []*users.User err := st.db.All(&allUsers) if errors.Is(err, storm.ErrNotFound) { return nil, fberrors.ErrNotExist } if err != nil { return allUsers, err } return allUsers, err } func (st usersBackend) Update(user *users.User, fields ...string) error { if len(fields) == 0 { return st.Save(user) } for _, field := range fields { userField := reflect.ValueOf(user).Elem().FieldByName(field) if !userField.IsValid() { return fmt.Errorf("invalid field: %s", field) } val := userField.Interface() if err := st.db.UpdateField(user, field, val); err != nil { return err } } return nil } func (st usersBackend) Save(user *users.User) error { err := st.db.Save(user) if errors.Is(err, storm.ErrAlreadyExists) { return fberrors.ErrExist } return err } func (st usersBackend) DeleteByID(id uint) error { return st.db.DeleteStruct(&users.User{ID: id}) } func (st usersBackend) DeleteByUsername(username string) error { user, err := st.GetBy(username) if err != nil { return err } return st.db.DeleteStruct(user) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/img/service.go
img/service.go
//go:generate go-enum --sql --marshal --file $GOFILE package img import ( "bytes" "context" "errors" "fmt" "image" "io" "github.com/disintegration/imaging" "github.com/dsoprea/go-exif/v3" "github.com/marusama/semaphore/v2" exifcommon "github.com/dsoprea/go-exif/v3/common" ) // ErrUnsupportedFormat means the given image format is not supported. var ErrUnsupportedFormat = errors.New("unsupported image format") // ErrImageTooLarge means the image is too large to create a thumbnail. var ErrImageTooLarge = errors.New("image too large for thumbnail generation") // Maximum dimensions for thumbnail generation to prevent server crashes const ( MaxImageWidth = 10000 MaxImageHeight = 10000 ) // Service type Service struct { sem semaphore.Semaphore } func New(workers int) *Service { return &Service{ sem: semaphore.New(workers), } } // Format is an image file format. /* ENUM( jpeg png gif tiff bmp ) */ type Format int func (x Format) toImaging() imaging.Format { switch x { case FormatJpeg: return imaging.JPEG case FormatPng: return imaging.PNG case FormatGif: return imaging.GIF case FormatTiff: return imaging.TIFF case FormatBmp: return imaging.BMP default: return imaging.JPEG } } /* ENUM( high medium low ) */ type Quality int func (x Quality) resampleFilter() imaging.ResampleFilter { switch x { case QualityHigh: return imaging.Lanczos case QualityMedium: return imaging.Box case QualityLow: return imaging.NearestNeighbor default: return imaging.Box } } /* ENUM( fit fill ) */ type ResizeMode int func (s *Service) FormatFromExtension(ext string) (Format, error) { format, err := imaging.FormatFromExtension(ext) if err != nil { return -1, ErrUnsupportedFormat } switch format { case imaging.JPEG: return FormatJpeg, nil case imaging.PNG: return FormatPng, nil case imaging.GIF: return FormatGif, nil case imaging.TIFF: return FormatTiff, nil case imaging.BMP: return FormatBmp, nil } return -1, ErrUnsupportedFormat } type resizeConfig struct { format Format resizeMode ResizeMode quality Quality } type Option func(*resizeConfig) func WithFormat(format Format) Option { return func(config *resizeConfig) { config.format = format } } func WithMode(mode ResizeMode) Option { return func(config *resizeConfig) { config.resizeMode = mode } } func WithQuality(quality Quality) Option { return func(config *resizeConfig) { config.quality = quality } } func (s *Service) Resize(ctx context.Context, in io.Reader, width, height int, out io.Writer, options ...Option) error { if err := s.sem.Acquire(ctx, 1); err != nil { return err } defer s.sem.Release(1) format, wrappedReader, err := s.detectFormat(in) if err != nil { return err } config := resizeConfig{ format: format, resizeMode: ResizeModeFit, quality: QualityMedium, } for _, option := range options { option(&config) } if config.quality == QualityLow && format == FormatJpeg { thm, newWrappedReader, errThm := getEmbeddedThumbnail(wrappedReader) wrappedReader = newWrappedReader if errThm == nil { _, err = out.Write(thm) if err == nil { return nil } } } img, err := imaging.Decode(wrappedReader, imaging.AutoOrientation(true)) if err != nil { return err } switch config.resizeMode { case ResizeModeFill: img = imaging.Fill(img, width, height, imaging.Center, config.quality.resampleFilter()) case ResizeModeFit: fallthrough default: img = imaging.Fit(img, width, height, config.quality.resampleFilter()) } return imaging.Encode(out, img, config.format.toImaging()) } func (s *Service) detectFormat(in io.Reader) (Format, io.Reader, error) { buf := &bytes.Buffer{} r := io.TeeReader(in, buf) imgConfig, imgFormat, err := image.DecodeConfig(r) if err != nil { return 0, nil, fmt.Errorf("%s: %w", err.Error(), ErrUnsupportedFormat) } // Check if image dimensions exceed maximum allowed size if imgConfig.Width > MaxImageWidth || imgConfig.Height > MaxImageHeight { return 0, nil, fmt.Errorf("image dimensions %dx%d exceed maximum %dx%d: %w", imgConfig.Width, imgConfig.Height, MaxImageWidth, MaxImageHeight, ErrImageTooLarge) } format, err := ParseFormat(imgFormat) if err != nil { return 0, nil, ErrUnsupportedFormat } return format, io.MultiReader(buf, in), nil } func getEmbeddedThumbnail(in io.Reader) ([]byte, io.Reader, error) { buf := &bytes.Buffer{} r := io.TeeReader(in, buf) wrappedReader := io.MultiReader(buf, in) offset := 0 offsets := []int{12, 30} head := make([]byte, 0xffff) _, err := r.Read(head) if err != nil { return nil, wrappedReader, err } for _, offset = range offsets { if _, err = exif.ParseExifHeader(head[offset:]); err == nil { break } } if err != nil { return nil, wrappedReader, err } im, err := exifcommon.NewIfdMappingWithStandard() if err != nil { return nil, wrappedReader, err } _, index, err := exif.Collect(im, exif.NewTagIndex(), head[offset:]) if err != nil { return nil, wrappedReader, err } ifd := index.RootIfd.NextIfd() if ifd == nil { return nil, wrappedReader, exif.ErrNoThumbnail } thm, err := ifd.Thumbnail() return thm, wrappedReader, err }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/img/service_test.go
img/service_test.go
package img import ( "bytes" "context" "image" "image/gif" "image/jpeg" "image/png" "io" "testing" "github.com/spf13/afero" "github.com/stretchr/testify/require" "golang.org/x/image/bmp" "golang.org/x/image/tiff" ) func TestService_Resize(t *testing.T) { testCases := map[string]struct { options []Option width int height int source func(t *testing.T) afero.File matcher func(t *testing.T, reader io.Reader) wantErr bool }{ "fill upscale": { options: []Option{WithMode(ResizeModeFill)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 50, 20) }, matcher: sizeMatcher(100, 100), }, "fill downscale": { options: []Option{WithMode(ResizeModeFill)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: sizeMatcher(100, 100), }, "fit upscale": { options: []Option{WithMode(ResizeModeFit)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 50, 20) }, matcher: sizeMatcher(50, 20), }, "fit downscale": { options: []Option{WithMode(ResizeModeFit)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: sizeMatcher(100, 75), }, "keep original format": { options: []Option{}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayPng(t, 200, 150) }, matcher: formatMatcher(FormatPng), }, "convert to jpeg": { options: []Option{WithFormat(FormatJpeg)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: formatMatcher(FormatJpeg), }, "convert to png": { options: []Option{WithFormat(FormatPng)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: formatMatcher(FormatPng), }, "convert to gif": { options: []Option{WithFormat(FormatGif)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: formatMatcher(FormatGif), }, "convert to tiff": { options: []Option{WithFormat(FormatTiff)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: formatMatcher(FormatTiff), }, "convert to bmp": { options: []Option{WithFormat(FormatBmp)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: formatMatcher(FormatBmp), }, "convert to unknown": { options: []Option{WithFormat(Format(-1))}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: formatMatcher(FormatJpeg), }, "resize png": { options: []Option{WithMode(ResizeModeFill)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayPng(t, 200, 150) }, matcher: sizeMatcher(100, 100), }, "resize gif": { options: []Option{WithMode(ResizeModeFill)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayGif(t, 200, 150) }, matcher: sizeMatcher(100, 100), }, "resize tiff": { options: []Option{WithMode(ResizeModeFill)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayTiff(t, 200, 150) }, matcher: sizeMatcher(100, 100), }, "resize bmp": { options: []Option{WithMode(ResizeModeFill)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayBmp(t, 200, 150) }, matcher: sizeMatcher(100, 100), }, "resize with high quality": { options: []Option{WithMode(ResizeModeFill), WithQuality(QualityHigh)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: sizeMatcher(100, 100), }, "resize with medium quality": { options: []Option{WithMode(ResizeModeFill), WithQuality(QualityMedium)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: sizeMatcher(100, 100), }, "resize with low quality": { options: []Option{WithMode(ResizeModeFill), WithQuality(QualityLow)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: sizeMatcher(100, 100), }, "resize with unknown quality": { options: []Option{WithMode(ResizeModeFill), WithQuality(Quality(-1))}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return newGrayJpeg(t, 200, 150) }, matcher: sizeMatcher(100, 100), }, "get thumbnail from file with APP0 JFIF": { options: []Option{WithMode(ResizeModeFill), WithQuality(QualityLow)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return openFile(t, "testdata/gray-sample.jpg") }, matcher: sizeMatcher(125, 128), }, "get thumbnail from file without APP0 JFIF": { options: []Option{WithMode(ResizeModeFill), WithQuality(QualityLow)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return openFile(t, "testdata/20130612_142406.jpg") }, matcher: sizeMatcher(320, 240), }, "resize from file without IFD1 thumbnail": { options: []Option{WithMode(ResizeModeFill), WithQuality(QualityLow)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return openFile(t, "testdata/IMG_2578.JPG") }, matcher: sizeMatcher(100, 100), }, "resize for higher quality levels": { options: []Option{WithMode(ResizeModeFill), WithQuality(QualityMedium)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() return openFile(t, "testdata/gray-sample.jpg") }, matcher: sizeMatcher(100, 100), }, "broken file": { options: []Option{WithMode(ResizeModeFit)}, width: 100, height: 100, source: func(t *testing.T) afero.File { t.Helper() fs := afero.NewMemMapFs() file, err := fs.Create("image.jpg") require.NoError(t, err) _, err = file.WriteString("this is not an image") require.NoError(t, err) return file }, wantErr: true, }, } for name, test := range testCases { t.Run(name, func(t *testing.T) { svc := New(1) source := test.source(t) defer source.Close() buf := &bytes.Buffer{} err := svc.Resize(context.Background(), source, test.width, test.height, buf, test.options...) if (err != nil) != test.wantErr { t.Fatalf("GetMarketSpecs() error = %v, wantErr %v", err, test.wantErr) } if err != nil { return } test.matcher(t, buf) }) } } func sizeMatcher(width, height int) func(t *testing.T, reader io.Reader) { return func(t *testing.T, reader io.Reader) { resizedImg, _, err := image.Decode(reader) require.NoError(t, err) require.Equal(t, width, resizedImg.Bounds().Dx()) require.Equal(t, height, resizedImg.Bounds().Dy()) } } func formatMatcher(format Format) func(t *testing.T, reader io.Reader) { return func(t *testing.T, reader io.Reader) { _, decodedFormat, err := image.DecodeConfig(reader) require.NoError(t, err) require.Equal(t, format.String(), decodedFormat) } } func newGrayJpeg(t *testing.T, width, height int) afero.File { fs := afero.NewMemMapFs() file, err := fs.Create("image.jpg") require.NoError(t, err) img := image.NewGray(image.Rect(0, 0, width, height)) err = jpeg.Encode(file, img, &jpeg.Options{Quality: 90}) require.NoError(t, err) _, err = file.Seek(0, io.SeekStart) require.NoError(t, err) return file } func newGrayPng(t *testing.T, width, height int) afero.File { fs := afero.NewMemMapFs() file, err := fs.Create("image.png") require.NoError(t, err) img := image.NewGray(image.Rect(0, 0, width, height)) err = png.Encode(file, img) require.NoError(t, err) _, err = file.Seek(0, io.SeekStart) require.NoError(t, err) return file } func newGrayGif(t *testing.T, width, height int) afero.File { fs := afero.NewMemMapFs() file, err := fs.Create("image.gif") require.NoError(t, err) img := image.NewGray(image.Rect(0, 0, width, height)) err = gif.Encode(file, img, nil) require.NoError(t, err) _, err = file.Seek(0, io.SeekStart) require.NoError(t, err) return file } func newGrayTiff(t *testing.T, width, height int) afero.File { fs := afero.NewMemMapFs() file, err := fs.Create("image.tiff") require.NoError(t, err) img := image.NewGray(image.Rect(0, 0, width, height)) err = tiff.Encode(file, img, nil) require.NoError(t, err) _, err = file.Seek(0, io.SeekStart) require.NoError(t, err) return file } func newGrayBmp(t *testing.T, width, height int) afero.File { fs := afero.NewMemMapFs() file, err := fs.Create("image.bmp") require.NoError(t, err) img := image.NewGray(image.Rect(0, 0, width, height)) err = bmp.Encode(file, img) require.NoError(t, err) _, err = file.Seek(0, io.SeekStart) require.NoError(t, err) return file } func openFile(t *testing.T, name string) afero.File { appfs := afero.NewOsFs() file, err := appfs.Open(name) require.NoError(t, err) return file } func TestService_FormatFromExtension(t *testing.T) { testCases := map[string]struct { ext string want Format wantErr error }{ "jpg": { ext: ".jpg", want: FormatJpeg, }, "jpeg": { ext: ".jpeg", want: FormatJpeg, }, "png": { ext: ".png", want: FormatPng, }, "gif": { ext: ".gif", want: FormatGif, }, "tiff": { ext: ".tiff", want: FormatTiff, }, "bmp": { ext: ".bmp", want: FormatBmp, }, "unknown": { ext: ".mov", wantErr: ErrUnsupportedFormat, }, } for name, test := range testCases { t.Run(name, func(t *testing.T) { svc := New(1) got, err := svc.FormatFromExtension(test.ext) require.ErrorIsf(t, err, test.wantErr, "error = %v, wantErr %v", err, test.wantErr) if err != nil { return } require.Equal(t, test.want, got) }) } }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/img/service_enum.go
img/service_enum.go
// Code generated by go-enum // DO NOT EDIT! package img import ( "database/sql/driver" "fmt" ) const ( // FormatJpeg is a Format of type Jpeg FormatJpeg Format = iota // FormatPng is a Format of type Png FormatPng // FormatGif is a Format of type Gif FormatGif // FormatTiff is a Format of type Tiff FormatTiff // FormatBmp is a Format of type Bmp FormatBmp ) const _FormatName = "jpegpnggiftiffbmp" var _FormatMap = map[Format]string{ 0: _FormatName[0:4], 1: _FormatName[4:7], 2: _FormatName[7:10], 3: _FormatName[10:14], 4: _FormatName[14:17], } // String implements the Stringer interface. func (x Format) String() string { if str, ok := _FormatMap[x]; ok { return str } return fmt.Sprintf("Format(%d)", x) } var _FormatValue = map[string]Format{ _FormatName[0:4]: 0, _FormatName[4:7]: 1, _FormatName[7:10]: 2, _FormatName[10:14]: 3, _FormatName[14:17]: 4, } // ParseFormat attempts to convert a string to a Format func ParseFormat(name string) (Format, error) { if x, ok := _FormatValue[name]; ok { return x, nil } return Format(0), fmt.Errorf("%s is not a valid Format", name) } // MarshalText implements the text marshaller method func (x Format) MarshalText() ([]byte, error) { return []byte(x.String()), nil } // UnmarshalText implements the text unmarshaller method func (x *Format) UnmarshalText(text []byte) error { name := string(text) tmp, err := ParseFormat(name) if err != nil { return err } *x = tmp return nil } // Scan implements the Scanner interface. func (x *Format) Scan(value interface{}) error { var name string switch v := value.(type) { case string: name = v case []byte: name = string(v) case nil: *x = Format(0) return nil } tmp, err := ParseFormat(name) if err != nil { return err } *x = tmp return nil } // Value implements the driver Valuer interface. func (x Format) Value() (driver.Value, error) { return x.String(), nil } const ( // QualityHigh is a Quality of type High QualityHigh Quality = iota // QualityMedium is a Quality of type Medium QualityMedium // QualityLow is a Quality of type Low QualityLow ) const _QualityName = "highmediumlow" var _QualityMap = map[Quality]string{ 0: _QualityName[0:4], 1: _QualityName[4:10], 2: _QualityName[10:13], } // String implements the Stringer interface. func (x Quality) String() string { if str, ok := _QualityMap[x]; ok { return str } return fmt.Sprintf("Quality(%d)", x) } var _QualityValue = map[string]Quality{ _QualityName[0:4]: 0, _QualityName[4:10]: 1, _QualityName[10:13]: 2, } // ParseQuality attempts to convert a string to a Quality func ParseQuality(name string) (Quality, error) { if x, ok := _QualityValue[name]; ok { return x, nil } return Quality(0), fmt.Errorf("%s is not a valid Quality", name) } // MarshalText implements the text marshaller method func (x Quality) MarshalText() ([]byte, error) { return []byte(x.String()), nil } // UnmarshalText implements the text unmarshaller method func (x *Quality) UnmarshalText(text []byte) error { name := string(text) tmp, err := ParseQuality(name) if err != nil { return err } *x = tmp return nil } // Scan implements the Scanner interface. func (x *Quality) Scan(value interface{}) error { var name string switch v := value.(type) { case string: name = v case []byte: name = string(v) case nil: *x = Quality(0) return nil } tmp, err := ParseQuality(name) if err != nil { return err } *x = tmp return nil } // Value implements the driver Valuer interface. func (x Quality) Value() (driver.Value, error) { return x.String(), nil } const ( // ResizeModeFit is a ResizeMode of type Fit ResizeModeFit ResizeMode = iota // ResizeModeFill is a ResizeMode of type Fill ResizeModeFill ) const _ResizeModeName = "fitfill" var _ResizeModeMap = map[ResizeMode]string{ 0: _ResizeModeName[0:3], 1: _ResizeModeName[3:7], } // String implements the Stringer interface. func (x ResizeMode) String() string { if str, ok := _ResizeModeMap[x]; ok { return str } return fmt.Sprintf("ResizeMode(%d)", x) } var _ResizeModeValue = map[string]ResizeMode{ _ResizeModeName[0:3]: 0, _ResizeModeName[3:7]: 1, } // ParseResizeMode attempts to convert a string to a ResizeMode func ParseResizeMode(name string) (ResizeMode, error) { if x, ok := _ResizeModeValue[name]; ok { return x, nil } return ResizeMode(0), fmt.Errorf("%s is not a valid ResizeMode", name) } // MarshalText implements the text marshaller method func (x ResizeMode) MarshalText() ([]byte, error) { return []byte(x.String()), nil } // UnmarshalText implements the text unmarshaller method func (x *ResizeMode) UnmarshalText(text []byte) error { name := string(text) tmp, err := ParseResizeMode(name) if err != nil { return err } *x = tmp return nil } // Scan implements the Scanner interface. func (x *ResizeMode) Scan(value interface{}) error { var name string switch v := value.(type) { case string: name = v case []byte: name = string(v) case nil: *x = ResizeMode(0) return nil } tmp, err := ParseResizeMode(name) if err != nil { return err } *x = tmp return nil } // Value implements the driver Valuer interface. func (x ResizeMode) Value() (driver.Value, error) { return x.String(), nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/auth/hook.go
auth/hook.go
package auth import ( "encoding/json" "errors" "fmt" "log" "net/http" "os" "os/exec" "slices" "strings" fberrors "github.com/filebrowser/filebrowser/v2/errors" "github.com/filebrowser/filebrowser/v2/files" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) // MethodHookAuth is used to identify hook auth. const MethodHookAuth settings.AuthMethod = "hook" type hookCred struct { Password string `json:"password"` Username string `json:"username"` } // HookAuth is a hook implementation of an Auther. type HookAuth struct { Users users.Store `json:"-"` Settings *settings.Settings `json:"-"` Server *settings.Server `json:"-"` Cred hookCred `json:"-"` Fields hookFields `json:"-"` Command string `json:"command"` } // Auth authenticates the user via a json in content body. func (a *HookAuth) Auth(r *http.Request, usr users.Store, stg *settings.Settings, srv *settings.Server) (*users.User, error) { var cred hookCred if r.Body == nil { return nil, os.ErrPermission } err := json.NewDecoder(r.Body).Decode(&cred) if err != nil { return nil, os.ErrPermission } a.Users = usr a.Settings = stg a.Server = srv a.Cred = cred action, err := a.RunCommand() if err != nil { return nil, err } switch action { case "auth": u, err := a.SaveUser() if err != nil { return nil, err } return u, nil case "block": return nil, os.ErrPermission case "pass": u, err := a.Users.Get(a.Server.Root, a.Cred.Username) if err != nil || !users.CheckPwd(a.Cred.Password, u.Password) { return nil, os.ErrPermission } return u, nil default: return nil, fmt.Errorf("invalid hook action: %s", action) } } // LoginPage tells that hook auth requires a login page. func (a *HookAuth) LoginPage() bool { return true } // RunCommand starts the hook command and returns the action func (a *HookAuth) RunCommand() (string, error) { command := strings.Split(a.Command, " ") envMapping := func(key string) string { switch key { case "USERNAME": return a.Cred.Username case "PASSWORD": return a.Cred.Password default: return os.Getenv(key) } } for i, arg := range command { if i == 0 { continue } command[i] = os.Expand(arg, envMapping) } cmd := exec.Command(command[0], command[1:]...) cmd.Env = append(os.Environ(), fmt.Sprintf("USERNAME=%s", a.Cred.Username)) cmd.Env = append(cmd.Env, fmt.Sprintf("PASSWORD=%s", a.Cred.Password)) out, err := cmd.Output() if err != nil { return "", err } a.GetValues(string(out)) return a.Fields.Values["hook.action"], nil } // GetValues creates a map with values from the key-value format string func (a *HookAuth) GetValues(s string) { m := map[string]string{} // make line breaks consistent on Windows platform s = strings.ReplaceAll(s, "\r\n", "\n") // iterate input lines for val := range strings.Lines(s) { v := strings.SplitN(val, "=", 2) // skips non key and value format if len(v) != 2 { continue } fieldKey := strings.TrimSpace(v[0]) fieldValue := strings.TrimSpace(v[1]) if a.Fields.IsValid(fieldKey) { m[fieldKey] = fieldValue } } a.Fields.Values = m } // SaveUser updates the existing user or creates a new one when not found func (a *HookAuth) SaveUser() (*users.User, error) { u, err := a.Users.Get(a.Server.Root, a.Cred.Username) if err != nil && !errors.Is(err, fberrors.ErrNotExist) { return nil, err } if u == nil { pass, err := users.ValidateAndHashPwd(a.Cred.Password, a.Settings.MinimumPasswordLength) if err != nil { return nil, err } // create user with the provided credentials d := &users.User{ Username: a.Cred.Username, Password: pass, Scope: a.Settings.Defaults.Scope, Locale: a.Settings.Defaults.Locale, ViewMode: a.Settings.Defaults.ViewMode, SingleClick: a.Settings.Defaults.SingleClick, Sorting: a.Settings.Defaults.Sorting, Perm: a.Settings.Defaults.Perm, Commands: a.Settings.Defaults.Commands, HideDotfiles: a.Settings.Defaults.HideDotfiles, } u = a.GetUser(d) userHome, err := a.Settings.MakeUserDir(u.Username, u.Scope, a.Server.Root) if err != nil { return nil, fmt.Errorf("user: failed to mkdir user home dir: [%s]", userHome) } u.Scope = userHome log.Printf("user: %s, home dir: [%s].", u.Username, userHome) err = a.Users.Save(u) if err != nil { return nil, err } } else if p := !users.CheckPwd(a.Cred.Password, u.Password); len(a.Fields.Values) > 1 || p { u = a.GetUser(u) // update the password when it doesn't match the current if p { pass, err := users.ValidateAndHashPwd(a.Cred.Password, a.Settings.MinimumPasswordLength) if err != nil { return nil, err } u.Password = pass } // update user with provided fields err := a.Users.Update(u) if err != nil { return nil, err } } return u, nil } // GetUser returns a User filled with hook values or provided defaults func (a *HookAuth) GetUser(d *users.User) *users.User { // adds all permissions when user is admin isAdmin := a.Fields.GetBoolean("user.perm.admin", d.Perm.Admin) perms := users.Permissions{ Admin: isAdmin, Execute: isAdmin || a.Fields.GetBoolean("user.perm.execute", d.Perm.Execute), Create: isAdmin || a.Fields.GetBoolean("user.perm.create", d.Perm.Create), Rename: isAdmin || a.Fields.GetBoolean("user.perm.rename", d.Perm.Rename), Modify: isAdmin || a.Fields.GetBoolean("user.perm.modify", d.Perm.Modify), Delete: isAdmin || a.Fields.GetBoolean("user.perm.delete", d.Perm.Delete), Share: isAdmin || a.Fields.GetBoolean("user.perm.share", d.Perm.Share), Download: isAdmin || a.Fields.GetBoolean("user.perm.download", d.Perm.Download), } user := users.User{ ID: d.ID, Username: d.Username, Password: d.Password, Scope: a.Fields.GetString("user.scope", d.Scope), Locale: a.Fields.GetString("user.locale", d.Locale), ViewMode: users.ViewMode(a.Fields.GetString("user.viewMode", string(d.ViewMode))), SingleClick: a.Fields.GetBoolean("user.singleClick", d.SingleClick), Sorting: files.Sorting{ Asc: a.Fields.GetBoolean("user.sorting.asc", d.Sorting.Asc), By: a.Fields.GetString("user.sorting.by", d.Sorting.By), }, Commands: a.Fields.GetArray("user.commands", d.Commands), HideDotfiles: a.Fields.GetBoolean("user.hideDotfiles", d.HideDotfiles), Perm: perms, LockPassword: true, } return &user } // hookFields is used to access fields from the hook type hookFields struct { Values map[string]string } // validHookFields contains names of the fields that can be used var validHookFields = []string{ "hook.action", "user.scope", "user.locale", "user.viewMode", "user.singleClick", "user.sorting.by", "user.sorting.asc", "user.commands", "user.hideDotfiles", "user.perm.admin", "user.perm.execute", "user.perm.create", "user.perm.rename", "user.perm.modify", "user.perm.delete", "user.perm.share", "user.perm.download", } // IsValid checks if the provided field is on the valid fields list func (hf *hookFields) IsValid(field string) bool { return slices.Contains(validHookFields, field) } // GetString returns the string value or provided default func (hf *hookFields) GetString(k, dv string) string { val, ok := hf.Values[k] if ok { return val } return dv } // GetBoolean returns the bool value or provided default func (hf *hookFields) GetBoolean(k string, dv bool) bool { val, ok := hf.Values[k] if ok { return val == "true" } return dv } // GetArray returns the array value or provided default func (hf *hookFields) GetArray(k string, dv []string) []string { val, ok := hf.Values[k] if ok && strings.TrimSpace(val) != "" { return strings.Split(val, " ") } return dv }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/auth/json.go
auth/json.go
package auth import ( "encoding/json" "net/http" "net/url" "os" "strings" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) // MethodJSONAuth is used to identify json auth. const MethodJSONAuth settings.AuthMethod = "json" type jsonCred struct { Password string `json:"password"` Username string `json:"username"` ReCaptcha string `json:"recaptcha"` } // JSONAuth is a json implementation of an Auther. type JSONAuth struct { ReCaptcha *ReCaptcha `json:"recaptcha" yaml:"recaptcha"` } // Auth authenticates the user via a json in content body. func (a JSONAuth) Auth(r *http.Request, usr users.Store, _ *settings.Settings, srv *settings.Server) (*users.User, error) { var cred jsonCred if r.Body == nil { return nil, os.ErrPermission } err := json.NewDecoder(r.Body).Decode(&cred) if err != nil { return nil, os.ErrPermission } // If ReCaptcha is enabled, check the code. if a.ReCaptcha != nil && a.ReCaptcha.Secret != "" { ok, err := a.ReCaptcha.Ok(cred.ReCaptcha) if err != nil { return nil, err } if !ok { return nil, os.ErrPermission } } u, err := usr.Get(srv.Root, cred.Username) if err != nil || !users.CheckPwd(cred.Password, u.Password) { return nil, os.ErrPermission } return u, nil } // LoginPage tells that json auth doesn't require a login page. func (a JSONAuth) LoginPage() bool { return true } const reCaptchaAPI = "/recaptcha/api/siteverify" // ReCaptcha identifies a recaptcha connection. type ReCaptcha struct { Host string `json:"host"` Key string `json:"key"` Secret string `json:"secret"` } // Ok checks if a reCaptcha responde is correct. func (r *ReCaptcha) Ok(response string) (bool, error) { body := url.Values{} body.Set("secret", r.Secret) body.Add("response", response) client := &http.Client{} resp, err := client.Post( r.Host+reCaptchaAPI, "application/x-www-form-urlencoded", strings.NewReader(body.Encode()), ) if err != nil { return false, err } defer resp.Body.Close() if resp.StatusCode != http.StatusOK { return false, nil } var data struct { Success bool `json:"success"` } err = json.NewDecoder(resp.Body).Decode(&data) if err != nil { return false, err } return data.Success, nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/auth/storage.go
auth/storage.go
package auth import ( "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) // StorageBackend is a storage backend for auth storage. type StorageBackend interface { Get(settings.AuthMethod) (Auther, error) Save(Auther) error } // Storage is a auth storage. type Storage struct { back StorageBackend users *users.Storage } // NewStorage creates a auth storage from a backend. func NewStorage(back StorageBackend, userStore *users.Storage) *Storage { return &Storage{back: back, users: userStore} } // Get wraps a StorageBackend.Get. func (s *Storage) Get(t settings.AuthMethod) (Auther, error) { return s.back.Get(t) } // Save wraps a StorageBackend.Save. func (s *Storage) Save(a Auther) error { return s.back.Save(a) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/auth/proxy.go
auth/proxy.go
package auth import ( "errors" "net/http" fberrors "github.com/filebrowser/filebrowser/v2/errors" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) // MethodProxyAuth is used to identify no auth. const MethodProxyAuth settings.AuthMethod = "proxy" // ProxyAuth is a proxy implementation of an auther. type ProxyAuth struct { Header string `json:"header"` } // Auth authenticates the user via an HTTP header. func (a ProxyAuth) Auth(r *http.Request, usr users.Store, setting *settings.Settings, srv *settings.Server) (*users.User, error) { username := r.Header.Get(a.Header) user, err := usr.Get(srv.Root, username) if errors.Is(err, fberrors.ErrNotExist) { return a.createUser(usr, setting, srv, username) } return user, err } func (a ProxyAuth) createUser(usr users.Store, setting *settings.Settings, srv *settings.Server, username string) (*users.User, error) { const randomPasswordLength = settings.DefaultMinimumPasswordLength + 10 pwd, err := users.RandomPwd(randomPasswordLength) if err != nil { return nil, err } var hashedRandomPassword string hashedRandomPassword, err = users.ValidateAndHashPwd(pwd, setting.MinimumPasswordLength) if err != nil { return nil, err } user := &users.User{ Username: username, Password: hashedRandomPassword, LockPassword: true, } setting.Defaults.Apply(user) var userHome string userHome, err = setting.MakeUserDir(user.Username, user.Scope, srv.Root) if err != nil { return nil, err } user.Scope = userHome err = usr.Save(user) if err != nil { return nil, err } return user, nil } // LoginPage tells that proxy auth doesn't require a login page. func (a ProxyAuth) LoginPage() bool { return false }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/auth/none.go
auth/none.go
package auth import ( "net/http" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) // MethodNoAuth is used to identify no auth. const MethodNoAuth settings.AuthMethod = "noauth" // NoAuth is no auth implementation of auther. type NoAuth struct{} // Auth uses authenticates user 1. func (a NoAuth) Auth(_ *http.Request, usr users.Store, _ *settings.Settings, srv *settings.Server) (*users.User, error) { return usr.Get(srv.Root, uint(1)) } // LoginPage tells that no auth doesn't require a login page. func (a NoAuth) LoginPage() bool { return false }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/auth/auth.go
auth/auth.go
package auth import ( "net/http" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) // Auther is the authentication interface. type Auther interface { // Auth is called to authenticate a request. Auth(r *http.Request, usr users.Store, stg *settings.Settings, srv *settings.Server) (*users.User, error) // LoginPage indicates if this auther needs a login page. LoginPage() bool }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/cmds_add.go
cmd/cmds_add.go
package cmd import ( "strings" "github.com/spf13/cobra" ) func init() { cmdsCmd.AddCommand(cmdsAddCmd) } var cmdsAddCmd = &cobra.Command{ Use: "add <event> <command>", Short: "Add a command to run on a specific event", Long: `Add a command to run on a specific event.`, Args: cobra.MinimumNArgs(2), RunE: withStore(func(_ *cobra.Command, args []string, st *store) error { s, err := st.Settings.Get() if err != nil { return err } command := strings.Join(args[1:], " ") s.Commands[args[0]] = append(s.Commands[args[0]], command) err = st.Settings.Save(s) if err != nil { return err } printEvents(s.Commands) return nil }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/rule_rm.go
cmd/rule_rm.go
package cmd import ( "strconv" "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) func init() { rulesCmd.AddCommand(rulesRmCommand) rulesRmCommand.Flags().Uint("index", 0, "index of rule to remove") _ = rulesRmCommand.MarkFlagRequired("index") } var rulesRmCommand = &cobra.Command{ Use: "rm <index> [index_end]", Short: "Remove a global rule or user rule", Long: `Remove a global rule or user rule. The provided index is the same that's printed when you run 'rules ls'. Note that after each removal/addition, the index of the commands change. So be careful when removing them after each other. You can also specify an optional parameter (index_end) so you can remove all commands from 'index' to 'index_end', including 'index_end'.`, Args: func(cmd *cobra.Command, args []string) error { if err := cobra.RangeArgs(1, 2)(cmd, args); err != nil { return err } for _, arg := range args { if _, err := strconv.Atoi(arg); err != nil { return err } } return nil }, RunE: withStore(func(cmd *cobra.Command, args []string, st *store) error { i, err := strconv.Atoi(args[0]) if err != nil { return err } f := i if len(args) == 2 { f, err = strconv.Atoi(args[1]) if err != nil { return err } } user := func(u *users.User) error { u.Rules = append(u.Rules[:i], u.Rules[f+1:]...) return st.Users.Save(u) } global := func(s *settings.Settings) error { s.Rules = append(s.Rules[:i], s.Rules[f+1:]...) return st.Settings.Save(s) } return runRules(st.Storage, cmd, user, global) }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/root.go
cmd/root.go
package cmd import ( "context" "crypto/tls" "errors" "fmt" "io" "io/fs" "log" "net" "net/http" "os" "os/signal" "path/filepath" "syscall" "time" "github.com/spf13/afero" "github.com/spf13/cobra" "github.com/spf13/pflag" "github.com/spf13/viper" lumberjack "gopkg.in/natefinch/lumberjack.v2" "github.com/filebrowser/filebrowser/v2/auth" "github.com/filebrowser/filebrowser/v2/diskcache" "github.com/filebrowser/filebrowser/v2/frontend" fbhttp "github.com/filebrowser/filebrowser/v2/http" "github.com/filebrowser/filebrowser/v2/img" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/storage" "github.com/filebrowser/filebrowser/v2/users" ) var ( flagNamesMigrations = map[string]string{ "file-mode": "fileMode", "dir-mode": "dirMode", "hide-login-button": "hideLoginButton", "create-user-dir": "createUserDir", "minimum-password-length": "minimumPasswordLength", "socket-perm": "socketPerm", "disable-thumbnails": "disableThumbnails", "disable-preview-resize": "disablePreviewResize", "disable-exec": "disableExec", "disable-type-detection-by-header": "disableTypeDetectionByHeader", "img-processors": "imageProcessors", "cache-dir": "cacheDir", "token-expiration-time": "tokenExpirationTime", "baseurl": "baseURL", } warnedFlags = map[string]bool{} ) // TODO(remove): remove after July 2026. func migrateFlagNames(_ *pflag.FlagSet, name string) pflag.NormalizedName { if newName, ok := flagNamesMigrations[name]; ok { if !warnedFlags[name] { warnedFlags[name] = true log.Printf("DEPRECATION NOTICE: Flag --%s has been deprecated, use --%s instead\n", name, newName) } name = newName } return pflag.NormalizedName(name) } func init() { rootCmd.SilenceUsage = true rootCmd.SetGlobalNormalizationFunc(migrateFlagNames) cobra.MousetrapHelpText = "" rootCmd.SetVersionTemplate("File Browser version {{printf \"%s\" .Version}}\n") // Flags available across the whole program persistent := rootCmd.PersistentFlags() persistent.StringP("config", "c", "", "config file path") persistent.StringP("database", "d", "./filebrowser.db", "database path") // Runtime flags for the root command flags := rootCmd.Flags() flags.Bool("noauth", false, "use the noauth auther when using quick setup") flags.String("username", "admin", "username for the first user when using quick setup") flags.String("password", "", "hashed password for the first user when using quick setup") flags.Uint32("socketPerm", 0666, "unix socket file permissions") flags.String("cacheDir", "", "file cache directory (disabled if empty)") flags.Int("imageProcessors", 4, "image processors count") addServerFlags(flags) } // addServerFlags adds server related flags to the given FlagSet. These flags are available // in both the root command, config set and config init commands. func addServerFlags(flags *pflag.FlagSet) { flags.StringP("address", "a", "127.0.0.1", "address to listen on") flags.StringP("log", "l", "stdout", "log output") flags.StringP("port", "p", "8080", "port to listen on") flags.StringP("cert", "t", "", "tls certificate") flags.StringP("key", "k", "", "tls key") flags.StringP("root", "r", ".", "root to prepend to relative paths") flags.String("socket", "", "socket to listen to (cannot be used with address, port, cert nor key flags)") flags.StringP("baseURL", "b", "", "base url") flags.String("tokenExpirationTime", "2h", "user session timeout") flags.Bool("disableThumbnails", false, "disable image thumbnails") flags.Bool("disablePreviewResize", false, "disable resize of image previews") flags.Bool("disableExec", true, "disables Command Runner feature") flags.Bool("disableTypeDetectionByHeader", false, "disables type detection by reading file headers") flags.Bool("disableImageResolutionCalc", false, "disables image resolution calculation by reading image files") } var rootCmd = &cobra.Command{ Use: "filebrowser", Short: "A stylish web-based file browser", Long: `File Browser CLI lets you create the database to use with File Browser, manage your users and all the configurations without accessing the web interface. If you've never run File Browser, you'll need to have a database for it. Don't worry: you don't need to setup a separate database server. We're using Bolt DB which is a single file database and all managed by ourselves. For this command, all flags are available as environmental variables, except for "--config", which specifies the configuration file to use. The environment variables are prefixed by "FB_" followed by the flag name in UPPER_SNAKE_CASE. For example, the flag "--disablePreviewResize" is available as FB_DISABLE_PREVIEW_RESIZE. If "--config" is not specified, File Browser will look for a configuration file named .filebrowser.{json, toml, yaml, yml} in the following directories: - ./ - $HOME/ - /etc/filebrowser/ **Note:** Only the options listed below can be set via the config file or environment variables. Other configuration options live exclusively in the database and so they must be set by the "config set" or "config import" commands. The precedence of the configuration values are as follows: - Flags - Environment variables - Configuration file - Database values - Defaults Also, if the database path doesn't exist, File Browser will enter into the quick setup mode and a new database will be bootstrapped and a new user created with the credentials from options "username" and "password".`, RunE: withViperAndStore(func(_ *cobra.Command, _ []string, v *viper.Viper, st *store) error { if !st.databaseExisted { err := quickSetup(v, st.Storage) if err != nil { return err } } // build img service imgWorkersCount := v.GetInt("imageProcessors") if imgWorkersCount < 1 { return errors.New("image resize workers count could not be < 1") } imageService := img.New(imgWorkersCount) var fileCache diskcache.Interface = diskcache.NewNoOp() cacheDir := v.GetString("cacheDir") if cacheDir != "" { if err := os.MkdirAll(cacheDir, 0700); err != nil { return fmt.Errorf("can't make directory %s: %w", cacheDir, err) } fileCache = diskcache.New(afero.NewOsFs(), cacheDir) } server, err := getServerSettings(v, st.Storage) if err != nil { return err } setupLog(server.Log) root, err := filepath.Abs(server.Root) if err != nil { return err } server.Root = root adr := server.Address + ":" + server.Port var listener net.Listener switch { case server.Socket != "": listener, err = net.Listen("unix", server.Socket) if err != nil { return err } socketPerm := v.GetUint32("socketPerm") err = os.Chmod(server.Socket, os.FileMode(socketPerm)) if err != nil { return err } case server.TLSKey != "" && server.TLSCert != "": cer, err := tls.LoadX509KeyPair(server.TLSCert, server.TLSKey) if err != nil { return err } listener, err = tls.Listen("tcp", adr, &tls.Config{ MinVersion: tls.VersionTLS12, Certificates: []tls.Certificate{cer}}, ) if err != nil { return err } default: listener, err = net.Listen("tcp", adr) if err != nil { return err } } assetsFs, err := fs.Sub(frontend.Assets(), "dist") if err != nil { panic(err) } handler, err := fbhttp.NewHandler(imageService, fileCache, st.Storage, server, assetsFs) if err != nil { return err } defer listener.Close() log.Println("Listening on", listener.Addr().String()) srv := &http.Server{ Handler: handler, ReadHeaderTimeout: 60 * time.Second, } go func() { if err := srv.Serve(listener); !errors.Is(err, http.ErrServerClosed) { log.Fatalf("HTTP server error: %v", err) } log.Println("Stopped serving new connections.") }() sigc := make(chan os.Signal, 1) signal.Notify(sigc, os.Interrupt, syscall.SIGHUP, syscall.SIGINT, syscall.SIGTERM, syscall.SIGQUIT, ) sig := <-sigc log.Println("Got signal:", sig) shutdownCtx, shutdownRelease := context.WithTimeout(context.Background(), 10*time.Second) defer shutdownRelease() if err := srv.Shutdown(shutdownCtx); err != nil { log.Fatalf("HTTP shutdown error: %v", err) } log.Println("Graceful shutdown complete.") return nil }, storeOptions{allowsNoDatabase: true}), } func getServerSettings(v *viper.Viper, st *storage.Storage) (*settings.Server, error) { server, err := st.Settings.GetServer() if err != nil { return nil, err } isSocketSet := false isAddrSet := false if v.IsSet("address") { server.Address = v.GetString("address") isAddrSet = true } if v.IsSet("log") { server.Log = v.GetString("log") } if v.IsSet("port") { server.Port = v.GetString("port") isAddrSet = true } if v.IsSet("cert") { server.TLSCert = v.GetString("cert") isAddrSet = true } if v.IsSet("key") { server.TLSKey = v.GetString("key") isAddrSet = true } if v.IsSet("root") { server.Root = v.GetString("root") } if v.IsSet("socket") { server.Socket = v.GetString("socket") isSocketSet = true } if v.IsSet("baseURL") { server.BaseURL = v.GetString("baseURL") // TODO(remove): remove after July 2026. } else if v := os.Getenv("FB_BASEURL"); v != "" { log.Println("DEPRECATION NOTICE: Environment variable FB_BASEURL has been deprecated, use FB_BASE_URL instead") server.BaseURL = v } if v.IsSet("tokenExpirationTime") { server.TokenExpirationTime = v.GetString("tokenExpirationTime") } if v.IsSet("disableThumbnails") { server.EnableThumbnails = !v.GetBool("disableThumbnails") } if v.IsSet("disablePreviewResize") { server.ResizePreview = !v.GetBool("disablePreviewResize") } if v.IsSet("disableTypeDetectionByHeader") { server.TypeDetectionByHeader = !v.GetBool("disableTypeDetectionByHeader") } if v.IsSet("disableImageResolutionCalc") { server.ImageResolutionCal = !v.GetBool("disableImageResolutionCalc") } if v.IsSet("disableExec") { server.EnableExec = !v.GetBool("disableExec") } if isAddrSet && isSocketSet { return nil, errors.New("--socket flag cannot be used with --address, --port, --key nor --cert") } // Do not use saved Socket if address was manually set. if isAddrSet && server.Socket != "" { server.Socket = "" } if server.EnableExec { log.Println("WARNING: Command Runner feature enabled!") log.Println("WARNING: This feature has known security vulnerabilities and should not") log.Println("WARNING: you fully understand the risks involved. For more information") log.Println("WARNING: read https://github.com/filebrowser/filebrowser/issues/5199") } return server, nil } func setupLog(logMethod string) { switch logMethod { case "stdout": log.SetOutput(os.Stdout) case "stderr": log.SetOutput(os.Stderr) case "": log.SetOutput(io.Discard) default: log.SetOutput(&lumberjack.Logger{ Filename: logMethod, MaxSize: 100, MaxAge: 14, MaxBackups: 10, }) } } func quickSetup(v *viper.Viper, s *storage.Storage) error { log.Println("Performing quick setup") set := &settings.Settings{ Key: generateKey(), Signup: false, HideLoginButton: true, CreateUserDir: false, MinimumPasswordLength: settings.DefaultMinimumPasswordLength, UserHomeBasePath: settings.DefaultUsersHomeBasePath, Defaults: settings.UserDefaults{ Scope: ".", Locale: "en", SingleClick: false, AceEditorTheme: v.GetString("defaults.aceEditorTheme"), Perm: users.Permissions{ Admin: false, Execute: true, Create: true, Rename: true, Modify: true, Delete: true, Share: true, Download: true, }, }, AuthMethod: "", Branding: settings.Branding{}, Tus: settings.Tus{ ChunkSize: settings.DefaultTusChunkSize, RetryCount: settings.DefaultTusRetryCount, }, Commands: nil, Shell: nil, Rules: nil, } var err error if v.GetBool("noauth") { set.AuthMethod = auth.MethodNoAuth err = s.Auth.Save(&auth.NoAuth{}) } else { set.AuthMethod = auth.MethodJSONAuth err = s.Auth.Save(&auth.JSONAuth{}) } if err != nil { return err } err = s.Settings.Save(set) if err != nil { return err } ser := &settings.Server{ BaseURL: v.GetString("baseURL"), Port: v.GetString("port"), Log: v.GetString("log"), TLSKey: v.GetString("key"), TLSCert: v.GetString("cert"), Address: v.GetString("address"), Root: v.GetString("root"), TokenExpirationTime: v.GetString("tokenExpirationTime"), EnableThumbnails: !v.GetBool("disableThumbnails"), ResizePreview: !v.GetBool("disablePreviewResize"), EnableExec: !v.GetBool("disableExec"), TypeDetectionByHeader: !v.GetBool("disableTypeDetectionByHeader"), ImageResolutionCal: !v.GetBool("disableImageResolutionCalc"), } err = s.Settings.SaveServer(ser) if err != nil { return err } username := v.GetString("username") password := v.GetString("password") if password == "" { var pwd string pwd, err = users.RandomPwd(set.MinimumPasswordLength) if err != nil { return err } log.Printf("User '%s' initialized with randomly generated password: %s\n", username, pwd) password, err = users.ValidateAndHashPwd(pwd, set.MinimumPasswordLength) if err != nil { return err } } else { log.Printf("User '%s' initialize wth user-provided password\n", username) } if username == "" || password == "" { log.Fatal("username and password cannot be empty during quick setup") } user := &users.User{ Username: username, Password: password, LockPassword: false, } set.Defaults.Apply(user) user.Perm.Admin = true return s.Users.Save(user) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/rules.go
cmd/rules.go
package cmd import ( "fmt" "github.com/spf13/cobra" "github.com/spf13/pflag" "github.com/filebrowser/filebrowser/v2/rules" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/storage" "github.com/filebrowser/filebrowser/v2/users" ) func init() { rootCmd.AddCommand(rulesCmd) rulesCmd.PersistentFlags().StringP("username", "u", "", "username of user to which the rules apply") rulesCmd.PersistentFlags().UintP("id", "i", 0, "id of user to which the rules apply") } var rulesCmd = &cobra.Command{ Use: "rules", Short: "Rules management utility", Long: `On each subcommand you'll have available at least two flags: "username" and "id". You must either set only one of them or none. If you set one of them, the command will apply to an user, otherwise it will be applied to the global set or rules.`, Args: cobra.NoArgs, } func runRules(st *storage.Storage, cmd *cobra.Command, usersFn func(*users.User) error, globalFn func(*settings.Settings) error) error { id, err := getUserIdentifier(cmd.Flags()) if err != nil { return err } if id != nil { var user *users.User user, err = st.Users.Get("", id) if err != nil { return err } if usersFn != nil { err = usersFn(user) if err != nil { return err } } printRules(user.Rules, id) return nil } s, err := st.Settings.Get() if err != nil { return err } if globalFn != nil { err = globalFn(s) if err != nil { return err } } printRules(s.Rules, id) return nil } func getUserIdentifier(flags *pflag.FlagSet) (interface{}, error) { id, err := flags.GetUint("id") if err != nil { return nil, err } username, err := flags.GetString("username") if err != nil { return nil, err } if id != 0 { return id, nil } else if username != "" { return username, nil } return nil, nil } func printRules(rulez []rules.Rule, id interface{}) { if id == nil { fmt.Printf("Global Rules:\n\n") } else { fmt.Printf("Rules for user %v:\n\n", id) } for id, rule := range rulez { fmt.Printf("(%d) ", id) if rule.Regex { if rule.Allow { fmt.Printf("Allow Regex: \t%s\n", rule.Regexp.Raw) } else { fmt.Printf("Disallow Regex: \t%s\n", rule.Regexp.Raw) } } else { if rule.Allow { fmt.Printf("Allow Path: \t%s\n", rule.Path) } else { fmt.Printf("Disallow Path: \t%s\n", rule.Path) } } } }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/config_init.go
cmd/config_init.go
package cmd import ( "fmt" "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/settings" ) func init() { configCmd.AddCommand(configInitCmd) addConfigFlags(configInitCmd.Flags()) } var configInitCmd = &cobra.Command{ Use: "init", Short: "Initialize a new database", Long: `Initialize a new database to use with File Browser. All of this options can be changed in the future with the command 'filebrowser config set'. The user related flags apply to the defaults when creating new users and you don't override the options.`, Args: cobra.NoArgs, RunE: withStore(func(cmd *cobra.Command, _ []string, st *store) error { flags := cmd.Flags() // Initialize config s := &settings.Settings{Key: generateKey()} ser := &settings.Server{} // Fill config with options auther, err := getSettings(flags, s, ser, nil, true) if err != nil { return err } // Save updated config err = st.Settings.Save(s) if err != nil { return err } err = st.Settings.SaveServer(ser) if err != nil { return err } err = st.Auth.Save(auther) if err != nil { return err } fmt.Printf(` Congratulations! You've set up your database to use with File Browser. Now add your first user via 'filebrowser users add' and then you just need to call the main command to boot up the server. `) return printSettings(ser, s, auther) }, storeOptions{expectsNoDatabase: true}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/rules_ls.go
cmd/rules_ls.go
package cmd import ( "github.com/spf13/cobra" ) func init() { rulesCmd.AddCommand(rulesLsCommand) } var rulesLsCommand = &cobra.Command{ Use: "ls", Short: "List global rules or user specific rules", Long: `List global rules or user specific rules.`, Args: cobra.NoArgs, RunE: withStore(func(cmd *cobra.Command, _ []string, st *store) error { return runRules(st.Storage, cmd, nil, nil) }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/cmd_test.go
cmd/cmd_test.go
package cmd import ( "testing" "github.com/samber/lo" "github.com/spf13/cobra" ) // TestEnvCollisions ensures that there are no collisions in the produced environment // variable names for all commands and their flags. func TestEnvCollisions(t *testing.T) { testEnvCollisions(t, rootCmd) } func testEnvCollisions(t *testing.T, cmd *cobra.Command) { for _, cmd := range cmd.Commands() { testEnvCollisions(t, cmd) } replacements := generateEnvKeyReplacements(cmd) envVariables := []string{} for i := range replacements { if i%2 != 0 { envVariables = append(envVariables, replacements[i]) } } duplicates := lo.FindDuplicates(envVariables) if len(duplicates) > 0 { t.Errorf("Found duplicate environment variable keys for command %q: %v", cmd.Name(), duplicates) } }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/cmds.go
cmd/cmds.go
package cmd import ( "fmt" "github.com/spf13/cobra" ) func init() { rootCmd.AddCommand(cmdsCmd) } var cmdsCmd = &cobra.Command{ Use: "cmds", Short: "Command runner management utility", Long: `Command runner management utility.`, Args: cobra.NoArgs, } func printEvents(m map[string][]string) { for evt, cmds := range m { for i, cmd := range cmds { fmt.Printf("%s(%d): %s\n", evt, i, cmd) } } }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/hash.go
cmd/hash.go
package cmd import ( "fmt" "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/users" ) func init() { rootCmd.AddCommand(hashCmd) } var hashCmd = &cobra.Command{ Use: "hash <password>", Short: "Hashes a password", Long: `Hashes a password using bcrypt algorithm.`, Args: cobra.ExactArgs(1), RunE: func(_ *cobra.Command, args []string) error { pwd, err := users.HashPwd(args[0]) if err != nil { return err } fmt.Println(pwd) return nil }, }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/cmds_ls.go
cmd/cmds_ls.go
package cmd import ( "github.com/spf13/cobra" ) func init() { cmdsCmd.AddCommand(cmdsLsCmd) cmdsLsCmd.Flags().StringP("event", "e", "", "event name, without 'before' or 'after'") } var cmdsLsCmd = &cobra.Command{ Use: "ls", Short: "List all commands for each event", Long: `List all commands for each event.`, Args: cobra.NoArgs, RunE: withStore(func(cmd *cobra.Command, _ []string, st *store) error { s, err := st.Settings.Get() if err != nil { return err } evt, err := cmd.Flags().GetString("event") if err != nil { return err } if evt == "" { printEvents(s.Commands) } else { show := map[string][]string{} show["before_"+evt] = s.Commands["before_"+evt] show["after_"+evt] = s.Commands["after_"+evt] printEvents(show) } return nil }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/utils.go
cmd/utils.go
package cmd import ( "encoding/json" "errors" "fmt" "io/fs" "log" "os" "path/filepath" "strconv" "strings" "github.com/asdine/storm/v3" homedir "github.com/mitchellh/go-homedir" "github.com/samber/lo" "github.com/spf13/cobra" "github.com/spf13/pflag" "github.com/spf13/viper" yaml "gopkg.in/yaml.v3" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/storage" "github.com/filebrowser/filebrowser/v2/storage/bolt" ) const databasePermissions = 0640 func getAndParseFileMode(flags *pflag.FlagSet, name string) (fs.FileMode, error) { mode, err := flags.GetString(name) if err != nil { return 0, err } b, err := strconv.ParseUint(mode, 0, 32) if err != nil { return 0, err } return fs.FileMode(b), nil } func generateKey() []byte { k, err := settings.GenerateKey() if err != nil { panic(err) } return k } func dbExists(path string) (bool, error) { stat, err := os.Stat(path) if err == nil { return stat.Size() != 0, nil } if os.IsNotExist(err) { d := filepath.Dir(path) _, err = os.Stat(d) if os.IsNotExist(err) { if err := os.MkdirAll(d, 0700); err != nil { return false, err } return false, nil } } return false, err } // Generate the replacements for all environment variables. This allows to // use FB_BRANDING_DISABLE_EXTERNAL environment variables, even when the // option name is branding.disableExternal. func generateEnvKeyReplacements(cmd *cobra.Command) []string { replacements := []string{} cmd.Flags().VisitAll(func(f *pflag.Flag) { oldName := strings.ToUpper(f.Name) newName := strings.ToUpper(lo.SnakeCase(f.Name)) replacements = append(replacements, oldName, newName) }) return replacements } func initViper(cmd *cobra.Command) (*viper.Viper, error) { v := viper.New() // Get config file from flag cfgFile, err := cmd.Flags().GetString("config") if err != nil { return nil, err } // Configuration file if cfgFile == "" { home, err := homedir.Dir() if err != nil { return nil, err } v.AddConfigPath(".") v.AddConfigPath(home) v.AddConfigPath("/etc/filebrowser/") v.SetConfigName(".filebrowser") } else { v.SetConfigFile(cfgFile) } // Environment variables v.SetEnvPrefix("FB") v.AutomaticEnv() v.SetEnvKeyReplacer(strings.NewReplacer(generateEnvKeyReplacements(cmd)...)) // Bind the flags err = v.BindPFlags(cmd.Flags()) if err != nil { return nil, err } // Read in configuration if err := v.ReadInConfig(); err != nil { if errors.Is(err, viper.ConfigParseError{}) { return nil, err } log.Println("No config file used") } else { log.Printf("Using config file: %s", v.ConfigFileUsed()) } // Return Viper return v, nil } type store struct { *storage.Storage databaseExisted bool } type storeOptions struct { expectsNoDatabase bool allowsNoDatabase bool } type cobraFunc func(cmd *cobra.Command, args []string) error // withViperAndStore initializes Viper and the storage.Store and passes them to the callback function. // This function should only be used by [withStore] and the root command. No other command should call // this function directly. func withViperAndStore(fn func(cmd *cobra.Command, args []string, v *viper.Viper, store *store) error, options storeOptions) cobraFunc { return func(cmd *cobra.Command, args []string) error { v, err := initViper(cmd) if err != nil { return err } path, err := filepath.Abs(v.GetString("database")) if err != nil { return err } exists, err := dbExists(path) switch { case err != nil: return err case exists && options.expectsNoDatabase: log.Fatal(path + " already exists") case !exists && !options.expectsNoDatabase && !options.allowsNoDatabase: log.Fatal(path + " does not exist. Please run 'filebrowser config init' first.") case !exists && !options.expectsNoDatabase: log.Println("WARNING: filebrowser.db can't be found. Initialing in " + strings.TrimSuffix(path, "filebrowser.db")) } log.Println("Using database: " + path) db, err := storm.Open(path, storm.BoltOptions(databasePermissions, nil)) if err != nil { return err } defer db.Close() storage, err := bolt.NewStorage(db) if err != nil { return err } store := &store{ Storage: storage, databaseExisted: exists, } return fn(cmd, args, v, store) } } func withStore(fn func(cmd *cobra.Command, args []string, store *store) error, options storeOptions) cobraFunc { return withViperAndStore(func(cmd *cobra.Command, args []string, _ *viper.Viper, store *store) error { return fn(cmd, args, store) }, options) } func marshal(filename string, data interface{}) error { fd, err := os.Create(filename) if err != nil { return err } defer fd.Close() switch ext := filepath.Ext(filename); ext { case ".json": encoder := json.NewEncoder(fd) encoder.SetIndent("", " ") return encoder.Encode(data) case ".yml", ".yaml": encoder := yaml.NewEncoder(fd) return encoder.Encode(data) default: return errors.New("invalid format: " + ext) } } func unmarshal(filename string, data interface{}) error { fd, err := os.Open(filename) if err != nil { return err } defer fd.Close() switch ext := filepath.Ext(filename); ext { case ".json": return json.NewDecoder(fd).Decode(data) case ".yml", ".yaml": return yaml.NewDecoder(fd).Decode(data) default: return errors.New("invalid format: " + ext) } } func jsonYamlArg(cmd *cobra.Command, args []string) error { if err := cobra.ExactArgs(1)(cmd, args); err != nil { return err } switch ext := filepath.Ext(args[0]); ext { case ".json", ".yml", ".yaml": return nil default: return errors.New("invalid format: " + ext) } } func cleanUpInterfaceMap(in map[interface{}]interface{}) map[string]interface{} { result := make(map[string]interface{}) for k, v := range in { result[fmt.Sprintf("%v", k)] = cleanUpMapValue(v) } return result } func cleanUpInterfaceArray(in []interface{}) []interface{} { result := make([]interface{}, len(in)) for i, v := range in { result[i] = cleanUpMapValue(v) } return result } func cleanUpMapValue(v interface{}) interface{} { switch v := v.(type) { case []interface{}: return cleanUpInterfaceArray(v) case map[interface{}]interface{}: return cleanUpInterfaceMap(v) default: return v } } // convertCmdStrToCmdArray checks if cmd string is blank (whitespace included) // then returns empty string array, else returns the split word array of cmd. // This is to ensure the result will never be []string{""} func convertCmdStrToCmdArray(cmd string) []string { var cmdArray []string trimmedCmdStr := strings.TrimSpace(cmd) if trimmedCmdStr != "" { cmdArray = strings.Split(trimmedCmdStr, " ") } return cmdArray }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/config.go
cmd/config.go
package cmd import ( "encoding/json" "errors" "fmt" "os" "strings" "text/tabwriter" "github.com/spf13/cobra" "github.com/spf13/pflag" "github.com/filebrowser/filebrowser/v2/auth" fberrors "github.com/filebrowser/filebrowser/v2/errors" "github.com/filebrowser/filebrowser/v2/settings" ) func init() { rootCmd.AddCommand(configCmd) } var configCmd = &cobra.Command{ Use: "config", Short: "Configuration management utility", Long: `Configuration management utility.`, Args: cobra.NoArgs, } func addConfigFlags(flags *pflag.FlagSet) { addServerFlags(flags) addUserFlags(flags) flags.BoolP("signup", "s", false, "allow users to signup") flags.Bool("hideLoginButton", false, "hide login button from public pages") flags.Bool("createUserDir", false, "generate user's home directory automatically") flags.Uint("minimumPasswordLength", settings.DefaultMinimumPasswordLength, "minimum password length for new users") flags.String("shell", "", "shell command to which other commands should be appended") // NB: these are string so they can be presented as octal in the help text // as that's the conventional representation for modes in Unix. flags.String("fileMode", fmt.Sprintf("%O", settings.DefaultFileMode), "mode bits that new files are created with") flags.String("dirMode", fmt.Sprintf("%O", settings.DefaultDirMode), "mode bits that new directories are created with") flags.String("auth.method", string(auth.MethodJSONAuth), "authentication type") flags.String("auth.header", "", "HTTP header for auth.method=proxy") flags.String("auth.command", "", "command for auth.method=hook") flags.String("auth.logoutPage", "", "url of custom logout page") flags.String("recaptcha.host", "https://www.google.com", "use another host for ReCAPTCHA. recaptcha.net might be useful in China") flags.String("recaptcha.key", "", "ReCaptcha site key") flags.String("recaptcha.secret", "", "ReCaptcha secret") flags.String("branding.name", "", "replace 'File Browser' by this name") flags.String("branding.theme", "", "set the theme") flags.String("branding.color", "", "set the theme color") flags.String("branding.files", "", "path to directory with images and custom styles") flags.Bool("branding.disableExternal", false, "disable external links such as GitHub links") flags.Bool("branding.disableUsedPercentage", false, "disable used disk percentage graph") flags.Uint64("tus.chunkSize", settings.DefaultTusChunkSize, "the tus chunk size") flags.Uint16("tus.retryCount", settings.DefaultTusRetryCount, "the tus retry count") } func getAuthMethod(flags *pflag.FlagSet, defaults ...interface{}) (settings.AuthMethod, map[string]interface{}, error) { methodStr, err := flags.GetString("auth.method") if err != nil { return "", nil, err } method := settings.AuthMethod(methodStr) var defaultAuther map[string]interface{} if len(defaults) > 0 { if hasAuth := defaults[0]; hasAuth != true { for _, arg := range defaults { switch def := arg.(type) { case *settings.Settings: method = def.AuthMethod case auth.Auther: ms, err := json.Marshal(def) if err != nil { return "", nil, err } err = json.Unmarshal(ms, &defaultAuther) if err != nil { return "", nil, err } } } } } return method, defaultAuther, nil } func getProxyAuth(flags *pflag.FlagSet, defaultAuther map[string]interface{}) (auth.Auther, error) { header, err := flags.GetString("auth.header") if err != nil { return nil, err } if header == "" && defaultAuther != nil { header = defaultAuther["header"].(string) } if header == "" { return nil, errors.New("you must set the flag 'auth.header' for method 'proxy'") } return &auth.ProxyAuth{Header: header}, nil } func getNoAuth() auth.Auther { return &auth.NoAuth{} } func getJSONAuth(flags *pflag.FlagSet, defaultAuther map[string]interface{}) (auth.Auther, error) { jsonAuth := &auth.JSONAuth{} host, err := flags.GetString("recaptcha.host") if err != nil { return nil, err } key, err := flags.GetString("recaptcha.key") if err != nil { return nil, err } secret, err := flags.GetString("recaptcha.secret") if err != nil { return nil, err } if key == "" { if kmap, ok := defaultAuther["recaptcha"].(map[string]interface{}); ok { key = kmap["key"].(string) } } if secret == "" { if smap, ok := defaultAuther["recaptcha"].(map[string]interface{}); ok { secret = smap["secret"].(string) } } if key != "" && secret != "" { jsonAuth.ReCaptcha = &auth.ReCaptcha{ Host: host, Key: key, Secret: secret, } } return jsonAuth, nil } func getHookAuth(flags *pflag.FlagSet, defaultAuther map[string]interface{}) (auth.Auther, error) { command, err := flags.GetString("auth.command") if err != nil { return nil, err } if command == "" { command = defaultAuther["command"].(string) } if command == "" { return nil, errors.New("you must set the flag 'auth.command' for method 'hook'") } return &auth.HookAuth{Command: command}, nil } func getAuthentication(flags *pflag.FlagSet, defaults ...interface{}) (settings.AuthMethod, auth.Auther, error) { method, defaultAuther, err := getAuthMethod(flags, defaults...) if err != nil { return "", nil, err } var auther auth.Auther switch method { case auth.MethodProxyAuth: auther, err = getProxyAuth(flags, defaultAuther) case auth.MethodNoAuth: auther = getNoAuth() case auth.MethodJSONAuth: auther, err = getJSONAuth(flags, defaultAuther) case auth.MethodHookAuth: auther, err = getHookAuth(flags, defaultAuther) default: return "", nil, fberrors.ErrInvalidAuthMethod } if err != nil { return "", nil, err } return method, auther, nil } func printSettings(ser *settings.Server, set *settings.Settings, auther auth.Auther) error { w := tabwriter.NewWriter(os.Stdout, 0, 0, 2, ' ', 0) fmt.Fprintf(w, "Sign up:\t%t\n", set.Signup) fmt.Fprintf(w, "Hide Login Button:\t%t\n", set.HideLoginButton) fmt.Fprintf(w, "Create User Dir:\t%t\n", set.CreateUserDir) fmt.Fprintf(w, "Logout Page:\t%s\n", set.LogoutPage) fmt.Fprintf(w, "Minimum Password Length:\t%d\n", set.MinimumPasswordLength) fmt.Fprintf(w, "Auth Method:\t%s\n", set.AuthMethod) fmt.Fprintf(w, "Shell:\t%s\t\n", strings.Join(set.Shell, " ")) fmt.Fprintln(w, "\nBranding:") fmt.Fprintf(w, "\tName:\t%s\n", set.Branding.Name) fmt.Fprintf(w, "\tFiles override:\t%s\n", set.Branding.Files) fmt.Fprintf(w, "\tDisable external links:\t%t\n", set.Branding.DisableExternal) fmt.Fprintf(w, "\tDisable used disk percentage graph:\t%t\n", set.Branding.DisableUsedPercentage) fmt.Fprintf(w, "\tColor:\t%s\n", set.Branding.Color) fmt.Fprintf(w, "\tTheme:\t%s\n", set.Branding.Theme) fmt.Fprintln(w, "\nServer:") fmt.Fprintf(w, "\tLog:\t%s\n", ser.Log) fmt.Fprintf(w, "\tPort:\t%s\n", ser.Port) fmt.Fprintf(w, "\tBase URL:\t%s\n", ser.BaseURL) fmt.Fprintf(w, "\tRoot:\t%s\n", ser.Root) fmt.Fprintf(w, "\tSocket:\t%s\n", ser.Socket) fmt.Fprintf(w, "\tAddress:\t%s\n", ser.Address) fmt.Fprintf(w, "\tTLS Cert:\t%s\n", ser.TLSCert) fmt.Fprintf(w, "\tTLS Key:\t%s\n", ser.TLSKey) fmt.Fprintf(w, "\tToken Expiration Time:\t%s\n", ser.TokenExpirationTime) fmt.Fprintf(w, "\tExec Enabled:\t%t\n", ser.EnableExec) fmt.Fprintf(w, "\tThumbnails Enabled:\t%t\n", ser.EnableThumbnails) fmt.Fprintf(w, "\tResize Preview:\t%t\n", ser.ResizePreview) fmt.Fprintf(w, "\tType Detection by Header:\t%t\n", ser.TypeDetectionByHeader) fmt.Fprintln(w, "\nTUS:") fmt.Fprintf(w, "\tChunk size:\t%d\n", set.Tus.ChunkSize) fmt.Fprintf(w, "\tRetry count:\t%d\n", set.Tus.RetryCount) fmt.Fprintln(w, "\nDefaults:") fmt.Fprintf(w, "\tScope:\t%s\n", set.Defaults.Scope) fmt.Fprintf(w, "\tHideDotfiles:\t%t\n", set.Defaults.HideDotfiles) fmt.Fprintf(w, "\tLocale:\t%s\n", set.Defaults.Locale) fmt.Fprintf(w, "\tView mode:\t%s\n", set.Defaults.ViewMode) fmt.Fprintf(w, "\tSingle Click:\t%t\n", set.Defaults.SingleClick) fmt.Fprintf(w, "\tFile Creation Mode:\t%O\n", set.FileMode) fmt.Fprintf(w, "\tDirectory Creation Mode:\t%O\n", set.DirMode) fmt.Fprintf(w, "\tCommands:\t%s\n", strings.Join(set.Defaults.Commands, " ")) fmt.Fprintf(w, "\tAce editor syntax highlighting theme:\t%s\n", set.Defaults.AceEditorTheme) fmt.Fprintf(w, "\tSorting:\n") fmt.Fprintf(w, "\t\tBy:\t%s\n", set.Defaults.Sorting.By) fmt.Fprintf(w, "\t\tAsc:\t%t\n", set.Defaults.Sorting.Asc) fmt.Fprintf(w, "\tPermissions:\n") fmt.Fprintf(w, "\t\tAdmin:\t%t\n", set.Defaults.Perm.Admin) fmt.Fprintf(w, "\t\tExecute:\t%t\n", set.Defaults.Perm.Execute) fmt.Fprintf(w, "\t\tCreate:\t%t\n", set.Defaults.Perm.Create) fmt.Fprintf(w, "\t\tRename:\t%t\n", set.Defaults.Perm.Rename) fmt.Fprintf(w, "\t\tModify:\t%t\n", set.Defaults.Perm.Modify) fmt.Fprintf(w, "\t\tDelete:\t%t\n", set.Defaults.Perm.Delete) fmt.Fprintf(w, "\t\tShare:\t%t\n", set.Defaults.Perm.Share) fmt.Fprintf(w, "\t\tDownload:\t%t\n", set.Defaults.Perm.Download) w.Flush() b, err := json.MarshalIndent(auther, "", " ") if err != nil { return err } fmt.Printf("\nAuther configuration (raw):\n\n%s\n\n", string(b)) return nil } func getSettings(flags *pflag.FlagSet, set *settings.Settings, ser *settings.Server, auther auth.Auther, all bool) (auth.Auther, error) { errs := []error{} hasAuth := false visit := func(flag *pflag.Flag) { var err error switch flag.Name { // Server flags from [addServerFlags] case "address": ser.Address, err = flags.GetString(flag.Name) case "log": ser.Log, err = flags.GetString(flag.Name) case "port": ser.Port, err = flags.GetString(flag.Name) case "cert": ser.TLSCert, err = flags.GetString(flag.Name) case "key": ser.TLSKey, err = flags.GetString(flag.Name) case "root": ser.Root, err = flags.GetString(flag.Name) case "socket": ser.Socket, err = flags.GetString(flag.Name) case "baseURL": ser.BaseURL, err = flags.GetString(flag.Name) case "tokenExpirationTime": ser.TokenExpirationTime, err = flags.GetString(flag.Name) case "disableThumbnails": ser.EnableThumbnails, err = flags.GetBool(flag.Name) ser.EnableThumbnails = !ser.EnableThumbnails case "disablePreviewResize": ser.ResizePreview, err = flags.GetBool(flag.Name) ser.ResizePreview = !ser.ResizePreview case "disableExec": ser.EnableExec, err = flags.GetBool(flag.Name) ser.EnableExec = !ser.EnableExec case "disableTypeDetectionByHeader": ser.TypeDetectionByHeader, err = flags.GetBool(flag.Name) ser.TypeDetectionByHeader = !ser.TypeDetectionByHeader case "disableImageResolutionCalc": ser.ImageResolutionCal, err = flags.GetBool(flag.Name) ser.ImageResolutionCal = !ser.ImageResolutionCal // Settings flags from [addConfigFlags] case "signup": set.Signup, err = flags.GetBool(flag.Name) case "hideLoginButton": set.HideLoginButton, err = flags.GetBool(flag.Name) case "createUserDir": set.CreateUserDir, err = flags.GetBool(flag.Name) case "minimumPasswordLength": set.MinimumPasswordLength, err = flags.GetUint(flag.Name) case "shell": var shell string shell, err = flags.GetString(flag.Name) if err == nil { set.Shell = convertCmdStrToCmdArray(shell) } case "fileMode": set.FileMode, err = getAndParseFileMode(flags, flag.Name) case "dirMode": set.DirMode, err = getAndParseFileMode(flags, flag.Name) case "auth.method": hasAuth = true case "auth.logoutPage": set.LogoutPage, err = flags.GetString(flag.Name) case "branding.name": set.Branding.Name, err = flags.GetString(flag.Name) case "branding.theme": set.Branding.Theme, err = flags.GetString(flag.Name) case "branding.color": set.Branding.Color, err = flags.GetString(flag.Name) case "branding.files": set.Branding.Files, err = flags.GetString(flag.Name) case "branding.disableExternal": set.Branding.DisableExternal, err = flags.GetBool(flag.Name) case "branding.disableUsedPercentage": set.Branding.DisableUsedPercentage, err = flags.GetBool(flag.Name) case "tus.chunkSize": set.Tus.ChunkSize, err = flags.GetUint64(flag.Name) case "tus.retryCount": set.Tus.RetryCount, err = flags.GetUint16(flag.Name) } if err != nil { errs = append(errs, err) } } if all { flags.VisitAll(visit) } else { flags.Visit(visit) } err := errors.Join(errs...) if err != nil { return nil, err } err = getUserDefaults(flags, &set.Defaults, all) if err != nil { return nil, err } if all { set.AuthMethod, auther, err = getAuthentication(flags) if err != nil { return nil, err } } else { set.AuthMethod, auther, err = getAuthentication(flags, hasAuth, set, auther) if err != nil { return nil, err } } return auther, nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/cmds_rm.go
cmd/cmds_rm.go
package cmd import ( "strconv" "github.com/spf13/cobra" ) func init() { cmdsCmd.AddCommand(cmdsRmCmd) } var cmdsRmCmd = &cobra.Command{ Use: "rm <event> <index> [index_end]", Short: "Removes a command from an event hooker", Long: `Removes a command from an event hooker. The provided index is the same that's printed when you run 'cmds ls'. Note that after each removal/addition, the index of the commands change. So be careful when removing them after each other. You can also specify an optional parameter (index_end) so you can remove all commands from 'index' to 'index_end', including 'index_end'.`, Args: func(cmd *cobra.Command, args []string) error { if err := cobra.RangeArgs(2, 3)(cmd, args); err != nil { return err } for _, arg := range args[1:] { if _, err := strconv.Atoi(arg); err != nil { return err } } return nil }, RunE: withStore(func(_ *cobra.Command, args []string, st *store) error { s, err := st.Settings.Get() if err != nil { return err } evt := args[0] i, err := strconv.Atoi(args[1]) if err != nil { return err } f := i if len(args) == 3 { f, err = strconv.Atoi(args[2]) if err != nil { return err } } s.Commands[evt] = append(s.Commands[evt][:i], s.Commands[evt][f+1:]...) err = st.Settings.Save(s) if err != nil { return err } printEvents(s.Commands) return nil }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/users_find.go
cmd/users_find.go
package cmd import ( "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/users" ) func init() { usersCmd.AddCommand(usersFindCmd) usersCmd.AddCommand(usersLsCmd) } var usersFindCmd = &cobra.Command{ Use: "find <id|username>", Short: "Find a user by username or id", Long: `Find a user by username or id. If no flag is set, all users will be printed.`, Args: cobra.ExactArgs(1), RunE: findUsers, } var usersLsCmd = &cobra.Command{ Use: "ls", Short: "List all users.", Args: cobra.NoArgs, RunE: findUsers, } var findUsers = withStore(func(_ *cobra.Command, args []string, st *store) error { var ( list []*users.User user *users.User err error ) if len(args) == 1 { username, id := parseUsernameOrID(args[0]) if username != "" { user, err = st.Users.Get("", username) } else { user, err = st.Users.Get("", id) } list = []*users.User{user} } else { list, err = st.Users.Gets("") } if err != nil { return err } printUsers(list) return nil }, storeOptions{})
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/users_export.go
cmd/users_export.go
package cmd import ( "github.com/spf13/cobra" ) func init() { usersCmd.AddCommand(usersExportCmd) } var usersExportCmd = &cobra.Command{ Use: "export <path>", Short: "Export all users to a file.", Long: `Export all users to a json or yaml file. Please indicate the path to the file where you want to write the users.`, Args: jsonYamlArg, RunE: withStore(func(_ *cobra.Command, args []string, st *store) error { list, err := st.Users.Gets("") if err != nil { return err } err = marshal(args[0], list) if err != nil { return err } return nil }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/config_export.go
cmd/config_export.go
package cmd import ( "github.com/spf13/cobra" ) func init() { configCmd.AddCommand(configExportCmd) } var configExportCmd = &cobra.Command{ Use: "export <path>", Short: "Export the configuration to a file", Long: `Export the configuration to a file. The path must be for a json or yaml file. This exported configuration can be changed, and imported again with 'config import' command.`, Args: jsonYamlArg, RunE: withStore(func(_ *cobra.Command, args []string, st *store) error { settings, err := st.Settings.Get() if err != nil { return err } server, err := st.Settings.GetServer() if err != nil { return err } auther, err := st.Auth.Get(settings.AuthMethod) if err != nil { return err } data := &settingsFile{ Settings: settings, Auther: auther, Server: server, } err = marshal(args[0], data) if err != nil { return err } return nil }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/docs.go
cmd/docs.go
package cmd import ( "bytes" "fmt" "os" "path" "regexp" "strings" "github.com/spf13/cobra" "github.com/spf13/cobra/doc" ) func init() { rootCmd.AddCommand(docsCmd) docsCmd.Flags().String("out", "www/docs/cli", "directory to write the docs to") } var docsCmd = &cobra.Command{ Use: "docs", Hidden: true, Args: cobra.NoArgs, RunE: func(cmd *cobra.Command, _ []string) error { outputDir, err := cmd.Flags().GetString("out") if err != nil { return err } tempDir, err := os.MkdirTemp(os.TempDir(), "filebrowser-docs-") if err != nil { return err } defer os.RemoveAll(tempDir) rootCmd.Root().DisableAutoGenTag = true err = doc.GenMarkdownTreeCustom(cmd.Root(), tempDir, func(_ string) string { return "" }, func(s string) string { return s }) if err != nil { return err } entries, err := os.ReadDir(tempDir) if err != nil { return err } headerRegex := regexp.MustCompile(`(?m)^(##)(.*)$`) linkRegex := regexp.MustCompile(`\(filebrowser(.*)\.md\)`) fmt.Println("Generated Documents:") for _, entry := range entries { srcPath := path.Join(tempDir, entry.Name()) dstPath := path.Join(outputDir, strings.ReplaceAll(entry.Name(), "_", "-")) data, err := os.ReadFile(srcPath) if err != nil { return err } data = headerRegex.ReplaceAll(data, []byte("#$2")) data = linkRegex.ReplaceAllFunc(data, func(b []byte) []byte { return bytes.ReplaceAll(b, []byte("_"), []byte("-")) }) data = bytes.ReplaceAll(data, []byte("## SEE ALSO"), []byte("## See Also")) err = os.WriteFile(dstPath, data, 0666) if err != nil { return err } fmt.Println("- " + dstPath) } return nil }, }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/users_add.go
cmd/users_add.go
package cmd import ( "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/users" ) func init() { usersCmd.AddCommand(usersAddCmd) addUserFlags(usersAddCmd.Flags()) } var usersAddCmd = &cobra.Command{ Use: "add <username> <password>", Short: "Create a new user", Long: `Create a new user and add it to the database.`, Args: cobra.ExactArgs(2), RunE: withStore(func(cmd *cobra.Command, args []string, st *store) error { flags := cmd.Flags() s, err := st.Settings.Get() if err != nil { return err } err = getUserDefaults(flags, &s.Defaults, false) if err != nil { return err } password, err := users.ValidateAndHashPwd(args[1], s.MinimumPasswordLength) if err != nil { return err } user := &users.User{ Username: args[0], Password: password, } user.LockPassword, err = flags.GetBool("lockPassword") if err != nil { return err } user.DateFormat, err = flags.GetBool("dateFormat") if err != nil { return err } user.HideDotfiles, err = flags.GetBool("hideDotfiles") if err != nil { return err } s.Defaults.Apply(user) servSettings, err := st.Settings.GetServer() if err != nil { return err } // since getUserDefaults() polluted s.Defaults.Scope // which makes the Scope not the one saved in the db // we need the right s.Defaults.Scope here s2, err := st.Settings.Get() if err != nil { return err } userHome, err := s2.MakeUserDir(user.Username, user.Scope, servSettings.Root) if err != nil { return err } user.Scope = userHome err = st.Users.Save(user) if err != nil { return err } printUsers([]*users.User{user}) return nil }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/cmd.go
cmd/cmd.go
package cmd // Execute executes the commands. func Execute() error { return rootCmd.Execute() }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/users_update.go
cmd/users_update.go
package cmd import ( "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) func init() { usersCmd.AddCommand(usersUpdateCmd) usersUpdateCmd.Flags().StringP("password", "p", "", "new password") usersUpdateCmd.Flags().StringP("username", "u", "", "new username") addUserFlags(usersUpdateCmd.Flags()) } var usersUpdateCmd = &cobra.Command{ Use: "update <id|username>", Short: "Updates an existing user", Long: `Updates an existing user. Set the flags for the options you want to change.`, Args: cobra.ExactArgs(1), RunE: withStore(func(cmd *cobra.Command, args []string, st *store) error { flags := cmd.Flags() username, id := parseUsernameOrID(args[0]) password, err := flags.GetString("password") if err != nil { return err } newUsername, err := flags.GetString("username") if err != nil { return err } s, err := st.Settings.Get() if err != nil { return err } var ( user *users.User ) if id != 0 { user, err = st.Users.Get("", id) } else { user, err = st.Users.Get("", username) } if err != nil { return err } defaults := settings.UserDefaults{ Scope: user.Scope, Locale: user.Locale, ViewMode: user.ViewMode, SingleClick: user.SingleClick, Perm: user.Perm, Sorting: user.Sorting, Commands: user.Commands, } err = getUserDefaults(flags, &defaults, false) if err != nil { return err } user.Scope = defaults.Scope user.Locale = defaults.Locale user.ViewMode = defaults.ViewMode user.SingleClick = defaults.SingleClick user.Perm = defaults.Perm user.Commands = defaults.Commands user.Sorting = defaults.Sorting user.LockPassword, err = flags.GetBool("lockPassword") if err != nil { return err } user.DateFormat, err = flags.GetBool("dateFormat") if err != nil { return err } user.HideDotfiles, err = flags.GetBool("hideDotfiles") if err != nil { return err } if newUsername != "" { user.Username = newUsername } if password != "" { user.Password, err = users.ValidateAndHashPwd(password, s.MinimumPasswordLength) if err != nil { return err } } err = st.Users.Update(user) if err != nil { return err } printUsers([]*users.User{user}) return nil }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/users_import.go
cmd/users_import.go
package cmd import ( "errors" "fmt" "os" "strconv" "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/users" ) func init() { usersCmd.AddCommand(usersImportCmd) usersImportCmd.Flags().Bool("overwrite", false, "overwrite users with the same id/username combo") usersImportCmd.Flags().Bool("replace", false, "replace the entire user base") } var usersImportCmd = &cobra.Command{ Use: "import <path>", Short: "Import users from a file", Long: `Import users from a file. The path must be for a json or yaml file. You can use this command to import new users to your installation. For that, just don't place their ID on the files list or set it to 0.`, Args: jsonYamlArg, RunE: withStore(func(cmd *cobra.Command, args []string, st *store) error { flags := cmd.Flags() fd, err := os.Open(args[0]) if err != nil { return err } defer fd.Close() list := []*users.User{} err = unmarshal(args[0], &list) if err != nil { return err } for _, user := range list { err = user.Clean("") if err != nil { return err } } replace, err := flags.GetBool("replace") if err != nil { return err } if replace { oldUsers, userImportErr := st.Users.Gets("") if userImportErr != nil { return userImportErr } err = marshal("users.backup.json", list) if err != nil { return err } for _, user := range oldUsers { err = st.Users.Delete(user.ID) if err != nil { return err } } } overwrite, err := flags.GetBool("overwrite") if err != nil { return err } for _, user := range list { onDB, err := st.Users.Get("", user.ID) // User exists in DB. if err == nil { if !overwrite { return errors.New("user " + strconv.Itoa(int(user.ID)) + " is already registered") } // If the usernames mismatch, check if there is another one in the DB // with the new username. If there is, print an error and cancel the // operation if user.Username != onDB.Username { if conflictuous, err := st.Users.Get("", user.Username); err == nil { return usernameConflictError(user.Username, conflictuous.ID, user.ID) } } } else { // If it doesn't exist, set the ID to 0 to automatically get a new // one that make sense in this DB. user.ID = 0 } err = st.Users.Save(user) if err != nil { return err } } return nil }, storeOptions{}), } func usernameConflictError(username string, originalID, newID uint) error { return fmt.Errorf(`can't import user with ID %d and username "%s" because the username is already registered with the user %d`, newID, username, originalID) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/config_import.go
cmd/config_import.go
package cmd import ( "encoding/json" "errors" "path/filepath" "reflect" "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/auth" "github.com/filebrowser/filebrowser/v2/settings" ) func init() { configCmd.AddCommand(configImportCmd) } type settingsFile struct { Settings *settings.Settings `json:"settings"` Server *settings.Server `json:"server"` Auther interface{} `json:"auther"` } var configImportCmd = &cobra.Command{ Use: "import <path>", Short: "Import a configuration file", Long: `Import a configuration file. This will replace all the existing configuration. Can be used with or without unexisting databases. If used with a nonexisting database, a key will be generated automatically. Otherwise the key will be kept the same as in the database. The path must be for a json or yaml file.`, Args: jsonYamlArg, RunE: withStore(func(_ *cobra.Command, args []string, st *store) error { var key []byte var err error if st.databaseExisted { settings, settingErr := st.Settings.Get() if settingErr != nil { return settingErr } key = settings.Key } else { key = generateKey() } file := settingsFile{} err = unmarshal(args[0], &file) if err != nil { return err } if file.Settings == nil || file.Server == nil { return errors.New("invalid configuration file: 'settings' or 'server' fields are missing. Please ensure you are importing a file generated by the 'config export' command") } file.Settings.Key = key err = st.Settings.Save(file.Settings) if err != nil { return err } err = st.Settings.SaveServer(file.Server) if err != nil { return err } var rawAuther interface{} if filepath.Ext(args[0]) != ".json" { rawAuther = cleanUpInterfaceMap(file.Auther.(map[interface{}]interface{})) } else { rawAuther = file.Auther } var auther auth.Auther var autherErr error switch file.Settings.AuthMethod { case auth.MethodJSONAuth: var a interface{} a, autherErr = getAuther(auth.JSONAuth{}, rawAuther) auther = a.(*auth.JSONAuth) case auth.MethodNoAuth: var a interface{} a, autherErr = getAuther(auth.NoAuth{}, rawAuther) auther = a.(*auth.NoAuth) case auth.MethodProxyAuth: var a interface{} a, autherErr = getAuther(auth.ProxyAuth{}, rawAuther) auther = a.(*auth.ProxyAuth) case auth.MethodHookAuth: var a interface{} a, autherErr = getAuther(&auth.HookAuth{}, rawAuther) auther = a.(*auth.HookAuth) default: return errors.New("invalid auth method") } if autherErr != nil { return autherErr } err = st.Auth.Save(auther) if err != nil { return err } return printSettings(file.Server, file.Settings, auther) }, storeOptions{allowsNoDatabase: true}), } func getAuther(sample auth.Auther, data interface{}) (interface{}, error) { authType := reflect.TypeOf(sample) auther := reflect.New(authType).Interface() bytes, err := json.Marshal(data) if err != nil { return nil, err } err = json.Unmarshal(bytes, &auther) if err != nil { return nil, err } return auther, nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/version.go
cmd/version.go
package cmd import ( "fmt" "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/version" ) func init() { rootCmd.AddCommand(versionCmd) } var versionCmd = &cobra.Command{ Use: "version", Short: "Print the version number", Run: func(_ *cobra.Command, _ []string) { fmt.Println("File Browser v" + version.Version + "/" + version.CommitSHA) }, }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/rules_add.go
cmd/rules_add.go
package cmd import ( "regexp" "github.com/spf13/cobra" "github.com/filebrowser/filebrowser/v2/rules" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) func init() { rulesCmd.AddCommand(rulesAddCmd) rulesAddCmd.Flags().BoolP("allow", "a", false, "indicates this is an allow rule") rulesAddCmd.Flags().BoolP("regex", "r", false, "indicates this is a regex rule") } var rulesAddCmd = &cobra.Command{ Use: "add <path|expression>", Short: "Add a global rule or user rule", Long: `Add a global rule or user rule.`, Args: cobra.ExactArgs(1), RunE: withStore(func(cmd *cobra.Command, args []string, st *store) error { flags := cmd.Flags() allow, err := flags.GetBool("allow") if err != nil { return err } regex, err := flags.GetBool("regex") if err != nil { return err } exp := args[0] if regex { regexp.MustCompile(exp) } rule := rules.Rule{ Allow: allow, Regex: regex, } if regex { rule.Regexp = &rules.Regexp{Raw: exp} } else { rule.Path = exp } user := func(u *users.User) error { u.Rules = append(u.Rules, rule) return st.Users.Save(u) } global := func(s *settings.Settings) error { s.Rules = append(s.Rules, rule) return st.Settings.Save(s) } return runRules(st.Storage, cmd, user, global) }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/config_set.go
cmd/config_set.go
package cmd import ( "github.com/spf13/cobra" ) func init() { configCmd.AddCommand(configSetCmd) addConfigFlags(configSetCmd.Flags()) } var configSetCmd = &cobra.Command{ Use: "set", Short: "Updates the configuration", Long: `Updates the configuration. Set the flags for the options you want to change. Other options will remain unchanged.`, Args: cobra.NoArgs, RunE: withStore(func(cmd *cobra.Command, _ []string, st *store) error { flags := cmd.Flags() // Read existing config set, err := st.Settings.Get() if err != nil { return err } ser, err := st.Settings.GetServer() if err != nil { return err } auther, err := st.Auth.Get(set.AuthMethod) if err != nil { return err } // Get updated config auther, err = getSettings(flags, set, ser, auther, false) if err != nil { return err } // Save updated config err = st.Auth.Save(auther) if err != nil { return err } err = st.Settings.Save(set) if err != nil { return err } err = st.Settings.SaveServer(ser) if err != nil { return err } return printSettings(ser, set, auther) }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/config_cat.go
cmd/config_cat.go
package cmd import ( "github.com/spf13/cobra" ) func init() { configCmd.AddCommand(configCatCmd) } var configCatCmd = &cobra.Command{ Use: "cat", Short: "Prints the configuration", Long: `Prints the configuration.`, Args: cobra.NoArgs, RunE: withStore(func(_ *cobra.Command, _ []string, st *store) error { set, err := st.Settings.Get() if err != nil { return err } ser, err := st.Settings.GetServer() if err != nil { return err } auther, err := st.Auth.Get(set.AuthMethod) if err != nil { return err } return printSettings(ser, set, auther) }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/users_rm.go
cmd/users_rm.go
package cmd import ( "fmt" "github.com/spf13/cobra" ) func init() { usersCmd.AddCommand(usersRmCmd) } var usersRmCmd = &cobra.Command{ Use: "rm <id|username>", Short: "Delete a user by username or id", Long: `Delete a user by username or id`, Args: cobra.ExactArgs(1), RunE: withStore(func(_ *cobra.Command, args []string, st *store) error { username, id := parseUsernameOrID(args[0]) var err error if username != "" { err = st.Users.Delete(username) } else { err = st.Users.Delete(id) } if err != nil { return err } fmt.Println("user deleted successfully") return nil }, storeOptions{}), }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/cmd/users.go
cmd/users.go
package cmd import ( "errors" "fmt" "os" "strconv" "text/tabwriter" "github.com/spf13/cobra" "github.com/spf13/pflag" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) func init() { rootCmd.AddCommand(usersCmd) } var usersCmd = &cobra.Command{ Use: "users", Short: "Users management utility", Long: `Users management utility.`, Args: cobra.NoArgs, } func printUsers(usrs []*users.User) { w := tabwriter.NewWriter(os.Stdout, 0, 0, 2, ' ', 0) fmt.Fprintln(w, "ID\tUsername\tScope\tLocale\tV. Mode\tS.Click\tAdmin\tExecute\tCreate\tRename\tModify\tDelete\tShare\tDownload\tPwd Lock") for _, u := range usrs { fmt.Fprintf(w, "%d\t%s\t%s\t%s\t%s\t%t\t%t\t%t\t%t\t%t\t%t\t%t\t%t\t%t\t%t\t\n", u.ID, u.Username, u.Scope, u.Locale, u.ViewMode, u.SingleClick, u.Perm.Admin, u.Perm.Execute, u.Perm.Create, u.Perm.Rename, u.Perm.Modify, u.Perm.Delete, u.Perm.Share, u.Perm.Download, u.LockPassword, ) } w.Flush() } func parseUsernameOrID(arg string) (username string, id uint) { id64, err := strconv.ParseUint(arg, 10, 64) if err != nil { return arg, 0 } return "", uint(id64) } func addUserFlags(flags *pflag.FlagSet) { flags.Bool("perm.admin", false, "admin perm for users") flags.Bool("perm.execute", true, "execute perm for users") flags.Bool("perm.create", true, "create perm for users") flags.Bool("perm.rename", true, "rename perm for users") flags.Bool("perm.modify", true, "modify perm for users") flags.Bool("perm.delete", true, "delete perm for users") flags.Bool("perm.share", true, "share perm for users") flags.Bool("perm.download", true, "download perm for users") flags.String("sorting.by", "name", "sorting mode (name, size or modified)") flags.Bool("sorting.asc", false, "sorting by ascending order") flags.Bool("lockPassword", false, "lock password") flags.StringSlice("commands", nil, "a list of the commands a user can execute") flags.String("scope", ".", "scope for users") flags.String("locale", "en", "locale for users") flags.String("viewMode", string(users.ListViewMode), "view mode for users") flags.Bool("singleClick", false, "use single clicks only") flags.Bool("dateFormat", false, "use date format (true for absolute time, false for relative)") flags.Bool("hideDotfiles", false, "hide dotfiles") flags.String("aceEditorTheme", "", "ace editor's syntax highlighting theme for users") } func getAndParseViewMode(flags *pflag.FlagSet) (users.ViewMode, error) { viewModeStr, err := flags.GetString("viewMode") if err != nil { return "", err } viewMode := users.ViewMode(viewModeStr) if viewMode != users.ListViewMode && viewMode != users.MosaicViewMode { return "", errors.New("view mode must be \"" + string(users.ListViewMode) + "\" or \"" + string(users.MosaicViewMode) + "\"") } return viewMode, nil } func getUserDefaults(flags *pflag.FlagSet, defaults *settings.UserDefaults, all bool) error { errs := []error{} visit := func(flag *pflag.Flag) { var err error switch flag.Name { case "scope": defaults.Scope, err = flags.GetString(flag.Name) case "locale": defaults.Locale, err = flags.GetString(flag.Name) case "viewMode": defaults.ViewMode, err = getAndParseViewMode(flags) case "singleClick": defaults.SingleClick, err = flags.GetBool(flag.Name) case "aceEditorTheme": defaults.AceEditorTheme, err = flags.GetString(flag.Name) case "perm.admin": defaults.Perm.Admin, err = flags.GetBool(flag.Name) case "perm.execute": defaults.Perm.Execute, err = flags.GetBool(flag.Name) case "perm.create": defaults.Perm.Create, err = flags.GetBool(flag.Name) case "perm.rename": defaults.Perm.Rename, err = flags.GetBool(flag.Name) case "perm.modify": defaults.Perm.Modify, err = flags.GetBool(flag.Name) case "perm.delete": defaults.Perm.Delete, err = flags.GetBool(flag.Name) case "perm.share": defaults.Perm.Share, err = flags.GetBool(flag.Name) case "perm.download": defaults.Perm.Download, err = flags.GetBool(flag.Name) case "commands": defaults.Commands, err = flags.GetStringSlice(flag.Name) case "sorting.by": defaults.Sorting.By, err = flags.GetString(flag.Name) case "sorting.asc": defaults.Sorting.Asc, err = flags.GetBool(flag.Name) case "hideDotfiles": defaults.HideDotfiles, err = flags.GetBool(flag.Name) } if err != nil { errs = append(errs, err) } } if all { flags.VisitAll(visit) } else { flags.Visit(visit) } return errors.Join(errs...) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/fileutils/file.go
fileutils/file.go
package fileutils import ( "io" "io/fs" "os" "path" "path/filepath" "github.com/spf13/afero" ) // MoveFile moves file from src to dst. // By default the rename filesystem system call is used. If src and dst point to different volumes // the file copy is used as a fallback func MoveFile(afs afero.Fs, src, dst string, fileMode, dirMode fs.FileMode) error { if afs.Rename(src, dst) == nil { return nil } // fallback err := Copy(afs, src, dst, fileMode, dirMode) if err != nil { _ = afs.Remove(dst) return err } if err := afs.RemoveAll(src); err != nil { return err } return nil } // CopyFile copies a file from source to dest and returns // an error if any. func CopyFile(afs afero.Fs, source, dest string, fileMode, dirMode fs.FileMode) error { // Open the source file. src, err := afs.Open(source) if err != nil { return err } defer src.Close() // Makes the directory needed to create the dst // file. err = afs.MkdirAll(filepath.Dir(dest), dirMode) if err != nil { return err } // Create the destination file. dst, err := afs.OpenFile(dest, os.O_RDWR|os.O_CREATE|os.O_TRUNC, fileMode) if err != nil { return err } defer dst.Close() // Copy the contents of the file. _, err = io.Copy(dst, src) if err != nil { return err } // Copy the mode info, err := afs.Stat(source) if err != nil { return err } err = afs.Chmod(dest, info.Mode()) if err != nil { return err } return nil } // CommonPrefix returns common directory path of provided files func CommonPrefix(sep byte, paths ...string) string { // Handle special cases. switch len(paths) { case 0: return "" case 1: return path.Clean(paths[0]) } // Note, we treat string as []byte, not []rune as is often // done in Go. (And sep as byte, not rune). This is because // most/all supported OS' treat paths as string of non-zero // bytes. A filename may be displayed as a sequence of Unicode // runes (typically encoded as UTF-8) but paths are // not required to be valid UTF-8 or in any normalized form // (e.g. "é" (U+00C9) and "é" (U+0065,U+0301) are different // file names. c := []byte(path.Clean(paths[0])) // We add a trailing sep to handle the case where the // common prefix directory is included in the path list // (e.g. /home/user1, /home/user1/foo, /home/user1/bar). // path.Clean will have cleaned off trailing / separators with // the exception of the root directory, "/" (in which case we // make it "//", but this will get fixed up to "/" below). c = append(c, sep) // Ignore the first path since it's already in c for _, v := range paths[1:] { // Clean up each path before testing it v = path.Clean(v) + string(sep) // Find the first non-common byte and truncate c if len(v) < len(c) { c = c[:len(v)] } for i := 0; i < len(c); i++ { if v[i] != c[i] { c = c[:i] break } } } // Remove trailing non-separator characters and the final separator for i := len(c) - 1; i >= 0; i-- { if c[i] == sep { c = c[:i] break } } return string(c) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/fileutils/file_test.go
fileutils/file_test.go
package fileutils import "testing" func TestCommonPrefix(t *testing.T) { testCases := map[string]struct { paths []string want string }{ "same lvl": { paths: []string{ "/home/user/file1", "/home/user/file2", }, want: "/home/user", }, "sub folder": { paths: []string{ "/home/user/folder", "/home/user/folder/file", }, want: "/home/user/folder", }, "relative path": { paths: []string{ "/home/user/folder", "/home/user/folder/../folder2", }, want: "/home/user", }, "no common path": { paths: []string{ "/home/user/folder", "/etc/file", }, want: "", }, } for name, tt := range testCases { t.Run(name, func(t *testing.T) { if got := CommonPrefix('/', tt.paths...); got != tt.want { t.Errorf("CommonPrefix() = %v, want %v", got, tt.want) } }) } }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/fileutils/copy.go
fileutils/copy.go
package fileutils import ( "io/fs" "os" "path" "github.com/spf13/afero" ) // Copy copies a file or folder from one place to another. func Copy(afs afero.Fs, src, dst string, fileMode, dirMode fs.FileMode) error { if src = path.Clean("/" + src); src == "" { return os.ErrNotExist } if dst = path.Clean("/" + dst); dst == "" { return os.ErrNotExist } if src == "/" || dst == "/" { // Prohibit copying from or to the virtual root directory. return os.ErrInvalid } if dst == src { return os.ErrInvalid } info, err := afs.Stat(src) if err != nil { return err } if info.IsDir() { return CopyDir(afs, src, dst, fileMode, dirMode) } return CopyFile(afs, src, dst, fileMode, dirMode) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/fileutils/dir.go
fileutils/dir.go
package fileutils import ( "errors" "io/fs" "github.com/spf13/afero" ) // CopyDir copies a directory from source to dest and all // of its sub-directories. It doesn't stop if it finds an error // during the copy. Returns an error if any. func CopyDir(afs afero.Fs, source, dest string, fileMode, dirMode fs.FileMode) error { // Get properties of source. srcinfo, err := afs.Stat(source) if err != nil { return err } // Create the destination directory. err = afs.MkdirAll(dest, srcinfo.Mode()) if err != nil { return err } dir, _ := afs.Open(source) obs, err := dir.Readdir(-1) if err != nil { return err } var errs []error for _, obj := range obs { fsource := source + "/" + obj.Name() fdest := dest + "/" + obj.Name() if obj.IsDir() { // Create sub-directories, recursively. err = CopyDir(afs, fsource, fdest, fileMode, dirMode) if err != nil { errs = append(errs, err) } } else { // Perform the file copy. err = CopyFile(afs, fsource, fdest, fileMode, dirMode) if err != nil { errs = append(errs, err) } } } var errString string for _, err := range errs { errString += err.Error() + "\n" } if errString != "" { return errors.New(errString) } return nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/share/storage.go
share/storage.go
package share import ( "time" fberrors "github.com/filebrowser/filebrowser/v2/errors" ) // StorageBackend is the interface to implement for a share storage. type StorageBackend interface { All() ([]*Link, error) FindByUserID(id uint) ([]*Link, error) GetByHash(hash string) (*Link, error) GetPermanent(path string, id uint) (*Link, error) Gets(path string, id uint) ([]*Link, error) Save(s *Link) error Delete(hash string) error DeleteWithPathPrefix(path string) error } // Storage is a storage. type Storage struct { back StorageBackend } // NewStorage creates a share links storage from a backend. func NewStorage(back StorageBackend) *Storage { return &Storage{back: back} } // All wraps a StorageBackend.All. func (s *Storage) All() ([]*Link, error) { links, err := s.back.All() if err != nil { return nil, err } for i, link := range links { if link.Expire != 0 && link.Expire <= time.Now().Unix() { if err := s.Delete(link.Hash); err != nil { return nil, err } links = append(links[:i], links[i+1:]...) } } return links, nil } // FindByUserID wraps a StorageBackend.FindByUserID. func (s *Storage) FindByUserID(id uint) ([]*Link, error) { links, err := s.back.FindByUserID(id) if err != nil { return nil, err } for i, link := range links { if link.Expire != 0 && link.Expire <= time.Now().Unix() { if err := s.Delete(link.Hash); err != nil { return nil, err } links = append(links[:i], links[i+1:]...) } } return links, nil } // GetByHash wraps a StorageBackend.GetByHash. func (s *Storage) GetByHash(hash string) (*Link, error) { link, err := s.back.GetByHash(hash) if err != nil { return nil, err } if link.Expire != 0 && link.Expire <= time.Now().Unix() { if err := s.Delete(link.Hash); err != nil { return nil, err } return nil, fberrors.ErrNotExist } return link, nil } // GetPermanent wraps a StorageBackend.GetPermanent func (s *Storage) GetPermanent(path string, id uint) (*Link, error) { return s.back.GetPermanent(path, id) } // Gets wraps a StorageBackend.Gets func (s *Storage) Gets(path string, id uint) ([]*Link, error) { links, err := s.back.Gets(path, id) if err != nil { return nil, err } for i, link := range links { if link.Expire != 0 && link.Expire <= time.Now().Unix() { if err := s.Delete(link.Hash); err != nil { return nil, err } links = append(links[:i], links[i+1:]...) } } return links, nil } // Save wraps a StorageBackend.Save func (s *Storage) Save(l *Link) error { return s.back.Save(l) } // Delete wraps a StorageBackend.Delete func (s *Storage) Delete(hash string) error { return s.back.Delete(hash) } func (s *Storage) DeleteWithPathPrefix(path string) error { return s.back.DeleteWithPathPrefix(path) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/share/share.go
share/share.go
package share type CreateBody struct { Password string `json:"password"` Expires string `json:"expires"` Unit string `json:"unit"` } // Link is the information needed to build a shareable link. type Link struct { Hash string `json:"hash" storm:"id,index"` Path string `json:"path" storm:"index"` UserID uint `json:"userID"` Expire int64 `json:"expire"` PasswordHash string `json:"password_hash,omitempty"` // Token is a random value that will only be set when PasswordHash is set. It is // URL-Safe and is used to download links in password-protected shares via a // query arg. Token string `json:"token,omitempty"` }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/version/version.go
version/version.go
package version var ( // Version is the current File Browser version. Version = "(untracked)" // CommitSHA is the commit sha. CommitSHA = "(unknown)" )
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/errors/errors.go
errors/errors.go
package fberrors import ( "errors" "fmt" ) var ( ErrEmptyKey = errors.New("empty key") ErrExist = errors.New("the resource already exists") ErrNotExist = errors.New("the resource does not exist") ErrEmptyPassword = errors.New("password is empty") ErrEasyPassword = errors.New("password is too easy") ErrEmptyUsername = errors.New("username is empty") ErrEmptyRequest = errors.New("empty request") ErrScopeIsRelative = errors.New("scope is a relative path") ErrInvalidDataType = errors.New("invalid data type") ErrIsDirectory = errors.New("file is directory") ErrInvalidOption = errors.New("invalid option") ErrInvalidAuthMethod = errors.New("invalid auth method") ErrPermissionDenied = errors.New("permission denied") ErrInvalidRequestParams = errors.New("invalid request params") ErrSourceIsParent = errors.New("source is parent") ErrRootUserDeletion = errors.New("user with id 1 can't be deleted") ErrCurrentPasswordIncorrect = errors.New("the current password is incorrect") ) type ErrShortPassword struct { MinimumLength uint } func (e ErrShortPassword) Error() string { return fmt.Sprintf("password is too short, minimum length is %d", e.MinimumLength) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/settings/storage.go
settings/storage.go
package settings import ( fberrors "github.com/filebrowser/filebrowser/v2/errors" "github.com/filebrowser/filebrowser/v2/rules" "github.com/filebrowser/filebrowser/v2/users" ) // StorageBackend is a settings storage backend. type StorageBackend interface { Get() (*Settings, error) Save(*Settings) error GetServer() (*Server, error) SaveServer(*Server) error } // Storage is a settings storage. type Storage struct { back StorageBackend } // NewStorage creates a settings storage from a backend. func NewStorage(back StorageBackend) *Storage { return &Storage{back: back} } // Get returns the settings for the current instance. func (s *Storage) Get() (*Settings, error) { set, err := s.back.Get() if err != nil { return nil, err } if set.UserHomeBasePath == "" { set.UserHomeBasePath = DefaultUsersHomeBasePath } if set.LogoutPage == "" { set.LogoutPage = DefaultLogoutPage } if set.MinimumPasswordLength == 0 { set.MinimumPasswordLength = DefaultMinimumPasswordLength } if set.Tus == (Tus{}) { set.Tus = Tus{ ChunkSize: DefaultTusChunkSize, RetryCount: DefaultTusRetryCount, } } if set.FileMode == 0 { set.FileMode = DefaultFileMode } if set.DirMode == 0 { set.DirMode = DefaultDirMode } return set, nil } var defaultEvents = []string{ "save", "copy", "rename", "upload", "delete", } // Save saves the settings for the current instance. func (s *Storage) Save(set *Settings) error { if len(set.Key) == 0 { return fberrors.ErrEmptyKey } if set.Defaults.Locale == "" { set.Defaults.Locale = "en" } if set.Defaults.Commands == nil { set.Defaults.Commands = []string{} } if set.Defaults.ViewMode == "" { set.Defaults.ViewMode = users.MosaicViewMode } if set.Rules == nil { set.Rules = []rules.Rule{} } if set.Shell == nil { set.Shell = []string{} } if set.Commands == nil { set.Commands = map[string][]string{} } for _, event := range defaultEvents { if _, ok := set.Commands["before_"+event]; !ok { set.Commands["before_"+event] = []string{} } if _, ok := set.Commands["after_"+event]; !ok { set.Commands["after_"+event] = []string{} } } err := s.back.Save(set) if err != nil { return err } return nil } // GetServer wraps StorageBackend.GetServer. func (s *Storage) GetServer() (*Server, error) { return s.back.GetServer() } // SaveServer wraps StorageBackend.SaveServer and adds some verification. func (s *Storage) SaveServer(ser *Server) error { ser.Clean() return s.back.SaveServer(ser) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/settings/tus.go
settings/tus.go
package settings const DefaultTusChunkSize = 10 * 1024 * 1024 // 10MB const DefaultTusRetryCount = 5 // Tus contains the tus.io settings of the app. type Tus struct { ChunkSize uint64 `json:"chunkSize"` RetryCount uint16 `json:"retryCount"` }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/settings/defaults.go
settings/defaults.go
package settings import ( "github.com/filebrowser/filebrowser/v2/files" "github.com/filebrowser/filebrowser/v2/users" ) // UserDefaults is a type that holds the default values // for some fields on User. type UserDefaults struct { Scope string `json:"scope"` Locale string `json:"locale"` ViewMode users.ViewMode `json:"viewMode"` SingleClick bool `json:"singleClick"` Sorting files.Sorting `json:"sorting"` Perm users.Permissions `json:"perm"` Commands []string `json:"commands"` HideDotfiles bool `json:"hideDotfiles"` DateFormat bool `json:"dateFormat"` AceEditorTheme string `json:"aceEditorTheme"` } // Apply applies the default options to a user. func (d *UserDefaults) Apply(u *users.User) { u.Scope = d.Scope u.Locale = d.Locale u.ViewMode = d.ViewMode u.SingleClick = d.SingleClick u.Perm = d.Perm u.Sorting = d.Sorting u.Commands = d.Commands u.HideDotfiles = d.HideDotfiles u.DateFormat = d.DateFormat u.AceEditorTheme = d.AceEditorTheme }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/settings/settings.go
settings/settings.go
package settings import ( "crypto/rand" "io/fs" "log" "strings" "time" "github.com/filebrowser/filebrowser/v2/rules" ) const DefaultUsersHomeBasePath = "/users" const DefaultLogoutPage = "/login" const DefaultMinimumPasswordLength = 12 const DefaultFileMode = 0640 const DefaultDirMode = 0750 // AuthMethod describes an authentication method. type AuthMethod string // Settings contain the main settings of the application. type Settings struct { Key []byte `json:"key"` Signup bool `json:"signup"` HideLoginButton bool `json:"hideLoginButton"` CreateUserDir bool `json:"createUserDir"` UserHomeBasePath string `json:"userHomeBasePath"` Defaults UserDefaults `json:"defaults"` AuthMethod AuthMethod `json:"authMethod"` LogoutPage string `json:"logoutPage"` Branding Branding `json:"branding"` Tus Tus `json:"tus"` Commands map[string][]string `json:"commands"` Shell []string `json:"shell"` Rules []rules.Rule `json:"rules"` MinimumPasswordLength uint `json:"minimumPasswordLength"` FileMode fs.FileMode `json:"fileMode"` DirMode fs.FileMode `json:"dirMode"` HideDotfiles bool `json:"hideDotfiles"` } // GetRules implements rules.Provider. func (s *Settings) GetRules() []rules.Rule { return s.Rules } // Server specific settings. type Server struct { Root string `json:"root"` BaseURL string `json:"baseURL"` Socket string `json:"socket"` TLSKey string `json:"tlsKey"` TLSCert string `json:"tlsCert"` Port string `json:"port"` Address string `json:"address"` Log string `json:"log"` EnableThumbnails bool `json:"enableThumbnails"` ResizePreview bool `json:"resizePreview"` EnableExec bool `json:"enableExec"` TypeDetectionByHeader bool `json:"typeDetectionByHeader"` ImageResolutionCal bool `json:"imageResolutionCalculation"` AuthHook string `json:"authHook"` TokenExpirationTime string `json:"tokenExpirationTime"` } // Clean cleans any variables that might need cleaning. func (s *Server) Clean() { s.BaseURL = strings.TrimSuffix(s.BaseURL, "/") } func (s *Server) GetTokenExpirationTime(fallback time.Duration) time.Duration { if s.TokenExpirationTime == "" { return fallback } duration, err := time.ParseDuration(s.TokenExpirationTime) if err != nil { log.Printf("[WARN] Failed to parse tokenExpirationTime: %v", err) return fallback } return duration } // GenerateKey generates a key of 512 bits. func GenerateKey() ([]byte, error) { b := make([]byte, 64) _, err := rand.Read(b) // Note that err == nil only if we read len(b) bytes. if err != nil { return nil, err } return b, nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/settings/branding.go
settings/branding.go
package settings // Branding contains the branding settings of the app. type Branding struct { Name string `json:"name"` DisableExternal bool `json:"disableExternal"` DisableUsedPercentage bool `json:"disableUsedPercentage"` Files string `json:"files"` Theme string `json:"theme"` Color string `json:"color"` }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/settings/dir.go
settings/dir.go
package settings import ( "errors" "fmt" "log" "os" "path" "regexp" "strings" "github.com/spf13/afero" ) var ( invalidFilenameChars = regexp.MustCompile(`[^0-9A-Za-z@_\-.]`) dashes = regexp.MustCompile(`[\-]+`) ) // MakeUserDir makes the user directory according to settings. func (s *Settings) MakeUserDir(username, userScope, serverRoot string) (string, error) { userScope = strings.TrimSpace(userScope) if userScope == "" && s.CreateUserDir { username = cleanUsername(username) if username == "" || username == "-" || username == "." { log.Printf("create user: invalid user for home dir creation: [%s]", username) return "", errors.New("invalid user for home dir creation") } userScope = path.Join(s.UserHomeBasePath, username) } userScope = path.Join("/", userScope) fs := afero.NewBasePathFs(afero.NewOsFs(), serverRoot) if err := fs.MkdirAll(userScope, os.ModePerm); err != nil { return "", fmt.Errorf("failed to create user home dir: [%s]: %w", userScope, err) } return userScope, nil } func cleanUsername(s string) string { // Remove any trailing space to avoid ending on - s = strings.Trim(s, " ") s = strings.ReplaceAll(s, "..", "") // Replace all characters which not in the list `0-9A-Za-z@_\-.` with a dash s = invalidFilenameChars.ReplaceAllString(s, "-") // Remove any multiple dashes caused by replacements above s = dashes.ReplaceAllString(s, "-") return s }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/rules/rules_test.go
rules/rules_test.go
package rules import "testing" func TestMatchHidden(t *testing.T) { cases := map[string]bool{ "/": false, "/src": false, "/src/": false, "/.circleci": true, "/a/b/c/.docker.json": true, ".docker.json": true, "Dockerfile": false, "/Dockerfile": false, } for path, want := range cases { got := MatchHidden(path) if got != want { t.Errorf("MatchHidden(%s)=%v; want %v", path, got, want) } } }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/rules/rules.go
rules/rules.go
package rules import ( "path/filepath" "regexp" "strings" ) // Checker is a Rules checker. type Checker interface { Check(path string) bool } // Rule is a allow/disallow rule. type Rule struct { Regex bool `json:"regex"` Allow bool `json:"allow"` Path string `json:"path"` Regexp *Regexp `json:"regexp"` } // MatchHidden matches paths with a basename // that begins with a dot. func MatchHidden(path string) bool { return path != "" && strings.HasPrefix(filepath.Base(path), ".") } // Matches matches a path against a rule. func (r *Rule) Matches(path string) bool { if r.Regex { return r.Regexp.MatchString(path) } return strings.HasPrefix(path, r.Path) } // Regexp is a wrapper to the native regexp type where we // save the raw expression. type Regexp struct { Raw string `json:"raw"` regexp *regexp.Regexp } // MatchString checks if a string matches the regexp. func (r *Regexp) MatchString(s string) bool { if r.regexp == nil { r.regexp = regexp.MustCompile(r.Raw) } return r.regexp.MatchString(s) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/files/mime.go
files/mime.go
package files // This file contains code primarily sourced from:: // github.com/kataras/iris import ( "mime" ) const ( // ContentBinaryHeaderValue header value for binary data. ContentBinaryHeaderValue = "application/octet-stream" // ContentWebassemblyHeaderValue header value for web assembly files. ContentWebassemblyHeaderValue = "application/wasm" // ContentHTMLHeaderValue is the string of text/html response header's content type value. ContentHTMLHeaderValue = "text/html" // ContentJSONHeaderValue header value for JSON data. ContentJSONHeaderValue = "application/json" // ContentJSONProblemHeaderValue header value for JSON API problem error. // Read more at: https://tools.ietf.org/html/rfc7807 ContentJSONProblemHeaderValue = "application/problem+json" // ContentXMLProblemHeaderValue header value for XML API problem error. // Read more at: https://tools.ietf.org/html/rfc7807 ContentXMLProblemHeaderValue = "application/problem+xml" // ContentJavascriptHeaderValue header value for JSONP & Javascript data. ContentJavascriptHeaderValue = "text/javascript" // ContentTextHeaderValue header value for Text data. ContentTextHeaderValue = "text/plain" // ContentXMLHeaderValue header value for XML data. ContentXMLHeaderValue = "text/xml" // ContentXMLUnreadableHeaderValue obsolete header value for XML. ContentXMLUnreadableHeaderValue = "application/xml" // ContentMarkdownHeaderValue custom key/content type, the real is the text/html. ContentMarkdownHeaderValue = "text/markdown" // ContentYAMLHeaderValue header value for YAML data. ContentYAMLHeaderValue = "application/x-yaml" // ContentYAMLTextHeaderValue header value for YAML plain text. ContentYAMLTextHeaderValue = "text/yaml" // ContentProtobufHeaderValue header value for Protobuf messages data. ContentProtobufHeaderValue = "application/x-protobuf" // ContentMsgPackHeaderValue header value for MsgPack data. ContentMsgPackHeaderValue = "application/msgpack" // ContentMsgPack2HeaderValue alternative header value for MsgPack data. ContentMsgPack2HeaderValue = "application/x-msgpack" // ContentFormHeaderValue header value for post form data. ContentFormHeaderValue = "application/x-www-form-urlencoded" // ContentFormMultipartHeaderValue header value for post multipart form data. ContentFormMultipartHeaderValue = "multipart/form-data" // ContentMultipartRelatedHeaderValue header value for multipart related data. ContentMultipartRelatedHeaderValue = "multipart/related" // ContentGRPCHeaderValue Content-Type header value for gRPC. ContentGRPCHeaderValue = "application/grpc" ) var types = map[string]string{ ".3dm": "x-world/x-3dmf", ".3dmf": "x-world/x-3dmf", ".7z": "application/x-7z-compressed", ".a": "application/octet-stream", ".aab": "application/x-authorware-bin", ".aam": "application/x-authorware-map", ".aas": "application/x-authorware-seg", ".abc": "text/vndabc", ".ace": "application/x-ace-compressed", ".acgi": "text/html", ".afl": "video/animaflex", ".ai": "application/postscript", ".aif": "audio/aiff", ".aifc": "audio/aiff", ".aiff": "audio/aiff", ".aim": "application/x-aim", ".aip": "text/x-audiosoft-intra", ".alz": "application/x-alz-compressed", ".ani": "application/x-navi-animation", ".aos": "application/x-nokia-9000-communicator-add-on-software", ".aps": "application/mime", ".apk": "application/vnd.android.package-archive", ".arc": "application/x-arc-compressed", ".arj": "application/arj", ".art": "image/x-jg", ".asf": "video/x-ms-asf", ".asm": "text/x-asm", ".asp": "text/asp", ".asx": "application/x-mplayer2", ".au": "audio/basic", ".avi": "video/x-msvideo", ".avs": "video/avs-video", ".bcpio": "application/x-bcpio", ".bin": "application/mac-binary", ".bmp": "image/bmp", ".boo": "application/book", ".book": "application/book", ".boz": "application/x-bzip2", ".bsh": "application/x-bsh", ".bz2": "application/x-bzip2", ".bz": "application/x-bzip", ".c++": ContentTextHeaderValue, ".c": "text/x-c", ".cab": "application/vnd.ms-cab-compressed", ".cat": "application/vndms-pkiseccat", ".cc": "text/x-c", ".ccad": "application/clariscad", ".cco": "application/x-cocoa", ".cdf": "application/cdf", ".cer": "application/pkix-cert", ".cha": "application/x-chat", ".chat": "application/x-chat", ".chrt": "application/vnd.kde.kchart", ".class": "application/java", ".com": ContentTextHeaderValue, ".conf": ContentTextHeaderValue, ".cpio": "application/x-cpio", ".cpp": "text/x-c", ".cpt": "application/mac-compactpro", ".crl": "application/pkcs-crl", ".crt": "application/pkix-cert", ".crx": "application/x-chrome-extension", ".csh": "text/x-scriptcsh", ".css": "text/css", ".csv": "text/csv", ".cxx": ContentTextHeaderValue, ".dar": "application/x-dar", ".dcr": "application/x-director", ".deb": "application/x-debian-package", ".deepv": "application/x-deepv", ".def": ContentTextHeaderValue, ".der": "application/x-x509-ca-cert", ".dif": "video/x-dv", ".dir": "application/x-director", ".divx": "video/divx", ".dl": "video/dl", ".dmg": "application/x-apple-diskimage", ".doc": "application/msword", ".dot": "application/msword", ".dp": "application/commonground", ".drw": "application/drafting", ".dump": "application/octet-stream", ".dv": "video/x-dv", ".dvi": "application/x-dvi", ".dwf": "drawing/x-dwf=(old)", ".dwg": "application/acad", ".dxf": "application/dxf", ".dxr": "application/x-director", ".el": "text/x-scriptelisp", ".elc": "application/x-bytecodeelisp=(compiled=elisp)", ".eml": "message/rfc822", ".env": "application/x-envoy", ".eps": "application/postscript", ".es": "application/x-esrehber", ".etx": "text/x-setext", ".evy": "application/envoy", ".exe": "application/octet-stream", ".f77": "text/x-fortran", ".f90": "text/x-fortran", ".f": "text/x-fortran", ".fdf": "application/vndfdf", ".fif": "application/fractals", ".fli": "video/fli", ".flo": "image/florian", ".flv": "video/x-flv", ".flx": "text/vndfmiflexstor", ".fmf": "video/x-atomic3d-feature", ".for": "text/x-fortran", ".fpx": "image/vndfpx", ".frl": "application/freeloader", ".funk": "audio/make", ".g3": "image/g3fax", ".g": ContentTextHeaderValue, ".gif": "image/gif", ".gl": "video/gl", ".gsd": "audio/x-gsm", ".gsm": "audio/x-gsm", ".gsp": "application/x-gsp", ".gss": "application/x-gss", ".gtar": "application/x-gtar", ".gz": "application/x-compressed", ".gzip": "application/x-gzip", ".h": "text/x-h", ".hdf": "application/x-hdf", ".help": "application/x-helpfile", ".hgl": "application/vndhp-hpgl", ".hh": "text/x-h", ".hlb": "text/x-script", ".hlp": "application/hlp", ".hpg": "application/vndhp-hpgl", ".hpgl": "application/vndhp-hpgl", ".hqx": "application/binhex", ".hta": "application/hta", ".htc": "text/x-component", ".htm": "text/html", ".html": "text/html", ".htmls": "text/html", ".htt": "text/webviewhtml", ".htx": "text/html", ".ice": "x-conference/x-cooltalk", ".ico": "image/x-icon", ".ics": "text/calendar", ".icz": "text/calendar", ".idc": ContentTextHeaderValue, ".ief": "image/ief", ".iefs": "image/ief", ".iges": "application/iges", ".igs": "application/iges", ".ima": "application/x-ima", ".imap": "application/x-httpd-imap", ".inf": "application/inf", ".ins": "application/x-internett-signup", ".ip": "application/x-ip2", ".isu": "video/x-isvideo", ".it": "audio/it", ".iv": "application/x-inventor", ".ivr": "i-world/i-vrml", ".ivy": "application/x-livescreen", ".jam": "audio/x-jam", ".jav": "text/x-java-source", ".java": "text/x-java-source", ".jcm": "application/x-java-commerce", ".jfif-tbnl": "image/jpeg", ".jfif": "image/jpeg", ".jnlp": "application/x-java-jnlp-file", ".jpe": "image/jpeg", ".jpeg": "image/jpeg", ".jpg": "image/jpeg", ".jps": "image/x-jps", ".js": ContentJavascriptHeaderValue, ".mjs": ContentJavascriptHeaderValue, ".json": ContentJSONHeaderValue, ".vue": ContentJavascriptHeaderValue, ".jut": "image/jutvision", ".kar": "audio/midi", ".karbon": "application/vnd.kde.karbon", ".kfo": "application/vnd.kde.kformula", ".flw": "application/vnd.kde.kivio", ".kml": "application/vnd.google-earth.kml+xml", ".kmz": "application/vnd.google-earth.kmz", ".kon": "application/vnd.kde.kontour", ".kpr": "application/vnd.kde.kpresenter", ".kpt": "application/vnd.kde.kpresenter", ".ksp": "application/vnd.kde.kspread", ".kwd": "application/vnd.kde.kword", ".kwt": "application/vnd.kde.kword", ".ksh": "text/x-scriptksh", ".la": "audio/nspaudio", ".lam": "audio/x-liveaudio", ".latex": "application/x-latex", ".lha": "application/lha", ".lhx": "application/octet-stream", ".list": ContentTextHeaderValue, ".lma": "audio/nspaudio", ".log": ContentTextHeaderValue, ".lsp": "text/x-scriptlisp", ".lst": ContentTextHeaderValue, ".lsx": "text/x-la-asf", ".ltx": "application/x-latex", ".lzh": "application/octet-stream", ".lzx": "application/lzx", ".m1v": "video/mpeg", ".m2a": "audio/mpeg", ".m2v": "video/mpeg", ".m3u": "audio/x-mpegurl", ".m": "text/x-m", ".man": "application/x-troff-man", ".manifest": "text/cache-manifest", ".map": "application/x-navimap", ".mar": ContentTextHeaderValue, ".mbd": "application/mbedlet", ".mc$": "application/x-magic-cap-package-10", ".mcd": "application/mcad", ".mcf": "text/mcf", ".mcp": "application/netmc", ".me": "application/x-troff-me", ".mht": "message/rfc822", ".mhtml": "message/rfc822", ".mid": "application/x-midi", ".midi": "application/x-midi", ".mif": "application/x-frame", ".mime": "message/rfc822", ".mjf": "audio/x-vndaudioexplosionmjuicemediafile", ".mjpg": "video/x-motion-jpeg", ".mm": "application/base64", ".mme": "application/base64", ".mod": "audio/mod", ".moov": "video/quicktime", ".mov": "video/quicktime", ".movie": "video/x-sgi-movie", ".mp2": "audio/mpeg", ".mp3": "audio/mpeg", ".mp4": "video/mp4", ".mpa": "audio/mpeg", ".mpc": "application/x-project", ".mpe": "video/mpeg", ".mpeg": "video/mpeg", ".mpg": "video/mpeg", ".mpga": "audio/mpeg", ".mpp": "application/vndms-project", ".mpt": "application/x-project", ".mpv": "application/x-project", ".mpx": "application/x-project", ".mrc": "application/marc", ".ms": "application/x-troff-ms", ".mv": "video/x-sgi-movie", ".my": "audio/make", ".mzz": "application/x-vndaudioexplosionmzz", ".nap": "image/naplps", ".naplps": "image/naplps", ".nc": "application/x-netcdf", ".ncm": "application/vndnokiaconfiguration-message", ".nif": "image/x-niff", ".niff": "image/x-niff", ".nix": "application/x-mix-transfer", ".nsc": "application/x-conference", ".nvd": "application/x-navidoc", ".o": "application/octet-stream", ".oda": "application/oda", ".odb": "application/vnd.oasis.opendocument.database", ".odc": "application/vnd.oasis.opendocument.chart", ".odf": "application/vnd.oasis.opendocument.formula", ".odg": "application/vnd.oasis.opendocument.graphics", ".odi": "application/vnd.oasis.opendocument.image", ".odm": "application/vnd.oasis.opendocument.text-master", ".odp": "application/vnd.oasis.opendocument.presentation", ".ods": "application/vnd.oasis.opendocument.spreadsheet", ".odt": "application/vnd.oasis.opendocument.text", ".oga": "audio/ogg", ".ogg": "audio/ogg", ".ogv": "video/ogg", ".omc": "application/x-omc", ".omcd": "application/x-omcdatamaker", ".omcr": "application/x-omcregerator", ".otc": "application/vnd.oasis.opendocument.chart-template", ".otf": "application/vnd.oasis.opendocument.formula-template", ".otg": "application/vnd.oasis.opendocument.graphics-template", ".oth": "application/vnd.oasis.opendocument.text-web", ".oti": "application/vnd.oasis.opendocument.image-template", ".otm": "application/vnd.oasis.opendocument.text-master", ".otp": "application/vnd.oasis.opendocument.presentation-template", ".ots": "application/vnd.oasis.opendocument.spreadsheet-template", ".ott": "application/vnd.oasis.opendocument.text-template", ".p10": "application/pkcs10", ".p12": "application/pkcs-12", ".p7a": "application/x-pkcs7-signature", ".p7c": "application/pkcs7-mime", ".p7m": "application/pkcs7-mime", ".p7r": "application/x-pkcs7-certreqresp", ".p7s": "application/pkcs7-signature", ".p": "text/x-pascal", ".part": "application/pro_eng", ".pas": "text/pascal", ".pbm": "image/x-portable-bitmap", ".pcl": "application/vndhp-pcl", ".pct": "image/x-pict", ".pcx": "image/x-pcx", ".pdb": "chemical/x-pdb", ".pdf": "application/pdf", ".pfunk": "audio/make", ".pgm": "image/x-portable-graymap", ".pic": "image/pict", ".pict": "image/pict", ".pkg": "application/x-newton-compatible-pkg", ".pko": "application/vndms-pkipko", ".pl": "text/x-scriptperl", ".plx": "application/x-pixclscript", ".pm4": "application/x-pagemaker", ".pm5": "application/x-pagemaker", ".pm": "text/x-scriptperl-module", ".png": "image/png", ".pnm": "application/x-portable-anymap", ".pot": "application/mspowerpoint", ".pov": "model/x-pov", ".ppa": "application/vndms-powerpoint", ".ppm": "image/x-portable-pixmap", ".pps": "application/mspowerpoint", ".ppt": "application/mspowerpoint", ".ppz": "application/mspowerpoint", ".pre": "application/x-freelance", ".prt": "application/pro_eng", ".ps": "application/postscript", ".psd": "application/octet-stream", ".pvu": "paleovu/x-pv", ".pwz": "application/vndms-powerpoint", ".py": "text/x-scriptphyton", ".pyc": "application/x-bytecodepython", ".qcp": "audio/vndqcelp", ".qd3": "x-world/x-3dmf", ".qd3d": "x-world/x-3dmf", ".qif": "image/x-quicktime", ".qt": "video/quicktime", ".qtc": "video/x-qtc", ".qti": "image/x-quicktime", ".qtif": "image/x-quicktime", ".ra": "audio/x-pn-realaudio", ".ram": "audio/x-pn-realaudio", ".rar": "application/x-rar-compressed", ".ras": "application/x-cmu-raster", ".rast": "image/cmu-raster", ".rexx": "text/x-scriptrexx", ".rf": "image/vndrn-realflash", ".rgb": "image/x-rgb", ".rm": "application/vndrn-realmedia", ".rmi": "audio/mid", ".rmm": "audio/x-pn-realaudio", ".rmp": "audio/x-pn-realaudio", ".rng": "application/ringing-tones", ".rnx": "application/vndrn-realplayer", ".roff": "application/x-troff", ".rp": "image/vndrn-realpix", ".rpm": "audio/x-pn-realaudio-plugin", ".rt": "text/vndrn-realtext", ".rtf": "text/richtext", ".rtx": "text/richtext", ".rv": "video/vndrn-realvideo", ".s": "text/x-asm", ".s3m": "audio/s3m", ".s7z": "application/x-7z-compressed", ".saveme": "application/octet-stream", ".sbk": "application/x-tbook", ".scm": "text/x-scriptscheme", ".sdml": ContentTextHeaderValue, ".sdp": "application/sdp", ".sdr": "application/sounder", ".sea": "application/sea", ".set": "application/set", ".sgm": "text/x-sgml", ".sgml": "text/x-sgml", ".sh": "text/x-scriptsh", ".shar": "application/x-bsh", ".shtml": "text/x-server-parsed-html", ".sid": "audio/x-psid", ".skd": "application/x-koan", ".skm": "application/x-koan", ".skp": "application/x-koan", ".skt": "application/x-koan", ".sit": "application/x-stuffit", ".sitx": "application/x-stuffitx", ".sl": "application/x-seelogo", ".smi": "application/smil", ".smil": "application/smil", ".snd": "audio/basic", ".sol": "application/solids", ".spc": "text/x-speech", ".spl": "application/futuresplash", ".spr": "application/x-sprite", ".sprite": "application/x-sprite", ".spx": "audio/ogg", ".src": "application/x-wais-source", ".ssi": "text/x-server-parsed-html", ".ssm": "application/streamingmedia", ".sst": "application/vndms-pkicertstore", ".step": "application/step", ".stl": "application/sla", ".stp": "application/step", ".sv4cpio": "application/x-sv4cpio", ".sv4crc": "application/x-sv4crc", ".svf": "image/vnddwg", ".svg": "image/svg+xml", ".svr": "application/x-world", ".swf": "application/x-shockwave-flash", ".t": "application/x-troff", ".talk": "text/x-speech", ".tar": "application/x-tar", ".tbk": "application/toolbook", ".tcl": "text/x-scripttcl", ".tcsh": "text/x-scripttcsh", ".tex": "application/x-tex", ".texi": "application/x-texinfo", ".texinfo": "application/x-texinfo", ".text": ContentTextHeaderValue, ".tgz": "application/gnutar", ".tif": "image/tiff", ".tiff": "image/tiff", ".tr": "application/x-troff", ".tsi": "audio/tsp-audio", ".tsp": "application/dsptype", ".tsv": "text/tab-separated-values", ".turbot": "image/florian", ".txt": ContentTextHeaderValue, ".uil": "text/x-uil", ".uni": "text/uri-list", ".unis": "text/uri-list", ".unv": "application/i-deas", ".uri": "text/uri-list", ".uris": "text/uri-list", ".ustar": "application/x-ustar", ".uu": "text/x-uuencode", ".uue": "text/x-uuencode", ".vcd": "application/x-cdlink", ".vcf": "text/x-vcard", ".vcard": "text/x-vcard", ".vcs": "text/x-vcalendar", ".vda": "application/vda", ".vdo": "video/vdo", ".vew": "application/groupwise", ".viv": "video/vivo", ".vivo": "video/vivo", ".vmd": "application/vocaltec-media-desc", ".vmf": "application/vocaltec-media-file", ".voc": "audio/voc", ".vos": "video/vosaic", ".vox": "audio/voxware", ".vqe": "audio/x-twinvq-plugin", ".vqf": "audio/x-twinvq", ".vql": "audio/x-twinvq-plugin", ".vrml": "application/x-vrml", ".vrt": "x-world/x-vrt", ".vsd": "application/x-visio", ".vst": "application/x-visio", ".vsw": "application/x-visio", ".w60": "application/wordperfect60", ".w61": "application/wordperfect61", ".w6w": "application/msword", ".wav": "audio/wav", ".wb1": "application/x-qpro", ".wbmp": "image/vnd.wap.wbmp", ".web": "application/vndxara", ".wiz": "application/msword", ".wk1": "application/x-123", ".wmf": "windows/metafile", ".wml": "text/vnd.wap.wml", ".wmlc": "application/vnd.wap.wmlc", ".wmls": "text/vnd.wap.wmlscript", ".wmlsc": "application/vnd.wap.wmlscriptc", ".word": "application/msword", ".wp5": "application/wordperfect", ".wp6": "application/wordperfect", ".wp": "application/wordperfect", ".wpd": "application/wordperfect", ".wq1": "application/x-lotus", ".wri": "application/mswrite", ".wrl": "application/x-world", ".wrz": "model/vrml", ".wsc": "text/scriplet", ".wsrc": "application/x-wais-source", ".wtk": "application/x-wintalk", ".x-png": "image/png", ".xbm": "image/x-xbitmap", ".xdr": "video/x-amt-demorun", ".xgz": "xgl/drawing", ".xif": "image/vndxiff", ".xl": "application/excel", ".xla": "application/excel", ".xlb": "application/excel", ".xlc": "application/excel", ".xld": "application/excel", ".xlk": "application/excel", ".xll": "application/excel", ".xlm": "application/excel", ".xls": "application/excel", ".xlt": "application/excel", ".xlv": "application/excel", ".xlw": "application/excel", ".xm": "audio/xm", ".xml": ContentXMLHeaderValue, ".xmz": "xgl/movie", ".xpix": "application/x-vndls-xpix", ".xpm": "image/x-xpixmap", ".xsr": "video/x-amt-showrun", ".xwd": "image/x-xwd", ".xyz": "chemical/x-pdb", ".z": "application/x-compress", ".zip": "application/zip", ".zoo": "application/octet-stream", ".zsh": "text/x-scriptzsh", ".docx": "application/vnd.openxmlformats-officedocument.wordprocessingml.document", ".docm": "application/vnd.ms-word.document.macroEnabled.12", ".dotx": "application/vnd.openxmlformats-officedocument.wordprocessingml.template", ".dotm": "application/vnd.ms-word.template.macroEnabled.12", ".xlsx": "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet", ".xlsm": "application/vnd.ms-excel.sheet.macroEnabled.12", ".xltx": "application/vnd.openxmlformats-officedocument.spreadsheetml.template", ".xltm": "application/vnd.ms-excel.template.macroEnabled.12", ".xlsb": "application/vnd.ms-excel.sheet.binary.macroEnabled.12", ".xlam": "application/vnd.ms-excel.addin.macroEnabled.12", ".pptx": "application/vnd.openxmlformats-officedocument.presentationml.presentation", ".pptm": "application/vnd.ms-powerpoint.presentation.macroEnabled.12", ".ppsx": "application/vnd.openxmlformats-officedocument.presentationml.slideshow", ".ppsm": "application/vnd.ms-powerpoint.slideshow.macroEnabled.12", ".potx": "application/vnd.openxmlformats-officedocument.presentationml.template", ".potm": "application/vnd.ms-powerpoint.template.macroEnabled.12", ".ppam": "application/vnd.ms-powerpoint.addin.macroEnabled.12", ".sldx": "application/vnd.openxmlformats-officedocument.presentationml.slide", ".sldm": "application/vnd.ms-powerpoint.slide.macroEnabled.12", ".thmx": "application/vnd.ms-officetheme", ".onetoc": "application/onenote", ".onetoc2": "application/onenote", ".onetmp": "application/onenote", ".onepkg": "application/onenote", ".xpi": "application/x-xpinstall", ".wasm": "application/wasm", ".m4a": "audio/mp4", ".flac": "audio/x-flac", ".amr": "audio/amr", ".aac": "audio/aac", ".opus": "video/ogg", ".m4v": "video/mp4", ".mkv": "video/x-matroska", ".caf": "audio/x-caf", ".m3u8": "application/x-mpegURL", ".mpd": "application/dash+xml", ".webp": "image/webp", ".epub": "application/epub+zip", } func init() { for ext, typ := range types { // skip errors _ = mime.AddExtensionType(ext, typ) } }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/files/file.go
files/file.go
package files import ( "crypto/md5" "crypto/sha1" "crypto/sha256" "crypto/sha512" "encoding/hex" "errors" "hash" "image" "io" "io/fs" "log" "mime" "net/http" "os" "path" "path/filepath" "regexp" "strings" "time" "github.com/spf13/afero" fberrors "github.com/filebrowser/filebrowser/v2/errors" "github.com/filebrowser/filebrowser/v2/rules" ) var ( reSubDirs = regexp.MustCompile("(?i)^sub(s|titles)$") reSubExts = regexp.MustCompile("(?i)(.vtt|.srt|.ass|.ssa)$") ) // FileInfo describes a file. type FileInfo struct { *Listing Fs afero.Fs `json:"-"` Path string `json:"path"` Name string `json:"name"` Size int64 `json:"size"` Extension string `json:"extension"` ModTime time.Time `json:"modified"` Mode os.FileMode `json:"mode"` IsDir bool `json:"isDir"` IsSymlink bool `json:"isSymlink"` Type string `json:"type"` Subtitles []string `json:"subtitles,omitempty"` Content string `json:"content,omitempty"` Checksums map[string]string `json:"checksums,omitempty"` Token string `json:"token,omitempty"` currentDir []os.FileInfo `json:"-"` Resolution *ImageResolution `json:"resolution,omitempty"` } // FileOptions are the options when getting a file info. type FileOptions struct { Fs afero.Fs Path string Modify bool Expand bool ReadHeader bool CalcImgRes bool Token string Checker rules.Checker Content bool } type ImageResolution struct { Width int `json:"width"` Height int `json:"height"` } // NewFileInfo creates a File object from a path and a given user. This File // object will be automatically filled depending on if it is a directory // or a file. If it's a video file, it will also detect any subtitles. func NewFileInfo(opts *FileOptions) (*FileInfo, error) { if !opts.Checker.Check(opts.Path) { return nil, os.ErrPermission } file, err := stat(opts) if err != nil { return nil, err } // Do not expose the name of root directory. if file.Path == "/" { file.Name = "" } if opts.Expand { if file.IsDir { if err := file.readListing(opts.Checker, opts.ReadHeader, opts.CalcImgRes); err != nil { return nil, err } return file, nil } err = file.detectType(opts.Modify, opts.Content, true, opts.CalcImgRes) if err != nil { return nil, err } } return file, err } func stat(opts *FileOptions) (*FileInfo, error) { var file *FileInfo if lstaterFs, ok := opts.Fs.(afero.Lstater); ok { info, _, err := lstaterFs.LstatIfPossible(opts.Path) if err != nil { return nil, err } file = &FileInfo{ Fs: opts.Fs, Path: opts.Path, Name: info.Name(), ModTime: info.ModTime(), Mode: info.Mode(), IsDir: info.IsDir(), IsSymlink: IsSymlink(info.Mode()), Size: info.Size(), Extension: filepath.Ext(info.Name()), Token: opts.Token, } } // regular file if file != nil && !file.IsSymlink { return file, nil } // fs doesn't support afero.Lstater interface or the file is a symlink info, err := opts.Fs.Stat(opts.Path) if err != nil { // can't follow symlink if file != nil && file.IsSymlink { return file, nil } return nil, err } // set correct file size in case of symlink if file != nil && file.IsSymlink { file.Size = info.Size() file.IsDir = info.IsDir() return file, nil } file = &FileInfo{ Fs: opts.Fs, Path: opts.Path, Name: info.Name(), ModTime: info.ModTime(), Mode: info.Mode(), IsDir: info.IsDir(), Size: info.Size(), Extension: filepath.Ext(info.Name()), Token: opts.Token, } return file, nil } // Checksum checksums a given File for a given User, using a specific // algorithm. The checksums data is saved on File object. func (i *FileInfo) Checksum(algo string) error { if i.IsDir { return fberrors.ErrIsDirectory } if i.Checksums == nil { i.Checksums = map[string]string{} } reader, err := i.Fs.Open(i.Path) if err != nil { return err } defer reader.Close() var h hash.Hash switch algo { case "md5": h = md5.New() case "sha1": h = sha1.New() case "sha256": h = sha256.New() case "sha512": h = sha512.New() default: return fberrors.ErrInvalidOption } _, err = io.Copy(h, reader) if err != nil { return err } i.Checksums[algo] = hex.EncodeToString(h.Sum(nil)) return nil } func (i *FileInfo) RealPath() string { if realPathFs, ok := i.Fs.(interface { RealPath(name string) (fPath string, err error) }); ok { realPath, err := realPathFs.RealPath(i.Path) if err == nil { return realPath } } return i.Path } func (i *FileInfo) detectType(modify, saveContent, readHeader bool, calcImgRes bool) error { if IsNamedPipe(i.Mode) { i.Type = "blob" return nil } // failing to detect the type should not return error. // imagine the situation where a file in a dir with thousands // of files couldn't be opened: we'd have immediately // a 500 even though it doesn't matter. So we just log it. mimetype := mime.TypeByExtension(i.Extension) var buffer []byte if readHeader { buffer = i.readFirstBytes() if mimetype == "" { mimetype = http.DetectContentType(buffer) } } switch { case strings.HasPrefix(mimetype, "video"): i.Type = "video" i.detectSubtitles() return nil case strings.HasPrefix(mimetype, "audio"): i.Type = "audio" return nil case strings.HasPrefix(mimetype, "image"): i.Type = "image" if calcImgRes { resolution, err := calculateImageResolution(i.Fs, i.Path) if err != nil { log.Printf("Error calculating image resolution: %v", err) } else { i.Resolution = resolution } } return nil case strings.HasSuffix(mimetype, "pdf"): i.Type = "pdf" return nil case (strings.HasPrefix(mimetype, "text") || !isBinary(buffer)) && i.Size <= 10*1024*1024: // 10 MB i.Type = "text" if !modify { i.Type = "textImmutable" } if saveContent { afs := &afero.Afero{Fs: i.Fs} content, err := afs.ReadFile(i.Path) if err != nil { return err } i.Content = string(content) } return nil default: i.Type = "blob" } return nil } func calculateImageResolution(fSys afero.Fs, filePath string) (*ImageResolution, error) { file, err := fSys.Open(filePath) if err != nil { return nil, err } defer func() { if cErr := file.Close(); cErr != nil { log.Printf("Failed to close file: %v", cErr) } }() config, _, err := image.DecodeConfig(file) if err != nil { return nil, err } return &ImageResolution{ Width: config.Width, Height: config.Height, }, nil } func (i *FileInfo) readFirstBytes() []byte { reader, err := i.Fs.Open(i.Path) if err != nil { log.Print(err) i.Type = "blob" return nil } defer reader.Close() buffer := make([]byte, 512) n, err := reader.Read(buffer) if err != nil && !errors.Is(err, io.EOF) { log.Print(err) i.Type = "blob" return nil } return buffer[:n] } func (i *FileInfo) detectSubtitles() { if i.Type != "video" { return } i.Subtitles = []string{} ext := filepath.Ext(i.Path) // detect multiple languages. Base*.vtt parentDir := strings.TrimRight(i.Path, i.Name) var dir []os.FileInfo if len(i.currentDir) > 0 { dir = i.currentDir } else { var err error dir, err = afero.ReadDir(i.Fs, parentDir) if err != nil { return } } base := strings.TrimSuffix(i.Name, ext) for _, f := range dir { // load all supported subtitles from subs directories // should cover all instances of subtitle distributions // like tv-shows with multiple episodes in single dir if f.IsDir() && reSubDirs.MatchString(f.Name()) { subsDir := path.Join(parentDir, f.Name()) i.loadSubtitles(subsDir, base, true) } else if isSubtitleMatch(f, base) { i.addSubtitle(path.Join(parentDir, f.Name())) } } } func (i *FileInfo) loadSubtitles(subsPath, baseName string, recursive bool) { dir, err := afero.ReadDir(i.Fs, subsPath) if err == nil { for _, f := range dir { if isSubtitleMatch(f, "") { i.addSubtitle(path.Join(subsPath, f.Name())) } else if f.IsDir() && recursive && strings.HasPrefix(f.Name(), baseName) { subsDir := path.Join(subsPath, f.Name()) i.loadSubtitles(subsDir, baseName, false) } } } } func IsSupportedSubtitle(fileName string) bool { return reSubExts.MatchString(fileName) } func isSubtitleMatch(f fs.FileInfo, baseName string) bool { return !f.IsDir() && strings.HasPrefix(f.Name(), baseName) && IsSupportedSubtitle(f.Name()) } func (i *FileInfo) addSubtitle(fPath string) { i.Subtitles = append(i.Subtitles, fPath) } func (i *FileInfo) readListing(checker rules.Checker, readHeader bool, calcImgRes bool) error { afs := &afero.Afero{Fs: i.Fs} dir, err := afs.ReadDir(i.Path) if err != nil { return err } listing := &Listing{ Items: []*FileInfo{}, NumDirs: 0, NumFiles: 0, } for _, f := range dir { name := f.Name() fPath := path.Join(i.Path, name) if !checker.Check(fPath) { continue } isSymlink, isInvalidLink := false, false if IsSymlink(f.Mode()) { isSymlink = true // It's a symbolic link. We try to follow it. If it doesn't work, // we stay with the link information instead of the target's. info, err := i.Fs.Stat(fPath) if err == nil { f = info } else { isInvalidLink = true } } file := &FileInfo{ Fs: i.Fs, Name: name, Size: f.Size(), ModTime: f.ModTime(), Mode: f.Mode(), IsDir: f.IsDir(), IsSymlink: isSymlink, Extension: filepath.Ext(name), Path: fPath, currentDir: dir, } if !file.IsDir && strings.HasPrefix(mime.TypeByExtension(file.Extension), "image/") && calcImgRes { resolution, err := calculateImageResolution(file.Fs, file.Path) if err != nil { log.Printf("Error calculating resolution for image %s: %v", file.Path, err) } else { file.Resolution = resolution } } if file.IsDir { listing.NumDirs++ } else { listing.NumFiles++ if isInvalidLink { file.Type = "invalid_link" } else { err := file.detectType(true, false, readHeader, calcImgRes) if err != nil { return err } } } listing.Items = append(listing.Items, file) } i.Listing = listing return nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/files/utils.go
files/utils.go
package files import ( "os" "unicode/utf8" ) func isBinary(content []byte) bool { maybeStr := string(content) runeCnt := utf8.RuneCount(content) runeIndex := 0 gotRuneErrCnt := 0 firstRuneErrIndex := -1 const ( // 8 and below are control chars (e.g. backspace, null, eof, etc) maxControlCharsCode = 8 // 0xFFFD(65533) is the "error" Rune or "Unicode replacement character" // see https://golang.org/pkg/unicode/utf8/#pkg-constants unicodeReplacementChar = 0xFFFD ) for _, b := range maybeStr { if b <= maxControlCharsCode { return true } if b == unicodeReplacementChar { // if it is not the last (utf8.UTFMax - x) rune if runeCnt > utf8.UTFMax && runeIndex < runeCnt-utf8.UTFMax { return true } // else it is the last (utf8.UTFMax - x) rune // there maybe Vxxx, VVxx, VVVx, thus, we may got max 3 0xFFFD rune (assume V is the byte we got) // for Chinese, it can only be Vxx, VVx, we may got max 2 0xFFFD rune gotRuneErrCnt++ // mark the first time if firstRuneErrIndex == -1 { firstRuneErrIndex = runeIndex } } runeIndex++ } // if last (utf8.UTFMax - x ) rune has the "error" Rune, but not all if firstRuneErrIndex != -1 && gotRuneErrCnt != runeCnt-firstRuneErrIndex { return true } return false } func IsNamedPipe(mode os.FileMode) bool { return mode&os.ModeNamedPipe != 0 } func IsSymlink(mode os.FileMode) bool { return mode&os.ModeSymlink != 0 }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/files/listing.go
files/listing.go
package files import ( "sort" "strings" "github.com/maruel/natural" ) // Listing is a collection of files. type Listing struct { Items []*FileInfo `json:"items"` NumDirs int `json:"numDirs"` NumFiles int `json:"numFiles"` Sorting Sorting `json:"sorting"` } // ApplySort applies the sort order using .Order and .Sort func (l Listing) ApplySort() { // Check '.Order' to know how to sort if !l.Sorting.Asc { switch l.Sorting.By { case "name": sort.Sort(sort.Reverse(byName(l))) case "size": sort.Sort(sort.Reverse(bySize(l))) case "modified": sort.Sort(sort.Reverse(byModified(l))) default: // If not one of the above, do nothing return } } else { // If we had more Orderings we could add them here switch l.Sorting.By { case "name": sort.Sort(byName(l)) case "size": sort.Sort(bySize(l)) case "modified": sort.Sort(byModified(l)) default: sort.Sort(byName(l)) return } } } // Implement sorting for Listing type byName Listing type bySize Listing type byModified Listing // By Name func (l byName) Len() int { return len(l.Items) } func (l byName) Swap(i, j int) { l.Items[i], l.Items[j] = l.Items[j], l.Items[i] } // Treat upper and lower case equally func (l byName) Less(i, j int) bool { if l.Items[i].IsDir && !l.Items[j].IsDir { return l.Sorting.Asc } if !l.Items[i].IsDir && l.Items[j].IsDir { return !l.Sorting.Asc } return natural.Less(strings.ToLower(l.Items[j].Name), strings.ToLower(l.Items[i].Name)) } // By Size func (l bySize) Len() int { return len(l.Items) } func (l bySize) Swap(i, j int) { l.Items[i], l.Items[j] = l.Items[j], l.Items[i] } const directoryOffset = -1 << 31 // = math.MinInt32 func (l bySize) Less(i, j int) bool { iSize, jSize := l.Items[i].Size, l.Items[j].Size if l.Items[i].IsDir { iSize = directoryOffset + iSize } if l.Items[j].IsDir { jSize = directoryOffset + jSize } return iSize < jSize } // By Modified func (l byModified) Len() int { return len(l.Items) } func (l byModified) Swap(i, j int) { l.Items[i], l.Items[j] = l.Items[j], l.Items[i] } func (l byModified) Less(i, j int) bool { iModified, jModified := l.Items[i].ModTime, l.Items[j].ModTime return iModified.Sub(jModified) < 0 }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/files/sorting.go
files/sorting.go
package files // Sorting contains a sorting order. type Sorting struct { By string `json:"by"` Asc bool `json:"asc"` }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/diskcache/noop_cache.go
diskcache/noop_cache.go
package diskcache import ( "context" ) type NoOp struct { } func NewNoOp() *NoOp { return &NoOp{} } func (n *NoOp) Store(_ context.Context, _ string, _ []byte) error { return nil } func (n *NoOp) Load(_ context.Context, _ string) (value []byte, exist bool, err error) { return nil, false, nil } func (n *NoOp) Delete(_ context.Context, _ string) error { return nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/diskcache/cache.go
diskcache/cache.go
package diskcache import ( "context" ) type Interface interface { Store(ctx context.Context, key string, value []byte) error Load(ctx context.Context, key string) (value []byte, exist bool, err error) Delete(ctx context.Context, key string) error }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/diskcache/file_cache.go
diskcache/file_cache.go
package diskcache import ( "context" "crypto/sha1" "encoding/hex" "errors" "fmt" "io" "os" "path/filepath" "sync" "github.com/spf13/afero" ) type FileCache struct { fs afero.Fs // granular locks scopedLocks struct { sync.Mutex sync.Once locks map[string]sync.Locker } } func New(fs afero.Fs, root string) *FileCache { return &FileCache{ fs: afero.NewBasePathFs(fs, root), } } func (f *FileCache) Store(_ context.Context, key string, value []byte) error { mu := f.getScopedLocks(key) mu.Lock() defer mu.Unlock() fileName := f.getFileName(key) if err := f.fs.MkdirAll(filepath.Dir(fileName), 0700); err != nil { return err } if err := afero.WriteFile(f.fs, fileName, value, 0700); err != nil { return err } return nil } func (f *FileCache) Load(_ context.Context, key string) (value []byte, exist bool, err error) { r, ok, err := f.open(key) if err != nil || !ok { return nil, ok, err } defer r.Close() value, err = io.ReadAll(r) if err != nil { return nil, false, err } return value, true, nil } func (f *FileCache) Delete(_ context.Context, key string) error { mu := f.getScopedLocks(key) mu.Lock() defer mu.Unlock() fileName := f.getFileName(key) if err := f.fs.Remove(fileName); err != nil && !errors.Is(err, os.ErrNotExist) { return err } return nil } func (f *FileCache) open(key string) (afero.File, bool, error) { fileName := f.getFileName(key) file, err := f.fs.Open(fileName) if err != nil { if errors.Is(err, os.ErrNotExist) { return nil, false, nil } return nil, false, err } return file, true, nil } // getScopedLocks pull lock from the map if found or create a new one func (f *FileCache) getScopedLocks(key string) (lock sync.Locker) { f.scopedLocks.Do(func() { f.scopedLocks.locks = map[string]sync.Locker{} }) f.scopedLocks.Lock() lock, ok := f.scopedLocks.locks[key] if !ok { lock = &sync.Mutex{} f.scopedLocks.locks[key] = lock } f.scopedLocks.Unlock() return lock } func (f *FileCache) getFileName(key string) string { hasher := sha1.New() _, _ = hasher.Write([]byte(key)) hash := hex.EncodeToString(hasher.Sum(nil)) return fmt.Sprintf("%s/%s/%s", hash[:1], hash[1:3], hash) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/diskcache/file_cache_test.go
diskcache/file_cache_test.go
package diskcache import ( "context" "path/filepath" "testing" "github.com/spf13/afero" "github.com/stretchr/testify/require" ) func TestFileCache(t *testing.T) { ctx := context.Background() const ( key = "key" value = "some text" newValue = "new text" cacheRoot = "/cache" cachedFilePath = "a/62/a62f2225bf70bfaccbc7f1ef2a397836717377de" ) fs := afero.NewMemMapFs() cache := New(fs, "/cache") // store new key err := cache.Store(ctx, key, []byte(value)) require.NoError(t, err) checkValue(ctx, t, fs, filepath.Join(cacheRoot, cachedFilePath), cache, key, value) // update existing key err = cache.Store(ctx, key, []byte(newValue)) require.NoError(t, err) checkValue(ctx, t, fs, filepath.Join(cacheRoot, cachedFilePath), cache, key, newValue) // delete key err = cache.Delete(ctx, key) require.NoError(t, err) exists, err := afero.Exists(fs, filepath.Join(cacheRoot, cachedFilePath)) require.NoError(t, err) require.False(t, exists) } func checkValue(ctx context.Context, t *testing.T, fs afero.Fs, fileFullPath string, cache *FileCache, key, wantValue string) { t.Helper() // check actual file content b, err := afero.ReadFile(fs, fileFullPath) require.NoError(t, err) require.Equal(t, wantValue, string(b)) // check cache content b, ok, err := cache.Load(ctx, key) require.NoError(t, err) require.True(t, ok) require.Equal(t, wantValue, string(b)) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/runner/parser.go
runner/parser.go
package runner import ( "github.com/filebrowser/filebrowser/v2/settings" ) // ParseCommand parses the command taking in account if the current // instance uses a shell to run the commands or just calls the binary // directly. func ParseCommand(s *settings.Settings, raw string) (command []string, name string, err error) { name, args, err := SplitCommandAndArgs(raw) if err != nil { return } if len(s.Shell) == 0 || s.Shell[0] == "" { command = append(command, name) command = append(command, args...) } else { command = append(command, s.Shell...) command = append(command, raw) } return command, name, nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/runner/commands.go
runner/commands.go
// Copyright 2015 Light Code Labs, LLC // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. package runner import ( "errors" "runtime" "unicode" "github.com/flynn/go-shlex" ) const ( osWindows = "windows" osLinux = "linux" ) var runtimeGoos = runtime.GOOS // SplitCommandAndArgs takes a command string and parses it shell-style into the // command and its separate arguments. func SplitCommandAndArgs(command string) (cmd string, args []string, err error) { var parts []string if runtimeGoos == osWindows { parts = parseWindowsCommand(command) // parse it Windows-style } else { parts, err = parseUnixCommand(command) // parse it Unix-style if err != nil { err = errors.New("error parsing command: " + err.Error()) return } } if len(parts) == 0 { err = errors.New("no command contained in '" + command + "'") return } cmd = parts[0] if len(parts) > 1 { args = parts[1:] } return } // parseUnixCommand parses a unix style command line and returns the // command and its arguments or an error func parseUnixCommand(cmd string) ([]string, error) { return shlex.Split(cmd) } // parseWindowsCommand parses windows command lines and // returns the command and the arguments as an array. It // should be able to parse commonly used command lines. // Only basic syntax is supported: // - spaces in double quotes are not token delimiters // - double quotes are escaped by either backspace or another double quote // - except for the above case backspaces are path separators (not special) // // Many sources point out that escaping quotes using backslash can be unsafe. // Use two double quotes when possible. (Source: http://stackoverflow.com/a/31413730/2616179 ) // // This function has to be used on Windows instead // of the shlex package because this function treats backslash // characters properly. func parseWindowsCommand(cmd string) []string { const backslash = '\\' const quote = '"' var parts []string var part string var inQuotes bool var lastRune rune for i, ch := range cmd { if i != 0 { lastRune = rune(cmd[i-1]) } if ch == backslash { // put it in the part - for now we don't know if it's an // escaping char or path separator part += string(ch) continue } if ch == quote { if lastRune == backslash { // remove the backslash from the part and add the escaped quote instead part = part[:len(part)-1] part += string(ch) continue } if lastRune == quote { // revert the last change of the inQuotes state // it was an escaping quote inQuotes = !inQuotes part += string(ch) continue } // normal escaping quotes inQuotes = !inQuotes continue } if unicode.IsSpace(ch) && !inQuotes && part != "" { parts = append(parts, part) part = "" continue } part += string(ch) } if part != "" { parts = append(parts, part) } return parts }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/runner/commands_test.go
runner/commands_test.go
// Copyright 2015 Light Code Labs, LLC // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. package runner import ( "fmt" "runtime" "strings" "testing" ) func TestParseUnixCommand(t *testing.T) { tests := []struct { input string expected []string }{ // 0 - empty command { input: ``, expected: []string{}, }, // 1 - command without arguments { input: `command`, expected: []string{`command`}, }, // 2 - command with single argument { input: `command arg1`, expected: []string{`command`, `arg1`}, }, // 3 - command with multiple arguments { input: `command arg1 arg2`, expected: []string{`command`, `arg1`, `arg2`}, }, // 4 - command with single argument with space character - in quotes { input: `command "arg1 arg1"`, expected: []string{`command`, `arg1 arg1`}, }, // 5 - command with multiple spaces and tab character { input: "command arg1 arg2\targ3", expected: []string{`command`, `arg1`, `arg2`, `arg3`}, }, // 6 - command with single argument with space character - escaped with backspace { input: `command arg1\ arg2`, expected: []string{`command`, `arg1 arg2`}, }, // 7 - single quotes should escape special chars { input: `command 'arg1\ arg2'`, expected: []string{`command`, `arg1\ arg2`}, }, } for i, test := range tests { errorPrefix := fmt.Sprintf("Test [%d]: ", i) errorSuffix := fmt.Sprintf(" Command to parse: [%s]", test.input) actual, _ := parseUnixCommand(test.input) if len(actual) != len(test.expected) { t.Errorf(errorPrefix+"Expected %d parts, got %d: %#v."+errorSuffix, len(test.expected), len(actual), actual) continue } for j := 0; j < len(actual); j++ { if expectedPart, actualPart := test.expected[j], actual[j]; expectedPart != actualPart { t.Errorf(errorPrefix+"Expected: %v Actual: %v (index %d)."+errorSuffix, expectedPart, actualPart, j) } } } } func TestParseWindowsCommand(t *testing.T) { tests := []struct { input string expected []string }{ { // 0 - empty command - do not fail input: ``, expected: []string{}, }, { // 1 - cmd without args input: `cmd`, expected: []string{`cmd`}, }, { // 2 - multiple args input: `cmd arg1 arg2`, expected: []string{`cmd`, `arg1`, `arg2`}, }, { // 3 - multiple args with space input: `cmd "combined arg" arg2`, expected: []string{`cmd`, `combined arg`, `arg2`}, }, { // 4 - path without spaces input: `mkdir C:\Windows\foo\bar`, expected: []string{`mkdir`, `C:\Windows\foo\bar`}, }, { // 5 - command with space in quotes input: `"command here"`, expected: []string{`command here`}, }, { // 6 - argument with escaped quotes (two quotes) input: `cmd ""arg""`, expected: []string{`cmd`, `"arg"`}, }, { // 7 - argument with escaped quotes (backslash) input: `cmd \"arg\"`, expected: []string{`cmd`, `"arg"`}, }, { // 8 - two quotes (escaped) inside an inQuote element input: `cmd "a ""quoted value"`, expected: []string{`cmd`, `a "quoted value`}, }, { // 9 - two quotes outside an inQuote element input: `cmd a ""quoted value`, expected: []string{`cmd`, `a`, `"quoted`, `value`}, }, { // 10 - path with space in quotes input: `mkdir "C:\directory name\foobar"`, expected: []string{`mkdir`, `C:\directory name\foobar`}, }, { // 11 - space without quotes input: `mkdir C:\ space`, expected: []string{`mkdir`, `C:\`, `space`}, }, { // 12 - space in quotes input: `mkdir "C:\ space"`, expected: []string{`mkdir`, `C:\ space`}, }, { // 13 - UNC input: `mkdir \\?\C:\Users`, expected: []string{`mkdir`, `\\?\C:\Users`}, }, { // 14 - UNC with space input: `mkdir "\\?\C:\Program Files"`, expected: []string{`mkdir`, `\\?\C:\Program Files`}, }, { // 15 - unclosed quotes - treat as if the path ends with quote input: `mkdir "c:\Program files`, expected: []string{`mkdir`, `c:\Program files`}, }, { // 16 - quotes used inside the argument input: `mkdir "c:\P"rogra"m f"iles`, expected: []string{`mkdir`, `c:\Program files`}, }, } for i, test := range tests { errorPrefix := fmt.Sprintf("Test [%d]: ", i) errorSuffix := fmt.Sprintf(" Command to parse: [%s]", test.input) actual := parseWindowsCommand(test.input) if len(actual) != len(test.expected) { t.Errorf(errorPrefix+"Expected %d parts, got %d: %#v."+errorSuffix, len(test.expected), len(actual), actual) continue } for j := 0; j < len(actual); j++ { if expectedPart, actualPart := test.expected[j], actual[j]; expectedPart != actualPart { t.Errorf(errorPrefix+"Expected: %v Actual: %v (index %d)."+errorSuffix, expectedPart, actualPart, j) } } } } func TestSplitCommandAndArgs(t *testing.T) { // force linux parsing. It's more robust and covers error cases runtimeGoos = osLinux defer func() { runtimeGoos = runtime.GOOS }() var parseErrorContent = "error parsing command:" var noCommandErrContent = "no command contained in" tests := []struct { input string expectedCommand string expectedArgs []string expectedErrContent string }{ // 0 - empty command { input: ``, expectedCommand: ``, expectedArgs: nil, expectedErrContent: noCommandErrContent, }, // 1 - command without arguments { input: `command`, expectedCommand: `command`, expectedArgs: nil, expectedErrContent: ``, }, // 2 - command with single argument { input: `command arg1`, expectedCommand: `command`, expectedArgs: []string{`arg1`}, expectedErrContent: ``, }, // 3 - command with multiple arguments { input: `command arg1 arg2`, expectedCommand: `command`, expectedArgs: []string{`arg1`, `arg2`}, expectedErrContent: ``, }, // 4 - command with unclosed quotes { input: `command "arg1 arg2`, expectedCommand: "", expectedArgs: nil, expectedErrContent: parseErrorContent, }, // 5 - command with unclosed quotes { input: `command 'arg1 arg2"`, expectedCommand: "", expectedArgs: nil, expectedErrContent: parseErrorContent, }, } for i, test := range tests { errorPrefix := fmt.Sprintf("Test [%d]: ", i) errorSuffix := fmt.Sprintf(" Command to parse: [%s]", test.input) actualCommand, actualArgs, actualErr := SplitCommandAndArgs(test.input) // test if error matches expectation if test.expectedErrContent != "" { if actualErr == nil { t.Errorf(errorPrefix+"Expected error with content [%s], found no error."+errorSuffix, test.expectedErrContent) } else if !strings.Contains(actualErr.Error(), test.expectedErrContent) { t.Errorf(errorPrefix+"Expected error with content [%s], found [%v]."+errorSuffix, test.expectedErrContent, actualErr) } } else if actualErr != nil { t.Errorf(errorPrefix+"Expected no error, found [%v]."+errorSuffix, actualErr) } // test if command matches if test.expectedCommand != actualCommand { t.Errorf(errorPrefix+"Expected command: [%s], actual: [%s]."+errorSuffix, test.expectedCommand, actualCommand) } // test if arguments match if len(test.expectedArgs) != len(actualArgs) { t.Errorf(errorPrefix+"Wrong number of arguments! Expected [%v], actual [%v]."+errorSuffix, test.expectedArgs, actualArgs) } else { // test args only if the count matches. for j, actualArg := range actualArgs { expectedArg := test.expectedArgs[j] if actualArg != expectedArg { t.Errorf(errorPrefix+"Argument at position [%d] differ! Expected [%s], actual [%s]"+errorSuffix, j, expectedArg, actualArg) } } } } } func ExampleSplitCommandAndArgs() { var commandLine string var command string var args []string // just for the test - change GOOS and reset it at the end of the test runtimeGoos = osWindows defer func() { runtimeGoos = runtime.GOOS }() commandLine = `mkdir /P "C:\Program Files"` command, args, _ = SplitCommandAndArgs(commandLine) fmt.Printf("Windows: %s: %s [%s]\n", commandLine, command, strings.Join(args, ",")) // set GOOS to linux runtimeGoos = osLinux commandLine = `mkdir -p /path/with\ space` command, args, _ = SplitCommandAndArgs(commandLine) fmt.Printf("Linux: %s: %s [%s]\n", commandLine, command, strings.Join(args, ",")) // Output: // Windows: mkdir /P "C:\Program Files": mkdir [/P,C:\Program Files] // Linux: mkdir -p /path/with\ space: mkdir [-p,/path/with space] }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/runner/runner.go
runner/runner.go
package runner import ( "fmt" "log" "os" "os/exec" "strings" "github.com/filebrowser/filebrowser/v2/settings" "github.com/filebrowser/filebrowser/v2/users" ) // Runner is a commands runner. type Runner struct { Enabled bool *settings.Settings } // RunHook runs the hooks for the before and after event. func (r *Runner) RunHook(fn func() error, evt, path, dst string, user *users.User) error { path = user.FullPath(path) dst = user.FullPath(dst) if r.Enabled { if val, ok := r.Commands["before_"+evt]; ok { for _, command := range val { err := r.exec(command, "before_"+evt, path, dst, user) if err != nil { return err } } } } err := fn() if err != nil { return err } if r.Enabled { if val, ok := r.Commands["after_"+evt]; ok { for _, command := range val { err := r.exec(command, "after_"+evt, path, dst, user) if err != nil { return err } } } } return nil } func (r *Runner) exec(raw, evt, path, dst string, user *users.User) error { blocking := true if strings.HasSuffix(raw, "&") { blocking = false raw = strings.TrimSpace(strings.TrimSuffix(raw, "&")) } command, _, err := ParseCommand(r.Settings, raw) if err != nil { return err } envMapping := func(key string) string { switch key { case "FILE": return path case "SCOPE": return user.Scope case "TRIGGER": return evt case "USERNAME": return user.Username case "DESTINATION": return dst default: return os.Getenv(key) } } for i, arg := range command { if i == 0 { continue } command[i] = os.Expand(arg, envMapping) } cmd := exec.Command(command[0], command[1:]...) cmd.Env = append(os.Environ(), fmt.Sprintf("FILE=%s", path)) cmd.Env = append(cmd.Env, fmt.Sprintf("SCOPE=%s", user.Scope)) cmd.Env = append(cmd.Env, fmt.Sprintf("TRIGGER=%s", evt)) cmd.Env = append(cmd.Env, fmt.Sprintf("USERNAME=%s", user.Username)) cmd.Env = append(cmd.Env, fmt.Sprintf("DESTINATION=%s", dst)) cmd.Stdin = os.Stdin cmd.Stdout = os.Stdout cmd.Stderr = os.Stderr if !blocking { log.Printf("[INFO] Nonblocking Command: \"%s\"", strings.Join(command, " ")) defer func() { go func() { err := cmd.Wait() if err != nil { log.Printf("[INFO] Nonblocking Command \"%s\" failed: %s", strings.Join(command, " "), err) } }() }() return cmd.Start() } log.Printf("[INFO] Blocking Command: \"%s\"", strings.Join(command, " ")) return cmd.Run() }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/users/storage.go
users/storage.go
package users import ( "sync" "time" fberrors "github.com/filebrowser/filebrowser/v2/errors" ) // StorageBackend is the interface to implement for a users storage. type StorageBackend interface { GetBy(interface{}) (*User, error) Gets() ([]*User, error) Save(u *User) error Update(u *User, fields ...string) error DeleteByID(uint) error DeleteByUsername(string) error } type Store interface { Get(baseScope string, id interface{}) (user *User, err error) Gets(baseScope string) ([]*User, error) Update(user *User, fields ...string) error Save(user *User) error Delete(id interface{}) error LastUpdate(id uint) int64 } // Storage is a users storage. type Storage struct { back StorageBackend updated map[uint]int64 mux sync.RWMutex } // NewStorage creates a users storage from a backend. func NewStorage(back StorageBackend) *Storage { return &Storage{ back: back, updated: map[uint]int64{}, } } // Get allows you to get a user by its name or username. The provided // id must be a string for username lookup or a uint for id lookup. If id // is neither, a ErrInvalidDataType will be returned. func (s *Storage) Get(baseScope string, id interface{}) (user *User, err error) { user, err = s.back.GetBy(id) if err != nil { return } if err := user.Clean(baseScope); err != nil { return nil, err } return } // Gets gets a list of all users. func (s *Storage) Gets(baseScope string) ([]*User, error) { users, err := s.back.Gets() if err != nil { return nil, err } for _, user := range users { if err := user.Clean(baseScope); err != nil { return nil, err } } return users, err } // Update updates a user in the database. func (s *Storage) Update(user *User, fields ...string) error { err := user.Clean("", fields...) if err != nil { return err } err = s.back.Update(user, fields...) if err != nil { return err } s.mux.Lock() s.updated[user.ID] = time.Now().Unix() s.mux.Unlock() return nil } // Save saves the user in a storage. func (s *Storage) Save(user *User) error { if err := user.Clean(""); err != nil { return err } return s.back.Save(user) } // Delete allows you to delete a user by its name or username. The provided // id must be a string for username lookup or a uint for id lookup. If id // is neither, a ErrInvalidDataType will be returned. func (s *Storage) Delete(id interface{}) error { switch id := id.(type) { case string: user, err := s.back.GetBy(id) if err != nil { return err } if user.ID == 1 { return fberrors.ErrRootUserDeletion } return s.back.DeleteByUsername(id) case uint: if id == 1 { return fberrors.ErrRootUserDeletion } return s.back.DeleteByID(id) default: return fberrors.ErrInvalidDataType } } // LastUpdate gets the timestamp for the last update of an user. func (s *Storage) LastUpdate(id uint) int64 { s.mux.RLock() defer s.mux.RUnlock() if val, ok := s.updated[id]; ok { return val } return 0 }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/users/assets.go
users/assets.go
package users import ( "embed" "strings" ) //go:embed assets var assets embed.FS var commonPasswords map[string]struct{} func init() { // Password list sourced from: // https://github.com/danielmiessler/SecLists/blob/master/Passwords/Common-Credentials/100k-most-used-passwords-NCSC.txt data, err := assets.ReadFile("assets/common-passwords.txt") if err != nil { panic(err) } passwords := strings.Split(strings.TrimSpace(string(data)), "\n") commonPasswords = make(map[string]struct{}, len(passwords)) for _, password := range passwords { commonPasswords[strings.TrimSpace(password)] = struct{}{} } }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/users/storage_test.go
users/storage_test.go
package users // Interface is implemented by storage var _ Store = &Storage{}
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/users/password.go
users/password.go
package users import ( "crypto/rand" "encoding/base64" "golang.org/x/crypto/bcrypt" fberrors "github.com/filebrowser/filebrowser/v2/errors" ) // ValidateAndHashPwd validates and hashes a password. func ValidateAndHashPwd(password string, minimumLength uint) (string, error) { if uint(len(password)) < minimumLength { return "", fberrors.ErrShortPassword{MinimumLength: minimumLength} } if _, ok := commonPasswords[password]; ok { return "", fberrors.ErrEasyPassword } return HashPwd(password) } // HashPwd hashes a password. func HashPwd(password string) (string, error) { bytes, err := bcrypt.GenerateFromPassword([]byte(password), bcrypt.DefaultCost) return string(bytes), err } // CheckPwd checks if a password is correct. func CheckPwd(password, hash string) bool { err := bcrypt.CompareHashAndPassword([]byte(hash), []byte(password)) return err == nil } func RandomPwd(passwordLength uint) (string, error) { randomPasswordBytes := make([]byte, passwordLength) var _, err = rand.Read(randomPasswordBytes) if err != nil { return "", err } // This is done purely to make the password human-readable var randomPasswordString = base64.URLEncoding.EncodeToString(randomPasswordBytes) return randomPasswordString, nil }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/users/users.go
users/users.go
package users import ( "path/filepath" "github.com/spf13/afero" fberrors "github.com/filebrowser/filebrowser/v2/errors" "github.com/filebrowser/filebrowser/v2/files" "github.com/filebrowser/filebrowser/v2/rules" ) // ViewMode describes a view mode. type ViewMode string const ( ListViewMode ViewMode = "list" MosaicViewMode ViewMode = "mosaic" ) // User describes a user. type User struct { ID uint `storm:"id,increment" json:"id"` Username string `storm:"unique" json:"username"` Password string `json:"password"` Scope string `json:"scope"` Locale string `json:"locale"` LockPassword bool `json:"lockPassword"` ViewMode ViewMode `json:"viewMode"` SingleClick bool `json:"singleClick"` Perm Permissions `json:"perm"` Commands []string `json:"commands"` Sorting files.Sorting `json:"sorting"` Fs afero.Fs `json:"-" yaml:"-"` Rules []rules.Rule `json:"rules"` HideDotfiles bool `json:"hideDotfiles"` DateFormat bool `json:"dateFormat"` AceEditorTheme string `json:"aceEditorTheme"` } // GetRules implements rules.Provider. func (u *User) GetRules() []rules.Rule { return u.Rules } var checkableFields = []string{ "Username", "Password", "Scope", "ViewMode", "Commands", "Sorting", "Rules", } // Clean cleans up a user and verifies if all its fields // are alright to be saved. func (u *User) Clean(baseScope string, fields ...string) error { if len(fields) == 0 { fields = checkableFields } for _, field := range fields { switch field { case "Username": if u.Username == "" { return fberrors.ErrEmptyUsername } case "Password": if u.Password == "" { return fberrors.ErrEmptyPassword } case "ViewMode": if u.ViewMode == "" { u.ViewMode = ListViewMode } case "Commands": if u.Commands == nil { u.Commands = []string{} } case "Sorting": if u.Sorting.By == "" { u.Sorting.By = "name" } case "Rules": if u.Rules == nil { u.Rules = []rules.Rule{} } } } if u.Fs == nil { scope := u.Scope scope = filepath.Join(baseScope, filepath.Join("/", scope)) u.Fs = afero.NewBasePathFs(afero.NewOsFs(), scope) } return nil } // FullPath gets the full path for a user's relative path. func (u *User) FullPath(path string) string { return afero.FullBaseFsPath(u.Fs.(*afero.BasePathFs), path) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/users/permissions.go
users/permissions.go
package users // Permissions describe a user's permissions. type Permissions struct { Admin bool `json:"admin"` Execute bool `json:"execute"` Create bool `json:"create"` Rename bool `json:"rename"` Modify bool `json:"modify"` Delete bool `json:"delete"` Share bool `json:"share"` Download bool `json:"download"` }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/frontend/assets.go
frontend/assets.go
//go:build !dev package frontend import "embed" //go:embed dist/* var assets embed.FS func Assets() embed.FS { return assets }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/search/search.go
search/search.go
package search import ( "context" "os" "path" "path/filepath" "strings" "github.com/spf13/afero" "github.com/filebrowser/filebrowser/v2/rules" ) type searchOptions struct { CaseSensitive bool Conditions []condition Terms []string } // Search searches for a query in a fs. func Search(ctx context.Context, fs afero.Fs, scope, query string, checker rules.Checker, found func(path string, f os.FileInfo) error) error { search := parseSearch(query) scope = filepath.ToSlash(filepath.Clean(scope)) scope = path.Join("/", scope) return afero.Walk(fs, scope, func(fPath string, f os.FileInfo, _ error) error { if ctx.Err() != nil { return context.Cause(ctx) } fPath = filepath.ToSlash(filepath.Clean(fPath)) fPath = path.Join("/", fPath) relativePath := strings.TrimPrefix(fPath, scope) relativePath = strings.TrimPrefix(relativePath, "/") if fPath == scope { return nil } if !checker.Check(fPath) { return nil } if len(search.Conditions) > 0 { match := false for _, t := range search.Conditions { if t(fPath) { match = true break } } if !match { return nil } } if len(search.Terms) > 0 { for _, term := range search.Terms { _, fileName := path.Split(fPath) if !search.CaseSensitive { fileName = strings.ToLower(fileName) term = strings.ToLower(term) } if strings.Contains(fileName, term) { return found(relativePath, f) } } return nil } return found(relativePath, f) }) }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false
filebrowser/filebrowser
https://github.com/filebrowser/filebrowser/blob/94ec786d34aaaa924ed34719d4a972520f7fecb5/search/conditions.go
search/conditions.go
package search import ( "mime" "path/filepath" "regexp" "strings" ) var ( typeRegexp = regexp.MustCompile(`type:(\w+)`) ) type condition func(path string) bool func extensionCondition(extension string) condition { return func(path string) bool { return filepath.Ext(path) == "."+extension } } func imageCondition(path string) bool { extension := filepath.Ext(path) mimetype := mime.TypeByExtension(extension) return strings.HasPrefix(mimetype, "image") } func audioCondition(path string) bool { extension := filepath.Ext(path) mimetype := mime.TypeByExtension(extension) return strings.HasPrefix(mimetype, "audio") } func videoCondition(path string) bool { extension := filepath.Ext(path) mimetype := mime.TypeByExtension(extension) return strings.HasPrefix(mimetype, "video") } func parseSearch(value string) *searchOptions { opts := &searchOptions{ CaseSensitive: strings.Contains(value, "case:sensitive"), Conditions: []condition{}, Terms: []string{}, } // removes the options from the value value = strings.ReplaceAll(value, "case:insensitive", "") value = strings.ReplaceAll(value, "case:sensitive", "") value = strings.TrimSpace(value) types := typeRegexp.FindAllStringSubmatch(value, -1) for _, t := range types { if len(t) == 1 { continue } switch t[1] { case "image": opts.Conditions = append(opts.Conditions, imageCondition) case "audio", "music": opts.Conditions = append(opts.Conditions, audioCondition) case "video": opts.Conditions = append(opts.Conditions, videoCondition) default: opts.Conditions = append(opts.Conditions, extensionCondition(t[1])) } } if len(types) > 0 { // Remove the fields from the search value. value = typeRegexp.ReplaceAllString(value, "") } // If it's case insensitive, put everything in lowercase. if !opts.CaseSensitive { value = strings.ToLower(value) } // Remove the spaces from the search value. value = strings.TrimSpace(value) if value == "" { return opts } // if the value starts with " and finishes what that character, we will // only search for that term if value[0] == '"' && value[len(value)-1] == '"' { unique := strings.TrimPrefix(value, "\"") unique = strings.TrimSuffix(unique, "\"") opts.Terms = []string{unique} return opts } opts.Terms = strings.Split(value, " ") return opts }
go
Apache-2.0
94ec786d34aaaa924ed34719d4a972520f7fecb5
2026-01-07T08:36:13.695467Z
false