编辑
第一段代码适用于合并大小为几 mb 的附件。如果您想使用 35 mb 的允许限制,请检查答案末尾的编辑。
在史蒂夫将我推向正确的方向后(整个邮件必须在“原始”参数中),我只是尝试了 Python API 并查看了由此生成的邮件。
不带附件的邮件
Content-Type: text/plain; charset="UTF-8"
MIME-Version: 1.0
Content-Transfer-Encoding: 7bit
to: receiver@gmail.com
from: sender@gmail.com
subject: Subject Text
The actual message text goes here
带附件的邮件
Content-Type: multipart/mixed; boundary="foo_bar_baz"
MIME-Version: 1.0
to: receiver@gmail.com
from: sender@gmail.com
subject: Subject Text
--foo_bar_baz
Content-Type: text/plain; charset="UTF-8"
MIME-Version: 1.0
Content-Transfer-Encoding: 7bit
The actual message text goes here
--foo_bar_baz
Content-Type: image/jpeg
MIME-Version: 1.0
Content-Transfer-Encoding: base64
Content-Disposition: attachment; filename="example.jpg"
{JPEG data}
--foo_bar_baz--
所以我只是围绕这个写了我的代码,而且效果很好!
var reader = new FileReader();
reader.readAsDataURL(attachment);
reader.onloadend = function (e) {
// The relevant base64-encoding comes after "base64,"
var jpegData = e.target.result.split('base64,')[1];
var mail = [
'Content-Type: multipart/mixed; boundary="foo_bar_baz"\r\n',
'MIME-Version: 1.0\r\n',
'to: receiver@gmail.com\r\n',
'from: sender@gmail.com\r\n',
'subject: Subject Text\r\n\r\n',
'--foo_bar_baz\r\n',
'Content-Type: text/plain; charset="UTF-8"\r\n',
'MIME-Version: 1.0\r\n',
'Content-Transfer-Encoding: 7bit\r\n\r\n',
'The actual message text goes here\r\n\r\n',
'--foo_bar_baz\r\n',
'Content-Type: image/jpeg\r\n',
'MIME-Version: 1.0\r\n',
'Content-Transfer-Encoding: base64\r\n',
'Content-Disposition: attachment; filename="example.jpg"\r\n\r\n',
jpegData, '\r\n\r\n',
'--foo_bar_baz--'
].join('');
// The Gmail API requires url safe Base64
// (replace '+' with '-', replace '/' with '_', remove trailing '=')
mail = btoa(mail).replace(/\+/g, '-').replace(/\//g, '_').replace(/=+$/, '');
$.ajax({
type: "POST",
url: "https://www.googleapis.com/gmail/v1/users/me/messages/send",
headers: {
'Authorization': 'Bearer ' + accessToken,
'Content-Type': 'application/json'
},
data: JSON.stringify({
raw: mail
})
});
}
编辑
上面的代码有效,但需要进行一些更改才能使用 35 mb 的最大限制。
以Mail with attachment标题下的邮件为例,更改后的 ajax-request 如下所示:
$.ajax({
type: "POST",
url: "https://www.googleapis.com/gmail/v1/users/me/messages/send?uploadType=multipart",
headers: {
'Authorization': 'Bearer ' + accessToken,
'Content-Type': 'message/rfc822'
},
data: mail
});
在Content-Type
现在message/rfc822
,而不是application/json
,网址已经得到了新的参数uploadType=multipart
,而且最重要的邮件不再是Base64编码,但在提供rfc822
-format。