基于springboot創(chuàng)建RESTful風(fēng)格接口

基于springboot創(chuàng)建RESTful風(fēng)格接口

RESTful API風(fēng)格

restfulAPI.png

特點(diǎn):

  1. URL描述資源
  2. 使用HTTP方法描述行為涝动。使用HTTP狀態(tài)碼來表示不同的結(jié)果
  3. 使用json交互數(shù)據(jù)
  4. RESTful只是一種風(fēng)格飒炎,并不是強(qiáng)制的標(biāo)準(zhǔn)
REST成熟度模型.png

一、查詢請(qǐng)求

1.編寫單元測(cè)試

@RunWith(SpringRunner.class)
@SpringBootTest
public class UserControllerTest {
    
    @Autowired
    private WebApplicationContext wac;
    
    private MockMvc mockMvc;
    
    @Before
    public void setup() {
        
        mockMvc = MockMvcBuilders.webAppContextSetup(wac).build();
    }
    
    //查詢
    @Test
    public void whenQuerySuccess() throws Exception {
        String result = mockMvc.perform(get("/user")
                .param("username", "jojo")
                .param("age", "18")
                .param("ageTo", "60")
                .param("xxx", "yyy")
//              .param("size", "15")
//              .param("sort", "age,desc")
                .contentType(MediaType.APPLICATION_JSON_UTF8))
                .andExpect(status().isOk())
                .andExpect(jsonPath("$.length()").value(3))
                .andReturn().getResponse().getContentAsString();//將服務(wù)器返回的json字符串當(dāng)成變量返回
        
        System.out.println(result);//[{"username":null},{"username":null},{"username":null}]
    }
}

2.使用注解聲明RestfulAPI

常用注解

@RestController 標(biāo)明此Controller提供RestAPI
@RequestMapping及其變體。映射http請(qǐng)求url到j(luò)ava方法
@RequestParam 映射請(qǐng)求參數(shù)到j(luò)ava方法的參數(shù)
@PageableDefault 指定分頁參數(shù)默認(rèn)值
@PathVariable 映射url片段到j(luò)ava方法的參數(shù)
在url聲明中使用正則表達(dá)式
@JsonView控制json輸出內(nèi)容

查詢請(qǐng)求:

@RestController
public class UserController {
    
    @RequestMapping(value="/user",method=RequestMethod.GET)
    public List<User> query(@RequestParam(name="username",required=false,defaultValue="tom") String username){
        System.out.println(username);
        List<User> users = new ArrayList<>();
        users.add(new User());
        users.add(new User());
        users.add(new User());
        return users;
    }
}

①當(dāng)前端傳遞的參數(shù)和后臺(tái)自己定義的參數(shù)不一致時(shí)牵舵,可以使用name屬性來標(biāo)記:

(@RequestParam(name="username",required=false,defaultValue="hcx") String nickname

②前端不傳參數(shù)時(shí),使用默認(rèn)值 defaultValue="hcx"

③當(dāng)查詢參數(shù)很多時(shí),可以使用對(duì)象接收

④使用Pageable作為參數(shù)接收菱属,前臺(tái)可以傳遞分頁相關(guān)參數(shù)
pageSize,pageNumber舰罚,sort纽门;
也可以使用@PageableDefault指定默認(rèn)的參數(shù)值。

@PageableDefault(page=2,size=17,sort="username,asc")
//查詢第二頁营罢,查詢17條赏陵,按照用戶名升序排列

3.jsonPath表達(dá)式書寫

github鏈接:https://github.com/json-path/JsonPath

jsonpath表達(dá)式.png
打包發(fā)布maven項(xiàng)目.png

二、編寫用戶詳情服務(wù)

@PathVariable 映射url片段到j(luò)ava方法的參數(shù)
在url聲明中使用正則表達(dá)式
@JsonView控制json輸出內(nèi)容

單元測(cè)試:

@RunWith(SpringRunner.class)
@SpringBootTest
public class UserControllerTest {
    
    @Autowired
    private WebApplicationContext wac;
    
    private MockMvc mockMvc;
    
    @Before
    public void setup() {
        
        mockMvc = MockMvcBuilders.webAppContextSetup(wac).build();
    }
    
    //獲取用戶詳情
    @Test
    public void whenGetInfoSuccess() throws Exception {
        String result = mockMvc.perform(get("/user/1")
                .contentType(MediaType.APPLICATION_JSON_UTF8))
                .andExpect(status().isOk())
                .andExpect(jsonPath("$.username").value("tom"))
                .andReturn().getResponse().getContentAsString();
        
        System.out.println(result); //{"username":"tom","password":null}
        
    }

后臺(tái)代碼:

@RestController
@RequestMapping("/user")//在類上聲明了/user饲漾,在方法中就可以省略了
public class UserController {
    @RequestMapping(value="/user/{id}",method=RequestMethod.GET)
    public User getInfo(@PathVariable String id) {
            User user = new User();
            user.setUsername("tom");
            return user;
        }

當(dāng)希望對(duì)傳遞進(jìn)來的參數(shù)作一些限制時(shí)蝙搔,可以使用正則表達(dá)式:

//測(cè)試提交錯(cuò)誤信息
@Test
public void whenGetInfoFail() throws Exception {
    mockMvc.perform(get("/user/a")
            .contentType(MediaType.APPLICATION_JSON_UTF8))
            .andExpect(status().is4xxClientError());
}

后臺(tái)代碼:

@RequestMapping(value="/user/{id:\\d+}",method=RequestMethod.GET)//如果希望對(duì)傳遞進(jìn)來的參數(shù)作一些限制,使用正則表達(dá)式
@JsonView(User.UserDetailView.class)
public User getInfo(@PathVariable String id) {
    User user = new User();
    user.setUsername("tom");
    return user;
}

使用@JsonView控制json輸出內(nèi)容

1.場(chǎng)景:在以上兩個(gè)方法中考传,查詢集合和查詢用戶詳細(xì)信息時(shí)吃型,期望查詢用戶集合時(shí)不返回密碼給前端,而在查詢單個(gè)用戶信息時(shí)才返回伙菊。

2.使用步驟:
①使用接口來聲明多個(gè)視圖
②在值對(duì)象的get方法上指定視圖
③在Controller方法上指定視圖

在user實(shí)體中操作:

package com.hcx.web.dto;

import java.util.Date;

import javax.validation.constraints.Past;

import org.hibernate.validator.constraints.NotBlank;

import com.fasterxml.jackson.annotation.JsonView;
import com.hcx.validator.MyConstraint;

public class User {
    
    public interface UserSimpleView{};
    //有了該繼承關(guān)系败玉,在顯示detail視圖的時(shí)候同時(shí)會(huì)把simple視圖的所有字段也顯示出來
    public interface UserDetailView extends UserSimpleView{};
    
    @MyConstraint(message="這是一個(gè)測(cè)試")
    private String username;
    
    @NotBlank(message = "密碼不能為空")
    private String password;
    
    private String id;
    
    @Past(message="生日必須是過去的時(shí)間")
    private Date birthday;
    
    
    @JsonView(UserSimpleView.class)
    public Date getBirthday() {
        return birthday;
    }

    public void setBirthday(Date birthday) {
        this.birthday = birthday;
    }

    @JsonView(UserSimpleView.class)
    public String getId() {
        return id;
    }

    public void setId(String id) {
        this.id = id;
    }

    @JsonView(UserSimpleView.class) //在簡(jiǎn)單視圖上展示該字段
    public String getUsername() {
        return username;
    }

    public void setUsername(String username) {
        this.username = username;
    }

    @JsonView(UserDetailView.class)
    public String getPassword() {
        return password;
    }

    public void setPassword(String password) {
        this.password = password;
    }
}

在具體的方法中操作Controller:

@GetMapping
@JsonView(User.UserSimpleView.class)
public List<User> query(@RequestParam(name="username",required=false,defaultValue="tom") String username){
    System.out.println(username);
    List<User> users = new ArrayList<>();
    users.add(new User());
    users.add(new User());
    users.add(new User());
    return users;
}

@RequestMapping(value="/user/{id:\\d+}",method=RequestMethod.GET)//如果希望對(duì)傳遞進(jìn)來的參數(shù)作一些限制,就需要使用正則表達(dá)式
@JsonView(User.UserDetailView.class)
public User getInfo(@PathVariable String id) {
    User user = new User();
    user.setUsername("tom");
    return user;
}

單元測(cè)試:

//查詢
@Test
public void whenQuerySuccess() throws Exception {
    String result = mockMvc.perform(get("/user")
            .param("username", "jojo")
            .param("age", "18")
            .param("ageTo", "60")
            .param("xxx", "yyy")
           //.param("size", "15")
           //.param("sort", "age,desc")
            .contentType(MediaType.APPLICATION_JSON_UTF8))
            .andExpect(status().isOk())
            .andExpect(jsonPath("$.length()").value(3))
            .andReturn().getResponse().getContentAsString();//將服務(wù)器返回的json字符串當(dāng)成變量返回
    
    System.out.println(result);//[{"username":null},{"username":null},{"username":null}]
}


//獲取用戶詳情
@Test
public void whenGetInfoSuccess() throws Exception {
    String result = mockMvc.perform(get("/user/1")
            .contentType(MediaType.APPLICATION_JSON_UTF8))
            .andExpect(status().isOk())
            .andExpect(jsonPath("$.username").value("tom"))
            .andReturn().getResponse().getContentAsString();
    
    System.out.println(result); //{"username":"tom","password":null}
    
}

代碼重構(gòu):

1.@RequestMapping(value="/user",method=RequestMethod.GET)
替換成:
@GetMapping("/user")

2.在每個(gè)url中都重復(fù)聲明了/user镜硕,此時(shí)就可以提到類中聲明

@RestController
@RequestMapping("/user")//在類上聲明了/user运翼,在方法中就可以省略了
public class UserController {
    
    @GetMapping
    @JsonView(User.UserSimpleView.class)
    public List<User> query(@RequestParam(name="username",required=false,defaultValue="tom") String username){
        System.out.println(username);
        List<User> users = new ArrayList<>();
        users.add(new User());
        users.add(new User());
        users.add(new User());
        return users;
    }
    
    @GetMapping("/{id:\\d+}")
    @JsonView(User.UserDetailView.class)
    public User getInfo(@PathVariable String id) {
        User user = new User();
        user.setUsername("tom");
        return user;
    }
}

三、處理創(chuàng)建請(qǐng)求

1.@RequestBody 映射請(qǐng)求體到j(luò)ava方法的參數(shù)

單元測(cè)試:

@Test
public void whenCreateSuccess() throws Exception {
    
    Date date = new Date();
    System.out.println(date.getTime());//1524741370816
    
    String content = "{\"username\":\"tom\",\"password\":null,\"birthday\":"+date.getTime()+"}";
    String result = mockMvc.perform(post("/user").contentType(MediaType.APPLICATION_JSON_UTF8)
            .content(content))
            .andExpect(status().isOk())
            .andExpect(jsonPath("$.id").value("1"))
            .andReturn().getResponse().getContentAsString();
    System.out.println(result);//{"username":"tom","password":null,"id":"1","birthday":1524741229875}
}

Controller:要使用@RequestBody才可以接收前端傳遞過來的參數(shù)

@PostMapping
public User create(@RequestBody User user) {
    
    System.out.println(user.getId()); //null
    System.out.println(user.getUsername()); //tom
    System.out.println(user.getPassword());//null
    user.setId("1");
    return user;
}

2.日期類型參數(shù)的處理

對(duì)于日期的處理應(yīng)該交給前端或app端兴枯,所以統(tǒng)一使用時(shí)間戳

前端或app端拿到時(shí)間戳血淌,由他們自己決定轉(zhuǎn)換成什么格式,而不是由后端轉(zhuǎn)好直接給前端。

前端傳遞給后臺(tái)直接傳時(shí)間戳:

@Test
public void whenCreateSuccess() throws Exception {
    
    Date date = new Date();
    System.out.println(date.getTime());//1524741370816
    
    String content = "{\"username\":\"tom\",\"password\":null,\"birthday\":"+date.getTime()+"}";
    String result = mockMvc.perform(post("/user").contentType(MediaType.APPLICATION_JSON_UTF8)
            .content(content))
            .andExpect(status().isOk())
            .andExpect(jsonPath("$.id").value("1"))
            .andReturn().getResponse().getContentAsString();
    System.out.println(result);//{"username":"tom","password":null,"id":"1","birthday":1524741229875}(后臺(tái)返回的時(shí)間戳)
}

Controller:

@PostMapping
public User create(@RequestBody User user) {
    
    System.out.println(user.getId()); //null
    System.out.println(user.getUsername()); //tom
    System.out.println(user.getPassword());//null
    
    System.out.println(user.getBirthday());//Thu Apr 26 19:13:49 CST 2018(Date類型)
    user.setId("1");
    return user;
}

3.@Valid注解和BindingResult驗(yàn)證請(qǐng)求參數(shù)的合法性并處理校驗(yàn)結(jié)果

1.hibernate.validator中的常用驗(yàn)證注解:

注解及其含義.png

①在實(shí)體中添加相應(yīng)驗(yàn)證注解:

@NotBlank
private String password;

②后臺(tái)接收參數(shù)時(shí)加@Valid注解

@PostMapping
public User create(@Valid @RequestBody User user) {
    
    System.out.println(user.getId()); //null
    System.out.println(user.getUsername()); //tom
    System.out.println(user.getPassword());//null
    
    System.out.println(user.getBirthday());//Thu Apr 26 19:13:49 CST 2018
    user.setId("1");
    return user;
}

2.BindingResult:帶著錯(cuò)誤信息進(jìn)入方法體

@PostMapping
public User create(@Valid @RequestBody User user,BindingResult errors) {
    
    if(errors.hasErrors()) {
        //有錯(cuò)誤返回true
        errors.getAllErrors().stream().forEach(error -> System.out.println(error.getDefaultMessage()));
        //may not be empty
    }
    
    System.out.println(user.getId()); //null
    System.out.println(user.getUsername()); //tom
    System.out.println(user.getPassword());//null
    
    System.out.println(user.getBirthday());//Thu Apr 26 19:13:49 CST 2018
    user.setId("1");
    return user;
}

四悠夯、處理用戶信息修改

1.自定義消息

@Test
public void whenUpdateSuccess() throws Exception {
    //一年之后的時(shí)間
    Date date = new Date(LocalDateTime.now().plusYears(1).atZone(ZoneId.systemDefault()).toInstant().toEpochMilli());
    System.out.println(date.getTime());//1524741370816
    
    String content = "{\"id\":\"1\",\"username\":\"tom\",\"password\":null,\"birthday\":"+date.getTime()+"}";
    String result = mockMvc.perform(put("/user/1").contentType(MediaType.APPLICATION_JSON_UTF8)
            .content(content))
            .andExpect(status().isOk())
            .andExpect(jsonPath("$.id").value("1"))
            .andReturn().getResponse().getContentAsString();
    System.out.println(result);//{"username":"tom","password":null,"id":"1","birthday":1524741229875}
}

Controller:

@PutMapping("/{id:\\d+}")
public User update(@Valid @RequestBody User user,BindingResult errors) {
    
    /*if(errors.hasErrors()) {
        //有錯(cuò)誤返回true
        errors.getAllErrors().stream().forEach(error -> System.out.println(error.getDefaultMessage()));
        //may not be empty
    }*/
    if(errors.hasErrors()) {
        errors.getAllErrors().stream().forEach(error -> {
            //FieldError fieldError = (FieldError)error;
            //String message = fieldError.getField()+" "+error.getDefaultMessage();
            System.out.println(error.getDefaultMessage()); 
            //密碼不能為空
            //生日必須是過去的時(shí)間
            //birthday must be in the past
            //password may not be empty
        }
        );
    }
    System.out.println(user.getId()); //null
    System.out.println(user.getUsername()); //tom
    System.out.println(user.getPassword());//null
    
    System.out.println(user.getBirthday());//Thu Apr 26 19:13:49 CST 2018
    user.setId("1");
    return user;
}

實(shí)體:

public class User {
    
    public interface UserSimpleView{};
    //有了該繼承關(guān)系癌淮,在顯示detail視圖的時(shí)候同時(shí)會(huì)把simple視圖的所有字段也顯示出來
    public interface UserDetailView extends UserSimpleView{};
    
    @MyConstraint(message="這是一個(gè)測(cè)試")
    private String username;
    
    @NotBlank(message = "密碼不能為空")
    private String password;
    
    private String id;
    
    @Past(message="生日必須是過去的時(shí)間")
    private Date birthday;
    
    @JsonView(UserSimpleView.class)
    public Date getBirthday() {
        return birthday;
    }

    public void setBirthday(Date birthday) {
        this.birthday = birthday;
    }

    @JsonView(UserSimpleView.class)
    public String getId() {
        return id;
    }

    public void setId(String id) {
        this.id = id;
    }

    @JsonView(UserSimpleView.class) //在簡(jiǎn)單視圖上展示該字段
    public String getUsername() {
        return username;
    }

    public void setUsername(String username) {
        this.username = username;
    }

    @JsonView(UserDetailView.class)
    public String getPassword() {
        return password;
    }

    public void setPassword(String password) {
        this.password = password;
    }

}

2.自定義校驗(yàn)注解

創(chuàng)建一個(gè)注解MyConstraint:

@Target({ElementType.METHOD,ElementType.FIELD})//可以標(biāo)注在方法和字段上
@Retention(RetentionPolicy.RUNTIME)//運(yùn)行時(shí)注解
@Constraint(validatedBy = MyConstraintValidator.class)//validatedBy :當(dāng)前的注解需要使用什么類去校驗(yàn),即校驗(yàn)邏輯
public @interface MyConstraint {
    
    String message();//校驗(yàn)不通過要發(fā)送的信息

    Class<?>[] groups() default { };

    Class<? extends Payload>[] payload() default { };
    
}

校驗(yàn)類:MyConstraintValidator:

public class MyConstraintValidator implements ConstraintValidator<MyConstraint, Object> {

    /*ConstraintValidator<A, T>
    參數(shù)一:驗(yàn)證的注解
    參數(shù)二:驗(yàn)證的類型
    ConstraintValidator<MyConstraint, String> 當(dāng)前注解只能放在String類型字段上才會(huì)起作用
    */
    @Autowired
    private HelloService helloService;
    
    @Override
    public void initialize(MyConstraint constraintAnnotation) {
        System.out.println("my validator init");
    }

    @Override
    public boolean isValid(Object value, ConstraintValidatorContext context) {
        helloService.greeting("tom");
        System.out.println(value);
        return false;//false:校驗(yàn)失斅俨埂乳蓄;true:校驗(yàn)成功
    }
    
}

五、處理刪除

單元測(cè)試:

@Test
public void whenDeleteSuccess() throws Exception {
    mockMvc.perform(delete("/user/1")
        .contentType(MediaType.APPLICATION_JSON_UTF8))
        .andExpect(status().isOk());
}

Controller:

@DeleteMapping("/{id:\\d+}")
public void delete(@PathVariable String id) {
    System.out.println(id);
}

六夕膀、RESTful API錯(cuò)誤處理

1.Spring Boot中默認(rèn)的錯(cuò)誤處理機(jī)制

Spring Boot中默認(rèn)的錯(cuò)誤處理機(jī)制虚倒,
對(duì)于瀏覽器是響應(yīng)一個(gè)html錯(cuò)誤頁面,
對(duì)于app是返回錯(cuò)誤狀態(tài)碼和一段json字符串

2.自定義異常處理

①針對(duì)瀏覽器發(fā)出的請(qǐng)求

在src/mian/resources文件夾下創(chuàng)建文件夾error編寫錯(cuò)誤頁面

錯(cuò)誤頁面.png

對(duì)應(yīng)的錯(cuò)誤狀態(tài)碼就會(huì)去到對(duì)應(yīng)的頁面

只會(huì)對(duì)瀏覽器發(fā)出的請(qǐng)求有作用产舞,對(duì)app發(fā)出的請(qǐng)求魂奥,錯(cuò)誤返回仍然是錯(cuò)誤碼和json字符串

②針對(duì)客戶端app發(fā)出的請(qǐng)求

自定義異常:

package com.hcx.exception;

public class UserNotExistException extends RuntimeException{
    
    private static final long serialVersionUID = -6112780192479692859L;
    
    private String id;
    
    public String getId() {
        return id;
    }

    public void setId(String id) {
        this.id = id;
    }

    public UserNotExistException(String id) {
        super("user not exist");
        this.id = id;
    }

}

在Controller中拋?zhàn)约憾x的異常

//發(fā)生異常時(shí),拋?zhàn)约鹤远x的異常
@GetMapping("/{id:\\d+}")
@JsonView(User.UserDetailView.class)
public User getInfo1(@PathVariable String id) {
    throw new UserNotExistException(id);
}

默認(rèn)情況下易猫,springboot不讀取id的信息

拋出異常時(shí)耻煤,進(jìn)入該方法進(jìn)行處理:
ControllerExceptionHandler:

@ControllerAdvice //只負(fù)責(zé)處理異常
public class ControllerExceptionHandler {
    
    @ExceptionHandler(UserNotExistException.class)
    @ResponseBody
    @ResponseStatus(HttpStatus.INTERNAL_SERVER_ERROR)
    public Map<String, Object> handleUserNotExistException(UserNotExistException ex){
        Map<String, Object> result = new HashMap<>();
        //把需要的信息放到異常中
        result.put("id", ex.getId());
        result.put("message", ex.getMessage());
        return result;
    }

}

完整Demo鏈接:https://github.com/GitHongcx/RESTfulAPIDemo

?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請(qǐng)聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個(gè)濱河市准颓,隨后出現(xiàn)的幾起案子哈蝇,更是在濱河造成了極大的恐慌,老刑警劉巖瞬场,帶你破解...
    沈念sama閱讀 211,123評(píng)論 6 490
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件买鸽,死亡現(xiàn)場(chǎng)離奇詭異,居然都是意外死亡贯被,警方通過查閱死者的電腦和手機(jī)眼五,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 90,031評(píng)論 2 384
  • 文/潘曉璐 我一進(jìn)店門,熙熙樓的掌柜王于貴愁眉苦臉地迎上來彤灶,“玉大人看幼,你說我怎么就攤上這事』仙拢” “怎么了诵姜?”我有些...
    開封第一講書人閱讀 156,723評(píng)論 0 345
  • 文/不壞的土叔 我叫張陵,是天一觀的道長(zhǎng)搏熄。 經(jīng)常有香客問我棚唆,道長(zhǎng),這世上最難降的妖魔是什么心例? 我笑而不...
    開封第一講書人閱讀 56,357評(píng)論 1 283
  • 正文 為了忘掉前任宵凌,我火速辦了婚禮,結(jié)果婚禮上止后,老公的妹妹穿的比我還像新娘瞎惫。我一直安慰自己溜腐,他們只是感情好,可當(dāng)我...
    茶點(diǎn)故事閱讀 65,412評(píng)論 5 384
  • 文/花漫 我一把揭開白布瓜喇。 她就那樣靜靜地躺著挺益,像睡著了一般。 火紅的嫁衣襯著肌膚如雪乘寒。 梳的紋絲不亂的頭發(fā)上望众,一...
    開封第一講書人閱讀 49,760評(píng)論 1 289
  • 那天,我揣著相機(jī)與錄音肃续,去河邊找鬼黍檩。 笑死,一個(gè)胖子當(dāng)著我的面吹牛始锚,可吹牛的內(nèi)容都是我干的。 我是一名探鬼主播喳逛,決...
    沈念sama閱讀 38,904評(píng)論 3 405
  • 文/蒼蘭香墨 我猛地睜開眼瞧捌,長(zhǎng)吁一口氣:“原來是場(chǎng)噩夢(mèng)啊……” “哼!你這毒婦竟也來了润文?” 一聲冷哼從身側(cè)響起姐呐,我...
    開封第一講書人閱讀 37,672評(píng)論 0 266
  • 序言:老撾萬榮一對(duì)情侶失蹤,失蹤者是張志新(化名)和其女友劉穎典蝌,沒想到半個(gè)月后曙砂,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體,經(jīng)...
    沈念sama閱讀 44,118評(píng)論 1 303
  • 正文 獨(dú)居荒郊野嶺守林人離奇死亡骏掀,尸身上長(zhǎng)有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點(diǎn)故事閱讀 36,456評(píng)論 2 325
  • 正文 我和宋清朗相戀三年鸠澈,在試婚紗的時(shí)候發(fā)現(xiàn)自己被綠了。 大學(xué)時(shí)的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片截驮。...
    茶點(diǎn)故事閱讀 38,599評(píng)論 1 340
  • 序言:一個(gè)原本活蹦亂跳的男人離奇死亡笑陈,死狀恐怖,靈堂內(nèi)的尸體忽然破棺而出葵袭,到底是詐尸還是另有隱情涵妥,我是刑警寧澤,帶...
    沈念sama閱讀 34,264評(píng)論 4 328
  • 正文 年R本政府宣布坡锡,位于F島的核電站蓬网,受9級(jí)特大地震影響,放射性物質(zhì)發(fā)生泄漏鹉勒。R本人自食惡果不足惜帆锋,卻給世界環(huán)境...
    茶點(diǎn)故事閱讀 39,857評(píng)論 3 312
  • 文/蒙蒙 一、第九天 我趴在偏房一處隱蔽的房頂上張望贸弥。 院中可真熱鬧窟坐,春花似錦、人聲如沸。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,731評(píng)論 0 21
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至徙菠,卻和暖如春讯沈,著一層夾襖步出監(jiān)牢的瞬間,已是汗流浹背婿奔。 一陣腳步聲響...
    開封第一講書人閱讀 31,956評(píng)論 1 264
  • 我被黑心中介騙來泰國打工缺狠, 沒想到剛下飛機(jī)就差點(diǎn)兒被人妖公主榨干…… 1. 我叫王不留,地道東北人萍摊。 一個(gè)月前我還...
    沈念sama閱讀 46,286評(píng)論 2 360
  • 正文 我出身青樓挤茄,卻偏偏與公主長(zhǎng)得像,于是被迫代替她去往敵國和親冰木。 傳聞我的和親對(duì)象是個(gè)殘疾皇子穷劈,可洞房花燭夜當(dāng)晚...
    茶點(diǎn)故事閱讀 43,465評(píng)論 2 348

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

  • Spring Cloud為開發(fā)人員提供了快速構(gòu)建分布式系統(tǒng)中一些常見模式的工具(例如配置管理,服務(wù)發(fā)現(xiàn)踊沸,斷路器歇终,智...
    卡卡羅2017閱讀 134,628評(píng)論 18 139
  • Spring Boot 參考指南 介紹 轉(zhuǎn)載自:https://www.gitbook.com/book/qbgb...
    毛宇鵬閱讀 46,773評(píng)論 6 342
  • 這是我在高中就很喜歡一則故事。 有一個(gè)男孩有著很壞的脾氣逼龟,一天他的父親給了他一袋釘子评凝,告訴他,每當(dāng)他發(fā)脾氣的時(shí)候就...
    Louise718閱讀 227評(píng)論 0 2
  • 就想說出來。跟她說疾渣,能不能別一整天的都跟我講你男朋友篡诽,什么都分享,任何細(xì)節(jié)都不放過榴捡。甚至你們的吻也可以細(xì)節(jié)化出來杈女,...
    張小橘閱讀 223評(píng)論 0 2
  • 文/左岸江南 20歲到30歲达椰,是女人一生中最美的時(shí)候,也是職場(chǎng)發(fā)展的黃金期项乒。這個(gè)時(shí)候啰劲,好看是一種天賦資源,是資本檀何,...
    左岸江南閱讀 512評(píng)論 0 1