默认你已经安装了7.6.0以上版本的node

安装项目脚手架(非官方)

  1. npm install koa-generator -g

创建项目

  1. koa2 项目名称

安装依赖

  1. npm install

启动服务

  1. npm start

这一步执行完成之后打开浏览器输入http://localhost:3000/ 如果可以看到以下文字就说明搭建成功了

Hello Koa 2!

Welcome to Hello Koa 2!

安装sequelize

  1. npm install sequelize --save

Sequelize是一个基于promise的nodejs ORM,目前支持Postgres、mysql、SQLite和Microsoft SQL Server。它具有强大的事务支持,关联关系,读取和复制等功能。

安装mysql、mysql2

  1. npm install mysql mysql2 --save

项目需要mysql数据库的支持


配置Sequelize以连接数据库

在项目的根目录下创建一个config目录,在config目录中创建db.js文件,用于连接mysql数据库

  1. const Sequelize = require('sequelize'); //引入sequelize
  2. /**
  3. * 实例化Sequelize
  4. * @param database, [username=null], [password=null], [options={}]
  5. */
  6. const sequelize = new Sequelize('todolist', 'root', 'root', {
  7. host: 'localhost',
  8. dialect: 'mysql',
  9. operatorsAliases: false,
  10. dialectOptions: {
  11. //字符集
  12. charset: 'utf8mb4',
  13. collate: 'utf8mb4_unicode_ci',
  14. supportBigNumbers: true,
  15. bigNumberStrings: true,
  16. useUTC: false //是否从数据库中读取时区
  17. },
  18. pool: {
  19. max: 5,
  20. min: 0,
  21. acquire: 30000,
  22. idle: 10000
  23. },
  24. define: {
  25. timestamps: false
  26. },
  27. timezone: '+08:00' //东八时区
  28. });
  29. module.exports = {
  30. sequelize
  31. };

创建模型(Model)

在项目的根目录下创建一个schema目录,在schema目录中创建user.js,用于建立和数据表的对应关系

  1. module.exports = function (sequelize, DataTypes) {
  2. /**
  3. * 实例化Sequelize
  4. * @param modelName, attributes, [options]
  5. * @returns {Promise<Model>}
  6. * 这个实例方法用于定义一个新Model(模型)。Model相当于数据库中的表,该对象不能通过构造函数实例化,而只能通过sequelize.define()或sequelize.import()方法创建。
  7. * 表中的字段通过第二个参数对象attributes来定义,对象中的一个属性相当于表中的一个字段。
  8. */
  9. return sequelize.define('todolist_user', {
  10. //用户ID
  11. user_id: {
  12. type: DataTypes.INTEGER,
  13. primaryKey: true,
  14. allowNull: true,
  15. autoIncrement: true
  16. },
  17. //用户名
  18. user_name: {
  19. type: DataTypes.STRING,
  20. allowNull: false,
  21. field: 'user_name'
  22. },
  23. // 创建时间
  24. creat_time: {
  25. type: DataTypes.DATE
  26. },
  27. // 更新时间
  28. updat_time: {
  29. type: DataTypes.DATE
  30. }
  31. }, {
  32. /**
  33. * 如果为true,则表示对应的表名和model相同,即user
  34. * 如果为fasle,mysql创建的表名称会是复数,即users
  35. * 如果指定的表名称本身就是复数,则形式不变
  36. */
  37. freezeTableName: true
  38. });
  39. }

也可以使用 Sql语句创建表,但是schema目录下user.js文件中的表名以及对象属性一定要和数据库中的表名和字段一一对应

  1. CREATE TABLE `todolist_user` (
  2. `user_id` INT(11) NOT NULL AUTO_INCREMENT,
  3. `user_name` VARCHAR(255) NOT NULL,
  4. `creat_time` TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
  5. `updat_time` TIMESTAMP DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
  6. PRIMARY KEY (`user_id`)
  7. ) ENGINE=INNODB AUTO_INCREMENT=4 DEFAULT CHARSET=utf8

数据库表结构

Field Type Collation Key Default Extra
user_id int(11) (NULL) PRI (NULL) auto_increment
user_name varchar(255) utf8_general_ci (NULL)
creat_time timestamp (NULL) CURRENT_TIMESTAMP DEFAULT_GENERATED
updat_time timestamp (NULL) CURRENT_TIMESTAMP DEFAULT_GENERATED on update CURRENT_TIMESTAMP

使用模型

在项目的根目录下创建一个modules目录,在modules目录中创建user.js文件,用来处理数据

  1. // 引入mysql的配置文件
  2. const db = require('../config/db');
  3. // 引入sequelize对象
  4. const Sequelize = db.sequelize;
  5. // 引入数据表模型
  6. const User = Sequelize.import('../schema/user');
  7. User.sync({ force: false });
  8. class UserModel {
  9. /**
  10. * 新增用户
  11. * @param data
  12. * @returns {Promise<*>}
  13. */
  14. static async createUser(data) {
  15. return await User.create({
  16. user_name: data.user_name, //用户名
  17. });
  18. }
  19. /**
  20. * 查询用户
  21. * @param user_id 用户ID
  22. * @returns {Promise<Model>}
  23. */
  24. static async getUserDetail(user_id) {
  25. return await User.findOne({
  26. where: {
  27. user_id
  28. }
  29. });
  30. }
  31. }
  32. module.exports = UserModel;

创建及使用控制器

在项目的根目录下创建一个controller目录,在controller目录中创建user.js文件,用来处理业务逻辑

  1. const UserModel = require("../modules/user");
  2. class userController {
  3. /**
  4. * 新增用户
  5. * @param ctx
  6. * @returns {Promise.<void>}
  7. */
  8. static async create(ctx) {
  9. //接收客服端
  10. let req = ctx.request.body;
  11. if (req.user_name) {
  12. try {
  13. //新增用户
  14. const ret = await UserModel.createUser(req);
  15. //使用刚刚创建的用户ID查询用户名
  16. const data = await UserModel.getUserDetail(ret.user_id);
  17. ctx.response.status = 200;
  18. ctx.body = {
  19. code: 200,
  20. msg: '新增成功',
  21. data
  22. }
  23. } catch (err) {
  24. ctx.response.status = 412;
  25. ctx.body = {
  26. code: 412,
  27. msg: '新增失败',
  28. data: err
  29. }
  30. }
  31. } else {
  32. ctx.response.status = 416;
  33. ctx.body = {
  34. code: 200,
  35. msg: '缺少参数'
  36. }
  37. }
  38. }
  39. /**
  40. * 查询用户
  41. * @param ctx
  42. * @returns {Promise.<void>}
  43. */
  44. static async detail(ctx) {
  45. let req = ctx.request.body;
  46. // let user_id = ctx.params.user_id;
  47. let user_id = req.user_id;
  48. if (user_id) {
  49. try {
  50. // 查询用户
  51. let data = await UserModel.getUserDetail(user_id);
  52. ctx.response.status = 200;
  53. ctx.body = {
  54. code: 200,
  55. msg: data !== null ? '查询成功' : '该用户不存在',
  56. data: data !== null ? data : { user_name: '该用户不存在' }
  57. }
  58. } catch (err) {
  59. ctx.response.status = 412;
  60. ctx.body = {
  61. code: 412,
  62. msg: '查询失败',
  63. data
  64. }
  65. }
  66. } else {
  67. ctx.response.status = 416;
  68. ctx.body = {
  69. code: 416,
  70. msg: '缺少user_id'
  71. }
  72. }
  73. }
  74. }
  75. module.exports = userController;

配置API路径

在项目的根目录下找到routes目录,在routes目录中创建user.js文件,用来定义API接口路径

  1. const Router = require('koa-router');
  2. const UserController = require('../controllers/user');
  3. const router = new Router({
  4. prefix: '/api' //API前缀
  5. });
  6. /**
  7. * 用户接口
  8. */
  9. //新增用户
  10. router.post('/user/create', UserController.create);
  11. //查询用户
  12. router.post('/user', UserController.detail)
  13. module.exports = router

在项目的根目录下找到app.js文件,然后在该文件内引入配置好的route

  1. const user = require('./routes/user')
  2. // routes
  3. app.use(user.routes(), user.allowedMethods())

再次启动服务

  1. npm start

在启动过程中如果你看到以下信息,就说明启动成功了

  1. > todolist@0.1.0 start D:\dev\todolist
  2. > node bin/www
  3. koa deprecated Support for generators will be removed in v3. See the documentation for examples of how to convert old middleware https://github.com/koajs/koa/blob/master/docs/migration.md app.js:14:5
  4. (node:246648) [SEQUELIZE0004] DeprecationWarning: A boolean value was passed to options.operatorsAliases. This is a no-op with v5 and should be removed.
  5. Ignoring invalid configuration option passed to Connection: collate. This is currently a warning, but in future versions of MySQL2, an error will be thrown if you pass an invalid configuration options to a Connection
  6. Ignoring invalid configuration option passed to Connection: useUTC. This is currently a warning, but in future versions of MySQL2, an error will be thrown if you pass an invalid configuration options to a Connection
  7. Ignoring invalid configuration option passed to Connection: collate. This is currently a warning, but in future versions of MySQL2, an error will be thrown if you pass an invalid configuration options to a Connection
  8. Ignoring invalid configuration option passed to Connection: useUTC. This is currently a warning, but in future versions of MySQL2, an error will be thrown if you pass an invalid configuration options to a Connection
  9. Executing (default): CREATE TABLE IF NOT EXISTS `todolist_user` (`user_id` INTEGER auto_increment , `user_name` VARCHAR(255) NOT NULL, `creat_time` DATETIME, `updat_time` DATETIME, PRIMARY KEY (`user_id`)) ENGINE=InnoDB;
  10. Executing (default): SHOW INDEX FROM `todolist_user`

测试API

使用postman作为API测试工具,自行前往postman官网下载

  1. 安装好postman之后,开始进行API测试,首先打开routes目录下的user.js文件,找到以下代码,它们就是我们需要用到的API地址

    1. prefix: '/api' //API前缀
    2. //新增用户
    3. router.post('/user/create', UserController.create);
    4. //查询用户
    5. router.post('/user', UserController.detail)
  2. 打开postman,将请求类型改为POST,在Enter request URL文本框中输入http://localhost:3000/api/user/create,然后点击Send 按钮发送请求,如下图

新增用户API.png
可以看到请求已经发送成功并返回了数据,查询同理不再复述

  1. 在数据库中查看数据是否插入

微信图片_20190707122400.png
数据已经成功插入数据库

解决跨域(Cross-Origin Resource Sharing)

跨域资源共享(CORS) 是一种机制,它使用额外的 HTTP 头来告诉浏览器 让运行在一个 origin (domain) 上的Web应用被准许访问来自不同源服务器上的指定的资源。当一个资源从与该资源本身所在的服务器不同的域、协议或端口请求一个资源时,资源会发起一个跨域 HTTP 请求。

  1. 安装koa-cors

    1. npm install koa-cors --save
  2. 在项目的根目录下找到app.js文件,然后在该文件内加入koa-cors的引用

    1. const cors = require('koa-cors') //引入cors
    2. app.use(cors()) //使用cors

结束

到此使用koa2编写接口的工作已经做完,koa2的使用细则请大家查看文档,下一步搭建node本地服务器

推荐

Koa 文档的中文版本 , 更新至 v2.7.0 版本
bootstrap官网的koa2中文文档