In Unix file system permissions, the "others" category refers to all users except the owner of the file system resource and the
members of the group assigned to this resource.
Granting permissions to this category can lead to unintended access to files or directories that could allow attackers to obtain sensitive
information, disrupt services or elevate privileges.
Ask Yourself Whether
  -  The application is designed to be run on a multi-user environment. 
-  Corresponding files and directories may contain confidential information. 
There is a risk if you answered yes to any of those questions.
Recommended Secure Coding Practices
The most restrictive possible permissions should be assigned to files and directories.
Sensitive Code Example
For Chmod() in the os package:
import (
    "os"
)
func main() {
    err := os.Chmod("/tmp/fs", 0777) // Sensitive
    if err != nil {
        panic(err)
    }
}
For Umask() in the syscall package:
import (
    "golang.org/x/sys/unix"
)
func main() {
    oldMask := unix.Umask(0) // Sensitive
}
Compliant Solution
For Chmod() in the os package:
import (
    "os"
)
func main() {
    err := os.Chmod("/tmp/fs", 0770)
    if err != nil {
        panic(err)
    }
}
For Umask() in the syscall package:
import (
    "golang.org/x/sys/unix"
)
func main() {
    oldMask := unix.Umask(0007)
}
See