Return inserted Id on after POST on Express API
.everyoneloves__top-leaderboard:empty,.everyoneloves__mid-leaderboard:empty,.everyoneloves__bot-mid-leaderboard:empty{ height:90px;width:728px;box-sizing:border-box;
}
I'm working with Express and SQL Server to create mi APIs. Right now i need return the inserted ID on the API response after POST.
This is my code so far:
const express = require('express');
const bodyParser = require('body-parser');
const sql = require('mssql');
const app = express();
app.use(bodyParser.json());
app.use(function (req, res, next) {
res.header("Access-Control-Allow-Origin", "*");
res.header("Access-Control-Allow-Methods", "GET,HEAD,OPTIONS,POST,PUT");
res.header("Access-Control-Allow-Headers", "Origin, X-Requested-With, contentType,Content-Type, Accept, Authorization");
next();
});
const dbConfig = {
user: "usr",
password: "psswd",
server: "server",
database: "daDB"
};
const executeQuery = function (res, query, parameters) {
sql.connect(dbConfig, function (err) {
if (err) {
console.log(`You have an error: ${err}`);
res.send(err);
sql.close();
}
else {
var request = new sql.Request();
if (parameters && parameters.length > 0) {
parameters.forEach(function (p) {
request.input(p.name, p.sqltype, p.value);
});
}
request.query(query, function (err, result) {
if (err) {
console.log(`You have an error: ${err}`);
res.send(err);
sql.close();
}
else {
res.send(result.recordset);
sql.close();
}
});
}
});
}
app.get("/api/InvoiceRequestApi", function (req, res) {
var query = "SELECT * FROM [InvoiceRequest];
executeQuery(res, query);
});
app.post("/api/InvoiceRequestApi", function (req, res) {
const parameters = [
{ name: 'OrderId', sqltype: sql.VarChar, value: req.body.OrderId },
{ name: 'Mail', sqltype: sql.VarChar, value: req.body.Mail },
{ name: 'Name', sqltype: sql.VarChar, value: req.body.Name },
{ name: 'RFC', sqltype: sql.VarChar, value: req.body.RFC },
{ name: 'Adress', sqltype: sql.VarChar, value: req.body.Adress },
{ name: 'NoExt', sqltype: sql.VarChar, value: req.body.NoExt },
{ name: 'NoInt', sqltype: sql.VarChar, value: req.body.NoInt },
{ name: 'District', sqltype: sql.VarChar, value: req.body.District },
{ name: 'CP', sqltype: sql.VarChar, value: req.body.CP },
{ name: 'Municipality', sqltype: sql.VarChar, value: req.body.Municipality },
{ name: 'State', sqltype: sql.VarChar, value: req.body.State },
{ name: 'CreationDate', sqltype: sql.VarChar, value: req.body.CreationDate },
{ name: 'GeneratedInvoice', sqltype: sql.Bit, value: req.body.GeneratedInvoice },
{ name: 'InvoiceFile', sqltype: sql.VarChar, value: req.body.InvoiceFile },
{ name: 'FileXml', sqltype: sql.VarChar, value: req.body.FileXml },
{ name: 'StatusId', sqltype: sql.Int, value: req.body.StatusId }
];
var query = "INSERT INTO [InvoiceRequest] VALUES(@OrderId, @Mail, @Name, @RFC, @Adress, @NoExt, @NoInt, @District, @CP, @Municipality, @State, @CreationDate, @GeneratedInvoice, @InvoiceFile, @FileXml, @StatusId) SELECT SCOPE_IDENTITY() AS Id";
executeQuery(res, query, parameters);
});
const PORT = process.env.PORT || 8080
app.listen(PORT, () => {
console.log(`App running on port: ${PORT}`)
});
I've found a few post on stackoverflow where suggest to use SELECT SCOPE_IDENTITY() AS Id
after Insert, and other where OUTPUT INSERTED.Id
before insert also can use, but with both answers i have two errors. If i send my data like this:
function sendMyData(){
var invoiceData = {
OrderId: $scope.theOrder,
Mail: $scope.getMail,
Name: $scope.getName,
RFC: $scope.getTax,
Adress: $scope.getStreet,
NoExt: $scope.getExternal,
NoInt: $scope.getInternal,
District: $scope.getDistrict,
CP: $scope.getPostalCode,
Municipality: $scope.getMunicipality,
State: $scope.getState,
CreationDate: '2019-01-02',
GeneratedInvoice: null,
InvoiceFile: null,
FileXml: null,
StatusId: 1
};
//console.log(invoiceData);
saveRequest.save(invoiceData).$promise
.then(function(response){
console.log(response);
});
}
The error says that:
Error in resource configuration for action
save
. Expected response to contain an object but got an array
So, if i make a change like this:
function sendMyData(){
var invoiceData = {
OrderId: $scope.theOrder,
Mail: $scope.getMail,
Name: $scope.getName,
RFC: $scope.getTax,
Adress: $scope.getStreet,
NoExt: $scope.getExternal,
NoInt: $scope.getInternal,
District: $scope.getDistrict,
CP: $scope.getPostalCode,
Municipality: $scope.getMunicipality,
State: $scope.getState,
CreationDate: '2019-01-02',
GeneratedInvoice: null,
InvoiceFile: null,
FileXml: null,
StatusId: 1
};
//console.log(invoiceData);
saveRequest.save([invoiceData]).$promise
.then(function(response){
console.log(response);
});
}
The error says that:
"Cannot insert the value NULL into column 'OrderId', table 'daDB.dbo.InvoiceRequest'; column does not allow nulls. INSERT fails."
what am i doing wrong? Someone can help me, please?
UPDATE
Using the POST method without the two examples i've found, the process is successful; in other words, the POST works.
Also, another little question:
Can i use on the var query getdate()
to set my CreationDate?
I'm using Javascript, Node, Express and SQL Server.
javascript node.js

add a comment |
I'm working with Express and SQL Server to create mi APIs. Right now i need return the inserted ID on the API response after POST.
This is my code so far:
const express = require('express');
const bodyParser = require('body-parser');
const sql = require('mssql');
const app = express();
app.use(bodyParser.json());
app.use(function (req, res, next) {
res.header("Access-Control-Allow-Origin", "*");
res.header("Access-Control-Allow-Methods", "GET,HEAD,OPTIONS,POST,PUT");
res.header("Access-Control-Allow-Headers", "Origin, X-Requested-With, contentType,Content-Type, Accept, Authorization");
next();
});
const dbConfig = {
user: "usr",
password: "psswd",
server: "server",
database: "daDB"
};
const executeQuery = function (res, query, parameters) {
sql.connect(dbConfig, function (err) {
if (err) {
console.log(`You have an error: ${err}`);
res.send(err);
sql.close();
}
else {
var request = new sql.Request();
if (parameters && parameters.length > 0) {
parameters.forEach(function (p) {
request.input(p.name, p.sqltype, p.value);
});
}
request.query(query, function (err, result) {
if (err) {
console.log(`You have an error: ${err}`);
res.send(err);
sql.close();
}
else {
res.send(result.recordset);
sql.close();
}
});
}
});
}
app.get("/api/InvoiceRequestApi", function (req, res) {
var query = "SELECT * FROM [InvoiceRequest];
executeQuery(res, query);
});
app.post("/api/InvoiceRequestApi", function (req, res) {
const parameters = [
{ name: 'OrderId', sqltype: sql.VarChar, value: req.body.OrderId },
{ name: 'Mail', sqltype: sql.VarChar, value: req.body.Mail },
{ name: 'Name', sqltype: sql.VarChar, value: req.body.Name },
{ name: 'RFC', sqltype: sql.VarChar, value: req.body.RFC },
{ name: 'Adress', sqltype: sql.VarChar, value: req.body.Adress },
{ name: 'NoExt', sqltype: sql.VarChar, value: req.body.NoExt },
{ name: 'NoInt', sqltype: sql.VarChar, value: req.body.NoInt },
{ name: 'District', sqltype: sql.VarChar, value: req.body.District },
{ name: 'CP', sqltype: sql.VarChar, value: req.body.CP },
{ name: 'Municipality', sqltype: sql.VarChar, value: req.body.Municipality },
{ name: 'State', sqltype: sql.VarChar, value: req.body.State },
{ name: 'CreationDate', sqltype: sql.VarChar, value: req.body.CreationDate },
{ name: 'GeneratedInvoice', sqltype: sql.Bit, value: req.body.GeneratedInvoice },
{ name: 'InvoiceFile', sqltype: sql.VarChar, value: req.body.InvoiceFile },
{ name: 'FileXml', sqltype: sql.VarChar, value: req.body.FileXml },
{ name: 'StatusId', sqltype: sql.Int, value: req.body.StatusId }
];
var query = "INSERT INTO [InvoiceRequest] VALUES(@OrderId, @Mail, @Name, @RFC, @Adress, @NoExt, @NoInt, @District, @CP, @Municipality, @State, @CreationDate, @GeneratedInvoice, @InvoiceFile, @FileXml, @StatusId) SELECT SCOPE_IDENTITY() AS Id";
executeQuery(res, query, parameters);
});
const PORT = process.env.PORT || 8080
app.listen(PORT, () => {
console.log(`App running on port: ${PORT}`)
});
I've found a few post on stackoverflow where suggest to use SELECT SCOPE_IDENTITY() AS Id
after Insert, and other where OUTPUT INSERTED.Id
before insert also can use, but with both answers i have two errors. If i send my data like this:
function sendMyData(){
var invoiceData = {
OrderId: $scope.theOrder,
Mail: $scope.getMail,
Name: $scope.getName,
RFC: $scope.getTax,
Adress: $scope.getStreet,
NoExt: $scope.getExternal,
NoInt: $scope.getInternal,
District: $scope.getDistrict,
CP: $scope.getPostalCode,
Municipality: $scope.getMunicipality,
State: $scope.getState,
CreationDate: '2019-01-02',
GeneratedInvoice: null,
InvoiceFile: null,
FileXml: null,
StatusId: 1
};
//console.log(invoiceData);
saveRequest.save(invoiceData).$promise
.then(function(response){
console.log(response);
});
}
The error says that:
Error in resource configuration for action
save
. Expected response to contain an object but got an array
So, if i make a change like this:
function sendMyData(){
var invoiceData = {
OrderId: $scope.theOrder,
Mail: $scope.getMail,
Name: $scope.getName,
RFC: $scope.getTax,
Adress: $scope.getStreet,
NoExt: $scope.getExternal,
NoInt: $scope.getInternal,
District: $scope.getDistrict,
CP: $scope.getPostalCode,
Municipality: $scope.getMunicipality,
State: $scope.getState,
CreationDate: '2019-01-02',
GeneratedInvoice: null,
InvoiceFile: null,
FileXml: null,
StatusId: 1
};
//console.log(invoiceData);
saveRequest.save([invoiceData]).$promise
.then(function(response){
console.log(response);
});
}
The error says that:
"Cannot insert the value NULL into column 'OrderId', table 'daDB.dbo.InvoiceRequest'; column does not allow nulls. INSERT fails."
what am i doing wrong? Someone can help me, please?
UPDATE
Using the POST method without the two examples i've found, the process is successful; in other words, the POST works.
Also, another little question:
Can i use on the var query getdate()
to set my CreationDate?
I'm using Javascript, Node, Express and SQL Server.
javascript node.js

You need to show your table definition for InvoiceRequest... but the error is quite clear, the column is defined to not allow nulls, and you aren't entering a value, and your database also doesn't have a default value set.
– Dale Burrell
Jan 3 at 3:22
It's funny, but without the options i've post, the insert is successful... i've already checked on my console and with postman, and the post works
– Chuck Villavicencio
Jan 3 at 3:24
Somehow OrderId is now being set to null with your code changes - can't you just step through the code and see where its null when it shouldn't be?
– Dale Burrell
Jan 3 at 3:29
add a comment |
I'm working with Express and SQL Server to create mi APIs. Right now i need return the inserted ID on the API response after POST.
This is my code so far:
const express = require('express');
const bodyParser = require('body-parser');
const sql = require('mssql');
const app = express();
app.use(bodyParser.json());
app.use(function (req, res, next) {
res.header("Access-Control-Allow-Origin", "*");
res.header("Access-Control-Allow-Methods", "GET,HEAD,OPTIONS,POST,PUT");
res.header("Access-Control-Allow-Headers", "Origin, X-Requested-With, contentType,Content-Type, Accept, Authorization");
next();
});
const dbConfig = {
user: "usr",
password: "psswd",
server: "server",
database: "daDB"
};
const executeQuery = function (res, query, parameters) {
sql.connect(dbConfig, function (err) {
if (err) {
console.log(`You have an error: ${err}`);
res.send(err);
sql.close();
}
else {
var request = new sql.Request();
if (parameters && parameters.length > 0) {
parameters.forEach(function (p) {
request.input(p.name, p.sqltype, p.value);
});
}
request.query(query, function (err, result) {
if (err) {
console.log(`You have an error: ${err}`);
res.send(err);
sql.close();
}
else {
res.send(result.recordset);
sql.close();
}
});
}
});
}
app.get("/api/InvoiceRequestApi", function (req, res) {
var query = "SELECT * FROM [InvoiceRequest];
executeQuery(res, query);
});
app.post("/api/InvoiceRequestApi", function (req, res) {
const parameters = [
{ name: 'OrderId', sqltype: sql.VarChar, value: req.body.OrderId },
{ name: 'Mail', sqltype: sql.VarChar, value: req.body.Mail },
{ name: 'Name', sqltype: sql.VarChar, value: req.body.Name },
{ name: 'RFC', sqltype: sql.VarChar, value: req.body.RFC },
{ name: 'Adress', sqltype: sql.VarChar, value: req.body.Adress },
{ name: 'NoExt', sqltype: sql.VarChar, value: req.body.NoExt },
{ name: 'NoInt', sqltype: sql.VarChar, value: req.body.NoInt },
{ name: 'District', sqltype: sql.VarChar, value: req.body.District },
{ name: 'CP', sqltype: sql.VarChar, value: req.body.CP },
{ name: 'Municipality', sqltype: sql.VarChar, value: req.body.Municipality },
{ name: 'State', sqltype: sql.VarChar, value: req.body.State },
{ name: 'CreationDate', sqltype: sql.VarChar, value: req.body.CreationDate },
{ name: 'GeneratedInvoice', sqltype: sql.Bit, value: req.body.GeneratedInvoice },
{ name: 'InvoiceFile', sqltype: sql.VarChar, value: req.body.InvoiceFile },
{ name: 'FileXml', sqltype: sql.VarChar, value: req.body.FileXml },
{ name: 'StatusId', sqltype: sql.Int, value: req.body.StatusId }
];
var query = "INSERT INTO [InvoiceRequest] VALUES(@OrderId, @Mail, @Name, @RFC, @Adress, @NoExt, @NoInt, @District, @CP, @Municipality, @State, @CreationDate, @GeneratedInvoice, @InvoiceFile, @FileXml, @StatusId) SELECT SCOPE_IDENTITY() AS Id";
executeQuery(res, query, parameters);
});
const PORT = process.env.PORT || 8080
app.listen(PORT, () => {
console.log(`App running on port: ${PORT}`)
});
I've found a few post on stackoverflow where suggest to use SELECT SCOPE_IDENTITY() AS Id
after Insert, and other where OUTPUT INSERTED.Id
before insert also can use, but with both answers i have two errors. If i send my data like this:
function sendMyData(){
var invoiceData = {
OrderId: $scope.theOrder,
Mail: $scope.getMail,
Name: $scope.getName,
RFC: $scope.getTax,
Adress: $scope.getStreet,
NoExt: $scope.getExternal,
NoInt: $scope.getInternal,
District: $scope.getDistrict,
CP: $scope.getPostalCode,
Municipality: $scope.getMunicipality,
State: $scope.getState,
CreationDate: '2019-01-02',
GeneratedInvoice: null,
InvoiceFile: null,
FileXml: null,
StatusId: 1
};
//console.log(invoiceData);
saveRequest.save(invoiceData).$promise
.then(function(response){
console.log(response);
});
}
The error says that:
Error in resource configuration for action
save
. Expected response to contain an object but got an array
So, if i make a change like this:
function sendMyData(){
var invoiceData = {
OrderId: $scope.theOrder,
Mail: $scope.getMail,
Name: $scope.getName,
RFC: $scope.getTax,
Adress: $scope.getStreet,
NoExt: $scope.getExternal,
NoInt: $scope.getInternal,
District: $scope.getDistrict,
CP: $scope.getPostalCode,
Municipality: $scope.getMunicipality,
State: $scope.getState,
CreationDate: '2019-01-02',
GeneratedInvoice: null,
InvoiceFile: null,
FileXml: null,
StatusId: 1
};
//console.log(invoiceData);
saveRequest.save([invoiceData]).$promise
.then(function(response){
console.log(response);
});
}
The error says that:
"Cannot insert the value NULL into column 'OrderId', table 'daDB.dbo.InvoiceRequest'; column does not allow nulls. INSERT fails."
what am i doing wrong? Someone can help me, please?
UPDATE
Using the POST method without the two examples i've found, the process is successful; in other words, the POST works.
Also, another little question:
Can i use on the var query getdate()
to set my CreationDate?
I'm using Javascript, Node, Express and SQL Server.
javascript node.js

I'm working with Express and SQL Server to create mi APIs. Right now i need return the inserted ID on the API response after POST.
This is my code so far:
const express = require('express');
const bodyParser = require('body-parser');
const sql = require('mssql');
const app = express();
app.use(bodyParser.json());
app.use(function (req, res, next) {
res.header("Access-Control-Allow-Origin", "*");
res.header("Access-Control-Allow-Methods", "GET,HEAD,OPTIONS,POST,PUT");
res.header("Access-Control-Allow-Headers", "Origin, X-Requested-With, contentType,Content-Type, Accept, Authorization");
next();
});
const dbConfig = {
user: "usr",
password: "psswd",
server: "server",
database: "daDB"
};
const executeQuery = function (res, query, parameters) {
sql.connect(dbConfig, function (err) {
if (err) {
console.log(`You have an error: ${err}`);
res.send(err);
sql.close();
}
else {
var request = new sql.Request();
if (parameters && parameters.length > 0) {
parameters.forEach(function (p) {
request.input(p.name, p.sqltype, p.value);
});
}
request.query(query, function (err, result) {
if (err) {
console.log(`You have an error: ${err}`);
res.send(err);
sql.close();
}
else {
res.send(result.recordset);
sql.close();
}
});
}
});
}
app.get("/api/InvoiceRequestApi", function (req, res) {
var query = "SELECT * FROM [InvoiceRequest];
executeQuery(res, query);
});
app.post("/api/InvoiceRequestApi", function (req, res) {
const parameters = [
{ name: 'OrderId', sqltype: sql.VarChar, value: req.body.OrderId },
{ name: 'Mail', sqltype: sql.VarChar, value: req.body.Mail },
{ name: 'Name', sqltype: sql.VarChar, value: req.body.Name },
{ name: 'RFC', sqltype: sql.VarChar, value: req.body.RFC },
{ name: 'Adress', sqltype: sql.VarChar, value: req.body.Adress },
{ name: 'NoExt', sqltype: sql.VarChar, value: req.body.NoExt },
{ name: 'NoInt', sqltype: sql.VarChar, value: req.body.NoInt },
{ name: 'District', sqltype: sql.VarChar, value: req.body.District },
{ name: 'CP', sqltype: sql.VarChar, value: req.body.CP },
{ name: 'Municipality', sqltype: sql.VarChar, value: req.body.Municipality },
{ name: 'State', sqltype: sql.VarChar, value: req.body.State },
{ name: 'CreationDate', sqltype: sql.VarChar, value: req.body.CreationDate },
{ name: 'GeneratedInvoice', sqltype: sql.Bit, value: req.body.GeneratedInvoice },
{ name: 'InvoiceFile', sqltype: sql.VarChar, value: req.body.InvoiceFile },
{ name: 'FileXml', sqltype: sql.VarChar, value: req.body.FileXml },
{ name: 'StatusId', sqltype: sql.Int, value: req.body.StatusId }
];
var query = "INSERT INTO [InvoiceRequest] VALUES(@OrderId, @Mail, @Name, @RFC, @Adress, @NoExt, @NoInt, @District, @CP, @Municipality, @State, @CreationDate, @GeneratedInvoice, @InvoiceFile, @FileXml, @StatusId) SELECT SCOPE_IDENTITY() AS Id";
executeQuery(res, query, parameters);
});
const PORT = process.env.PORT || 8080
app.listen(PORT, () => {
console.log(`App running on port: ${PORT}`)
});
I've found a few post on stackoverflow where suggest to use SELECT SCOPE_IDENTITY() AS Id
after Insert, and other where OUTPUT INSERTED.Id
before insert also can use, but with both answers i have two errors. If i send my data like this:
function sendMyData(){
var invoiceData = {
OrderId: $scope.theOrder,
Mail: $scope.getMail,
Name: $scope.getName,
RFC: $scope.getTax,
Adress: $scope.getStreet,
NoExt: $scope.getExternal,
NoInt: $scope.getInternal,
District: $scope.getDistrict,
CP: $scope.getPostalCode,
Municipality: $scope.getMunicipality,
State: $scope.getState,
CreationDate: '2019-01-02',
GeneratedInvoice: null,
InvoiceFile: null,
FileXml: null,
StatusId: 1
};
//console.log(invoiceData);
saveRequest.save(invoiceData).$promise
.then(function(response){
console.log(response);
});
}
The error says that:
Error in resource configuration for action
save
. Expected response to contain an object but got an array
So, if i make a change like this:
function sendMyData(){
var invoiceData = {
OrderId: $scope.theOrder,
Mail: $scope.getMail,
Name: $scope.getName,
RFC: $scope.getTax,
Adress: $scope.getStreet,
NoExt: $scope.getExternal,
NoInt: $scope.getInternal,
District: $scope.getDistrict,
CP: $scope.getPostalCode,
Municipality: $scope.getMunicipality,
State: $scope.getState,
CreationDate: '2019-01-02',
GeneratedInvoice: null,
InvoiceFile: null,
FileXml: null,
StatusId: 1
};
//console.log(invoiceData);
saveRequest.save([invoiceData]).$promise
.then(function(response){
console.log(response);
});
}
The error says that:
"Cannot insert the value NULL into column 'OrderId', table 'daDB.dbo.InvoiceRequest'; column does not allow nulls. INSERT fails."
what am i doing wrong? Someone can help me, please?
UPDATE
Using the POST method without the two examples i've found, the process is successful; in other words, the POST works.
Also, another little question:
Can i use on the var query getdate()
to set my CreationDate?
I'm using Javascript, Node, Express and SQL Server.
javascript node.js

javascript node.js

edited Jan 3 at 3:26
Chuck Villavicencio
asked Jan 3 at 3:18
Chuck VillavicencioChuck Villavicencio
12610
12610
You need to show your table definition for InvoiceRequest... but the error is quite clear, the column is defined to not allow nulls, and you aren't entering a value, and your database also doesn't have a default value set.
– Dale Burrell
Jan 3 at 3:22
It's funny, but without the options i've post, the insert is successful... i've already checked on my console and with postman, and the post works
– Chuck Villavicencio
Jan 3 at 3:24
Somehow OrderId is now being set to null with your code changes - can't you just step through the code and see where its null when it shouldn't be?
– Dale Burrell
Jan 3 at 3:29
add a comment |
You need to show your table definition for InvoiceRequest... but the error is quite clear, the column is defined to not allow nulls, and you aren't entering a value, and your database also doesn't have a default value set.
– Dale Burrell
Jan 3 at 3:22
It's funny, but without the options i've post, the insert is successful... i've already checked on my console and with postman, and the post works
– Chuck Villavicencio
Jan 3 at 3:24
Somehow OrderId is now being set to null with your code changes - can't you just step through the code and see where its null when it shouldn't be?
– Dale Burrell
Jan 3 at 3:29
You need to show your table definition for InvoiceRequest... but the error is quite clear, the column is defined to not allow nulls, and you aren't entering a value, and your database also doesn't have a default value set.
– Dale Burrell
Jan 3 at 3:22
You need to show your table definition for InvoiceRequest... but the error is quite clear, the column is defined to not allow nulls, and you aren't entering a value, and your database also doesn't have a default value set.
– Dale Burrell
Jan 3 at 3:22
It's funny, but without the options i've post, the insert is successful... i've already checked on my console and with postman, and the post works
– Chuck Villavicencio
Jan 3 at 3:24
It's funny, but without the options i've post, the insert is successful... i've already checked on my console and with postman, and the post works
– Chuck Villavicencio
Jan 3 at 3:24
Somehow OrderId is now being set to null with your code changes - can't you just step through the code and see where its null when it shouldn't be?
– Dale Burrell
Jan 3 at 3:29
Somehow OrderId is now being set to null with your code changes - can't you just step through the code and see where its null when it shouldn't be?
– Dale Burrell
Jan 3 at 3:29
add a comment |
0
active
oldest
votes
Your Answer
StackExchange.ifUsing("editor", function () {
StackExchange.using("externalEditor", function () {
StackExchange.using("snippets", function () {
StackExchange.snippets.init();
});
});
}, "code-snippets");
StackExchange.ready(function() {
var channelOptions = {
tags: "".split(" "),
id: "1"
};
initTagRenderer("".split(" "), "".split(" "), channelOptions);
StackExchange.using("externalEditor", function() {
// Have to fire editor after snippets, if snippets enabled
if (StackExchange.settings.snippets.snippetsEnabled) {
StackExchange.using("snippets", function() {
createEditor();
});
}
else {
createEditor();
}
});
function createEditor() {
StackExchange.prepareEditor({
heartbeatType: 'answer',
autoActivateHeartbeat: false,
convertImagesToLinks: true,
noModals: true,
showLowRepImageUploadWarning: true,
reputationToPostImages: 10,
bindNavPrevention: true,
postfix: "",
imageUploader: {
brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
allowUrls: true
},
onDemand: true,
discardSelector: ".discard-answer"
,immediatelyShowMarkdownHelp:true
});
}
});
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
StackExchange.ready(
function () {
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f54015890%2freturn-inserted-id-on-after-post-on-express-api%23new-answer', 'question_page');
}
);
Post as a guest
Required, but never shown
0
active
oldest
votes
0
active
oldest
votes
active
oldest
votes
active
oldest
votes
Thanks for contributing an answer to Stack Overflow!
- Please be sure to answer the question. Provide details and share your research!
But avoid …
- Asking for help, clarification, or responding to other answers.
- Making statements based on opinion; back them up with references or personal experience.
To learn more, see our tips on writing great answers.
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
StackExchange.ready(
function () {
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f54015890%2freturn-inserted-id-on-after-post-on-express-api%23new-answer', 'question_page');
}
);
Post as a guest
Required, but never shown
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
You need to show your table definition for InvoiceRequest... but the error is quite clear, the column is defined to not allow nulls, and you aren't entering a value, and your database also doesn't have a default value set.
– Dale Burrell
Jan 3 at 3:22
It's funny, but without the options i've post, the insert is successful... i've already checked on my console and with postman, and the post works
– Chuck Villavicencio
Jan 3 at 3:24
Somehow OrderId is now being set to null with your code changes - can't you just step through the code and see where its null when it shouldn't be?
– Dale Burrell
Jan 3 at 3:29