我正在尝试使用node.js和request package通过Slack上传图像,但没有太多运气。我从API收到invalid_array_arg
或no_file_data
错误。
这是我的要求:
var options = { method: 'POST',
url: 'https://slack.com/api/files.upload',
headers:
{ 'cache-control': 'no-cache',
'content-type': 'application/x-www-form-urlencoded' },
form:
{ token: SLACK_TOKEN,
channels: SLACK_CHANNEL,
file: fs.createReadStream(filepath)
} };
request(options, function (error, response, body) {
if (error) throw new Error(error);
console.log(body);
});
我看了一些相关的帖子:
唯一有效的方法是直接使用curl命令,但使用cygwin(CommandPrompt失败:curl: (1) Protocol https not supported or disabled in libcurl
)。从节点调用curl的问题(使用child_process
)但在命令提示符中无声地失败并仍使用cygwin返回no_file_data
(将绝对路径传递给文件):
stdout: {"ok":false,"error":"no_file_data"}
stderr: % Total % Received % Xferd Average Speed Time Time Time Current
Dload Upload Total Spent Left Speed
100 469 100 35 100 434 359 4461 --:--:-- --:--:-- --:--:-- 6112
我在Windows上使用节点v6.9.1。
我错过了什么?如何在Windows上通过node.js上传图像?
答案 0 :(得分:1)
Slack API错误invalid_array_arg
表示传递给Slack的参数格式存在问题。 (见here)
对file
使用files.upload
属性时,Slack将数据排除为multipart/form-data
,而不是application/x-www-form-urlencoded
。因此,您需要在请求对象中使用form
而不是formData
。我还删除了标题中不正确的部分。
这有效:
var fs = require('fs');
var request = require('request');
var SLACK_TOKEN = "xoxp-xxx";
var SLACK_CHANNEL = "general";
var filepath = "file.txt";
var options = { method: 'POST',
url: 'https://slack.com/api/files.upload',
headers:
{ 'cache-control': 'no-cache' },
formData:
{ token: SLACK_TOKEN,
channels: SLACK_CHANNEL,
file: fs.createReadStream(filepath)
} };
request(options, function (error, response, body) {
if (error) throw new Error(error);
console.log(body);
});
答案 1 :(得分:1)
在此示例脚本中,它假设上载二进制文件(zip文件)。使用此功能时,请根据您的环境进行修改。将文件上载到Slack时,将使用multipart / form-data。在我的环境中,有些库无法上传文件。所以我创造了这个。如果这对您的环境有用,我很高兴。
用户可以通过转换字节数组来上传二进制文件,如下所示。
示例脚本如下。
var fs = require('fs');
var request = require('request');
var upfile = 'sample.zip';
fs.readFile(upfile, function(err, content){
if(err){
console.error(err);
}
var metadata = {
token: "### access token ###",
channels: "sample",
filename: "samplefilename",
title: "sampletitle",
};
var url = "https://slack.com/api/files.upload";
var boundary = "xxxxxxxxxx";
var data = "";
for(var i in metadata) {
if ({}.hasOwnProperty.call(metadata, i)) {
data += "--" + boundary + "\r\n";
data += "Content-Disposition: form-data; name=\"" + i + "\"; \r\n\r\n" + metadata[i] + "\r\n";
}
};
data += "--" + boundary + "\r\n";
data += "Content-Disposition: form-data; name=\"file\"; filename=\"" + upfile + "\"\r\n";
data += "Content-Type:application/octet-stream\r\n\r\n";
var payload = Buffer.concat([
Buffer.from(data, "utf8"),
new Buffer(content, 'binary'),
Buffer.from("\r\n--" + boundary + "\r\n", "utf8"),
]);
var options = {
method: 'post',
url: url,
headers: {"Content-Type": "multipart/form-data; boundary=" + boundary},
body: payload,
};
request(options, function(error, response, body) {
console.log(body);
});
});