目前,我有一个上传系统使用ng文件上传到另一个服务器,这是工作良好的感谢CORS。
为了管理我的数据库,我使用knex(迁移和种子),我有一个带有bytea列的特定表。
PostgreSQL数据库。
为了使上传成为可能,我添加了busboy模块以允许express管理多部分请求,并且文件被毫无问题地保存到磁盘。
但我真正想要的是把它保存在桌子上,在bytea栏里,而现在我在这样的任务上没有运气。
欢迎提供任何指导和更好的文档。
最佳答案
过了很长一段时间我才明白。
最后,使用angular+express+knex+postgres使上传变得非常简单
首先,你不需要做服务员,相反,你需要bodyParser's raw mode
第二,调整它以构成一个合理的上传大小。
第三,ng-file-upload将有助于上传部分。
如果有人需要的话,这里有几个片段:
上载按钮:
<div layout="row" layout-align="center center">
<md-button ngf-select ng-model="arquivo" class="md-raised md-primary">Selecionar arquivo</md-button>
<md-button ng-show="arquivo" ng-click="arquivo = null" class="md-raised md-warn">Cancelar</md-button>
<md-button ng-show="arquivo" ng-click="sendarquivo(arquivo)" class="md-raised md-primary" ng-disabled="arquivo.size > 4096 * 1024">Enviar arquivo</md-button>
</div>
控制器sendarquivo:
$scope.sendarquivo = function (arquivo) {
enqueteservice.uploadanexo(idenquete, arquivo).then(function () {
$scope.list();
$scope.arquivo = null;
});
};
enqueteservice.uploadanexo:
// serviço de enquete
angular.module("roundabout").factory("enqueteservice", function($http, Upload) {
return {
uploadanexo: function(idenquete, file) {
return Upload.http({
url: "/enquete/" + idenquete + "/uploadanexo/" + file.name,
method: 'POST',
headers: {
'Content-Type': 'application/octet-stream' // file.type //
},
data: file
});
}
}
});
在服务器端,快速路由器:
router.post("/:idenquete/uploadanexo/:descricaoanexoenquete", function (req, res) {
knex("anexoenquete").insert({
idenquete: req.params.idenquete,
descricaoanexoenquete: req.params.descricaoanexoenquete,
dadoanexoenquete: req.body
}, "idanexoenquete").then(function (ret) {
res.send("idanexoenquete:" + ret[0]);
}).catch(function (err) {
res.status(500).send(err);
console.log(err);
});
});
作为参考,index.js上的bodyParser设置
// ...
app.use(bodyParser.json({limit: 1024 * 1024}));// 1MB of json is a lot of json
// parse some custom thing into a Buffer
app.use(bodyParser.raw({limit: 10240 * 1024, type: 'application/octet-stream'})); // 10 MB of attachments
通过此设置,ng文件上传主体将作为Buffer到达express路由器,您可以直接传递到knex insert语句。
下载二进制内容也可以很容易地解决如下问题:
下载附件
router.get("/downloadanexo/:idanexoenquete", function (req, res) {
knex("anexoenquete").select().where({
idanexoenquete: req.params.idanexoenquete
}).then(function (ret) {
if (!ret.length)
res.status(404).send("NOT FOUND");
else {
var anexoenquete = ret[0];
res.setHeader("Content-disposition", "attachment;filename=" + anexoenquete.descricaoanexoenquete);
res.send(anexoenquete.dadoanexoenquete);
}
}).catch(function (err) {
res.status(500).send(err);
console.log(err);
});
});
希望这个参考在将来对任何人都有帮助,我可以关闭一个简单的java应用程序来解决这个问题。
关于postgresql - 如何使用knex插入blob?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/32804744/