1 r
"""File-like objects that read from or write to a string buffer.
3 This implements (nearly) all stdio methods.
5 f = StringIO() # ready for writing
6 f = StringIO(buf) # ready for reading
7 f.close() # explicitly release resources held
8 flag = f.isatty() # always false
9 pos = f.tell() # get current position
10 f.seek(pos) # set current position
11 f.seek(pos, mode) # mode 0: absolute; 1: relative; 2: relative to EOF
12 buf = f.read() # read until EOF
13 buf = f.read(n) # read up to n bytes
14 buf = f.readline() # read until end of line ('\n') or EOF
15 list = f.readlines()# list of f.readline() results until EOF
16 f.truncate([size]) # truncate file at to at most size (default: current pos)
17 f.write(buf) # write at current position
18 f.writelines(list) # for line in list: f.write(line)
19 f.getvalue() # return whole file's contents as a string
22 - Using a real file is often faster (but less convenient).
23 - There's also a much faster implementation in C, called cStringIO, but
24 it's not subclassable.
25 - fileno() is left unimplemented so that code which uses it triggers
27 - Seeking far beyond EOF and then writing will insert real null
28 bytes that occupy space in the buffer.
29 - There's a simple test set (see end of this file).
32 from errno
import EINVAL
36 __all__
= ["StringIO"]
38 def _complain_ifclosed(closed
):
40 raise ValueError, "I/O operation on closed file"
43 """class StringIO([buffer])
45 When a StringIO object is created, it can be initialized to an existing
46 string by passing the string to the constructor. If no string is given,
47 the StringIO will start empty.
49 The StringIO object can accept either Unicode or 8-bit strings, but
50 mixing the two may take some care. If both are used, 8-bit strings that
51 cannot be interpreted as 7-bit ASCII (that use the 8th bit) will cause
52 a UnicodeError to be raised when getvalue() is called.
54 def __init__(self
, buf
= ''):
55 # Force self.buf to be a string or unicode
56 if not isinstance(buf
, basestring
):
69 """A file object is its own iterator, for example iter(f) returns f
70 (unless f is closed). When a file is used as an iterator, typically
71 in a for loop (for example, for line in f: print line), the next()
72 method is called repeatedly. This method returns the next input line,
73 or raises StopIteration when EOF is hit.
75 _complain_ifclosed(self
.closed
)
82 """Free the memory buffer.
86 del self
.buf
, self
.pos
89 """Returns False because StringIO objects are not connected to a
92 _complain_ifclosed(self
.closed
)
95 def seek(self
, pos
, mode
= 0):
96 """Set the file's current position.
98 The mode argument is optional and defaults to 0 (absolute file
99 positioning); other values are 1 (seek relative to the current
100 position) and 2 (seek relative to the file's end).
102 There is no return value.
104 _complain_ifclosed(self
.closed
)
106 self
.buf
+= ''.join(self
.buflist
)
112 self
.pos
= max(0, pos
)
115 """Return the file's current position."""
116 _complain_ifclosed(self
.closed
)
119 def read(self
, n
= -1):
120 """Read at most size bytes from the file
121 (less if the read hits EOF before obtaining size bytes).
123 If the size argument is negative or omitted, read all data until EOF
124 is reached. The bytes are returned as a string object. An empty
125 string is returned when EOF is encountered immediately.
127 _complain_ifclosed(self
.closed
)
129 self
.buf
+= ''.join(self
.buflist
)
131 if n
is None or n
< 0:
134 newpos
= min(self
.pos
+n
, self
.len)
135 r
= self
.buf
[self
.pos
:newpos
]
139 def readline(self
, length
=None):
140 r
"""Read one entire line from the file.
142 A trailing newline character is kept in the string (but may be absent
143 when a file ends with an incomplete line). If the size argument is
144 present and non-negative, it is a maximum byte count (including the
145 trailing newline) and an incomplete line may be returned.
147 An empty string is returned only when EOF is encountered immediately.
149 Note: Unlike stdio's fgets(), the returned string contains null
150 characters ('\0') if they occurred in the input.
152 _complain_ifclosed(self
.closed
)
154 self
.buf
+= ''.join(self
.buflist
)
156 i
= self
.buf
.find('\n', self
.pos
)
161 if length
is not None:
162 if self
.pos
+ length
< newpos
:
163 newpos
= self
.pos
+ length
164 r
= self
.buf
[self
.pos
:newpos
]
168 def readlines(self
, sizehint
= 0):
169 """Read until EOF using readline() and return a list containing the
172 If the optional sizehint argument is present, instead of reading up
173 to EOF, whole lines totalling approximately sizehint bytes (or more
174 to accommodate a final whole line).
178 line
= self
.readline()
182 if 0 < sizehint
<= total
:
184 line
= self
.readline()
187 def truncate(self
, size
=None):
188 """Truncate the file's size.
190 If the optional size argument is present, the file is truncated to
191 (at most) that size. The size defaults to the current position.
192 The current file position is not changed unless the position
193 is beyond the new file size.
195 If the specified size exceeds the file's current size, the
196 file remains unchanged.
198 _complain_ifclosed(self
.closed
)
202 raise IOError(EINVAL
, "Negative size not allowed")
203 elif size
< self
.pos
:
205 self
.buf
= self
.getvalue()[:size
]
209 """Write a string to the file.
211 There is no return value.
213 _complain_ifclosed(self
.closed
)
215 # Force s to be a string or unicode
216 if not isinstance(s
, basestring
):
221 self
.buflist
.append(s
)
222 self
.len = self
.pos
= spos
+ len(s
)
225 self
.buflist
.append('\0'*(spos
- slen
))
227 newpos
= spos
+ len(s
)
230 self
.buf
+= ''.join(self
.buflist
)
231 self
.buflist
= [self
.buf
[:spos
], s
, self
.buf
[newpos
:]]
236 self
.buflist
.append(s
)
241 def writelines(self
, iterable
):
242 """Write a sequence of strings to the file. The sequence can be any
243 iterable object producing strings, typically a list of strings. There
246 (The name is intended to match readlines(); writelines() does not add
250 for line
in iterable
:
254 """Flush the internal buffer
256 _complain_ifclosed(self
.closed
)
260 Retrieve the entire contents of the "file" at any time before
261 the StringIO object's close() method is called.
263 The StringIO object can accept either Unicode or 8-bit strings,
264 but mixing the two may take some care. If both are used, 8-bit
265 strings that cannot be interpreted as 7-bit ASCII (that use the
266 8th bit) will cause a UnicodeError to be raised when getvalue()
270 self
.buf
+= ''.join(self
.buflist
)
275 # A little test suite
283 lines
= open(file, 'r').readlines()
284 text
= open(file, 'r').read()
286 for line
in lines
[:-2]:
288 f
.writelines(lines
[-2:])
289 if f
.getvalue() != text
:
290 raise RuntimeError, 'write failed'
292 print 'File length =', length
293 f
.seek(len(lines
[0]))
296 print 'First line =', repr(f
.readline())
297 print 'Position =', f
.tell()
299 print 'Second line =', repr(line
)
300 f
.seek(-len(line
), 1)
301 line2
= f
.read(len(line
))
303 raise RuntimeError, 'bad result after seek back'
304 f
.seek(len(line2
), 1)
307 f
.seek(f
.tell() - len(line
))
310 raise RuntimeError, 'bad result after seek back from EOF'
311 print 'Read', len(list), 'more lines'
312 print 'File length =', f
.tell()
313 if f
.tell() != length
:
314 raise RuntimeError, 'bad length'
317 print 'Truncated length =', f
.tell()
318 if f
.tell() != length
/2:
319 raise RuntimeError, 'truncate did not adjust length'
322 if __name__
== '__main__':