您在寻找以下内容吗?
File.open(yourfile, 'w') { |file| file.write("your text") }
您可以使用简短版本:
File.write('/path/to/file', 'Some glorious content')
它返回写入的长度;有关更多详细信息和选项,请参阅 ::write。
要附加到文件,如果它已经存在,请使用:
File.write('/path/to/file', 'Some glorious content', mode: 'a')
在大多数情况下,这是首选方法:
File.open(yourfile, 'w') { |file| file.write("your text") }
将块传递给 File.open
时,文件对象将在块终止时自动关闭。
如果您不将块传递给 File.open
,则必须确保该文件已正确关闭并且内容已写入文件。
begin
file = File.open("/tmp/some_file", "w")
file.write("your text")
rescue IOError => e
#some error occur, dir not writable etc.
ensure
file.close unless file.nil?
end
您可以在 documentation 中找到它:
static VALUE rb_io_s_open(int argc, VALUE *argv, VALUE klass)
{
VALUE io = rb_class_new_instance(argc, argv, klass);
if (rb_block_given_p()) {
return rb_ensure(rb_yield, io, io_close, io);
}
return io;
}
File.open
blog.rubybestpractices.com/posts/rklemme/… 在官方文档中也有提及
Ruby File class 将为您提供 ::new
和 ::open
的来龙去脉,但它的父级 IO class 深入到 #read
和 #write
。
Zambri 的回答 found here 是最好的。
File.open("out.txt", '<OPTION>') {|f| f.write("write your stuff here") }
您对 <OPTION>
的选择是:
r
- 只读。该文件必须存在。
w
- 创建一个用于写入的空文件。
a
- 附加到文件。如果文件不存在,则创建该文件。
r+
- 打开一个文件以更新读取和写入。该文件必须存在。
w+
- 为读写创建一个空文件。
a+
- 打开一个文件进行读取和附加。如果文件不存在,则创建该文件。
在您的情况下,w
更可取。
对于我们这些以身作则的人...
将文本写入这样的文件:
IO.write('/tmp/msg.txt', 'hi')
奖金信息...
像这样读回来
IO.read('/tmp/msg.txt')
通常,我想将文件读入剪贴板 ***
Clipboard.copy IO.read('/tmp/msg.txt')
有时,我想将剪贴板中的内容写入文件***
IO.write('/tmp/msg.txt', Clipboard.paste)
*** 假设您已安装剪贴板 gem
请参阅:https://rubygems.org/gems/clipboard
IO.write
选项覆盖文件内容而不是追加。附加 IO.write 有点乏味。
Errno::ENOENT: No such file or directory @ rb_sysopen
消息,并且创建的文件大小为 0 字节。
要销毁文件的先前内容,然后将新字符串写入文件:
open('myfile.txt', 'w') { |f| f << "some text or data structures..." }
要附加到文件而不覆盖其旧内容:
open('myfile.txt', "a") { |f| f << 'I am appended string' }
yourfile
是一个变量,它保存要写入的文件的名称。f.write
引发异常,文件描述符将保持打开状态。File.write('filename', 'content')
IO.write('filename', 'content')