5

我正在使用 Scala 中的Lift Web 框架实现 REST 服务,我在创建一个我知道其 ID 的新实体的 PUT 请求时遇到了一些问题。

已经添加了调度Boot.scala,我的休息服务对象看起来有点像这样:

package code
package lib

import model._

import net.liftweb._
import common._
import http._
import rest._
import util._
import Helpers._
import json._

object RestService extends RestHelper {

  serve( "api" / "room" prefix {
    // /api/room returns all the rooms
    case Nil JsonGet _ => Room.registredRooms: JValue
    // /api/room/count gets the room count
    case "count" :: Nil JsonGet _ => JInt(Room.registredRooms.length)
    // /api/room/room_id gets the specified room (or a 404)
    case Room(room) :: Nil JsonGet _ => room: JValue
    // DELETE the room in question
    case Room(room) :: Nil JsonDelete _ => 
      Room.delete(room.id).map(a => a: JValue)
    // PUT adds the room if the JSON is parsable
    case Nil JsonPut Room(room) -> _ => Room.add(room): JValue

    // POST if we find the room, merge the fields from the 
    // the POST body and update the room
    case Room(room) :: Nil JsonPost json -> _ => 
      Room(mergeJson(room, json)).map(Room.add(_): JValue)
  })

}

GET 请求在我测试时正常工作:

$ curl http://localhost:8080/api/room/abs
{
  "id":"abs"
}

我现在正在尝试实现创建服务,并且在 PUT 时一直找不到 404:

$ curl -i -H "Accept: application/json" -X PUT -d "[{'id':'abs'}]" http://localhost:8080/api/room/
HTTP/1.1 404 Not Found
Expires: Sun, 4 Sep 2011 14:13:50 UTC
Set-Cookie: JSESSIONID=t1miz05pd5k9;Path=/
Content-Length: 106
Cache-Control: no-cache, private, no-store
Content-Type: text/html; charset=utf-8
Pragma: no-cache
Date: Sun, 4 Sep 2011 14:13:50 UTC
X-Lift-Version: 2.4-M3
Server: Jetty(6.1.22)

<!DOCTYPE html>
<html> <body>The Requested URL /api/room/ was not found on this server</body> </html>

在 SBT 上,我可以看到该请求被识别为 PUT 请求:

15:13:50.130 [414557038@qtp-135607724-2 - /api/room/] INFO  net.liftweb.util.TimeHelpers - Service request (PUT) /api/room/ returned 404, took 10 Milliseconds

关于什么可能是错的任何想法?

4

1 回答 1

5

您测试PUT请求的方式存在三个问题。

最重要的是,您需要将Content-Type标题设置为application/json(而不是标题或除了Accept标题之外)。

接下来,您需要在 JSON 中使用双引号:-d '[{"id":"abs"}]'. (有效 JSON 中的字符串实际上需要双引号。一些 JSON 解析器将接受单引号,但不接受 Lift 的。)

最后,从 URL 中删除尾部斜杠。它添加"index"到路径列表的末尾,这意味着您不会在您的case Nil JsonPut...行中找到匹配项。

以下应该有效:

curl -i -H "Content-Type: application/json" -X PUT -d '[{"id":"abs"}]' http://localhost:8080/api/room
于 2011-09-04T21:26:24.480 回答