nuxt.js 项目的使用

运行图

image

安装

npx create-nuxt-app project

配置

koa + axios

typescript-vuex github

ui框架

element-ui

目录结构

assets ---资源目录
layouts ---布局目录
middleware ---中间件目录
plugins ---插件目录
static ---静态(后台)

  • 在您的 vue 模板中, 如果你需要引入 assets 或者 static 目录, 使用 ~/assets/your_image.png 和 ~/static/your_image.png方式。

异步数据 SSR解析

  • 页面数据 asyncData

先请求

扔个模板结构(静态渲染) asyncData(请求拿数据)

把编译的结果扔给客户端 服务器下发一个script 挂载到window下

同步到浏览器(交互) 虚拟编译和服务器扔过来的作对比, 不同重新请求

第一参数: 当前页面的上下文对象

image
  • ts中操作

@Component({
  async asyncData({params,app,$axios}) {
    console.log(params,app); 
    app.store.dispatch('search/setName', params.key)
    return {
      keysword: params.key
    }
  },
  components: {
    ECrumb
  },
})
  • vuex fetch

nuxtServerInit

  • 第一次请求
  • 保存用户登录
  • 全局数据

==如果你使用状态树模块化的模式,只有主模块(即 store/index.js)适用设置该方法(其他模块设置了也不会被调用)。==

layouts 页面模板

[图片上传失败...(image-ac40cb-1562038525452)]

pages 即是路由

路由

  • 基础路由
  • 动态路由
  • 嵌套路由

ts中

npm i @nuxt/typescript -D

npm i vue-class@0.3.1 vue-property-decorator@7 -S

  • tsconfig.json
{
  "compilerOptions": {
    "target": "esnext",
    "module": "esnext",
    "moduleResolution": "node",
    "lib": [
      "esnext",
      "esnext.asynciterable",
      "dom"
    ],
    "esModuleInterop": true,
    "experimentalDecorators": true,
    "allowJs": true,
    "sourceMap": true,
    "strict": true,
    "noImplicitAny": false,
    "noEmit": true,
    "baseUrl": ".",
    "paths": {
      "~/*": [
        "./*"
      ],
      "@/*": [
        "./*"
      ]
    },
    "types": [
      "@types/node",
      "@nuxt/vue-app"
    ]
  }
}

head layout asyncData...等 放在@Component使用


@Component({
  // 
  head() {
    return {
      title: this.name
    }
  },
  layout: 'search'
})

.vue中ts 独立出来 才能引入单独ts

  • vuex 使用

index.js

import Vuex from 'vuex'
import state from './state'
import getters from './getters'
import mutations from './mutations'
import actions from './actions'
import * as search from './module/search'
import geo from './module/geo'
// webpack 中 生产模式或开发
const createStore = () => {
  return new Vuex.Store({
    state,
    getters,
    mutations,
    actions,
    modules: {
      [search.name]: search,
      geo
    }
  })
}

export default createStore  
  • 相关模块 module/geo.ts
import { RootStateTypes } from '../types';
import { MutationTree, ActionTree } from 'vuex';

const namespaced = true;
interface stateInterface {
  city: string;
}
const state: stateInterface = {
  city: ''
};

export const types = {
  CITY: 'CITY'
};

const mutations: MutationTree<stateInterface> = {
  [types.CITY]: (state, city: string) => {
    state.city = city;
  }
};

const actions: ActionTree<stateInterface, RootStateTypes> = {
  setCity({ commit }, city) {
    commit(types.CITY, city);
  }
};

export default { namespaced, state, actions, mutations };

  • 如何拓展 webpack 配置 --- 添加 alias 配置

背景:给 utils 目录添加别名
刚刚说到,Nuxt.js内置了 webpack 配置,如果想要拓展配置,可以在 nuxt.config.js 文件中添加。同时也可以在该文件中,将配置信息打印出来。

extend (config, ctx) { 
    console.log('webpack config:', config) 
    if (ctx.isClient) {  
    // 添加 alias 配置  
    config.resolve.alias['~src'] = __dirname
    config.resolve.alias['~utils'] = path.join(__dirname, 'utils')
    }
}

支持es6语法

安装

yarn add babel-cli babel-core babel-preset-es2015 babel-preset-stage-0

  1. 修改package.json文件,在“dev”和“start”命令后面新增:--exec babel-node

  2. 项目根目录下新增babel配置文件“.babelrc”文件,写入以下配置


{
    "preset": ["es2015","stage-0"]
}

serve 相关

serve目录

image

Passport 解决登陆认证的问题

Web应用一般有2种登陆认证的形式:

这次项目实现用户名和密码认证登陆

基于本地 配置策略 进行 用户名和密码验证

passport.js

// 身份验证
// http://blog.fens.me/nodejs-express-passport/ 解决登陆认证的问题
import passport from 'koa-passport'
import LocalStrategy from 'passport-local'
// 用户表
import UserModel from '../../dbs/models/user'
// 配置策略. (具体操作)
passport.use(new LocalStrategy(async function (username, password, done) {
  let result = await UserModel.findOne({
    username: username
  })
  // 存在
  if (result != null) {
    // 密码对不对
    if (result.password === password) {
      return done(null, result)
    } else {
      return done(null, false, {
        msg: '密码错误'
      })
    }
  } else {
    // 不存在
    return done(null, false, {
      msg: '用户不存在' 
    })
  }
}))

// 保存用户
passport.serializeUser(function (user, done) {
  done(null, user)
})
// 删除用户
passport.deserializeUser(function (user, done) {
  done(null, user)
})

export default passport

路由控制 user.js

  • 登录
  • 注册
  • 验证验证码 (发送验证码) npm i nodemailer@4.6.8
  • 退出

相关资料

nodemailer实例

redis的使用

passport文档

ctx.session.passport.user 用户信息

ctx.request.body post传参

ctx.params ctx.query get传参

import Router from 'koa-router';
// 使用redis 验证 --- 不同用户同时发送验证码 区分不用户,不能存表(量大,内存会溢出),
import Redis from 'koa-redis';
// 给用户发邮件
import nodeMailer from 'nodemailer';
import Email from '../dbs/config';
import userModel from '../dbs/models/user';
import axios from './utils/axios';
import passport from './utils/passport';

const router = new Router();

const client = new Redis({}).client;

function err(msg: string) {
  return {
    code: -1,
    msg
  };
}
// 注册
router.post('/signup', async (ctx: any) => {
  // ctx.request.body post传参
  const { username, password, email, code } = ctx.request.body;
  // 验证code
  if (code) {
    // 获取对应的code 验证码
    const saveCode = await client.hget(`nodemail:${username}`, 'code');
    // 过去时间
    const expire = await client.hget(`nodemail:${username}`, 'expire');
    if (code === saveCode) {
      // 是否过期
      if (Date.now() - expire > 0) {
        ctx.body = {
          code: -1,
          msg: '验证码已过期,请重新验证'
        };
        return false;
      }
    } else {
      // 验证码错误
      ctx.body = {
        code: -1,
        msg: '验证码错误'
      };
    }
  } else {
    ctx.body = {
      code: -1,
      msg: '验证码不能为空'
    };
  }

  // 验证用户是否被注册过.
  try {
    await userModel.findOne(username);
    ctx.body = err('用户名被注册过了');
  } catch {
    let user = userModel.create({
      username,
      password,
      email
    });
    if (user) {
      // 注册后自动登录
      let res = await axios.post('/signin', { username, password });
      if (res.data && res.data.code === 0) {
        ctx.body = {
          code: 0,
          data: res.data.user,
          msg: '注册成功'
        };
      } else {
        ctx.body = err('error');
      }
    } else {
      // 创建失败
      ctx.body = err('注册失败');
    }
  }
});

// 登录
router.post('/signin', (ctx: any, next: any) => {
  // 登录 验证
  return passport.authenticate(`local`, function(
    error: any,
    user: any,
    info: any
  ) {
    if (error) {
      ctx.body = err(error);
      return false;
    }
    if (user) {
      ctx.body = {
        code: 0,
        msg: '登录成功',
        data: user
      };
      // passport 登录用户初始化session
      return ctx.login(user);
    } else {
      ctx.body = {
        code: 1,
        msg: info
      };
    }
  })(ctx, next);
});

// 验证
router.post('/verify',async (ctx: any,next: any) => {
  let {username,email} = ctx.request.body
  // 阻止频繁访问
  let expire = await client.hget(`nodemail:${username}`, 'expire');
  if(expire && (Date.now() - expire) < 0) {
    ctx.body = {
      code: -1,
      msg: '请求过于频繁'
    }
    return false
  }
  // 邮件配置
  let transporter = nodeMailer.createTransport({
    host: Email.smtp.host,
    post: Email.smtp.port,
    // 监听其他端口(原: 465)
    secure: false,
    auth: {
      user: Email.smtp.user,
      // 授权码
      pass: Email.smtp.pass
    }
  })
  // 新建一个验证码信息
  let ko = {
    code: Email.code(),
    expire: Email.expire(),
    user: username,
    email: email,
  }
  // 邮件信息配置
  let mailOptions = {
    from: `认证邮件<${Email.smtp.user}>`,
    to: ko.email,
    // 标题
    subject: `网站的注册码`,
    // 发送的text或者html格式
    html: `你的验证码是${ko.code}`
  }
  // 发送
  await transporter.sendMail(mailOptions, (error,info) => {
    if(error) {
      return console.log(error)
    }
    // hmset   为散列里面的一个或多个键设置值 OK  hmset('hash-key', obj)
    client.hmset(`nodemail:${ko.user}`, ko)
  })
  ctx.body = {
    code: 0,
    msg: `验证码已发送, 有效期1min`
  }
})

router.post(`/exit`, async (ctx,next) => {
  // passport 删除该用户session
  await ctx.logout()
  // 二次验证是否退出 passport的验证 
  // isAuthenticated: 测试该用户是否存在于session中(即是否已登录)
  if(ctx.isAuthenticated()) {
    ctx.body = err('退出失败')
  }else{
    ctx.body = {
      code: 0
    }
  }
})

// 获取用户信息
router.get('/user', async (ctx) => {
  if(ctx.isAuthenticated()) {
    let {username,email} = ctx.session.passport.user
    ctx.body = {
      code: 0,
      user: username,
      email
    }
  }else{
    ctx.body = {
      code: -1,
      user: '',
      email: ''
    }
  }
})

export default router

app.js

npm install koa-bodyparser koa-generic-session koa-json koa-passport passport-local


// 引入mongoose redis 
import mongoose from 'mongoose'
// 处理passport相关请求 
import bodyParser from 'koa-bodyparser'
// session删写
import session from 'koa-generic-session'
import Redis from 'koa-redis'
// 代码格式化. 打印.
import json from 'koa-json'
import dbsConfig from './dbs/config'
import Passpot from './interface/utils/passport'
import UserInterface from './interface/user'
import passport from './interface/utils/passport';
// session加密处理的两字符
app.keys = ['keys','key']
app.proxy = true
// 存储
app.use(session({
  key: 'egg-mt',
  prefix: 'mt:uid',
  store: new Redis()
}))
app.use(bodyParser({
  enbleTypes: ['text','json','form']
}))
app.use(json())

// 连接数据库
mongoose.connect(dbsConfig.dbs, {
  useNewUrlParser: true
})

app.use(passport.initialize())
app.use(passport.session())

// 添加路由

密码加密

crypto-js (加密算法类库)

ts识别全局方法/变量

相关讲解

shims-vue.d.ts

import VueRouter, { Route } from "vue-router";
import Vue from 'vue';
declare var document: Document;
declare module '*.vue' {
  export default Vue;
}
declare module "*.ts" {
  const value: any;
  export default value;
}

declare global {
  interface window {
    require: any;
  }
}

// 识别 this.$route
declare module 'vue/types/vue' {
  interface Vue {
    $router: VueRouter; // 这表示this下有这个东西
    $route: Route;
    $notify: any;
  }
}
  • this 的类型检查

在根目录的 tsconfig.json 里面加上 "noImplicitThis": false ,忽略 this 的类型检查

"noImplicitThis": false,

插件

JS实现中文转拼音(首字母大写和首字母简拼)

js-pinyin

地图的使用

地图组件

  • 添加点标记, 文本标签
  • 添加点击事件

map.vue

<template>
  <div>
    <div :id="id"
         :class='["m-map", {fixed: fixed}]'
         :style="{width:width+'px',height:height+'px',margin:'34px auto' }" ref='map'></div>
    <transition name="fade">
      <div class="model"
           v-show='show'
           @click="show = false">
        <div :id='"max-"+id'
             class="fixed-map"
             :style="{width:mapWidth+'px',height:mapHeight+'px'}">

        </div>
      </div>
    </transition>
  </div>
</template>
 
<script lang='ts'>
import { Component, Vue, Prop } from "vue-property-decorator";
declare var window: any;
declare var AMap: any;
@Component({
  props: {
    id: {
      type: String,
      default: "map"
    },
    // 点标记
    // markerList: {
    //   type: Array,
    //   default() {
    //     return [{
    //       name: '天安门',
    //       location: [116.39, 39.9],
    //       add: '北京'
    //     }]
    //   }
    // },
    width: Number,
    height: Number,
    fixed: Boolean
  }
})
export default class Map extends Vue {
  key: string = "12ef08e92a0ce0963b4698a73de243bc";
  map: any = null;
  mapWidth: number = 0;
  mapHeight: number = 0;
  show: boolean = false;
  @Prop({
    type: Array,
    default() {
      return [
        {
          name: "天安门",
          location: [116.39, 39.9],
          add: "北京"
        }
      ];
    }
  })
  markerList: any[];

  mounted() {
    let that: any = this;
    window.onMapLoad = () => {
      // that.map = new AMap.Map(that.id, {
      //   resizeEnable: true,
      //   zoom: 11,
      //   center: that.markerList[0].location
      // });
      // AMap.plugin(
      //   [
      //     "AMap.ToolBar",
      //     "AMap.Scale",
      //     "AMap.OverView",
      //     "AMap.MapType",
      //     "AMap.Geolocation"
      //   ],
      //   function() {
      //     // 在图面添加工具条控件,工具条控件集成了缩放、平移、定位等功能按钮在内的组合控件
      //     that.map.addControl(new AMap.ToolBar());

      //     // 在图面添加比例尺控件,展示地图在当前层级和纬度下的比例尺
      //     // map.addControl(new AMap.Scale());

      //     // 在图面添加鹰眼控件,在地图右下角显示地图的缩略图
      //     // map.addControl(new AMap.OverView({ isOpen: true }));

      //     // 在图面添加类别切换控件,实现默认图层与卫星图、实施交通图层之间切换的控制
      //     // map.addControl(new AMap.MapType());

      //     // 在图面添加定位控件,用来获取和展示用户主机所在的经纬度位置
      //     that.map.addControl(new AMap.Geolocation());
      //   }
      // );
      // that.addMarker();

      // mini
      that.mapInit()
      // normal
      that.mapInit(`max-${that.id}`,`max-${that.id}`)

      // let marker = new AMap.Marker({
      //   icon:
      //     "//a.amap.com/jsapi_demos/static/demo-center/icons/poi-marker-red.png",
      //   position: that.map.getCenter(),
      //   offset: new AMap.Pixel(-13, -30)
      // });
      // marker.setLabel({
      //   offset: new AMap.Pixel(0, -5), //设置文本标注偏移量
      //   content: "<div class='info'>1</div>", //设置文本标注内容
      //   direction: "center" //设置文本标注方位
      // });
      // that.add(marker);
    };
    var url = `https://webapi.amap.com/maps?v=1.4.14&key=${
      this.key
    }&callback=onMapLoad`;
    var jsapi = document.createElement("script");
    jsapi.charset = "utf-8";
    jsapi.src = url;
    document.head.appendChild(jsapi);
  }
  mapInit(id = 'map',name = 'map') {
    let that: any = this;
    that[name] = new AMap.Map(id, {
      resizeEnable: true,
      zoom: 11,
      center: that.markerList[0].location
    });
    AMap.plugin(
      [
        "AMap.ToolBar",
        "AMap.Scale",
        "AMap.OverView",
        "AMap.MapType",
        "AMap.Geolocation"
      ],
      function() {
        // 在图面添加工具条控件,工具条控件集成了缩放、平移、定位等功能按钮在内的组合控件
        that[name].addControl(new AMap.ToolBar());

        // 在图面添加比例尺控件,展示地图在当前层级和纬度下的比例尺
        // map.addControl(new AMap.Scale());

        // 在图面添加鹰眼控件,在地图右下角显示地图的缩略图
        // map.addControl(new AMap.OverView({ isOpen: true }));

        // 在图面添加类别切换控件,实现默认图层与卫星图、实施交通图层之间切换的控制
        // map.addControl(new AMap.MapType());

        // 在图面添加定位控件,用来获取和展示用户主机所在的经纬度位置
        that[name].addControl(new AMap.Geolocation());
      }
    );
    that.addMarker(name);
    // mini打开大的
    if(name='map') {
      that[name].on('click', (e) => {
        that.mapWidth = (window.innerWidth / 2) > 1100 ? (window.innerWidth / 2) : 1100
        that.mapHeight = window.innerHeight * 0.85
        that.show = true
      })
    }
  }
  addMarker(name = 'map') {
    let map = this[name];
    this.markerList.forEach((item, index) => {
      // 点标记
      let marker = new AMap.Marker({
        icon:
          "//a.amap.com/jsapi_demos/static/demo-center/icons/poi-marker-red.png",
        position: item.location,
        offset: new AMap.Pixel(-13, -30)
      });
      // 设置鼠标划过点标记显示的文字提示
      marker.setTitle(item.add);

      // 设置label标签
      marker.setLabel({
        offset: new AMap.Pixel(0, -5), //设置文本标注偏移量
        content: `<div class='info'>${index + 1}</div>`, //设置文本标注内容
        direction: "center" //设置文本标注方位
      });
      // 设置点击事件
      marker.on("click", function(e) {
        // 阻止冒泡
        e.stopPropagation ? e.stopPropagation() : 
        e.cancelBubble = true

        // 纯文本标记
        let label = new AMap.Text({
          offset: new AMap.Pixel(0, -30),
          text: item.name,
          anchor: "top", // 设置文本标记锚点
          draggable: true,
          cursor: "pointer",
          angle: 0,
          style: {
            padding: ".25rem .75rem",
            "margin-bottom": "1rem",
            "border-radius": ".25rem",
            "background-color": "white",
            "border-width": 0,
            "box-shadow": "0 2px 6px 0 rgba(114, 124, 245, .5)",
            "text-align": "center",
            "font-size": "14px"
            // color: "blue"
          },
          position: item.location
        });
        map.add(label);
      });
      map.add(marker);
    });
  }
}
</script>
<style lang='scss'>
.amap-icon img {
  width: 25px;
  height: 34px;
}

.amap-marker-label {
  border: 0;
  background-color: transparent;
}

.info {
  position: relative;
  top: 0;
  right: 0;
  min-width: 0;
  border-radius: 50%;
  background-color: transparent;
  color: #fff;
}
.info_text {
  position: relative;
  top: 0;
  right: 0;
  min-width: 0;
  background: #fff;
  box-shadow: 1px 1px 5px #999;
}
.model {
  position: fixed;
  top: 0;
  right: 0;
  bottom: 0;
  left: 0;
  background: rgba(0, 0, 0, 0.7);
  z-index: 9999;
  .fixed-map {
    position: absolute;
    top: 50%;
    left: 50%;
    transform: translate3d(-50%,-50%, 0);
  }
}

.fade-enter-active,
.fade-leave-active {
  transition: opacity 0.4s;
}
.fade-enter, .fade-leave-to /* .fade-leave-active below version 2.1.8 */ {
  opacity: 0;
}
.fixed {
  position: fixed !important;
  top: 0;
  overflow: hidden;
  margin: 0 10px !important;
}
</style>

另一种显示方式: 标注图层

示例

单条数据格式

console.log(JSON.stringify(LabelsData[6]))

{
    "name": "京味斋烤鸭店",
    "position": [116.462483, 39.992492],
    "zooms": [10, 20],
    "opacity": 1,
    "zIndex": 4,
    "icon": {
        "type": "image",
        "image": "https://a.amap.com/jsapi_demos/static/images/poi-marker.png",
        "clipOrigin": [547, 92],
        "clipSize": [50, 68],
        "size": [25, 34],
        "anchor": "bottom-center",
        "angel": 0,
        "retina": true
    },
    "text": {
        "content": "京味斋烤鸭店",
        "direction": "top",
        "offset": [0, 0],
        "style": {
            "fontSize": 15,
            "fontWeight": "normal",
            "fillColor": "#666",
            "strokeColor": "#fff",
            "strokeWidth": 1
        }
    },
    "extData": {
        "index": 6
    }
}

滚动事件

// 滚动距离
let scrollTop = window.pageYOffset || document.documentElement.scrollTop || document.body.scrollTop;

mounted() {
    window.addEventListener("scroll", this.handleScroll, true); // 监听(绑定)滚轮滚动事件
    
}
// 滚动事件
handleScroll(e) {

}

destroyed() {
    window.removeEventListener("scroll", this.handleScroll); // 监听(绑定)滚轮滚动事件
}
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 206,214评论 6 481
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 88,307评论 2 382
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 152,543评论 0 341
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 55,221评论 1 279
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 64,224评论 5 371
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,007评论 1 284
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,313评论 3 399
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,956评论 0 259
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 43,441评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,925评论 2 323
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,018评论 1 333
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,685评论 4 322
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,234评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,240评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,464评论 1 261
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,467评论 2 352
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,762评论 2 345

推荐阅读更多精彩内容