5

私はRubyスクリプトと「メール」gemを使用してメールを送信しています。

質問-ディスクに保存せずにRubyで電子メールを介してグラフを送信するにはどうすればよいですか?これは可能ですか?どのグラフ作成ツールをお勧めしますか?また、「メール」gemはこれを何らかの形でストリーミングすることをサポートしますか?(または、最初にディスクに保存する必要がある場合)可能/簡単なサンプルコード行があれば、どのようにすればよいでしょうか。

4

2 に答える 2

10

あなたの完全な答え。

これは単純化のために純粋なRubyPNGグラフを使用しています。実際のアプリでは、SVG、高速ネイティブコード、またはグラフAPIを使用する可能性があります。

#!/usr/bin/env ruby
=begin

How to send a graph via email in Ruby without saving to disk
Example code by Joel Parker Henderson at SixArm, joel@sixarm.com

    http://stackoverflow.com/questions/9779565

You need two gems:

    gem install chunky_png
    gem install mail

Documentation:

    http://rdoc.info/gems/chunky_png/frames
    https://github.com/mikel/mail

=end


# Create a simple PNG image from scratch with an x-axis and y-axis.
# We use ChunkyPNG because it's pure Ruby and easy to write results;
# a real-world app would more likely use an SVG library or graph API.

require 'chunky_png'
png = ChunkyPNG::Image.new(100, 100, ChunkyPNG::Color::WHITE)
png.line(0, 50, 100, 50, ChunkyPNG::Color::BLACK)  # x-axis
png.line(50, 0, 50, 100, ChunkyPNG::Color::BLACK)  # y-axis

# We do IO to a String in memory, rather than to a File on disk.
# Ruby does this by using the StringIO class which akin to a stream.
# For more on using a string as a file in Ruby, see this blog post:
# http://macdevelopertips.com/ruby/using-a-string-as-a-file-in-ruby.html

io = StringIO.new
png.write(io) 
io.rewind

# Create a mail message using the Ruby mail gem as usual. 
# We create it item by item; you may prefer to create it in a block.

require 'mail'
mail = Mail.new
mail.to = 'alice@example.com'
mail.from = 'bob@example.com'
mail.subject = 'Hello World'

# Attach the PNG graph, set the correct mime type, and read from the StringIO

mail.attachments['graph.png'] = {
  :mime_type => 'image/png', 
  :content => io.read 
}

# Send mail as usual. We choose sendmail because it bypasses the OpenSSL error.
mail.delivery_method :sendmail
mail.deliver
于 2012-03-24T03:05:15.953 に答える
5

なぜできなかったのかわかりません。メールのドキュメントでは、次のサンプルコードを確認できます。

mail = Mail.new do
  from     'me@test.lindsaar.net'
  to       'you@test.lindsaar.net'
  subject  'Here is the image you wanted'
  body     File.read('body.txt')
  add_file :filename => 'somefile.png', :content => File.read('/somefile.png')
end

mail.deliver!

:content => ...のターゲットをメモリ内のファイルコンテンツに置き換えるだけです。そして、それで十分なはずです。添付ファイルはbase64で再エンコードされ、メールの最後に追加されるため、一時的であっても、添付ファイルをディスクに保存する必要はありません。

質問の2番目の部分については、その周りに多くのプロット/グラフライブラリがあります。たとえば、この質問またはこのライブラリを参照してください。

この種の問題については、他のライブラリよりも1つのライブラリが実際に存在するわけではありません。多くの異なる使用法のための多くのlibがあり、あなたはあなたのニーズとあなたの制約により合うものを選ばなければなりません。

于 2012-03-22T16:24:54.383 に答える