場合によっては、google-groupインラインでコードのフラグメントを送信する必要があります。ここではテキストは役に立ちません。マークダウンで入力し、htmlに変換して(pandocなどを使用)、mutt asに添付してtext/html
送信できます。
ここには利用可能な優れたソリューションが1つありますが、外部sendmail
プログラムを使用して電子メールを送信します。IMAPを介して電子メールを送信する機能を備えたmuttを使用しています。
場合によっては、google-groupインラインでコードのフラグメントを送信する必要があります。ここではテキストは役に立ちません。マークダウンで入力し、htmlに変換して(pandocなどを使用)、mutt asに添付してtext/html
送信できます。
ここには利用可能な優れたソリューションが1つありますが、外部sendmail
プログラムを使用して電子メールを送信します。IMAPを介して電子メールを送信する機能を備えたmuttを使用しています。
回答:
メッセージを作成した後、送信する前に、利用可能な多くのオプションがあります。を押し?
て表示します。
ここで役立つ可能性のあるもの:
F
外部プロセッサを介して添付ファイルをフィルタリングする
pandoc -s -f markdown -t html
HTMLへの変換に使用^T
添付MIMEタイプを編集するには
text/plain
に変更しtext/html
ます。これで、すべてを1ステップで実行するマクロができました。これを追加してください.muttrc
:
macro compose \e5 "F pandoc -s -f markdown -t html \ny^T^Utext/html; charset=us-ascii\n"
set wait_key=no
あなたのメッセージを構成し終えた後で、あなたが送信する前に、キーを押して、このマクロを使用するにはEsc、その後5、あなたの値下げフォーマットされたメッセージは、HTMLに変換します。
このマクロは、必要に応じて自然にカスタマイズできます。Muttにはすでに多くのキーバインディングが組み込まれているため、バインドするキーシーケンスを選択する場合は、他のキーシーケンスが上書きされないようにしてください(または、それがなくてもかまいません)。
このオプションは、外部コマンドの実行時にset wait_key=no
MuttのPress any key to continue...
プロンプトを抑制します。もしwait_key
ISyes
あなたは押す必要があります(デフォルト)Esc、そして5、その後、他のどのキーを押して続行します。
Sendmailは、メールを送信するのに柔軟ではありません。
柔軟なSMTPを実現するために、特定のアカウントでmsmtpとmuttを併用しています。
mutt changeで使用するには:
# ~/.muttrc
set sendmail="/usr/bin/msmtp -a default"
そして
# ~/.msmtprc
defaults
tls off
logfile ~/.msmtp.log
account default
host your.smtp.host
port 25
from your-user-name@your-host.com
auth off
user username
password password
できました。私は自分のソリューションに完全に満足しているわけではありませんが、それで十分です。他の誰かがより良い解決策を提供するのを待っています。
プロセスは次のとおりです。マークダウンをhtmlに変換し、メッセージに添付します。この添付ファイルをinline
添付ファイルにします。しかし、今では2つの添付ファイルがあります。1つ目はマークダウンで、2つ目はHTMLです。htmlのみが送信されるように、マークダウンコンテンツを空の文字列に置き換えます。
~/.muttrc
ファイルに次の行を追加しました。
macro compose B ":set editor=text2mime-markdown.py<enter>E:set editor=email-editor<enter>Da/tmp/html-markdown-alternative.html<enter>^Du"
ここでemail-editor
疑問に掲載のリンクから借用されています。
#!/bin/sh
if grep -q In-Reply-To $1; then
# Jump to first line of message
exec vim -c 'norm }j' $1
else
# Enter insert mode on the To: line
exec vim $1
fi
呼び出されるメインのpythonファイルは次のとおりです。これは、問題のリンクのperlスクリプトから着想を得ています。
#!/usr/bin/env python
import os
import sys
from formatter import *
version = "0.1"
file = sys.argv[1]
new_file = "/tmp/html-markdown-alternative.html"
with open(file, "r") as f:
text = f.read()
lines = text.split('\n')
header = []
body = []
headerStart = True
for l in lines:
if headerStart:
m = re.search(r'^[\w\-]+\:', l)
if m:
header.append(l)
else:
headerStart = False
body.append(l)
else:
body.append(l)
header = '\n'.join(header)
body = '\n'.join(body)
htmlBody = markdownToHtml(body);
html = []
html.append('<html>')
html.append('<head>')
html.append('<meta name=\"generator\" content=\"text2mime-markdown{}\">'.format(version))
html.append('<style>')
html.append("code { font-family: 'Andale Mono', 'Lucida Console', \
'Bitstream Vera Sans Mono', 'Courier New', monospace; }")
html.append('pre { border-left: 20px solid #ddd; margin-left: 10px; \
padding-left: 5px; }')
html.append('</style>')
html.append('</head>')
html.append('<body>')
html.append('{0}'.format(body))
html.append('</body>')
html.append('</html>')
html = '\n'.join(html)
with open(new_file, "w") as newF:
newF.write(html)
with open(file, 'w') as f:
f.write(header)
これは、メールをフォーマットするためにformatter.py
使用pandoc
されるもう1つのpythonファイルに依存しますが、pandoc
使用できない場合はpython-markdown2
package を使用できます。このスクリプトは次のとおりです。
import subprocess
import re
import os
import sys
import html2text
import collections
# check if pandoc exists
panDoc = True
try:
subprocess.call(["pandoc", '--version']
, stdout=subprocess.PIPE
, stdin=subprocess.PIPE
)
except OSError:
panDoc = False
if not panDoc:
import text.html2text as html2text
import markdown
def decodeText(text):
return text.decode('utf-8')
def markdownToHtml(content, convertor='pandoc'):
global panDoc
if panDoc:
cmd = ["pandoc", "-f", "markdown", "-t", "html"]
p = subprocess.Popen(cmd
, stdin = subprocess.PIPE
, stdout = subprocess.PIPE
)
p.stdin.write(content)
content = p.communicate()[0]
return decodeText(content)
else:
return markdown.markdown(decodeText(content))
def htmlToMarkdown(content, convertor='pandoc'):
global panDoc
if panDoc and convertor == 'pandoc':
cmd = ["pandoc", "-t", "markdown", "-f", "html"]
p = subprocess.Popen(cmd
, stdin = subprocess.PIPE
, stdout = subprocess.PIPE
)
p.stdin.write(content)
content = p.communicate()[0]
return decodeText(content)
# Use markdown package to convert markdown to html
else:
h = html2text.HTML2Text()
content = h.handle(decodeText(content))
return content
def titleToBlogDir(title):
if title is None:
return ''
if len(title.strip()) == 0:
return ''
blogDir = title.replace(" ","_").replace(':', '-').replace('(', '')
blogDir = blogDir.replace('/', '').replace('\\', '').replace('`', '')
blogDir = blogDir.replace(')', '').replace("'", '').replace('"', '')
return blogDir
def titleToFilePath(title, blogDir):
if len(blogDir.strip()) == 0:
return ''
fileName = os.path.join(blogDir, titleToBlogDir(title))
return fileName
def htmlToHtml(html):
return decodeText(html)
def metadataDict(txt):
mdict = collections.defaultdict(list)
md = getMetadata(txt)
for c in ["title", 'type', "layout", "status", "id", "published", "category", "tag"]:
pat = re.compile(r'{0}\:\s*(?P<name>.+)'.format(c), re.IGNORECASE)
m = pat.findall(txt)
for i in m:
mdict[c].append(i)
return mdict
def getMetadata(txt):
"""
Get metadata out of a txt
"""
if not "---" in txt:
print txt
sys.exit(1)
pat = re.compile(r'\-\-\-+(?P<metadata>.+?)\-\-\-+', re.DOTALL)
m = pat.search(txt)
if m:
return m.group('metadata')
else:
sys.exit(0)
def getContent(txt):
"""
Return only text of the post.
"""
pat = re.compile(r'\-\-\-+(?P<metadata>.+?)\-\-\-+', re.DOTALL)
return re.sub(pat, "", txt)
def readInputFile(fileName):
"""
read file and return its format. html or markdown
"""
assert fileName
if not os.path.exists(fileName):
raise IOError, "File %s does not exists" % fileName
# Check the fmt of file.
fmt = os.path.splitext(fileName)[1].lower()
if fmt in ["htm", "html", "xhtml"]:
fmt = "html"
elif fmt in ["md", "markdown"]:
fmt = "markdown"
else:
fmt = "markdown"
txt = open(fileName, 'r').read()
return (fmt, txt)
def formatContent(txt, fmt):
"""
Format the content as per fmt.
"""
content = getContent(txt)
if fmt == "html":
content = htmlToHtml(content)
elif fmt == "markdown":
content = markdownToHtml(content)
else:
content = markdownToHtml(content)
return content
これらのファイルは、https://github.com/dilawar/muttからも入手できます。
を使用して任意の形式でメールを送信できますneomutt
。のEmacs
代わりに(org-mode)を使用しvim
ます。しかし、私もvim
ユーザーです。しかし、私は主Emacs
に悪モードで使用します。
私.muttrc
では、エディタをのemacs
代わりに設定しましたvim
。新しいメールを作成すると、neomutt
起動しますemacs
します。次に、「org-mode」を呼び出してメッセージを作成し、必要な形式にエクスポートします。
PDF
フォーマットにエクスポートできます。次に、それを保存し、PDF
ファイルを添付します/tmp
。その後、私は誰にでも送ることができます。
html
フォーマットが必要な場合は、同じ方法でエクスポートし、電子メールを送信する前に自動的に出力を確認できます。
それとは別に、組織モードには他にも多くのエクスポート形式があります。ただ、あなたが欲しいものを選択してください。他の人にコードを送信するには、ソースコードを任意の言語に追加するだけです。すべてはorg-wikiで説明されています。
とのmultipart/alternative
両方text/plain
を含むメールを送信することもできますtext/html
。
要件:pandoc
基本的には、マークダウンメッセージのプレーンテキストとhtml5から作成します。これらのパーツから添付ファイルを作成し、インライン添付ファイルとしてマークし、正しいMIMEタイプを設定して、それらを複数のメッセージに結合します。
他の添付ファイルは、[作成]メニューでこのマクロを実行した後に追加されることになっています。必要に応じて、最終ステップとしてメッセージの署名/暗号化を行う必要があります
macro compose ,m \
"<enter-command>set pipe_decode<enter>\
<pipe-message>pandoc -f gfm -t plain -o /tmp/msg.txt<enter>\
<pipe-message>pandoc -s -f gfm -t html5 -o /tmp/msg.html<enter>\
<enter-command>unset pipe_decode<enter>a^U/tmp/msg.txt\n^Da^U/tmp/msg.html\n^D^T^Utext/html; charset=utf-8\n=DTT&d^U\n" \
"Convert markdown gfm to HTML and plain"
sendmail
ですか?