1

我正在尝试向我的 koa 应用程序发送带有一些参数的 Ajax POST 请求,但是每次执行请求时,我都会从 koa-bodyparser 收到这个奇怪的错误:

错误:无效的 JSON,仅在 /home/denis/WEB/nodejs/ 解析时支持对象和数组 (/home/denis/WEB/nodejs/kinfs/node_modules/co-body/lib/json.js:55:13) kinfs/node_modules/co-body/lib/json.js:41:16 at process._tickCallback (internal/process/next_tick.js:103:7)

在客户端,我将此错误打印到浏览器控制台:

jquery-1.12.3.js:10261 POST http://localhost:3000/api/v1/books 400(错误请求)

我像这样发送通常的 jquery ajax 请求:

$.ajax({
  url: '/api/v1/books',
  data: {test: 'test-data'},
  dataType: 'json',
  contentType:  'application/json',
  type: 'POST'
});

处理请求的代码如下:

const Koa = require('koa');
const bodyParser = require('koa-bodyparser');
const router = require('koa-router')();
const api = require('koa-router')({
    prefix: '/api/v1'
});
// I require 'koa-router' twice because
// 'api' and 'router' objects are originally located
// in different files, but here I've put them all
// together for conciseness.

router
    .get('home', '/', async (ctx, next) => { //...// })
    .get('test', '/test', async (ctx, next) => { //...// });

const app = new Koa();

api
    .get('/books', async (ctx, next) => {
        const books = await executePLSQL();
        const data = {
            data: prepareData(books)
        };
        ctx.body = JSON.stringify(data);
    })
    .post('/books', async (ctx, next) => {
        console.log('Test POST request:');
        console.log(ctx.request.body);
        console.log(ctx.params);

        ctx.status = 201;
    });

app
    .use(bodyParser())
    .use(router.routes())
    .use(api.routes())
    .use(api.allowedMethods())
    .use(router.allowedMethods());

app.listen(3000);

发送 GET 请求工作正常,但是当我尝试发送 POST 请求时,我收到上述错误。

这是另一件事:

当我没有content-type在我的 Ajax 请求中指定时,不会出现错误。Insted,我将它打印到 node.js 控制台(注意中的console.log调用api.post(...)):

Test POST request:
{ undefined: '' }
{}

我似乎不明白这里发生了什么以及为什么会出现这样的错误。

您能否解释为什么会出现此类错误并帮助我解决该问题?

4

2 回答 2

1

不确定它是否会帮助我尝试将数据中的字符串发送到 Google Cloud Task 的任何人,因此更改为发送到对象。

await client.createTask(
            { internalId: payload.internalId },
            payload.delayInSeconds,
            {
                headers: {
                    Authorization: `Bearer ${process.env.AUTH_TOKEN}1`,
                    "Content-Type": "application/json",
                },
            },
        );

像这样的东西。这里要学习的是不要在正文中发送字符串而不是有效对象。本来是评论,但不会引起太多关注。

于 2020-06-01T12:21:42.500 回答
1

data通过对 Ajax 请求中的字段进行字符串化来解决它。

基本上,我将我的 Ajax 请求更改为:

$.ajax({
  url: '/api/v1/books',
  data: JSON.stringify({test: 'test-data'}),
  dataType: 'json',
  contentType:  'application/json',
  type: 'POST'
});

之后我开始在ctx.request body对象内部的服务器上接收数据。

于 2016-11-27T05:41:55.700 回答