如何刷新 Python IO 流

How to flush Python IO Stream

import io

string_out = io.StringIO()
string_out.write("hello")
print(string_out.getvalue())

string_out.write("new Hello")
print(string_out.getvalue())

OutPut1: hello 
OutPut2: hellonew Hello 

我如何从流中刷新我的第一个输入,以便第二个流的输出成为新的 Hello

getvalue 获取整个字符串,你可以通过查找和阅读来完成你要找的内容:

import io

string_out = io.StringIO()
string_out.write("hello")
string_out.seek(0)
print(string_out.read())
# hello
string_out.write("new Hello")
string_out.seek(0+len("hello"))
print(string_out.read())
# new Hellow

您可以使用函数truncate()。它不会删除流但会调整它的大小,因此给它一个 0 值应该会删除流中的所有字节。您还需要使用 seek() 来更改流的位置。与 truncate() 相同,给它一个 0 值应该将位置偏移到流的开头。祝你好运!

import io

string_out = io.StringIO()
string_out.write("hello")
print(string_out.getvalue())
string_out.seek(0)
string_out.truncate(0)
string_out.write("new Hello")
print(string_out.getvalue())

更新:truncate(0) 和 truncate() 有什么区别?

truncate() 使用当前默认位置,而 truncate(0) 使用起始位置。因为您已经指定了 seek(0) before truncate(0),所以在截断之前将位置切换到句子的开头。下面的例子应该可以帮你搞清楚。

  • 使用 seek(10)truncate():

  • 使用 seek(0)truncate():

创建一个 new StringIO 而不是截断 seeking.When 你只需通过这个 thread ,在 Python 3 中创建一个新流而不是重复使用空白流是11% 更快并且创建一个新的而不是重复使用具有 3KB 数据的流快 5%。