我正在研究在Heroku上设置的网络应用程序。我希望其他人能够自己使用它,所以我试图创建一个部署到Heroku'按钮包含在我的存储库的自述文件中。
继Heroku的文档 1, 2 之后,我创建了一个app.json
文件,其中概述了Heroku配置应用程序所需的一切。这是我的app.json
文件的样子:
{
"name": "[title]",
"author": "[author]",
"description": "[desc]",
"repository": "[https://github.com/[user]/[repo]",
"logo": "[url]",
"addons": [
"heroku-postgresql:hobby-dev",
"wwwhisper:solo"
],
"scripts": {
"postdeploy": "node server/models/database.js"
},
"env": {
"TZ": "America/Los_Angeles"
}
}
如您所见,postdeploy
脚本应该调用database.js
脚本,如下所示:
const pg = require('pg');
const connectionString = process.env.DATABASE_URL;
const client = new pg.Client(connectionString);
client.connect();
client.query('CREATE TABLE IF NOT EXISTS table_name (id uuid, url VARCHAR(2000), \
title TEXT, description TEXT, been_visited BOOLEAN DEFAULT false, created_at TIMESTAMP DEFAULT NOW())', (err, res) => {
if (err) {
client.end();
return console.error('error with PostgreSQL database', err);
}
});
client.end();
我知道查询在本地测试时有效,但是当我使用上面的app.json
测试按钮时,我仍然收到错误error: relation "tanabata_tree" does not exist
- 意味着表从未创建过。
我在哪里/我做错了什么?
1 :https://devcenter.heroku.com/articles/heroku-button https://devcenter.heroku.com/articles/heroku-button
答案 0 :(得分:3)
您的client.end();
在数据库查询回调函数之外。由于JavaScript为Asynchronous,因此在创建表查询完成之前,数据库连接已结束。
解决方案是将client.end();
放在回调函数中,以便在数据库查询完成后的后被称为。
这是工作代码:
const connectionString = process.env.DATABASE_URL;
const client = new pg.Client(connectionString);
client.connect();
client.query('CREATE TABLE IF NOT EXISTS table_name (id uuid, url VARCHAR(2000), \
title TEXT, description TEXT, been_visited BOOLEAN DEFAULT false, created_at TIMESTAMP DEFAULT NOW())', (err, res) => {
if (err) {
return console.error('error with PostgreSQL database', err);
}
client.end();
});