如何在Go 中確定可執行檔狀態
給定一個os.FileInfo 實例,您可能需要檢查檔案是否在Go 中可執行去。這需要破解 os.FileInfo.Mode() 中的權限位元。
測試案例:
#!/usr/bin/env bash mkdir -p test/foo/bar touch test/foo/bar/{baz.txt,quux.sh} chmod +x test/foo/bar/quux.sh
<code class="go">import ( "os" "path/filepath" "fmt" )</code>
解決方案:
檔案的可執行性由儲存在os.FileMode.Perm() 中的Unix 權限位元決定。這些位元形成 9 位元位元遮罩(八進位 0777)。
Unix 權限位意義:
rwxrwxrwx
對於每個使用者類別:
其他:位元遮罩0001
<code class="go">func IsExecOwner(mode os.FileMode) bool { return mode&0100 != 0 }</code>
<code class="go">func IsExecGroup(mode os.FileMode) bool { return mode&0010 != 0 }</code>
<code class="go">func IsExecOther(mode os.FileMode) bool { return mode&0001 != 0 }</code>
<code class="go">func IsExecAny(mode os.FileMode) bool { return mode&0111 != 0 }</code>
可由任何人執行:
<code class="go">func IsExecAll(mode os.FileMode) bool { return mode&0111 == 0111 }</code>
<code class="go">func main() { filepath.Walk("test", func(path string, info os.FileInfo, err error) error { if err != nil || info.IsDir() { return err } fmt.Printf("%v %v", path, IsExecAny(info.Mode().Perm())) } }</code>
所有人可執行:
test/foo/bar/baz.txt false test/foo/bar/quux.txt true
以上是如何判斷Go檔案是否可執行?的詳細內容。更多資訊請關注PHP中文網其他相關文章!