For a unix file, I want to know if Group or World has write permission on the file.
I\'ve been thinking on these lines:
my $fpath = \"orion.proper
#!/usr/bin/perl
use warnings;
use strict;
chomp (my $filename = <STDIN>);
my $lsOutput = `ls -l $filename`;
my @fields = split (/ /,$lsOutput);
my @per = split (//,$fields[0]);
print "group has write permission \n" if ($per[5] eq 'w');
print "world has write permission" if ($per[8] eq 'w');
You are close with your proposal - the usage of stat is a little off (but on second thoughts, you must be using File::stat; it helps if your code is complete), the mask constant is faulty, and the comment leaves somewhat to be desired:
use strict;
use warnings;
use File::stat;
my $fpath = "orion.properties";
my $info = stat($fpath);
my $retMode = $info->mode;
$retMode = $retMode & 0777;
if ($retMode & 002) {
# Code comes here if World has write permission on the file
}
if ($retMode & 020) {
# Code comes here if Group has write permission on the file
}
if ($retMode & 022) {
# Code comes here if Group or World (or both) has write permission on the file
}
if ($retMode & 007) {
# Code comes here if World has read, write *or* execute permission on the file
}
if ($retMode & 006) {
# Code comes here if World has read or write permission on the file
}
if (($retMode & 007) == 007) {
# Code comes here if World has read, write *and* execute permission on the file
}
if (($retMode & 006) == 006) {
# Code comes here if World has read *and* write permission on the file
}
if (($retMode & 022) == 022) {
# Code comes here if Group *and* World both have write permission on the file
}
The terminology in the question title 'How to check in Perl if the file permission is greater than 755? i.e. Group/World has write permission' is a little suspect.
The file might have permissions 022 (or, more plausibly, 622), and that would include group and world write permission, but neither value can reasonably be claimed to be 'greater than 755'.
A set of concepts that I've found useful is:
For example, for a data file, I might require:
More likely, for a data file, I might require:
Directories are slightly different: execute permission means that you can make the directory your current directory, or access files in the directory if you know their name, while read permission means you can find out what files are in the directory, but you can't access them without execute permission too. Hence, you might have:
Note that the set and reset bits must be disjoint (($set & $rst) == 0)
), the sum of the bits will always be 0777; the "don't care" bits can be computed from 0777 & ~($set | $rst)
.