Spring Boot 源碼分析(二)

Spring Boot 源碼分析 (二)

sschrodinger

2019/05/30


引用


基于 Spring boot 2.1.5.RELEASE 版本


Spring 項(xiàng)目監(jiān)控


Spring Boot 使用 Spring Boot Actuator 組件監(jiān)控應(yīng)用程序的運(yùn)行狀況背传。

通過在 Maven 中增加 spring-boot-starter-actuator 依賴洲拇,可以快速增加 actuator 功能浸策。

actuator 使用 REST 風(fēng)格的接口暴露了多個(gè)監(jiān)控端點(diǎn)。默認(rèn)使用 http:{your ip}/acturator/{end point} 來訪問這些端點(diǎn)群凶。

端點(diǎn) 描述 HTTP 方法 是否敏感
autoconfig 顯示自動配置的信息 GET
beans 顯示應(yīng)用上下文程序 GET
configgroups 顯示所有 @ConfigurationProperties 的配置屬性列表 GET
dump 顯示線程活動的快照 GET
env 顯示應(yīng)用的環(huán)境變量 GET
health 顯示應(yīng)用的健康指標(biāo),這些值由 HealthIndicator 的實(shí)現(xiàn)提供 GET
info 顯示應(yīng)用的信息 GET
metrics 顯示應(yīng)用的度量標(biāo)準(zhǔn)信息 GET
mapping 顯示所有 @RequestMapping 的路徑列表 GET
... ... ... ...

比如躯保,在開啟了 actuator 的服務(wù)器上飞苇,在地址欄輸入 URL http://localhost:8080/actuator/health,會回顯 {"status":"UP"}收夸。

Actuator 實(shí)現(xiàn)原理

主要分為兩部分坑匠,第一部分是獲得信息、第二部分是創(chuàng)建 REST 風(fēng)格的端口以供用戶訪問(Endpoint)卧惜。

以 health 端口為例厘灼,進(jìn)行分析。

獲取 health 信息

在 Actuator 中咽瓷,健康信息被封裝成了類 Health设凹,如下:

public final class Health {

    private final Status status;

    private final Map<String, Object> details;
    
    // ...
    // constructor
    // functional method
    // build model interface
}

public final class Status {


    public static final Status UNKNOWN = new Status("UNKNOWN");
    public static final Status UP = new Status("UP");
    public static final Status DOWN = new Status("DOWN");
    public static final Status OUT_OF_SERVICE = new Status("OUT_OF_SERVICE");

    private final String code;

    private final String description;
    
    // ...
}

健康信息只包含四種狀態(tài),即 UP(正常)茅姜、DOWN(不正常)闪朱、OUT_OF_SERVICE(停止服務(wù))和 UNKNOW(未知),每一種狀態(tài)都可以有自己的信息。

所有健康監(jiān)測的基類都是 HealthIndicator奋姿,該接口根據(jù)信息返回當(dāng)前的健康狀態(tài)锄开,定義如下:

public interface HealthIndicator {

    Health health();

}

在該類的基礎(chǔ)上,有一個(gè)通用的 HealthIndicator 抽象實(shí)現(xiàn) AbstractHealthIndicator称诗,該抽象類適合用于在檢測過程中如果拋出異常萍悴,則狀態(tài)自動修改為 DOWN 的檢測邏輯,關(guān)鍵代碼如下:

public abstract class AbstractHealthIndicator implements HealthIndicator {

    private static final String NO_MESSAGE = null;

    private static final String DEFAULT_MESSAGE = "Health check failed";

    @Override
    public final Health health() {
        Health.Builder builder = new Health.Builder();
        try {
            doHealthCheck(builder);
        }
        catch (Exception ex) {
            if (this.logger.isWarnEnabled()) {
                String message = this.healthCheckFailedMessage.apply(ex);
                this.logger.warn(StringUtils.hasText(message) ? message : DEFAULT_MESSAGE,
                        ex);
            }
            builder.down(ex);
        }
        return builder.build();
    }

    /**
     * Actual health check logic.
     * @param builder the {@link Builder} to report health status and details
     * @throws Exception any {@link Exception} that should create a {@link Status#DOWN}
     * system status.
     */
    protected abstract void doHealthCheck(Health.Builder builder) throws Exception;
    
    // ...

}

在該抽象類的基礎(chǔ)上寓免,Actuator 實(shí)現(xiàn)了多個(gè)檢測類癣诱,包括 DiskSpaceHealthIndicatorApplicationHealthIndicatorDataSourceHealthIndicator 等再榄。

DiskSpaceHealthIndicator 主要用于檢測磁盤空間是否小于給定閾值狡刘,通過 File 類的 getUsableSpace() 方法實(shí)現(xiàn),如下:

public class DiskSpaceHealthIndicator extends AbstractHealthIndicator {

    private final File path;

    private final DataSize threshold;

    @Override
    protected void doHealthCheck(Health.Builder builder) throws Exception {
        long diskFreeInBytes = this.path.getUsableSpace();
        if (diskFreeInBytes >= this.threshold.toBytes()) {
            builder.up();
        }
        else {
            logger.warn(String.format(
                    "Free disk space below threshold. "
                            + "Available: %d bytes (threshold: %s)",
                    diskFreeInBytes, this.threshold));
            builder.down();
        }
        builder.withDetail("total", this.path.getTotalSpace())
                .withDetail("free", diskFreeInBytes)
                .withDetail("threshold", this.threshold.toBytes());
    }

}

DataSourceHealthIndicator 主要用于檢測數(shù)據(jù)源的健康度困鸥,主要是使用一個(gè)給定的 sql 語句去測試數(shù)據(jù)庫嗅蔬,如下:

public class DataSourceHealthIndicator extends AbstractHealthIndicator
        implements InitializingBean {

    private static final String DEFAULT_QUERY = "SELECT 1";

    private DataSource dataSource;

    private String query;

    private JdbcTemplate jdbcTemplate;

    @Override
    protected void doHealthCheck(Health.Builder builder) throws Exception {
        if (this.dataSource == null) {
            builder.up().withDetail("database", "unknown");
        }
        else {
            doDataSourceHealthCheck(builder);
        }
    }

    private void doDataSourceHealthCheck(Health.Builder builder) throws Exception {
        String product = getProduct();
        builder.up().withDetail("database", product);
        String validationQuery = getValidationQuery(product);
        if (StringUtils.hasText(validationQuery)) {
            List<Object> results = this.jdbcTemplate.query(validationQuery,
                    new SingleColumnRowMapper());
            Object result = DataAccessUtils.requiredSingleResult(results);
            builder.withDetail("hello", result);
        }
    }

    private String getProduct() {
        return this.jdbcTemplate.execute((ConnectionCallback<String>) this::getProduct);
    }

    private String getProduct(Connection connection) throws SQLException {
        return connection.getMetaData().getDatabaseProductName();
    }

    protected String getValidationQuery(String product) {
        String query = this.query;
        if (!StringUtils.hasText(query)) {
            DatabaseDriver specific = DatabaseDriver.fromProductName(product);
            query = specific.getValidationQuery();
        }
        if (!StringUtils.hasText(query)) {
            query = DEFAULT_QUERY;
        }
        return query;
    }

    /**
     * Set the {@link DataSource} to use.
     * @param dataSource the data source
     */
    public void setDataSource(DataSource dataSource) {
        this.dataSource = dataSource;
        this.jdbcTemplate = new JdbcTemplate(dataSource);
    }

    private static class SingleColumnRowMapper implements RowMapper<Object> {

        @Override
        public Object mapRow(ResultSet rs, int rowNum) throws SQLException {
            ResultSetMetaData metaData = rs.getMetaData();
            int columns = metaData.getColumnCount();
            if (columns != 1) {
                throw new IncorrectResultSetColumnCountException(1, columns);
            }
            return JdbcUtils.getResultSetValue(rs, 1);
        }

    }

}

ApplicationHealthIndicator 用于檢測應(yīng)用整體的狀態(tài),這里會直接返回 UP

public class ApplicationHealthIndicator extends AbstractHealthIndicator {

    public ApplicationHealthIndicator() {
        super("Application health check failed");
    }

    @Override
    protected void doHealthCheck(Health.Builder builder) throws Exception {
        builder.up();
    }

}

同時(shí)疾就,在基類 HealthIndicator 的基礎(chǔ)上澜术,實(shí)現(xiàn)了 CompositeHealthIndicator 類,這是一個(gè)組合類猬腰,用于聚合多個(gè)狀態(tài)信息的結(jié)果(對所有狀態(tài)進(jìn)行聚合鸟废,并按照 Status.DOWN, Status.OUT_OF_SERVICE, Status.UP, Status.UNKNOWN 進(jìn)行排序,返回第一個(gè)結(jié)果)姑荷。

同理盒延,beans 的檢測主要是 BeansEndpoint 持有一個(gè) ConfigurableApplicationContext 的引用實(shí)例,顯示所有加載的 bean鼠冕。

Endpoint 實(shí)現(xiàn)

Endpoint 是 Actuator 提供的用于接口訪問的包添寺,在 org.springframework.boot.actuate.endpoint 中還有 2 個(gè)子包 -jmx (可通過 jmx 協(xié)議訪問),mvc(通過 spring mvc 暴露)懈费。

首先看 EndPoint 的基類计露,如下:

public interface ExposableEndpoint<O extends Operation> {

    EndpointId getEndpointId();
    boolean isEnableByDefault();
    Collection<O> getOperations();

}

public interface Operation {

    OperationType getType();
    Object invoke(InvocationContext context);

}

public enum OperationType {

    READ,
    WRITE,
    DELETE

}

在基類 ExposableEndpoint 之下,拓展了多個(gè)接口和類憎乙,如下:

// 用于標(biāo)注可否被其他 EndpointDiscoverer 發(fā)現(xiàn)
public interface DiscoveredEndpoint<O extends Operation> extends ExposableEndpoint<O> {

    boolean wasDiscoveredBy(Class<? extends EndpointDiscoverer<?, ?>> discoverer);

    Object getEndpointBean();

}

public abstract class AbstractDiscoveredEndpoint<O extends Operation>
        extends AbstractExposableEndpoint<O> implements DiscoveredEndpoint<O> {
    private final EndpointDiscoverer<?, ?> discoverer;

    private final Object endpointBean;

    @Override
    public boolean wasDiscoveredBy(Class<? extends EndpointDiscoverer<?, ?>> discoverer) {
        // 判斷該 EndPoint 是否能被 EndpointDiscoverer 發(fā)現(xiàn)
        return discoverer.isInstance(this.discoverer);
    }
    protected void appendFields(ToStringCreator creator) {
    }

}

public abstract class AbstractExposableEndpoint<O extends Operation>
        implements ExposableEndpoint<O> {

    private final EndpointId id;

    private boolean enabledByDefault;

    private List<O> operations;

    public AbstractExposableEndpoint(EndpointId id, boolean enabledByDefault,
            Collection<? extends O> operations) {
        // ...
    }
    
    // ...

}

public abstract class AbstractDiscoveredEndpoint<O extends Operation>
        extends AbstractExposableEndpoint<O> implements DiscoveredEndpoint<O> {

    private final EndpointDiscoverer<?, ?> discoverer;

    private final Object endpointBean;

    public AbstractDiscoveredEndpoint(EndpointDiscoverer<?, ?> discoverer,
            Object endpointBean, EndpointId id, boolean enabledByDefault,
            Collection<? extends O> operations) {
        // ...
    }

}

class DiscoveredWebEndpoint extends AbstractDiscoveredEndpoint<WebOperation>
        implements ExposableWebEndpoint {

    private final String rootPath;

    DiscoveredWebEndpoint(EndpointDiscoverer<?, ?> discoverer, Object endpointBean,
            EndpointId id, String rootPath, boolean enabledByDefault,
            Collection<WebOperation> operations) {
        super(discoverer, endpointBean, id, enabledByDefault, operations);
        this.rootPath = rootPath;
    }

    @Override
    public String getRootPath() {
        return this.rootPath;
    }

}

// ...

Actuator 的核心思想就是通過在 Mvc 中注冊 WebMvcEndpointHandlerMapping票罐,類似于編寫 @Controller,每一個(gè) @Controller 調(diào)用對應(yīng) EndPointOperation 中的 invoke 方法泞边,來執(zhí)行監(jiān)控作用该押。

首先介紹 EndpointMapping,該類的作用是根據(jù)一個(gè) path 返回一個(gè)規(guī)范化的 path阵谚。如下:

public class EndpointMapping {

    private final String path;

    public EndpointMapping(String path) {
        this.path = normalizePath(path);
    }

    public String getPath() {
        return this.path;
    }

    public String createSubPath(String path) {
        return this.path + normalizePath(path);
    }

    private static String normalizePath(String path) {
        if (!StringUtils.hasText(path)) {
            return path;
        }
        String normalizedPath = path;
        if (!normalizedPath.startsWith("/")) {
            normalizedPath = "/" + normalizedPath;
        }
        if (normalizedPath.endsWith("/")) {
            normalizedPath = normalizedPath.substring(0, normalizedPath.length() - 1);
        }
        return normalizedPath;
    }

}

RequestMappingInfoHandlerMappingWebMvcEndpointHandlerMapping 的基類沈善,主要作用就是將一個(gè)方法和一個(gè) url 組合起來乡数,如下例子:

@RequestMapping(value = "url_1", method = RequestMethod.GET)
public String method_1() {
    
}
@RequestMapping(value = "url_2", method = RequestMethod.GET)
public String method_2() {
    
}

RequestMappingInfoHandlerMapping 中,會將如上所示的使用 @RequestMapping 注解包括的信息封裝成 RequestMappingInfo闻牡,包括了 url 地址净赴,請求方法等信息,最后根據(jù)這些信息選擇合適的 handler罩润,即選擇一個(gè)合適的方法玖翅,在這里是 method_1() 或者 method_2() 對連接進(jìn)行處理(這中間包括了很多參數(shù)的封裝,略過)割以,對應(yīng)關(guān)系如下圖:

RequestMappingInfo("url_1", get) ------->>------ method_1()
RequestMappingInfo("url_2", get) ------->>------ method_2()

RequestMappingInfoHandlerMapping 繼承自 AbstractHandlerMethodMapping<T>金度,實(shí)現(xiàn)了 InitializingBean 接口的 afterPropertiesSet() 方法,該方法會在設(shè)置了所有的屬性之后自動調(diào)用严沥,在 AbstractHandlerMethodMapping<T> 的實(shí)現(xiàn)中猜极,只是在該方法中調(diào)用了一個(gè)抽象函數(shù),initHandlerMethods()消玄,用于初始化 HandlerMethods跟伏。

@Override
public void afterPropertiesSet() {
    initHandlerMethods();
}

AbstractWebMvcEndpointHandlerMappingWebMvcEndpointHandlerMapping 的直接父類,先看該類持有的變量:

// 用于轉(zhuǎn)換 url
private final EndpointMapping endpointMapping;

// 所持有的 endpoint
private final Collection<ExposableWebEndpoint> endpoints;

private final EndpointMediaTypes endpointMediaTypes;

private final CorsConfiguration corsConfiguration;

// handler method
private final Method handleMethod = ReflectionUtils.findMethod(OperationHandler.class,
        "handle", HttpServletRequest.class, Map.class);

private static final RequestMappingInfo.BuilderConfiguration builderConfig = getBuilderConfig();

最重要的為上面注釋的三個(gè)變量翩瓜,其中 handleMethod 指的是在 OperationHandler 這個(gè)類中受扳,名字為 handle,參數(shù)為 HttpServletRequestMap 的方法兔跌,

private final class OperationHandler {

    private final ServletWebOperation operation;

    OperationHandler(ServletWebOperation operation) {this.operation = operation;}

    @ResponseBody
    public Object handle(HttpServletRequest request,
            @RequestBody(required = false) Map<String, String> body) {
        return this.operation.handle(request, body);
    }

}

由上的定義勘高,可以在運(yùn)行時(shí),根據(jù) operation 的不同坟桅,返回不同的 @ResponseBody华望。根據(jù)此,我們可以猜測所有的監(jiān)控都會被封裝在 Opretion 中仅乓,監(jiān)控提供的端點(diǎn) url 都封裝在 AbstractEndpint 中立美。

再看 initHandlerMethods 方法,如下:

protected void initHandlerMethods() {
    for (ExposableWebEndpoint endpoint : this.endpoints) {
        for (WebOperation operation : endpoint.getOperations()) {
            registerMappingForOperation(endpoint, operation);
        }
    }
    if (StringUtils.hasText(this.endpointMapping.getPath())) {
        registerLinksMapping();
    }
}

最主要的是注冊 registerMappingForOperation方灾,該方法如下:

private void registerMappingForOperation(ExposableWebEndpoint endpoint,
        WebOperation operation) {
    ServletWebOperation servletWebOperation = wrapServletWebOperation(endpoint,
            operation, new ServletWebOperationAdapter(operation));
    registerMapping(createRequestMappingInfo(operation),
            new OperationHandler(servletWebOperation), this.handleMethod);
}

將 opretion 和 endpoint 包裝成 ServletWebOperation,然后注冊到 mapping 中碌更。

AbstractHealthIndicatorhealth() 方法處設(shè)置斷點(diǎn)裕偿,
可以得到如下的棧:

health:82, AbstractHealthIndicator (org.springframework.boot.actuate.health)
health:98, CompositeHealthIndicator (org.springframework.boot.actuate.health)
health:50, HealthEndpoint (org.springframework.boot.actuate.health)
health:54, HealthEndpointWebExtension (org.springframework.boot.actuate.health) ====>>>====== 該處正式調(diào)用 health 的方法
-------------------- 中間過程 \/--------------------------
invoke0:-1, NativeMethodAccessorImpl (sun.reflect)
invoke:62, NativeMethodAccessorImpl (sun.reflect)
invoke:43, DelegatingMethodAccessorImpl (sun.reflect)
invoke:498, Method (java.lang.reflect)
invokeMethod:282, ReflectionUtils (org.springframework.util)
invoke:76, ReflectiveOperationInvoker (org.springframework.boot.actuate.endpoint.invoke.reflect)
invoke:61, AbstractDiscoveredOperation (org.springframework.boot.actuate.endpoint.annotation)
-------------------- 中間過程 /\--------------------------
handle:294, AbstractWebMvcEndpointHandlerMapping$ServletWebOperationAdapter (org.springframework.boot.actuate.endpoint.web.servlet) ====>>>====== 該處開始調(diào)用 health 的方法
handle:355, AbstractWebMvcEndpointHandlerMapping$OperationHandler (org.springframework.boot.actuate.endpoint.web.servlet)
invoke0:-1, NativeMethodAccessorImpl (sun.reflect)
invoke:62, NativeMethodAccessorImpl (sun.reflect)
invoke:43, DelegatingMethodAccessorImpl (sun.reflect)
invoke:498, Method (java.lang.reflect)
doInvoke:190, InvocableHandlerMethod (org.springframework.web.method.support)
invokeForRequest:138, InvocableHandlerMethod (org.springframework.web.method.support)
invokeAndHandle:104, ServletInvocableHandlerMethod (org.springframework.web.servlet.mvc.method.annotation)
invokeHandlerMethod:892, RequestMappingHandlerAdapter (org.springframework.web.servlet.mvc.method.annotation)
handleInternal:797, RequestMappingHandlerAdapter (org.springframework.web.servlet.mvc.method.annotation)
handle:87, AbstractHandlerMethodAdapter (org.springframework.web.servlet.mvc.method)
doDispatch:1039, DispatcherServlet (org.springframework.web.servlet)
// ...

note

  • 在 sping 中,允許多個(gè) handlerMapping 同時(shí)運(yùn)行痛单,DispatcherServlet 根據(jù)優(yōu)先級優(yōu)先使用優(yōu)先級在前的 HandlerMapping嘿棘。如果當(dāng)前的HandlerMapping能夠返回可用的 HandlerDispatcherServlet 則使用當(dāng)前返回的 Handler 進(jìn)行 Web 請求的處理
  • WebMvcEndpointHandlerMapping 設(shè)置優(yōu)先級為 -100旭绒,所以會有優(yōu)先運(yùn)行的權(quán)力鸟妙。
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末焦人,一起剝皮案震驚了整個(gè)濱河市,隨后出現(xiàn)的幾起案子重父,更是在濱河造成了極大的恐慌花椭,老刑警劉巖,帶你破解...
    沈念sama閱讀 212,454評論 6 493
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件房午,死亡現(xiàn)場離奇詭異矿辽,居然都是意外死亡,警方通過查閱死者的電腦和手機(jī)郭厌,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 90,553評論 3 385
  • 文/潘曉璐 我一進(jìn)店門袋倔,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人折柠,你說我怎么就攤上這事宾娜。” “怎么了扇售?”我有些...
    開封第一講書人閱讀 157,921評論 0 348
  • 文/不壞的土叔 我叫張陵前塔,是天一觀的道長。 經(jīng)常有香客問我缘眶,道長嘱根,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 56,648評論 1 284
  • 正文 為了忘掉前任巷懈,我火速辦了婚禮该抒,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘顶燕。我一直安慰自己凑保,他們只是感情好,可當(dāng)我...
    茶點(diǎn)故事閱讀 65,770評論 6 386
  • 文/花漫 我一把揭開白布涌攻。 她就那樣靜靜地躺著欧引,像睡著了一般。 火紅的嫁衣襯著肌膚如雪恳谎。 梳的紋絲不亂的頭發(fā)上芝此,一...
    開封第一講書人閱讀 49,950評論 1 291
  • 那天,我揣著相機(jī)與錄音因痛,去河邊找鬼婚苹。 笑死,一個(gè)胖子當(dāng)著我的面吹牛鸵膏,可吹牛的內(nèi)容都是我干的膊升。 我是一名探鬼主播,決...
    沈念sama閱讀 39,090評論 3 410
  • 文/蒼蘭香墨 我猛地睜開眼谭企,長吁一口氣:“原來是場噩夢啊……” “哼廓译!你這毒婦竟也來了评肆?” 一聲冷哼從身側(cè)響起,我...
    開封第一講書人閱讀 37,817評論 0 268
  • 序言:老撾萬榮一對情侶失蹤非区,失蹤者是張志新(化名)和其女友劉穎瓜挽,沒想到半個(gè)月后,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體院仿,經(jīng)...
    沈念sama閱讀 44,275評論 1 303
  • 正文 獨(dú)居荒郊野嶺守林人離奇死亡秸抚,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點(diǎn)故事閱讀 36,592評論 2 327
  • 正文 我和宋清朗相戀三年,在試婚紗的時(shí)候發(fā)現(xiàn)自己被綠了歹垫。 大學(xué)時(shí)的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片剥汤。...
    茶點(diǎn)故事閱讀 38,724評論 1 341
  • 序言:一個(gè)原本活蹦亂跳的男人離奇死亡,死狀恐怖排惨,靈堂內(nèi)的尸體忽然破棺而出吭敢,到底是詐尸還是另有隱情,我是刑警寧澤暮芭,帶...
    沈念sama閱讀 34,409評論 4 333
  • 正文 年R本政府宣布鹿驼,位于F島的核電站,受9級特大地震影響辕宏,放射性物質(zhì)發(fā)生泄漏畜晰。R本人自食惡果不足惜,卻給世界環(huán)境...
    茶點(diǎn)故事閱讀 40,052評論 3 316
  • 文/蒙蒙 一瑞筐、第九天 我趴在偏房一處隱蔽的房頂上張望凄鼻。 院中可真熱鬧,春花似錦聚假、人聲如沸块蚌。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,815評論 0 21
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽峭范。三九已至,卻和暖如春瘪贱,著一層夾襖步出監(jiān)牢的瞬間纱控,已是汗流浹背。 一陣腳步聲響...
    開封第一講書人閱讀 32,043評論 1 266
  • 我被黑心中介騙來泰國打工菜秦, 沒想到剛下飛機(jī)就差點(diǎn)兒被人妖公主榨干…… 1. 我叫王不留甜害,地道東北人。 一個(gè)月前我還...
    沈念sama閱讀 46,503評論 2 361
  • 正文 我出身青樓喷户,卻偏偏與公主長得像,于是被迫代替她去往敵國和親访锻。 傳聞我的和親對象是個(gè)殘疾皇子褪尝,可洞房花燭夜當(dāng)晚...
    茶點(diǎn)故事閱讀 43,627評論 2 350

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