在Quarkus中使用響應(yīng)式路由

原標(biāo)題:USING REACTIVE ROUTES
來源:https://quarkus.io/guides/reactive-routes
版權(quán):本作品采用「署名 3.0 未本地化版本 (CC BY 3.0)」許可協(xié)議進行許可。
這是原作者的中文翻譯版本臀防。

當(dāng)前版本:1.13

使用響應(yīng)式路由

響應(yīng)式路由提出了一種與眾不同的方法來實現(xiàn)HTTP寄悯。這種方法在JavaScript中非常流行,在Javascript里常常用Express.Js或Hapi之類的框架幼东。在Quarkus里颊糜,可以使用路由來實現(xiàn)REST API凑阶,也可以結(jié)合JAX-RS和Servlet使用。

該指南中提供的代碼可在 這個Github倉庫reactive-routes-quickstart目錄中找到

Quarkus HTTP

先了解一下Quarkus的HTTP層芬萍。Quarkus HTTP是基于非阻塞和響應(yīng)式引擎(底層使用Eclipse Vert.x和Netty)尤揣。應(yīng)用程序收到的所有HTTP請求都由事件循環(huán)(event loops)處理,事件循環(huán)也稱為IO線程(IO Thread)担忧,然后被路由到具體的代碼芹缔。使用Servlet,Jax-RS瓶盛,則處理請求的代碼在工作線程(working thread)最欠,使用響應(yīng)式路由,則在IO線程上惩猫。注意芝硬,響應(yīng)式路由必須是非阻塞的或顯式聲明其是否阻塞。

Quarkus HTTP Architecture

聲明響應(yīng)式路由

使用響應(yīng)式路由的第一種方法是使用@Route注解轧房。你需要添加quarkus-vertx-web擴展:

pom.xml文件中拌阴,添加:

<dependency>
    <groupId>io.quarkus</groupId>
    <artifactId>quarkus-vertx-web</artifactId>
</dependency>

在bean中,這樣使用@Route注解:

package org.acme.reactive.routes;

import io.quarkus.vertx.web.Route;
import io.quarkus.vertx.web.RoutingExchange;
import io.vertx.core.http.HttpMethod;
import io.vertx.ext.web.RoutingContext;

import javax.enterprise.context.ApplicationScoped;

@ApplicationScoped //1
public class MyDeclarativeRoutes {

    // neither path nor regex is set - match a path derived from the method name
    @Route(methods = HttpMethod.GET) //2
    void hello(RoutingContext rc) {  //3
        rc.response().end("hello");
    }

    @Route(path = "/world")
    String helloWorld() { //4
        return "Hello world!";
    }

    @Route(path = "/greetings", methods = HttpMethod.GET)
    void greetings(RoutingExchange ex) { //5
        ex.ok("hello " + ex.getParam("name").orElse("world"));
    }
}
  • 1:如果在響應(yīng)式路由所在的類上沒有作用域的注解奶镶,則會自動添加@javax.inject.Singleton迟赃。

  • 2:@Route注解表面該方法是響應(yīng)性路由陪拘。默認情況下,該方法中的代碼不得阻塞纤壁。

  • 3:該方法將一個 RoutingContext作為參數(shù)左刽。使用RoutingContext來與HTTP交互,例如使用request()獲取HTTP請求酌媒,使用response().end(…)來返回響應(yīng)欠痴。

  • 4:如果被注解的方法未返回void,則方法的method參數(shù)是可選的秒咨。

  • 5:RoutingExchange是經(jīng)過包裝了的RoutingContext喇辽,提供了一些有用的方法。

Vert.x Web文檔中 提供了RoutingContext的更多內(nèi)容雨席。

@Route注解允許配置如下參數(shù):

  • path-指明路由路徑菩咨,要依照Vert.x Web格式
  • regex-用正則表達式的路由,查看更多細節(jié)
  • methods-HTTP觸發(fā)的方式舅世,例如GET旦委,POST...
  • type-可以是normal(非阻塞)奇徒,blocking(方法會被調(diào)度到工作線程上執(zhí)行)雏亚,或failure,以表示這個路由在失敗時被調(diào)用摩钙。
  • order-當(dāng)多個路由都可以處理請求時罢低,路由的順序是怎樣的。對于普通路由胖笛,必須為正值网持。
  • 使用producesconsumes來指明mime類型

例如,可以聲明一條阻塞路由:

@Route(methods = HttpMethod.POST, path = "/post", type = Route.HandlerType.BLOCKING)
public void blocking(RoutingContext rc) {
    // ...
}
  • 另外长踊,可以使用@io.smallrye.common.annotation.Blocking注解并忽略type = Route.HandlerType.BLOCKING這個屬性:

    @Route(methods = HttpMethod.POST, path = "/post")
    @Blocking
    public void blocking(RoutingContext rc) {
        // ...
    }
    

    使用@Blocking時功舀,會忽略@Routetype屬性。

@Route注解是可重復(fù)的身弊,可以為一個方法聲明幾個路由:

@Route(path = "/first") 
@Route(path = "/second")
public void route(RoutingContext rc) {
    // ...
}

如果未設(shè)置content-type頭辟汰,則會使用最適合的content-typecontent-type定義在了io.vertx.ext.web.RoutingContext.getAcceptableContentType()里面阱佛。

@Route(path = "/person", produces = "text/html") //1
String person() {
    // ...
}
  • 1:如果客戶端的accept頭是text/html類型帖汞,會自動設(shè)置content-type頭為text/html

處理沖突的路由

在以下示例中凑术,兩個路由均匹配/accounts/me

@Route(path = "/accounts/:id", methods = HttpMethod.GET)
void getAccount(RoutingContext ctx) {
  ...
}

@Route(path = "/accounts/me", methods = HttpMethod.GET)
void getCurrentUserAccount(RoutingContext ctx) {
  ...
}

id設(shè)置為me的情況下翩蘸,調(diào)用了第一個路由,而不是第二個路由淮逊。為避免沖突催首,使用order屬性:

@Route(path = "/accounts/:id", methods = HttpMethod.GET, order = 2)
void getAccount(RoutingContext ctx) {
  ...
}

@Route(path = "/accounts/me", methods = HttpMethod.GET, order = 1)
void getCurrentUserAccount(RoutingContext ctx) {
  ...
}

通過給第二個路由一個較低的order值扶踊,它會首先被檢查。如果請求路徑匹配郎任,則將調(diào)用它姻檀,否則將檢查能否走其他路由。

@RouteBase

該注解可為響應(yīng)式路由配置一些默認值涝滴。

@RouteBase(path = "simple", produces = "text/plain")  //1 2
public class SimpleRoutes {

    @Route(path = "ping") // the final path is /simple/ping
    void ping(RoutingContext rc) {
        rc.response().end("pong");
    }
}
  • 1:path屬性為下面的所有路由的path()里都加上路徑前綴绣版。

  • 2:produces()的值為text/plain,則下面的所有路由的produces()的值都為text/plain

響應(yīng)式路由的方法

路由方法必須是bean的非私有非靜態(tài)方法。如果帶注解的方法返回void歼疮,則它必須有至少一個參數(shù)-請參閱下面的受支持類型杂抽。如果帶注解的方法未返回void,則可以沒有參數(shù)韩脏。

返回void的方法必須手動結(jié)束請求缩麸,否則對該路由的HTTP請求將永不結(jié)束。RoutingExchange中的有些方法自己本身就可以結(jié)束請求赡矢,有些方法不能杭朱,此時必須自己調(diào)用end方法,有關(guān)更多信息吹散,請參考JavaDoc弧械。

路由方法可以接受以下類型的參數(shù):

  • io.vertx.ext.web.RoutingContext
  • io.vertx.mutiny.ext.web.RoutingContext
  • io.quarkus.vertx.web.RoutingExchange
  • io.vertx.core.http.HttpServerRequest
  • io.vertx.core.http.HttpServerResponse
  • io.vertx.mutiny.core.http.HttpServerRequest
  • io.vertx.mutiny.core.http.HttpServerResponse

此外,當(dāng)一個方法參數(shù)用@io.quarkus.ertx.web.Param注解空民,則可以獲得http請求的參數(shù)

參數(shù)類型 通過此方法來獲取
java.lang.String routingContext.request().getParam()
java.util.Optional<String> routingContext.request().getParam()
java.util.List<String> routingContext.request().params().getAll()

請求參數(shù)示例

@Route
String hello(@Param Optional<String> name) {
   return "Hello " + name.orElse("world");
}

當(dāng)一個方法參數(shù)用@io.quarkus.vertx.web.Header注解刃唐,那么可以獲得請求頭

參數(shù)類型 通過此方法來獲取
java.lang.String routingContext.request().getHeader()
java.util.Optional<String> routingContext.request().getHeader()
java.util.List<String> routingContext.request().headers().getAll()

請求頭示例

@Route
String helloFromHeader(@Header("My-Header") String header) {
   return header;
}

當(dāng)一個方法參數(shù)用@io.quarkus.vertx.web.Body注解,那么可以獲得請求體

參數(shù)類型 通過此方法獲取
java.lang.String routingContext.getBodyAsString()
io.vertx.core.buffer.Buffer routingContext.getBody()
io.vertx.core.json.JsonObject routingContext.getBodyAsJson()
io.vertx.core.json.JsonArray routingContext.getBodyAsJsonArray()
其他類型 routingContext.getBodyAsJson().mapTo(MyPojo.class)

請求體示例

@Route(produces = "application/json")
Person createPerson(@Body Person person, @Param("id") Optional<String> primaryKey) {
  person.setId(primaryKey.map(Integer::valueOf).orElse(42));
  return person;
}

如果要處理失敗界轩,可以聲明一個方法參數(shù)画饥,這個參數(shù)的類型繼承Throwable。

失敗處理示例

@Route(type = HandlerType.FAILURE)
void unsupported(UnsupportedOperationException e, HttpServerResponse response) {
  response.setStatusCode(501).end(e.getMessage());
}

返回 Uni

在響應(yīng)式路由中浊猾,可以直接返回一個Uni

@Route(path = "/hello")
Uni<String> hello(RoutingContext context) {
    return Uni.createFrom().item("Hello world!");
}

@Route(path = "/person")
Uni<Person> getPerson(RoutingContext context) {
    return Uni.createFrom().item(() -> new Person("neo", 12345));
}

使用響應(yīng)式客戶端時抖甘,返回Unis很方便:

@Route(path = "/mail")
Uni<Void> sendEmail(RoutingContext context) {
    return mailer.send(...);
}

Uni產(chǎn)生的東西是:

  • 字符串-直接寫入HTTP響應(yīng)
  • 緩沖區(qū)-直接寫入HTTP響應(yīng)
  • 一個對象-編碼為JSON后寫入HTTP響應(yīng)。content-type頭被設(shè)置為application/json葫慎。

如果返回Uni失斚纬埂(或Uninull),則會返回HTTP 500幅疼。

返回Uni<Void>會返回HTTP 204米奸。

返回結(jié)果

可以直接返回結(jié)果:

@Route(path = "/hello")
String helloSync(RoutingContext context) {
    return "Hello world";
}

注意,代碼處理過程必須是非阻塞的爽篷,因為響應(yīng)式路由是在IO線程上調(diào)用的悴晰。如果此處的代碼是阻塞的,則要將@Route注解的type屬性設(shè)置為Route.HandlerType.BLOCKING,或使用@io.smallrye.common.annotation.Blocking注解铡溪。

方法可以返回:

  • 字符串-直接寫入HTTP響應(yīng)
  • 緩沖區(qū)(buffer)-直接寫入HTTP響應(yīng)
  • 對象-編碼為JSON后寫入HTTP響應(yīng)漂辐。響應(yīng)中的content-type頭會被自動設(shè)置為application/json

返回Multi

響應(yīng)式路由可以返回一個Multi。在響應(yīng)中棕硫,這些項目將被一一寫入到一個塊里(chunk)髓涯。響應(yīng)中的Transfer-Encoding頭設(shè)置為chunked。(對于Transfer-Encoding: chunked的知識可以參考 此博客

@Route(path = "/hello")
Multi<String> hellos(RoutingContext context) {
    return Multi.createFrom().items("hello", "world", "!");  //1
}
  • 1:此句最終生成helloworld!

該方法可以返回:

  • 一個Multi<String>-每一項寫在一個chunk里哈扮。
  • 一個Multi<Buffer>-每一個buffer寫在一個chunk里纬纪。
  • 一個Multi<Object>-每一項json化,寫在一個chunk里滑肉。
@Route(path = "/people")
Multi<Person> people(RoutingContext context) {
    return Multi.createFrom().items(
            new Person("superman", 1),
            new Person("batman", 2),
            new Person("spiderman", 3));
}

產(chǎn)生如下結(jié)果:

{"name":"superman", "id": 1} // chunk 1
{"name":"batman", "id": 2} // chunk 2
{"name":"spiderman", "id": 3} // chunk 3

流式JSON數(shù)組項

可以通過返回Multi來生成JSON數(shù)組包各。content-type會被設(shè)置為application/json

需要使用io.quarkus.vertx.web.ReactiveRoutes.asJsonArray方法來來包裹Multi

@Route(path = "/people")
Multi<Person> people(RoutingContext context) {
    return ReactiveRoutes.asJsonArray(Multi.createFrom().items(
            new Person("superman", 1),
            new Person("batman", 2),
            new Person("spiderman", 3)));
}

產(chǎn)生如下結(jié)果:

[
  {"name":"superman", "id": 1} // chunk 1
  ,{"name":"batman", "id": 2} // chunk 2
  ,{"name":"spiderman", "id": 3} // chunk 3
]

只有Multi<String>靶庙,Multi<Object>Multi<Void>可以寫入JSON數(shù)組问畅。使用Multi<Void>會產(chǎn)生一個空數(shù)組。不能使用Multi<Buffer>六荒。如果需要使用Buffer护姆,要先將buffer中的內(nèi)容轉(zhuǎn)換為JSON或String類型。

事件流(Event Stream)和服務(wù)器發(fā)送的事件(Server-Sent Event)

可以通過返回Multi來生成事件源(event source)即服務(wù)器發(fā)送的事件流掏击。要啟用此功能卵皂,你需要使用io.quarkus.vertx.web.ReactiveRoutes.asEventStream方法來包裹Multi

@Route(path = "/people")
Multi<Person> people(RoutingContext context) {
    return ReactiveRoutes.asEventStream(Multi.createFrom().items(
            new Person("superman", 1),
            new Person("batman", 2),
            new Person("spiderman", 3)));
}

結(jié)果是:

data: {"name":"superman", "id": 1}
id: 0

data: {"name":"batman", "id": 2}
id: 1

data: {"name":"spiderman", "id": 3}
id: 2

可以通過實現(xiàn)io.quarkus.vertx.web.ReactiveRoutes.ServerSentEvent接口來自定義服務(wù)器發(fā)送事件(server sent event)的eventid部分:

class PersonEvent implements ReactiveRoutes.ServerSentEvent<Person> {
    public String name;
    public int id;

    public PersonEvent(String name, int id) {
        this.name = name;
        this.id = id;
    }

    @Override
    public Person data() {
        return new Person(name, id); // Will be JSON encoded
    }

    @Override
    public long id() {
        return id;
    }

    @Override
    public String event() {
        return "person";
    }
}

使用Multi<PersonEvent>(注意要用io.quarkus.vertx.web.ReactiveRoutes.asEventStream方法包裹Multi<PersonEvent>):

event: person
data: {"name":"superman", "id": 1}
id: 1

event: person
data: {"name":"batman", "id": 2}
id: 2

event: person
data: {"name":"spiderman", "id": 3}
id: 3

使用Bean驗證

可以將響應(yīng)式路由和Bean驗證結(jié)合在一起。首先铐料,將quarkus-hibernate-validator擴展添加到項目中渐裂。然后豺旬,將約束條件添加到路由的參數(shù)上(路由參數(shù)首先要用@Param@Body注解):

@Route(produces = "application/json")
Person createPerson(@Body @Valid Person person, @NonNull @Param("id") String primaryKey) {
  // ...
}

如果請求的參數(shù)未通過驗證钠惩,則返回HTTP 400響應(yīng)。如果未通過驗證的請求是JSON格式族阅,則響應(yīng)會返回這樣的格式篓跛。

返回是一個對象或一個Uni,也可以使用@Valid注解:

@Route(...)
@Valid Uni<Person> createPerson(@Body @Valid Person person, @NonNull @Param("id") String primaryKey) {
  // ...
}

如果請求的參數(shù)未通過驗證坦刀,則返回HTTP 500響應(yīng)愧沟。如果未通過驗證的請求是JSON格式,則響應(yīng)會返回這樣的格式鲤遥。

使用Vert.x Web路由

你也可以在HTTP路由層(HTTP routing layer)上注冊路由沐寺,這需要使用使用Router對象。需要在啟動時獲取Router實例盖奈。

public void init(@Observes Router router) {
    router.get("/my-route").handler(rc -> rc.response().end("Hello from my route"));
}

要了解路由注冊混坞,選項和handler的更多信息。查看Vert.x Web文檔

  • 要使用Router對象,需要quarkus-vertx-http擴展究孕。如果使用 quarkus-resteasyquarkus-vertx-web啥酱,該擴展將被自動添加。

攔截HTTP請求

可以注冊攔截器厨诸,用來攔截HTTP請求镶殷。這些過濾器也適用于servletJAX-RS resources和響應(yīng)式路由微酬。

以下代碼注冊了一個攔截器绘趋,來添加HTTP頭:

package org.acme.reactive.routes;

import io.vertx.ext.web.RoutingContext;

public class MyFilters {

    @RouteFilter(100) //1
    void myFilter(RoutingContext rc) {
       rc.response().putHeader("X-Header", "intercepting the request");
       rc.next(); //2
    }
}
  • 1:RouteFilter#value()定義了攔截器的優(yōu)先級--優(yōu)先級較高的攔截器會被優(yōu)先調(diào)用。

  • 2:攔截器來調(diào)用該next()方法以調(diào)用鏈下的下一個攔截器颗管。

添加OpenAPI和Swagger UI

可以使用quarkus-smallrye-openapi擴展來添加OpenAPISwagger UI埋心。

運行命令:

./mvnw quarkus:add-extension -Dextensions="io.quarkus:quarkus-smallrye-openapi"

這會將以下內(nèi)容添加到pom.xml里:

<dependency>
    <groupId>io.quarkus</groupId>
    <artifactId>quarkus-smallrye-openapi</artifactId>
</dependency>

這會從您的 Vert.x Routes 生成一個 OpenAPI schema文檔(OpenAPI schema document)。

curl http://localhost:8080/q/openapi

你將看到生成的OpenAPI schema文檔(OpenAPI schema document):

---
openapi: 3.0.3
info:
  title: Generated API
  version: "1.0"
paths:
  /greetings:
    get:
      responses:
        "204":
          description: No Content
  /hello:
    get:
      responses:
        "204":
          description: No Content
  /world:
    get:
      responses:
        "200":
          description: OK
          content:
            '*/*':
              schema:
                type: string

另請參閱《OpenAPI指南》忙上。

添加MicroProfile OpenAPI批注

您可以使用MicroProfile OpenAPI更好地記錄您的schema拷呆,例如,添加頭信息疫粥,或指定void方法的返回類型茬斧。

@OpenAPIDefinition(//1
    info = @Info(
        title="Greeting API",
        version = "1.0.1",
        contact = @Contact(
            name = "Greeting API Support",
            url = "http://exampleurl.com/contact",
            email = "techsupport@example.com"),
        license = @License(
            name = "Apache 2.0",
            url = "https://www.apache.org/licenses/LICENSE-2.0.html"))
)
@ApplicationScoped
public class MyDeclarativeRoutes {

    // neither path nor regex is set - match a path derived from the method name
    @Route(methods = HttpMethod.GET)
    @APIResponse(responseCode="200",
            description="Say hello",
            content=@Content(mediaType="application/json", schema=@Schema(type=SchemaType.STRING))) //2
    void hello(RoutingContext rc) {
        rc.response().end("hello");
    }

    @Route(path = "/world")
    String helloWorld() {
        return "Hello world!";
    }

    @Route(path = "/greetings", methods = HttpMethod.GET)
    @APIResponse(responseCode="200",
            description="Greeting",
            content=@Content(mediaType="application/json", schema=@Schema(type=SchemaType.STRING)))
    void greetings(RoutingExchange ex) {
        ex.ok("hello " + ex.getParam("name").orElse("world"));
    }
}
  • 1:API的頭信息。
  • 2:定義響應(yīng)

這將生成以下OpenAPI schema:

---
openapi: 3.0.3
info:
  title: Greeting API
  contact:
    name: Greeting API Support
    url: http://exampleurl.com/contact
    email: techsupport@example.com
  license:
    name: Apache 2.0
    url: https://www.apache.org/licenses/LICENSE-2.0.html
  version: 1.0.1
paths:
  /greetings:
    get:
      responses:
        "200":
          description: Greeting
          content:
            application/json:
              schema:
                type: string
  /hello:
    get:
      responses:
        "200":
          description: Say hello
          content:
            application/json:
              schema:
                type: string
  /world:
    get:
      responses:
        "200":
          description: OK
          content:
            '*/*':
              schema:
                type: string

使用Swagger UI

devtest模式下運行時梗逮,會包含Swagger UI 项秉,你可以選擇是否將Swagger UI添加到prod模式。有關(guān)更多詳細信息慷彤,請參見《 Swagger UI 指南 》娄蔼。

訪問localhost:8080/q/swagger-ui/

Swagger UI
最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個濱河市底哗,隨后出現(xiàn)的幾起案子岁诉,更是在濱河造成了極大的恐慌,老刑警劉巖跋选,帶你破解...
    沈念sama閱讀 206,602評論 6 481
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件涕癣,死亡現(xiàn)場離奇詭異,居然都是意外死亡前标,警方通過查閱死者的電腦和手機坠韩,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 88,442評論 2 382
  • 文/潘曉璐 我一進店門,熙熙樓的掌柜王于貴愁眉苦臉地迎上來炼列,“玉大人只搁,你說我怎么就攤上這事〖蠹猓” “怎么了氢惋?”我有些...
    開封第一講書人閱讀 152,878評論 0 344
  • 文/不壞的土叔 我叫張陵,是天一觀的道長。 經(jīng)常有香客問我明肮,道長菱农,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 55,306評論 1 279
  • 正文 為了忘掉前任柿估,我火速辦了婚禮循未,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘秫舌。我一直安慰自己的妖,他們只是感情好,可當(dāng)我...
    茶點故事閱讀 64,330評論 5 373
  • 文/花漫 我一把揭開白布足陨。 她就那樣靜靜地躺著嫂粟,像睡著了一般。 火紅的嫁衣襯著肌膚如雪墨缘。 梳的紋絲不亂的頭發(fā)上星虹,一...
    開封第一講書人閱讀 49,071評論 1 285
  • 那天,我揣著相機與錄音镊讼,去河邊找鬼宽涌。 笑死,一個胖子當(dāng)著我的面吹牛蝶棋,可吹牛的內(nèi)容都是我干的卸亮。 我是一名探鬼主播,決...
    沈念sama閱讀 38,382評論 3 400
  • 文/蒼蘭香墨 我猛地睜開眼玩裙,長吁一口氣:“原來是場噩夢啊……” “哼兼贸!你這毒婦竟也來了?” 一聲冷哼從身側(cè)響起吃溅,我...
    開封第一講書人閱讀 37,006評論 0 259
  • 序言:老撾萬榮一對情侶失蹤溶诞,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后罕偎,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體很澄,經(jīng)...
    沈念sama閱讀 43,512評論 1 300
  • 正文 獨居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 35,965評論 2 325
  • 正文 我和宋清朗相戀三年颜及,在試婚紗的時候發(fā)現(xiàn)自己被綠了。 大學(xué)時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片蹂楣。...
    茶點故事閱讀 38,094評論 1 333
  • 序言:一個原本活蹦亂跳的男人離奇死亡俏站,死狀恐怖,靈堂內(nèi)的尸體忽然破棺而出痊土,到底是詐尸還是另有隱情肄扎,我是刑警寧澤,帶...
    沈念sama閱讀 33,732評論 4 323
  • 正文 年R本政府宣布,位于F島的核電站犯祠,受9級特大地震影響旭等,放射性物質(zhì)發(fā)生泄漏。R本人自食惡果不足惜衡载,卻給世界環(huán)境...
    茶點故事閱讀 39,283評論 3 307
  • 文/蒙蒙 一搔耕、第九天 我趴在偏房一處隱蔽的房頂上張望谭溉。 院中可真熱鬧癞埠,春花似錦、人聲如沸雇卷。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,286評論 0 19
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至坡贺,卻和暖如春官辈,著一層夾襖步出監(jiān)牢的瞬間,已是汗流浹背遍坟。 一陣腳步聲響...
    開封第一講書人閱讀 31,512評論 1 262
  • 我被黑心中介騙來泰國打工钧萍, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留,地道東北人政鼠。 一個月前我還...
    沈念sama閱讀 45,536評論 2 354
  • 正文 我出身青樓风瘦,卻偏偏與公主長得像,于是被迫代替她去往敵國和親公般。 傳聞我的和親對象是個殘疾皇子万搔,可洞房花燭夜當(dāng)晚...
    茶點故事閱讀 42,828評論 2 345

推薦閱讀更多精彩內(nèi)容