Skip to content

Commit bc80ff8

Browse files
Raise exception if trying to create file in read-only directory
- raise exception if trying to create file in read-only directory under Posix OS - fixed assertRaisesIOError and assertRaisesOSError - never allow adding of already existing file or directory - do not allow FakeFile without filesystem - fixes #203
1 parent 94f9019 commit bc80ff8

File tree

3 files changed

+83
-27
lines changed

3 files changed

+83
-27
lines changed

CHANGES.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -12,7 +12,7 @@ The release versions are PyPi releases.
1212
#### Infrastructure
1313

1414
#### Fixes
15-
15+
* Creating files in read-only directory was possible ([#203](../../issues/203))
1616

1717
## [Version 3.2](https://pypi.python.org/pypi/pyfakefs/3.2)
1818

fake_filesystem_test.py

+37-6
Original file line numberDiff line numberDiff line change
@@ -59,12 +59,14 @@ def assertModeEqual(self, expected, actual):
5959
def assertRaisesIOError(self, subtype, expression, *args, **kwargs):
6060
try:
6161
expression(*args, **kwargs)
62+
self.fail('No exception was raised, IOError expected')
6263
except IOError as exc:
6364
self.assertEqual(exc.errno, subtype)
6465

6566
def assertRaisesOSError(self, subtype, expression, *args, **kwargs):
6667
try:
6768
expression(*args, **kwargs)
69+
self.fail('No exception was raised, OSError expected')
6870
except OSError as exc:
6971
if self.is_windows and sys.version_info < (3, 0):
7072
self.assertEqual(exc.winerror, subtype)
@@ -76,8 +78,11 @@ class FakeDirectoryUnitTest(TestCase):
7678
def setUp(self):
7779
self.orig_time = time.time
7880
time.time = _DummyTime(10, 1)
79-
self.fake_file = fake_filesystem.FakeFile('foobar', contents='dummy_file')
80-
self.fake_dir = fake_filesystem.FakeDirectory('somedir')
81+
self.filesystem = fake_filesystem.FakeFilesystem(path_separator='/')
82+
self.fake_file = fake_filesystem.FakeFile(
83+
'foobar', contents='dummy_file', filesystem=self.filesystem)
84+
self.fake_dir = fake_filesystem.FakeDirectory(
85+
'somedir', filesystem=self.filesystem)
8186

8287
def tearDown(self):
8388
time.time = self.orig_time
@@ -96,6 +101,11 @@ def testGetEntry(self):
96101
self.fake_dir.AddEntry(self.fake_file)
97102
self.assertEqual(self.fake_file, self.fake_dir.GetEntry('foobar'))
98103

104+
def testGetPath(self):
105+
self.filesystem.root.AddEntry(self.fake_dir)
106+
self.fake_dir.AddEntry(self.fake_file)
107+
self.assertEqual('/somedir/foobar', self.fake_file.GetPath())
108+
99109
def testRemoveEntry(self):
100110
self.fake_dir.AddEntry(self.fake_file)
101111
self.assertEqual(self.fake_file, self.fake_dir.GetEntry('foobar'))
@@ -170,7 +180,8 @@ def testOrderedDirs(self):
170180

171181
class SetLargeFileSizeTest(TestCase):
172182
def setUp(self):
173-
self.fake_file = fake_filesystem.FakeFile('foobar')
183+
filesystem = fake_filesystem.FakeFilesystem()
184+
self.fake_file = fake_filesystem.FakeFile('foobar', filesystem=filesystem)
174185

175186
def testShouldThrowIfSizeIsNotInteger(self):
176187
self.assertRaisesIOError(errno.ENOSPC, self.fake_file.SetLargeFileSize, 0.1)
@@ -246,9 +257,12 @@ class FakeFilesystemUnitTest(TestCase):
246257
def setUp(self):
247258
self.filesystem = fake_filesystem.FakeFilesystem(path_separator='/')
248259
self.root_name = '/'
249-
self.fake_file = fake_filesystem.FakeFile('foobar')
250-
self.fake_child = fake_filesystem.FakeDirectory('foobaz')
251-
self.fake_grandchild = fake_filesystem.FakeDirectory('quux')
260+
self.fake_file = fake_filesystem.FakeFile(
261+
'foobar', filesystem=self.filesystem)
262+
self.fake_child = fake_filesystem.FakeDirectory(
263+
'foobaz', filesystem=self.filesystem)
264+
self.fake_grandchild = fake_filesystem.FakeDirectory(
265+
'quux', filesystem=self.filesystem)
252266

253267
def testNewFilesystem(self):
254268
self.assertEqual('/', self.filesystem.path_separator)
@@ -427,6 +441,21 @@ def testCreateDirectoryAlreadyExistsError(self):
427441
self.filesystem.CreateDirectory(path)
428442
self.assertRaisesOSError(errno.EEXIST, self.filesystem.CreateDirectory, path)
429443

444+
def testCreateFileInReadOnlyDirectoryRaisesInPosix(self):
445+
self.filesystem.is_windows_fs = False
446+
dir_path = '/foo/bar'
447+
self.filesystem.CreateDirectory(dir_path, perm_bits=0o555)
448+
file_path = dir_path + '/baz'
449+
self.assertRaisesOSError(errno.EACCES, self.filesystem.CreateFile, file_path)
450+
451+
def testCreateFileInReadOnlyDirectoryPossibleInWindows(self):
452+
self.filesystem.is_windows_fs = True
453+
dir_path = 'C:/foo/bar'
454+
self.filesystem.CreateDirectory(dir_path, perm_bits=0o555)
455+
file_path = dir_path + '/baz'
456+
self.filesystem.CreateFile(file_path)
457+
self.assertTrue(self.filesystem.Exists(file_path))
458+
430459
def testCreateFileInCurrentDirectory(self):
431460
path = 'foo'
432461
contents = 'dummy data'
@@ -1418,6 +1447,7 @@ def testMkdirRaisesWithDoubleDots(self):
14181447

14191448
def testMkdirRaisesIfParentIsReadOnly(self):
14201449
"""mkdir raises exception if parent is read only."""
1450+
self.filesystem.is_windows_fs = False
14211451
directory = '/a'
14221452
self.os.mkdir(directory)
14231453

@@ -1446,6 +1476,7 @@ def testMakedirsRaisesIfParentIsFile(self):
14461476
def testMakedirsRaisesIfAccessDenied(self):
14471477
"""makedirs raises exception if access denied."""
14481478
directory = '/a'
1479+
self.filesystem.is_windows_fs = False
14491480
self.os.mkdir(directory)
14501481

14511482
# Change directory permissions to be read only.

pyfakefs/fake_filesystem.py

+45-20
Original file line numberDiff line numberDiff line change
@@ -347,7 +347,7 @@ def __init__(self, name, st_mode=stat.S_IFREG | PERM_DEF_FILE,
347347
contents: the contents of the filesystem object; should be a string or byte object for
348348
regular files, and a list of other FakeFile or FakeDirectory objects
349349
for FakeDirectory objects
350-
filesystem: if set, the fake filesystem where the file is created.
350+
filesystem: the fake filesystem where the file is created.
351351
New in pyfakefs 2.9.
352352
encoding: if contents is a unicode string, the encoding used for serialization
353353
errors: the error mode used for encoding/decoding errors
@@ -361,8 +361,12 @@ def __init__(self, name, st_mode=stat.S_IFREG | PERM_DEF_FILE,
361361
self._byte_contents = self._encode_contents(contents)
362362
self.stat_result.st_size = (
363363
len(self._byte_contents) if self._byte_contents is not None else 0)
364+
# to be backwards compatible regarding argument order, we raise on None
365+
if filesystem is None:
366+
raise ValueError('filesystem shall not be None')
364367
self.filesystem = filesystem
365368
self.epoch = 0
369+
self.parent_dir = None
366370

367371
@property
368372
def byte_contents(self):
@@ -400,8 +404,7 @@ def SetLargeFileSize(self, st_size):
400404
self.name)
401405
if self.st_size:
402406
self.SetSize(0)
403-
if self.filesystem:
404-
self.filesystem.ChangeDiskUsage(st_size, self.name, self.st_dev)
407+
self.filesystem.ChangeDiskUsage(st_size, self.name, self.st_dev)
405408
self.st_size = st_size
406409
self._byte_contents = None
407410

@@ -433,8 +436,7 @@ def _set_initial_contents(self, contents):
433436
if self._byte_contents:
434437
self.SetSize(0)
435438
current_size = self.st_size or 0
436-
if self.filesystem:
437-
self.filesystem.ChangeDiskUsage(st_size - current_size, self.name, self.st_dev)
439+
self.filesystem.ChangeDiskUsage(st_size - current_size, self.name, self.st_dev)
438440
self._byte_contents = contents
439441
self.st_size = st_size
440442
self.epoch += 1
@@ -465,6 +467,16 @@ def GetSize(self):
465467
"""
466468
return self.st_size
467469

470+
def GetPath(self):
471+
"""Return the full path of the current object."""
472+
names = []
473+
obj = self
474+
while obj:
475+
names.insert(0, obj.name)
476+
obj = obj.parent_dir
477+
sep = self.filesystem._path_separator(self.name)
478+
return self.filesystem.NormalizePath(sep.join(names[1:]))
479+
468480
def SetSize(self, st_size):
469481
"""Resizes file content, padding with nulls if new size exceeds the old.
470482
@@ -483,8 +495,7 @@ def SetSize(self, st_size):
483495
self.name)
484496

485497
current_size = self.st_size or 0
486-
if self.filesystem:
487-
self.filesystem.ChangeDiskUsage(st_size - current_size, self.name, self.st_dev)
498+
self.filesystem.ChangeDiskUsage(st_size - current_size, self.name, self.st_dev)
488499
if self._byte_contents:
489500
if st_size < current_size:
490501
self._byte_contents = self._byte_contents[:st_size]
@@ -620,12 +631,25 @@ def AddEntry(self, path_object):
620631
"""Adds a child FakeFile to this directory.
621632
622633
Args:
623-
path_object: FakeFile instance to add as a child of this directory.
634+
path_object: FakeFile instance to add as a child of this directory.
635+
636+
Raises:
637+
OSError: if the directory has no write permission (Posix only)
638+
OSError: if the file or directory to be added already exists
624639
"""
640+
if not self.st_mode & PERM_WRITE and not self.filesystem.is_windows_fs:
641+
raise OSError(errno.EACCES, 'Permission Denied', self.GetPath())
642+
643+
if path_object.name in self.contents:
644+
raise OSError(errno.EEXIST,
645+
'Object already exists in fake filesystem',
646+
self.GetPath())
647+
625648
self.contents[path_object.name] = path_object
649+
path_object.parent_dir = self
626650
path_object.st_nlink += 1
627651
path_object.st_dev = self.st_dev
628-
if self.filesystem and path_object.st_nlink == 1:
652+
if path_object.st_nlink == 1:
629653
self.filesystem.ChangeDiskUsage(path_object.GetSize(), path_object.name, self.st_dev)
630654

631655
def GetEntry(self, pathname_name):
@@ -659,12 +683,12 @@ def RemoveEntry(self, pathname_name, recursive=True):
659683
if entry.st_mode & PERM_WRITE == 0:
660684
raise OSError(errno.EACCES, 'Trying to remove object without write permission',
661685
pathname_name)
662-
if self.filesystem and self.filesystem.is_windows_fs and self.filesystem.HasOpenFile(entry):
686+
if self.filesystem.is_windows_fs and self.filesystem.HasOpenFile(entry):
663687
raise OSError(errno.EACCES, 'Trying to remove an open file', pathname_name)
664688
if recursive and isinstance(entry, FakeDirectory):
665689
while entry.contents:
666690
entry.RemoveEntry(list(entry.contents)[0])
667-
elif self.filesystem and entry.st_nlink == 1:
691+
elif entry.st_nlink == 1:
668692
self.filesystem.ChangeDiskUsage(-entry.GetSize(), pathname_name, entry.st_dev)
669693

670694
entry.st_nlink -= 1
@@ -1872,15 +1896,22 @@ def CreateDirectory(self, directory_path, perm_bits=PERM_DEF):
18721896
path_components = self.GetPathComponents(directory_path)
18731897
current_dir = self.root
18741898

1899+
new_dirs = []
18751900
for component in path_components:
18761901
directory = self._DirectoryContent(current_dir, component)[1]
18771902
if not directory:
1878-
new_dir = FakeDirectory(component, perm_bits, filesystem=self)
1903+
new_dir = FakeDirectory(component, filesystem=self)
1904+
new_dirs.append(new_dir)
18791905
current_dir.AddEntry(new_dir)
18801906
current_dir = new_dir
18811907
else:
18821908
current_dir = directory
18831909

1910+
# set the permission after creating the directories
1911+
# to allow directory creation inside a read-only directory
1912+
for new_dir in new_dirs:
1913+
new_dir.st_mode = stat.S_IFDIR | perm_bits
1914+
18841915
self.last_ino += 1
18851916
current_dir.SetIno(self.last_ino)
18861917
return current_dir
@@ -2197,12 +2228,9 @@ def MakeDirectory(self, dir_name, mode=PERM_DEF):
21972228
if self.Exists(dir_name):
21982229
raise OSError(errno.EEXIST, 'Fake object already exists', dir_name)
21992230
head, tail = self.SplitPath(dir_name)
2200-
directory_object = self.GetObject(head)
2201-
if not directory_object.st_mode & PERM_WRITE:
2202-
raise OSError(errno.EACCES, 'Permission Denied', dir_name)
22032231

22042232
self.AddObject(
2205-
head, FakeDirectory(tail, mode & ~self.umask))
2233+
head, FakeDirectory(tail, mode & ~self.umask, filesystem=self))
22062234

22072235
def MakeDirectories(self, dir_name, mode=PERM_DEF, exist_ok=False):
22082236
"""Create a leaf Fake directory and create any non-existent parent dirs.
@@ -2228,10 +2256,7 @@ def MakeDirectories(self, dir_name, mode=PERM_DEF, exist_ok=False):
22282256
current_dir = self.root
22292257
for component in path_components:
22302258
if component not in current_dir.contents:
2231-
if not current_dir.st_mode & PERM_WRITE:
2232-
raise OSError(errno.EACCES, 'Permission Denied', dir_name)
2233-
else:
2234-
break
2259+
break
22352260
else:
22362261
current_dir = current_dir.contents[component]
22372262
try:

0 commit comments

Comments
 (0)