Skip to content

Commit 6176e16

Browse files
Masorubka1youknowone
authored andcommitted
Add test_largefile.py from Cpython v3.11.2
1 parent 143036a commit 6176e16

File tree

1 file changed

+292
-0
lines changed

1 file changed

+292
-0
lines changed

Lib/test/test_largefile.py

Lines changed: 292 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,292 @@
1+
"""Test largefile support on system where this makes sense.
2+
"""
3+
4+
import os
5+
import stat
6+
import sys
7+
import unittest
8+
import socket
9+
import shutil
10+
import threading
11+
from test.support import requires, bigmemtest
12+
from test.support import SHORT_TIMEOUT
13+
from test.support import socket_helper
14+
from test.support.os_helper import TESTFN, unlink
15+
import io # C implementation of io
16+
import _pyio as pyio # Python implementation of io
17+
18+
# size of file to create (>2 GiB; 2 GiB == 2,147,483,648 bytes)
19+
size = 2_500_000_000
20+
TESTFN2 = TESTFN + '2'
21+
22+
23+
class LargeFileTest:
24+
25+
def setUp(self):
26+
if os.path.exists(TESTFN):
27+
mode = 'r+b'
28+
else:
29+
mode = 'w+b'
30+
31+
with self.open(TESTFN, mode) as f:
32+
current_size = os.fstat(f.fileno())[stat.ST_SIZE]
33+
if current_size == size+1:
34+
return
35+
36+
if current_size == 0:
37+
f.write(b'z')
38+
39+
f.seek(0)
40+
f.seek(size)
41+
f.write(b'a')
42+
f.flush()
43+
self.assertEqual(os.fstat(f.fileno())[stat.ST_SIZE], size+1)
44+
45+
@classmethod
46+
def tearDownClass(cls):
47+
with cls.open(TESTFN, 'wb'):
48+
pass
49+
if not os.stat(TESTFN)[stat.ST_SIZE] == 0:
50+
raise cls.failureException('File was not truncated by opening '
51+
'with mode "wb"')
52+
unlink(TESTFN2)
53+
54+
55+
class TestFileMethods(LargeFileTest):
56+
"""Test that each file function works as expected for large
57+
(i.e. > 2 GiB) files.
58+
"""
59+
60+
# _pyio.FileIO.readall() uses a temporary bytearray then casted to bytes,
61+
# so memuse=2 is needed
62+
@bigmemtest(size=size, memuse=2, dry_run=False)
63+
def test_large_read(self, _size):
64+
# bpo-24658: Test that a read greater than 2GB does not fail.
65+
with self.open(TESTFN, "rb") as f:
66+
self.assertEqual(len(f.read()), size + 1)
67+
self.assertEqual(f.tell(), size + 1)
68+
69+
def test_osstat(self):
70+
self.assertEqual(os.stat(TESTFN)[stat.ST_SIZE], size+1)
71+
72+
def test_seek_read(self):
73+
with self.open(TESTFN, 'rb') as f:
74+
self.assertEqual(f.tell(), 0)
75+
self.assertEqual(f.read(1), b'z')
76+
self.assertEqual(f.tell(), 1)
77+
f.seek(0)
78+
self.assertEqual(f.tell(), 0)
79+
f.seek(0, 0)
80+
self.assertEqual(f.tell(), 0)
81+
f.seek(42)
82+
self.assertEqual(f.tell(), 42)
83+
f.seek(42, 0)
84+
self.assertEqual(f.tell(), 42)
85+
f.seek(42, 1)
86+
self.assertEqual(f.tell(), 84)
87+
f.seek(0, 1)
88+
self.assertEqual(f.tell(), 84)
89+
f.seek(0, 2) # seek from the end
90+
self.assertEqual(f.tell(), size + 1 + 0)
91+
f.seek(-10, 2)
92+
self.assertEqual(f.tell(), size + 1 - 10)
93+
f.seek(-size-1, 2)
94+
self.assertEqual(f.tell(), 0)
95+
f.seek(size)
96+
self.assertEqual(f.tell(), size)
97+
# the 'a' that was written at the end of file above
98+
self.assertEqual(f.read(1), b'a')
99+
f.seek(-size-1, 1)
100+
self.assertEqual(f.read(1), b'z')
101+
self.assertEqual(f.tell(), 1)
102+
103+
def test_lseek(self):
104+
with self.open(TESTFN, 'rb') as f:
105+
self.assertEqual(os.lseek(f.fileno(), 0, 0), 0)
106+
self.assertEqual(os.lseek(f.fileno(), 42, 0), 42)
107+
self.assertEqual(os.lseek(f.fileno(), 42, 1), 84)
108+
self.assertEqual(os.lseek(f.fileno(), 0, 1), 84)
109+
self.assertEqual(os.lseek(f.fileno(), 0, 2), size+1+0)
110+
self.assertEqual(os.lseek(f.fileno(), -10, 2), size+1-10)
111+
self.assertEqual(os.lseek(f.fileno(), -size-1, 2), 0)
112+
self.assertEqual(os.lseek(f.fileno(), size, 0), size)
113+
# the 'a' that was written at the end of file above
114+
self.assertEqual(f.read(1), b'a')
115+
116+
def test_truncate(self):
117+
with self.open(TESTFN, 'r+b') as f:
118+
if not hasattr(f, 'truncate'):
119+
raise unittest.SkipTest("open().truncate() not available "
120+
"on this system")
121+
f.seek(0, 2)
122+
# else we've lost track of the true size
123+
self.assertEqual(f.tell(), size+1)
124+
# Cut it back via seek + truncate with no argument.
125+
newsize = size - 10
126+
f.seek(newsize)
127+
f.truncate()
128+
self.assertEqual(f.tell(), newsize) # else pointer moved
129+
f.seek(0, 2)
130+
self.assertEqual(f.tell(), newsize) # else wasn't truncated
131+
# Ensure that truncate(smaller than true size) shrinks
132+
# the file.
133+
newsize -= 1
134+
f.seek(42)
135+
f.truncate(newsize)
136+
self.assertEqual(f.tell(), 42)
137+
f.seek(0, 2)
138+
self.assertEqual(f.tell(), newsize)
139+
# XXX truncate(larger than true size) is ill-defined
140+
# across platform; cut it waaaaay back
141+
f.seek(0)
142+
f.truncate(1)
143+
self.assertEqual(f.tell(), 0) # else pointer moved
144+
f.seek(0)
145+
self.assertEqual(len(f.read()), 1) # else wasn't truncated
146+
147+
def test_seekable(self):
148+
# Issue #5016; seekable() can return False when the current position
149+
# is negative when truncated to an int.
150+
for pos in (2**31-1, 2**31, 2**31+1):
151+
with self.open(TESTFN, 'rb') as f:
152+
f.seek(pos)
153+
self.assertTrue(f.seekable())
154+
155+
156+
def skip_no_disk_space(path, required):
157+
def decorator(fun):
158+
def wrapper(*args, **kwargs):
159+
if not hasattr(shutil, "disk_usage"):
160+
raise unittest.SkipTest("requires shutil.disk_usage")
161+
if shutil.disk_usage(os.path.realpath(path)).free < required:
162+
hsize = int(required / 1024 / 1024)
163+
raise unittest.SkipTest(
164+
f"required {hsize} MiB of free disk space")
165+
return fun(*args, **kwargs)
166+
return wrapper
167+
return decorator
168+
169+
170+
class TestCopyfile(LargeFileTest, unittest.TestCase):
171+
open = staticmethod(io.open)
172+
173+
# Exact required disk space would be (size * 2), but let's give it a
174+
# bit more tolerance.
175+
@skip_no_disk_space(TESTFN, size * 2.5)
176+
def test_it(self):
177+
# Internally shutil.copyfile() can use "fast copy" methods like
178+
# os.sendfile().
179+
size = os.path.getsize(TESTFN)
180+
shutil.copyfile(TESTFN, TESTFN2)
181+
self.assertEqual(os.path.getsize(TESTFN2), size)
182+
with open(TESTFN2, 'rb') as f:
183+
self.assertEqual(f.read(5), b'z\x00\x00\x00\x00')
184+
f.seek(size - 5)
185+
self.assertEqual(f.read(), b'\x00\x00\x00\x00a')
186+
187+
188+
@unittest.skipIf(not hasattr(os, 'sendfile'), 'sendfile not supported')
189+
class TestSocketSendfile(LargeFileTest, unittest.TestCase):
190+
open = staticmethod(io.open)
191+
timeout = SHORT_TIMEOUT
192+
193+
def setUp(self):
194+
super().setUp()
195+
self.thread = None
196+
197+
def tearDown(self):
198+
super().tearDown()
199+
if self.thread is not None:
200+
self.thread.join(self.timeout)
201+
self.thread = None
202+
203+
def tcp_server(self, sock):
204+
def run(sock):
205+
with sock:
206+
conn, _ = sock.accept()
207+
conn.settimeout(self.timeout)
208+
with conn, open(TESTFN2, 'wb') as f:
209+
event.wait(self.timeout)
210+
while True:
211+
chunk = conn.recv(65536)
212+
if not chunk:
213+
return
214+
f.write(chunk)
215+
216+
event = threading.Event()
217+
sock.settimeout(self.timeout)
218+
self.thread = threading.Thread(target=run, args=(sock, ))
219+
self.thread.start()
220+
event.set()
221+
222+
# Exact required disk space would be (size * 2), but let's give it a
223+
# bit more tolerance.
224+
@skip_no_disk_space(TESTFN, size * 2.5)
225+
def test_it(self):
226+
port = socket_helper.find_unused_port()
227+
with socket.create_server(("", port)) as sock:
228+
self.tcp_server(sock)
229+
with socket.create_connection(("127.0.0.1", port)) as client:
230+
with open(TESTFN, 'rb') as f:
231+
client.sendfile(f)
232+
self.tearDown()
233+
234+
size = os.path.getsize(TESTFN)
235+
self.assertEqual(os.path.getsize(TESTFN2), size)
236+
with open(TESTFN2, 'rb') as f:
237+
self.assertEqual(f.read(5), b'z\x00\x00\x00\x00')
238+
f.seek(size - 5)
239+
self.assertEqual(f.read(), b'\x00\x00\x00\x00a')
240+
241+
242+
def setUpModule():
243+
try:
244+
import signal
245+
# The default handler for SIGXFSZ is to abort the process.
246+
# By ignoring it, system calls exceeding the file size resource
247+
# limit will raise OSError instead of crashing the interpreter.
248+
signal.signal(signal.SIGXFSZ, signal.SIG_IGN)
249+
except (ImportError, AttributeError):
250+
pass
251+
252+
# On Windows and Mac OSX this test consumes large resources; It
253+
# takes a long time to build the >2 GiB file and takes >2 GiB of disk
254+
# space therefore the resource must be enabled to run this test.
255+
# If not, nothing after this line stanza will be executed.
256+
if sys.platform[:3] == 'win' or sys.platform == 'darwin':
257+
requires('largefile',
258+
'test requires %s bytes and a long time to run' % str(size))
259+
else:
260+
# Only run if the current filesystem supports large files.
261+
# (Skip this test on Windows, since we now always support
262+
# large files.)
263+
f = open(TESTFN, 'wb', buffering=0)
264+
try:
265+
# 2**31 == 2147483648
266+
f.seek(2147483649)
267+
# Seeking is not enough of a test: you must write and flush, too!
268+
f.write(b'x')
269+
f.flush()
270+
except (OSError, OverflowError):
271+
raise unittest.SkipTest("filesystem does not have "
272+
"largefile support")
273+
finally:
274+
f.close()
275+
unlink(TESTFN)
276+
277+
278+
class CLargeFileTest(TestFileMethods, unittest.TestCase):
279+
open = staticmethod(io.open)
280+
281+
282+
class PyLargeFileTest(TestFileMethods, unittest.TestCase):
283+
open = staticmethod(pyio.open)
284+
285+
286+
def tearDownModule():
287+
unlink(TESTFN)
288+
unlink(TESTFN2)
289+
290+
291+
if __name__ == '__main__':
292+
unittest.main()

0 commit comments

Comments
 (0)