├── README.md ├── backend └── chat │ ├── .gitignore │ ├── apis │ ├── __init__.py │ ├── admin.py │ ├── apps.py │ ├── migrations │ │ ├── 0001_initial.py │ │ └── __init__.py │ ├── models.py │ ├── serializers.py │ ├── tests.py │ ├── urls.py │ └── views.py │ ├── chat │ ├── __init__.py │ ├── consumers.py │ ├── routing.py │ ├── settings.py │ ├── urls.py │ └── wsgi.py │ ├── db.sqlite3 │ ├── manage.py │ └── requirements.txt ├── demo.gif └── frontend ├── .babelrc ├── .editorconfig ├── .eslintignore ├── .eslintrc.js ├── .gitignore ├── .postcssrc.js ├── README.md ├── build ├── build.js ├── check-versions.js ├── logo.png ├── utils.js ├── vue-loader.conf.js ├── webpack.base.conf.js ├── webpack.dev.conf.js └── webpack.prod.conf.js ├── config ├── dev.env.js ├── index.js └── prod.env.js ├── index.html ├── package.json ├── src ├── App.vue ├── api │ ├── login.js │ └── msg.js ├── assets │ └── logo.png ├── components │ ├── myMsg.vue │ └── otherMsg.vue ├── main.js ├── router │ └── index.js ├── store │ └── index.js ├── styles │ └── index.css ├── utils │ ├── date.js │ ├── localStorage.js │ └── request.js └── views │ ├── about │ └── about.vue │ ├── chat │ └── chat.vue │ ├── home │ └── home.vue │ ├── login │ └── login.vue │ └── me │ └── me.vue └── static ├── .gitkeep └── images ├── avatar1.jpg └── login_bg.jpg /README.md: -------------------------------------------------------------------------------- 1 | # django-vue-chat 2 | 3 | # envirenments 4 | - vue2.0 5 | - django2.0 django-rest-framewok channels2.0 redis 6 | -------------------------------------------------------------------------------- /backend/chat/.gitignore: -------------------------------------------------------------------------------- 1 | .vscode 2 | *.pyc 3 | *.pyo -------------------------------------------------------------------------------- /backend/chat/apis/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/backend/chat/apis/__init__.py -------------------------------------------------------------------------------- /backend/chat/apis/admin.py: -------------------------------------------------------------------------------- 1 | from django.contrib import admin 2 | 3 | # Register your models here. 4 | -------------------------------------------------------------------------------- /backend/chat/apis/apps.py: -------------------------------------------------------------------------------- 1 | from django.apps import AppConfig 2 | 3 | 4 | class ApisConfig(AppConfig): 5 | name = 'apis' 6 | -------------------------------------------------------------------------------- /backend/chat/apis/migrations/0001_initial.py: -------------------------------------------------------------------------------- 1 | # Generated by Django 2.0.1 on 2018-02-09 17:24 2 | 3 | from django.db import migrations, models 4 | 5 | 6 | class Migration(migrations.Migration): 7 | 8 | initial = True 9 | 10 | dependencies = [ 11 | ] 12 | 13 | operations = [ 14 | migrations.CreateModel( 15 | name='ChatMsg', 16 | fields=[ 17 | ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), 18 | ('username', models.CharField(max_length=255, verbose_name='用户名')), 19 | ('msg', models.TextField(verbose_name='聊天消息')), 20 | ('gentime', models.DateTimeField(verbose_name='消息生成时间')), 21 | ], 22 | ), 23 | ] 24 | -------------------------------------------------------------------------------- /backend/chat/apis/migrations/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/backend/chat/apis/migrations/__init__.py -------------------------------------------------------------------------------- /backend/chat/apis/models.py: -------------------------------------------------------------------------------- 1 | # -*- coding: utf-8 -*- 2 | from django.db import models 3 | 4 | # Create your models here. 5 | class ChatMsg(models.Model): 6 | username = models.CharField(max_length=255, verbose_name='用户名') 7 | msg = models.TextField(verbose_name='聊天消息') 8 | gentime = models.DateTimeField(verbose_name='消息生成时间') 9 | -------------------------------------------------------------------------------- /backend/chat/apis/serializers.py: -------------------------------------------------------------------------------- 1 | from rest_framework import serializers 2 | from .models import ChatMsg 3 | 4 | class ChatMsgSerializer(serializers.ModelSerializer): 5 | class Meta: 6 | model = ChatMsg 7 | fields = '__all__' 8 | -------------------------------------------------------------------------------- /backend/chat/apis/tests.py: -------------------------------------------------------------------------------- 1 | from django.test import TestCase 2 | 3 | # Create your tests here. 4 | -------------------------------------------------------------------------------- /backend/chat/apis/urls.py: -------------------------------------------------------------------------------- 1 | # -*- coding: utf-8 -*- 2 | from django.urls import path 3 | from .views import api_login, history_msg 4 | 5 | urlpatterns = [ 6 | path('login/', api_login, name='api_login'), 7 | path('history_msg/', history_msg, name='history_msg'), 8 | ] 9 | -------------------------------------------------------------------------------- /backend/chat/apis/views.py: -------------------------------------------------------------------------------- 1 | # -*- coding: utf-8 -*- 2 | from rest_framework import status 3 | from rest_framework.decorators import api_view 4 | from rest_framework.response import Response 5 | 6 | from .models import ChatMsg 7 | from .serializers import ChatMsgSerializer 8 | 9 | # Create your views here. 10 | @api_view(['POST']) 11 | def api_login(request): 12 | user_name = request.data.get("username") 13 | pass_word = request.data.get("password") 14 | 15 | res = {"role": "admin", "code": 0, "msg": "登录成功!", "username": user_name} 16 | return Response(res, status=status.HTTP_200_OK) 17 | 18 | 19 | @api_view(['GET', 'POST']) 20 | def history_msg(request): 21 | if request.method == 'GET': 22 | all_history_msg = ChatMsg.objects.all() 23 | res = ChatMsgSerializer(all_history_msg, many=True) 24 | return Response(res.data, status=status.HTTP_200_OK) 25 | if request.method == 'POST': 26 | username = request.data.get('username') 27 | msg = request.data.get('msg') 28 | gentime = request.data.get('gentime') 29 | 30 | res = {'code': 0, 'msg': '消息创建成功!'} 31 | ChatMsg.objects.create(username=username, msg=msg, gentime=gentime) 32 | return Response(res, status=status.HTTP_200_OK) 33 | 34 | -------------------------------------------------------------------------------- /backend/chat/chat/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/backend/chat/chat/__init__.py -------------------------------------------------------------------------------- /backend/chat/chat/consumers.py: -------------------------------------------------------------------------------- 1 | # -*- coding: utf-8 -*- 2 | from channels.generic.websocket import AsyncJsonWebsocketConsumer 3 | 4 | # 自定义websocket处理类 5 | class MyConsumer(AsyncJsonWebsocketConsumer): 6 | 7 | async def connect(self): 8 | # 创建连接时调用 9 | await self.accept() 10 | 11 | # 将新的连接加入到群组 12 | await self.channel_layer.group_add("chat", self.channel_name) 13 | 14 | async def receive_json(self, message): 15 | # 收到信息时调用 16 | 17 | # 信息单发 18 | # await self.send_json(content=content) 19 | 20 | # 信息群发 21 | await self.channel_layer.group_send( 22 | "chat", 23 | { 24 | "type": "chat.message", 25 | "message": message.get('msg'), 26 | "username": message.get('username') 27 | }, 28 | ) 29 | 30 | async def disconnect(self, close_code): 31 | # 连接关闭时调用 32 | # 将关闭的连接从群组中移除 33 | await self.channel_layer.group_discard("chat", self.channel_name) 34 | 35 | await self.close() 36 | 37 | 38 | async def chat_message(self, event): 39 | # Handles the "chat.message" event when it's sent to us. 40 | await self.send_json({ 41 | "msg": event["message"], 42 | "username": event["username"] 43 | }) 44 | 45 | -------------------------------------------------------------------------------- /backend/chat/chat/routing.py: -------------------------------------------------------------------------------- 1 | from django.urls import path 2 | 3 | from channels.routing import ProtocolTypeRouter, URLRouter 4 | from channels.auth import AuthMiddlewareStack 5 | 6 | from .consumers import MyConsumer 7 | 8 | 9 | application = ProtocolTypeRouter({ 10 | 11 | # WebSocket chat handler 12 | "websocket": AuthMiddlewareStack( 13 | URLRouter([ 14 | path("chat/", MyConsumer), 15 | ]) 16 | ), 17 | }) -------------------------------------------------------------------------------- /backend/chat/chat/settings.py: -------------------------------------------------------------------------------- 1 | # -*- coding: utf-8 -*- 2 | """ 3 | Django settings for chat project. 4 | 5 | Generated by 'django-admin startproject' using Django 2.0.1. 6 | 7 | For more information on this file, see 8 | https://docs.djangoproject.com/en/2.0/topics/settings/ 9 | 10 | For the full list of settings and their values, see 11 | https://docs.djangoproject.com/en/2.0/ref/settings/ 12 | """ 13 | 14 | import os 15 | 16 | # Build paths inside the project like this: os.path.join(BASE_DIR, ...) 17 | BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) 18 | 19 | 20 | # Quick-start development settings - unsuitable for production 21 | # See https://docs.djangoproject.com/en/2.0/howto/deployment/checklist/ 22 | 23 | # SECURITY WARNING: keep the secret key used in production secret! 24 | SECRET_KEY = 'tk^xeesi83rzpeow1fvolm+0+98cqm$r+grve4^yib(is1!j6o' 25 | 26 | # SECURITY WARNING: don't run with debug turned on in production! 27 | DEBUG = True 28 | 29 | ALLOWED_HOSTS = ['*'] 30 | 31 | 32 | # Application definition 33 | INSTALLED_APPS = [ 34 | 'django.contrib.admin', 35 | 'django.contrib.auth', 36 | 'django.contrib.contenttypes', 37 | 'django.contrib.sessions', 38 | 'django.contrib.messages', 39 | 'django.contrib.staticfiles', 40 | 'rest_framework', 41 | 'corsheaders', 42 | 'channels', 43 | 'apis', 44 | ] 45 | 46 | # 跨域支持设置 47 | CORS_ALLOW_CREDENTIALS = True 48 | CORS_ORIGIN_ALLOW_ALL = True 49 | CORS_ORIGIN_WHITELIST = ( 50 | '*' 51 | ) 52 | 53 | # 增加ASGI的支持 54 | ASGI_APPLICATION = "chat.routing.application" 55 | 56 | CHANNEL_LAYERS = { 57 | "default": { 58 | "BACKEND": "channels_redis.core.RedisChannelLayer", 59 | "CONFIG": { 60 | "hosts": [("localhost", 6379)], 61 | }, 62 | }, 63 | } 64 | 65 | MIDDLEWARE = [ 66 | 'corsheaders.middleware.CorsMiddleware', 67 | 'django.middleware.security.SecurityMiddleware', 68 | 'django.contrib.sessions.middleware.SessionMiddleware', 69 | 'django.middleware.common.CommonMiddleware', 70 | 'django.middleware.csrf.CsrfViewMiddleware', 71 | 'django.contrib.auth.middleware.AuthenticationMiddleware', 72 | 'django.contrib.messages.middleware.MessageMiddleware', 73 | 'django.middleware.clickjacking.XFrameOptionsMiddleware', 74 | ] 75 | 76 | ROOT_URLCONF = 'chat.urls' 77 | 78 | TEMPLATES = [ 79 | { 80 | 'BACKEND': 'django.template.backends.django.DjangoTemplates', 81 | 'DIRS': [], 82 | 'APP_DIRS': True, 83 | 'OPTIONS': { 84 | 'context_processors': [ 85 | 'django.template.context_processors.debug', 86 | 'django.template.context_processors.request', 87 | 'django.contrib.auth.context_processors.auth', 88 | 'django.contrib.messages.context_processors.messages', 89 | ], 90 | }, 91 | }, 92 | ] 93 | 94 | WSGI_APPLICATION = 'chat.wsgi.application' 95 | 96 | 97 | # Database 98 | # https://docs.djangoproject.com/en/2.0/ref/settings/#databases 99 | 100 | DATABASES = { 101 | 'default': { 102 | 'ENGINE': 'django.db.backends.sqlite3', 103 | 'NAME': os.path.join(BASE_DIR, 'db.sqlite3'), 104 | } 105 | } 106 | 107 | 108 | # Password validation 109 | # https://docs.djangoproject.com/en/2.0/ref/settings/#auth-password-validators 110 | 111 | AUTH_PASSWORD_VALIDATORS = [ 112 | { 113 | 'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator', 114 | }, 115 | { 116 | 'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator', 117 | }, 118 | { 119 | 'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator', 120 | }, 121 | { 122 | 'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator', 123 | }, 124 | ] 125 | 126 | 127 | # Internationalization 128 | # https://docs.djangoproject.com/en/2.0/topics/i18n/ 129 | 130 | LANGUAGE_CODE = 'en-us' 131 | 132 | TIME_ZONE = 'UTC' 133 | 134 | USE_I18N = True 135 | 136 | USE_L10N = True 137 | 138 | USE_TZ = True 139 | 140 | 141 | # Static files (CSS, JavaScript, Images) 142 | # https://docs.djangoproject.com/en/2.0/howto/static-files/ 143 | 144 | STATIC_URL = '/static/' 145 | -------------------------------------------------------------------------------- /backend/chat/chat/urls.py: -------------------------------------------------------------------------------- 1 | """chat URL Configuration 2 | 3 | The `urlpatterns` list routes URLs to views. For more information please see: 4 | https://docs.djangoproject.com/en/2.0/topics/http/urls/ 5 | Examples: 6 | Function views 7 | 1. Add an import: from my_app import views 8 | 2. Add a URL to urlpatterns: path('', views.home, name='home') 9 | Class-based views 10 | 1. Add an import: from other_app.views import Home 11 | 2. Add a URL to urlpatterns: path('', Home.as_view(), name='home') 12 | Including another URLconf 13 | 1. Import the include() function: from django.urls import include, path 14 | 2. Add a URL to urlpatterns: path('blog/', include('blog.urls')) 15 | """ 16 | from django.contrib import admin 17 | from django.urls import path, include 18 | 19 | urlpatterns = [ 20 | path('admin/', admin.site.urls), 21 | path('api/', include('apis.urls')), 22 | ] 23 | -------------------------------------------------------------------------------- /backend/chat/chat/wsgi.py: -------------------------------------------------------------------------------- 1 | """ 2 | WSGI config for chat project. 3 | 4 | It exposes the WSGI callable as a module-level variable named ``application``. 5 | 6 | For more information on this file, see 7 | https://docs.djangoproject.com/en/2.0/howto/deployment/wsgi/ 8 | """ 9 | 10 | import os 11 | 12 | from django.core.wsgi import get_wsgi_application 13 | 14 | os.environ.setdefault("DJANGO_SETTINGS_MODULE", "chat.settings") 15 | 16 | application = get_wsgi_application() 17 | -------------------------------------------------------------------------------- /backend/chat/db.sqlite3: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/backend/chat/db.sqlite3 -------------------------------------------------------------------------------- /backend/chat/manage.py: -------------------------------------------------------------------------------- 1 | #!/usr/bin/env python 2 | import os 3 | import sys 4 | 5 | if __name__ == "__main__": 6 | os.environ.setdefault("DJANGO_SETTINGS_MODULE", "chat.settings") 7 | try: 8 | from django.core.management import execute_from_command_line 9 | except ImportError as exc: 10 | raise ImportError( 11 | "Couldn't import Django. Are you sure it's installed and " 12 | "available on your PYTHONPATH environment variable? Did you " 13 | "forget to activate a virtual environment?" 14 | ) from exc 15 | execute_from_command_line(sys.argv) 16 | -------------------------------------------------------------------------------- /backend/chat/requirements.txt: -------------------------------------------------------------------------------- 1 | Django 2 | djangorestframework==3.7.7 3 | django-cors-headers==2.1.0 4 | channels==2.0.1 5 | channels-redis==2.0.2 6 | -------------------------------------------------------------------------------- /demo.gif: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/demo.gif -------------------------------------------------------------------------------- /frontend/.babelrc: -------------------------------------------------------------------------------- 1 | { 2 | "presets": [ 3 | ["env", { 4 | "modules": false, 5 | "targets": { 6 | "browsers": ["> 1%", "last 2 versions", "not ie <= 8"] 7 | } 8 | }], 9 | "stage-2" 10 | ], 11 | "plugins": ["transform-vue-jsx", "transform-runtime"] 12 | } 13 | -------------------------------------------------------------------------------- /frontend/.editorconfig: -------------------------------------------------------------------------------- 1 | root = true 2 | 3 | [*] 4 | charset = utf-8 5 | indent_style = space 6 | indent_size = 2 7 | end_of_line = lf 8 | insert_final_newline = true 9 | trim_trailing_whitespace = true 10 | -------------------------------------------------------------------------------- /frontend/.eslintignore: -------------------------------------------------------------------------------- 1 | /build/ 2 | /config/ 3 | /dist/ 4 | /*.js 5 | -------------------------------------------------------------------------------- /frontend/.eslintrc.js: -------------------------------------------------------------------------------- 1 | // https://eslint.org/docs/user-guide/configuring 2 | 3 | module.exports = { 4 | root: true, 5 | parserOptions: { 6 | parser: 'babel-eslint' 7 | }, 8 | env: { 9 | browser: true, 10 | }, 11 | extends: [ 12 | // https://github.com/vuejs/eslint-plugin-vue#priority-a-essential-error-prevention 13 | // consider switching to `plugin:vue/strongly-recommended` or `plugin:vue/recommended` for stricter rules. 14 | 'plugin:vue/essential', 15 | // https://github.com/standard/standard/blob/master/docs/RULES-en.md 16 | 'standard' 17 | ], 18 | // required to lint *.vue files 19 | plugins: [ 20 | 'vue' 21 | ], 22 | // add your custom rules here 23 | rules: { 24 | // allow async-await 25 | 'generator-star-spacing': 'off', 26 | // allow debugger during development 27 | 'no-debugger': process.env.NODE_ENV === 'production' ? 'error' : 'off' 28 | } 29 | } 30 | -------------------------------------------------------------------------------- /frontend/.gitignore: -------------------------------------------------------------------------------- 1 | .DS_Store 2 | node_modules/ 3 | /dist/ 4 | npm-debug.log* 5 | yarn-debug.log* 6 | yarn-error.log* 7 | 8 | # Editor directories and files 9 | .idea 10 | .vscode 11 | *.suo 12 | *.ntvs* 13 | *.njsproj 14 | *.sln 15 | -------------------------------------------------------------------------------- /frontend/.postcssrc.js: -------------------------------------------------------------------------------- 1 | // https://github.com/michael-ciniawsky/postcss-load-config 2 | 3 | module.exports = { 4 | "plugins": { 5 | "postcss-import": {}, 6 | "postcss-url": {}, 7 | // to edit target browsers: use "browserslist" field in package.json 8 | "autoprefixer": {} 9 | } 10 | } 11 | -------------------------------------------------------------------------------- /frontend/README.md: -------------------------------------------------------------------------------- 1 | # mychat 2 | 3 | > A Vue.js project 4 | 5 | ## Build Setup 6 | 7 | ``` bash 8 | # install dependencies 9 | npm install 10 | 11 | # serve with hot reload at localhost:8080 12 | npm run dev 13 | 14 | # build for production with minification 15 | npm run build 16 | 17 | # build for production and view the bundle analyzer report 18 | npm run build --report 19 | ``` 20 | 21 | For a detailed explanation on how things work, check out the [guide](http://vuejs-templates.github.io/webpack/) and [docs for vue-loader](http://vuejs.github.io/vue-loader). 22 | -------------------------------------------------------------------------------- /frontend/build/build.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | require('./check-versions')() 3 | 4 | process.env.NODE_ENV = 'production' 5 | 6 | const ora = require('ora') 7 | const rm = require('rimraf') 8 | const path = require('path') 9 | const chalk = require('chalk') 10 | const webpack = require('webpack') 11 | const config = require('../config') 12 | const webpackConfig = require('./webpack.prod.conf') 13 | 14 | const spinner = ora('building for production...') 15 | spinner.start() 16 | 17 | rm(path.join(config.build.assetsRoot, config.build.assetsSubDirectory), err => { 18 | if (err) throw err 19 | webpack(webpackConfig, (err, stats) => { 20 | spinner.stop() 21 | if (err) throw err 22 | process.stdout.write(stats.toString({ 23 | colors: true, 24 | modules: false, 25 | children: false, // If you are using ts-loader, setting this to true will make TypeScript errors show up during build. 26 | chunks: false, 27 | chunkModules: false 28 | }) + '\n\n') 29 | 30 | if (stats.hasErrors()) { 31 | console.log(chalk.red(' Build failed with errors.\n')) 32 | process.exit(1) 33 | } 34 | 35 | console.log(chalk.cyan(' Build complete.\n')) 36 | console.log(chalk.yellow( 37 | ' Tip: built files are meant to be served over an HTTP server.\n' + 38 | ' Opening index.html over file:// won\'t work.\n' 39 | )) 40 | }) 41 | }) 42 | -------------------------------------------------------------------------------- /frontend/build/check-versions.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | const chalk = require('chalk') 3 | const semver = require('semver') 4 | const packageConfig = require('../package.json') 5 | const shell = require('shelljs') 6 | 7 | function exec (cmd) { 8 | return require('child_process').execSync(cmd).toString().trim() 9 | } 10 | 11 | const versionRequirements = [ 12 | { 13 | name: 'node', 14 | currentVersion: semver.clean(process.version), 15 | versionRequirement: packageConfig.engines.node 16 | } 17 | ] 18 | 19 | if (shell.which('npm')) { 20 | versionRequirements.push({ 21 | name: 'npm', 22 | currentVersion: exec('npm --version'), 23 | versionRequirement: packageConfig.engines.npm 24 | }) 25 | } 26 | 27 | module.exports = function () { 28 | const warnings = [] 29 | 30 | for (let i = 0; i < versionRequirements.length; i++) { 31 | const mod = versionRequirements[i] 32 | 33 | if (!semver.satisfies(mod.currentVersion, mod.versionRequirement)) { 34 | warnings.push(mod.name + ': ' + 35 | chalk.red(mod.currentVersion) + ' should be ' + 36 | chalk.green(mod.versionRequirement) 37 | ) 38 | } 39 | } 40 | 41 | if (warnings.length) { 42 | console.log('') 43 | console.log(chalk.yellow('To use this template, you must update following to modules:')) 44 | console.log() 45 | 46 | for (let i = 0; i < warnings.length; i++) { 47 | const warning = warnings[i] 48 | console.log(' ' + warning) 49 | } 50 | 51 | console.log() 52 | process.exit(1) 53 | } 54 | } 55 | -------------------------------------------------------------------------------- /frontend/build/logo.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/frontend/build/logo.png -------------------------------------------------------------------------------- /frontend/build/utils.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | const path = require('path') 3 | const config = require('../config') 4 | const ExtractTextPlugin = require('extract-text-webpack-plugin') 5 | const packageConfig = require('../package.json') 6 | 7 | exports.assetsPath = function (_path) { 8 | const assetsSubDirectory = process.env.NODE_ENV === 'production' 9 | ? config.build.assetsSubDirectory 10 | : config.dev.assetsSubDirectory 11 | 12 | return path.posix.join(assetsSubDirectory, _path) 13 | } 14 | 15 | exports.cssLoaders = function (options) { 16 | options = options || {} 17 | 18 | const cssLoader = { 19 | loader: 'css-loader', 20 | options: { 21 | sourceMap: options.sourceMap 22 | } 23 | } 24 | 25 | const postcssLoader = { 26 | loader: 'postcss-loader', 27 | options: { 28 | sourceMap: options.sourceMap 29 | } 30 | } 31 | 32 | // generate loader string to be used with extract text plugin 33 | function generateLoaders (loader, loaderOptions) { 34 | const loaders = options.usePostCSS ? [cssLoader, postcssLoader] : [cssLoader] 35 | 36 | if (loader) { 37 | loaders.push({ 38 | loader: loader + '-loader', 39 | options: Object.assign({}, loaderOptions, { 40 | sourceMap: options.sourceMap 41 | }) 42 | }) 43 | } 44 | 45 | // Extract CSS when that option is specified 46 | // (which is the case during production build) 47 | if (options.extract) { 48 | return ExtractTextPlugin.extract({ 49 | use: loaders, 50 | fallback: 'vue-style-loader' 51 | }) 52 | } else { 53 | return ['vue-style-loader'].concat(loaders) 54 | } 55 | } 56 | 57 | // https://vue-loader.vuejs.org/en/configurations/extract-css.html 58 | return { 59 | css: generateLoaders(), 60 | postcss: generateLoaders(), 61 | less: generateLoaders('less'), 62 | sass: generateLoaders('sass', { indentedSyntax: true }), 63 | scss: generateLoaders('sass'), 64 | stylus: generateLoaders('stylus'), 65 | styl: generateLoaders('stylus') 66 | } 67 | } 68 | 69 | // Generate loaders for standalone style files (outside of .vue) 70 | exports.styleLoaders = function (options) { 71 | const output = [] 72 | const loaders = exports.cssLoaders(options) 73 | 74 | for (const extension in loaders) { 75 | const loader = loaders[extension] 76 | output.push({ 77 | test: new RegExp('\\.' + extension + '$'), 78 | use: loader 79 | }) 80 | } 81 | 82 | return output 83 | } 84 | 85 | exports.createNotifierCallback = () => { 86 | const notifier = require('node-notifier') 87 | 88 | return (severity, errors) => { 89 | if (severity !== 'error') return 90 | 91 | const error = errors[0] 92 | const filename = error.file && error.file.split('!').pop() 93 | 94 | notifier.notify({ 95 | title: packageConfig.name, 96 | message: severity + ': ' + error.name, 97 | subtitle: filename || '', 98 | icon: path.join(__dirname, 'logo.png') 99 | }) 100 | } 101 | } 102 | -------------------------------------------------------------------------------- /frontend/build/vue-loader.conf.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | const utils = require('./utils') 3 | const config = require('../config') 4 | const isProduction = process.env.NODE_ENV === 'production' 5 | const sourceMapEnabled = isProduction 6 | ? config.build.productionSourceMap 7 | : config.dev.cssSourceMap 8 | 9 | module.exports = { 10 | loaders: utils.cssLoaders({ 11 | sourceMap: sourceMapEnabled, 12 | extract: isProduction 13 | }), 14 | cssSourceMap: sourceMapEnabled, 15 | cacheBusting: config.dev.cacheBusting, 16 | transformToRequire: { 17 | video: ['src', 'poster'], 18 | source: 'src', 19 | img: 'src', 20 | image: 'xlink:href' 21 | } 22 | } 23 | -------------------------------------------------------------------------------- /frontend/build/webpack.base.conf.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | const path = require('path') 3 | const utils = require('./utils') 4 | const config = require('../config') 5 | const vueLoaderConfig = require('./vue-loader.conf') 6 | 7 | function resolve (dir) { 8 | return path.join(__dirname, '..', dir) 9 | } 10 | 11 | const createLintingRule = () => ({ 12 | test: /\.(js|vue)$/, 13 | loader: 'eslint-loader', 14 | enforce: 'pre', 15 | include: [resolve('src'), resolve('test')], 16 | options: { 17 | formatter: require('eslint-friendly-formatter'), 18 | emitWarning: !config.dev.showEslintErrorsInOverlay 19 | } 20 | }) 21 | 22 | module.exports = { 23 | context: path.resolve(__dirname, '../'), 24 | entry: { 25 | app: './src/main.js' 26 | }, 27 | output: { 28 | path: config.build.assetsRoot, 29 | filename: '[name].js', 30 | publicPath: process.env.NODE_ENV === 'production' 31 | ? config.build.assetsPublicPath 32 | : config.dev.assetsPublicPath 33 | }, 34 | resolve: { 35 | extensions: ['.js', '.vue', '.json'], 36 | alias: { 37 | 'vue$': 'vue/dist/vue.esm.js', 38 | '@': resolve('src'), 39 | } 40 | }, 41 | module: { 42 | rules: [ 43 | ...(config.dev.useEslint ? [createLintingRule()] : []), 44 | { 45 | test: /\.vue$/, 46 | loader: 'vue-loader', 47 | options: vueLoaderConfig 48 | }, 49 | { 50 | test: /\.js$/, 51 | loader: 'babel-loader', 52 | include: [resolve('src'), resolve('test'), resolve('node_modules/webpack-dev-server/client')] 53 | }, 54 | { 55 | test: /\.(png|jpe?g|gif|svg)(\?.*)?$/, 56 | loader: 'url-loader', 57 | options: { 58 | limit: 10000, 59 | name: utils.assetsPath('img/[name].[hash:7].[ext]') 60 | } 61 | }, 62 | { 63 | test: /\.(mp4|webm|ogg|mp3|wav|flac|aac)(\?.*)?$/, 64 | loader: 'url-loader', 65 | options: { 66 | limit: 10000, 67 | name: utils.assetsPath('media/[name].[hash:7].[ext]') 68 | } 69 | }, 70 | { 71 | test: /\.(woff2?|eot|ttf|otf)(\?.*)?$/, 72 | loader: 'url-loader', 73 | options: { 74 | limit: 10000, 75 | name: utils.assetsPath('fonts/[name].[hash:7].[ext]') 76 | } 77 | } 78 | ] 79 | }, 80 | node: { 81 | // prevent webpack from injecting useless setImmediate polyfill because Vue 82 | // source contains it (although only uses it if it's native). 83 | setImmediate: false, 84 | // prevent webpack from injecting mocks to Node native modules 85 | // that does not make sense for the client 86 | dgram: 'empty', 87 | fs: 'empty', 88 | net: 'empty', 89 | tls: 'empty', 90 | child_process: 'empty' 91 | } 92 | } 93 | -------------------------------------------------------------------------------- /frontend/build/webpack.dev.conf.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | const utils = require('./utils') 3 | const webpack = require('webpack') 4 | const config = require('../config') 5 | const merge = require('webpack-merge') 6 | const path = require('path') 7 | const baseWebpackConfig = require('./webpack.base.conf') 8 | const CopyWebpackPlugin = require('copy-webpack-plugin') 9 | const HtmlWebpackPlugin = require('html-webpack-plugin') 10 | const FriendlyErrorsPlugin = require('friendly-errors-webpack-plugin') 11 | const portfinder = require('portfinder') 12 | 13 | const HOST = process.env.HOST 14 | const PORT = process.env.PORT && Number(process.env.PORT) 15 | 16 | const devWebpackConfig = merge(baseWebpackConfig, { 17 | module: { 18 | rules: utils.styleLoaders({ sourceMap: config.dev.cssSourceMap, usePostCSS: true }) 19 | }, 20 | // cheap-module-eval-source-map is faster for development 21 | devtool: config.dev.devtool, 22 | 23 | // these devServer options should be customized in /config/index.js 24 | devServer: { 25 | clientLogLevel: 'warning', 26 | historyApiFallback: { 27 | rewrites: [ 28 | { from: /.*/, to: path.posix.join(config.dev.assetsPublicPath, 'index.html') }, 29 | ], 30 | }, 31 | hot: true, 32 | contentBase: false, // since we use CopyWebpackPlugin. 33 | compress: true, 34 | host: HOST || config.dev.host, 35 | port: PORT || config.dev.port, 36 | open: config.dev.autoOpenBrowser, 37 | overlay: config.dev.errorOverlay 38 | ? { warnings: false, errors: true } 39 | : false, 40 | publicPath: config.dev.assetsPublicPath, 41 | proxy: config.dev.proxyTable, 42 | quiet: true, // necessary for FriendlyErrorsPlugin 43 | watchOptions: { 44 | poll: config.dev.poll, 45 | } 46 | }, 47 | plugins: [ 48 | new webpack.DefinePlugin({ 49 | 'process.env': require('../config/dev.env') 50 | }), 51 | new webpack.HotModuleReplacementPlugin(), 52 | new webpack.NamedModulesPlugin(), // HMR shows correct file names in console on update. 53 | new webpack.NoEmitOnErrorsPlugin(), 54 | // https://github.com/ampedandwired/html-webpack-plugin 55 | new HtmlWebpackPlugin({ 56 | filename: 'index.html', 57 | template: 'index.html', 58 | inject: true 59 | }), 60 | // copy custom static assets 61 | new CopyWebpackPlugin([ 62 | { 63 | from: path.resolve(__dirname, '../static'), 64 | to: config.dev.assetsSubDirectory, 65 | ignore: ['.*'] 66 | } 67 | ]) 68 | ] 69 | }) 70 | 71 | module.exports = new Promise((resolve, reject) => { 72 | portfinder.basePort = process.env.PORT || config.dev.port 73 | portfinder.getPort((err, port) => { 74 | if (err) { 75 | reject(err) 76 | } else { 77 | // publish the new Port, necessary for e2e tests 78 | process.env.PORT = port 79 | // add port to devServer config 80 | devWebpackConfig.devServer.port = port 81 | 82 | // Add FriendlyErrorsPlugin 83 | devWebpackConfig.plugins.push(new FriendlyErrorsPlugin({ 84 | compilationSuccessInfo: { 85 | messages: [`Your application is running here: http://${devWebpackConfig.devServer.host}:${port}`], 86 | }, 87 | onErrors: config.dev.notifyOnErrors 88 | ? utils.createNotifierCallback() 89 | : undefined 90 | })) 91 | 92 | resolve(devWebpackConfig) 93 | } 94 | }) 95 | }) 96 | -------------------------------------------------------------------------------- /frontend/build/webpack.prod.conf.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | const path = require('path') 3 | const utils = require('./utils') 4 | const webpack = require('webpack') 5 | const config = require('../config') 6 | const merge = require('webpack-merge') 7 | const baseWebpackConfig = require('./webpack.base.conf') 8 | const CopyWebpackPlugin = require('copy-webpack-plugin') 9 | const HtmlWebpackPlugin = require('html-webpack-plugin') 10 | const ExtractTextPlugin = require('extract-text-webpack-plugin') 11 | const OptimizeCSSPlugin = require('optimize-css-assets-webpack-plugin') 12 | const UglifyJsPlugin = require('uglifyjs-webpack-plugin') 13 | 14 | const env = require('../config/prod.env') 15 | 16 | const webpackConfig = merge(baseWebpackConfig, { 17 | module: { 18 | rules: utils.styleLoaders({ 19 | sourceMap: config.build.productionSourceMap, 20 | extract: true, 21 | usePostCSS: true 22 | }) 23 | }, 24 | devtool: config.build.productionSourceMap ? config.build.devtool : false, 25 | output: { 26 | path: config.build.assetsRoot, 27 | filename: utils.assetsPath('js/[name].[chunkhash].js'), 28 | chunkFilename: utils.assetsPath('js/[id].[chunkhash].js') 29 | }, 30 | plugins: [ 31 | // http://vuejs.github.io/vue-loader/en/workflow/production.html 32 | new webpack.DefinePlugin({ 33 | 'process.env': env 34 | }), 35 | new UglifyJsPlugin({ 36 | uglifyOptions: { 37 | compress: { 38 | warnings: false 39 | } 40 | }, 41 | sourceMap: config.build.productionSourceMap, 42 | parallel: true 43 | }), 44 | // extract css into its own file 45 | new ExtractTextPlugin({ 46 | filename: utils.assetsPath('css/[name].[contenthash].css'), 47 | // Setting the following option to `false` will not extract CSS from codesplit chunks. 48 | // Their CSS will instead be inserted dynamically with style-loader when the codesplit chunk has been loaded by webpack. 49 | // It's currently set to `true` because we are seeing that sourcemaps are included in the codesplit bundle as well when it's `false`, 50 | // increasing file size: https://github.com/vuejs-templates/webpack/issues/1110 51 | allChunks: true, 52 | }), 53 | // Compress extracted CSS. We are using this plugin so that possible 54 | // duplicated CSS from different components can be deduped. 55 | new OptimizeCSSPlugin({ 56 | cssProcessorOptions: config.build.productionSourceMap 57 | ? { safe: true, map: { inline: false } } 58 | : { safe: true } 59 | }), 60 | // generate dist index.html with correct asset hash for caching. 61 | // you can customize output by editing /index.html 62 | // see https://github.com/ampedandwired/html-webpack-plugin 63 | new HtmlWebpackPlugin({ 64 | filename: config.build.index, 65 | template: 'index.html', 66 | inject: true, 67 | minify: { 68 | removeComments: true, 69 | collapseWhitespace: true, 70 | removeAttributeQuotes: true 71 | // more options: 72 | // https://github.com/kangax/html-minifier#options-quick-reference 73 | }, 74 | // necessary to consistently work with multiple chunks via CommonsChunkPlugin 75 | chunksSortMode: 'dependency' 76 | }), 77 | // keep module.id stable when vendor modules does not change 78 | new webpack.HashedModuleIdsPlugin(), 79 | // enable scope hoisting 80 | new webpack.optimize.ModuleConcatenationPlugin(), 81 | // split vendor js into its own file 82 | new webpack.optimize.CommonsChunkPlugin({ 83 | name: 'vendor', 84 | minChunks (module) { 85 | // any required modules inside node_modules are extracted to vendor 86 | return ( 87 | module.resource && 88 | /\.js$/.test(module.resource) && 89 | module.resource.indexOf( 90 | path.join(__dirname, '../node_modules') 91 | ) === 0 92 | ) 93 | } 94 | }), 95 | // extract webpack runtime and module manifest to its own file in order to 96 | // prevent vendor hash from being updated whenever app bundle is updated 97 | new webpack.optimize.CommonsChunkPlugin({ 98 | name: 'manifest', 99 | minChunks: Infinity 100 | }), 101 | // This instance extracts shared chunks from code splitted chunks and bundles them 102 | // in a separate chunk, similar to the vendor chunk 103 | // see: https://webpack.js.org/plugins/commons-chunk-plugin/#extra-async-commons-chunk 104 | new webpack.optimize.CommonsChunkPlugin({ 105 | name: 'app', 106 | async: 'vendor-async', 107 | children: true, 108 | minChunks: 3 109 | }), 110 | 111 | // copy custom static assets 112 | new CopyWebpackPlugin([ 113 | { 114 | from: path.resolve(__dirname, '../static'), 115 | to: config.build.assetsSubDirectory, 116 | ignore: ['.*'] 117 | } 118 | ]) 119 | ] 120 | }) 121 | 122 | if (config.build.productionGzip) { 123 | const CompressionWebpackPlugin = require('compression-webpack-plugin') 124 | 125 | webpackConfig.plugins.push( 126 | new CompressionWebpackPlugin({ 127 | asset: '[path].gz[query]', 128 | algorithm: 'gzip', 129 | test: new RegExp( 130 | '\\.(' + 131 | config.build.productionGzipExtensions.join('|') + 132 | ')$' 133 | ), 134 | threshold: 10240, 135 | minRatio: 0.8 136 | }) 137 | ) 138 | } 139 | 140 | if (config.build.bundleAnalyzerReport) { 141 | const BundleAnalyzerPlugin = require('webpack-bundle-analyzer').BundleAnalyzerPlugin 142 | webpackConfig.plugins.push(new BundleAnalyzerPlugin()) 143 | } 144 | 145 | module.exports = webpackConfig 146 | -------------------------------------------------------------------------------- /frontend/config/dev.env.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | const merge = require('webpack-merge') 3 | const prodEnv = require('./prod.env') 4 | 5 | module.exports = merge(prodEnv, { 6 | NODE_ENV: '"development"' 7 | }) 8 | -------------------------------------------------------------------------------- /frontend/config/index.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | // Template version: 1.3.1 3 | // see http://vuejs-templates.github.io/webpack for documentation. 4 | 5 | const path = require('path') 6 | 7 | module.exports = { 8 | dev: { 9 | 10 | // Paths 11 | assetsSubDirectory: 'static', 12 | assetsPublicPath: '/', 13 | proxyTable: {}, 14 | 15 | // Various Dev Server settings 16 | host: 'localhost', // can be overwritten by process.env.HOST 17 | port: 8080, // can be overwritten by process.env.PORT, if port is in use, a free one will be determined 18 | autoOpenBrowser: false, 19 | errorOverlay: true, 20 | notifyOnErrors: true, 21 | poll: false, // https://webpack.js.org/configuration/dev-server/#devserver-watchoptions- 22 | 23 | // Use Eslint Loader? 24 | // If true, your code will be linted during bundling and 25 | // linting errors and warnings will be shown in the console. 26 | useEslint: true, 27 | // If true, eslint errors and warnings will also be shown in the error overlay 28 | // in the browser. 29 | showEslintErrorsInOverlay: false, 30 | 31 | /** 32 | * Source Maps 33 | */ 34 | 35 | // https://webpack.js.org/configuration/devtool/#development 36 | devtool: 'cheap-module-eval-source-map', 37 | 38 | // If you have problems debugging vue-files in devtools, 39 | // set this to false - it *may* help 40 | // https://vue-loader.vuejs.org/en/options.html#cachebusting 41 | cacheBusting: true, 42 | 43 | cssSourceMap: true 44 | }, 45 | 46 | build: { 47 | // Template for index.html 48 | index: path.resolve(__dirname, '../dist/index.html'), 49 | 50 | // Paths 51 | assetsRoot: path.resolve(__dirname, '../dist'), 52 | assetsSubDirectory: 'static', 53 | assetsPublicPath: '/', 54 | 55 | /** 56 | * Source Maps 57 | */ 58 | 59 | productionSourceMap: true, 60 | // https://webpack.js.org/configuration/devtool/#production 61 | devtool: '#source-map', 62 | 63 | // Gzip off by default as many popular static hosts such as 64 | // Surge or Netlify already gzip all static assets for you. 65 | // Before setting to `true`, make sure to: 66 | // npm install --save-dev compression-webpack-plugin 67 | productionGzip: false, 68 | productionGzipExtensions: ['js', 'css'], 69 | 70 | // Run the build command with an extra argument to 71 | // View the bundle analyzer report after build finishes: 72 | // `npm run build --report` 73 | // Set to `true` or `false` to always turn it on or off 74 | bundleAnalyzerReport: process.env.npm_config_report 75 | } 76 | } 77 | -------------------------------------------------------------------------------- /frontend/config/prod.env.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | module.exports = { 3 | NODE_ENV: '"production"' 4 | } 5 | -------------------------------------------------------------------------------- /frontend/index.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | mychat 8 | 9 | 10 |
11 | 12 | 13 | 14 | -------------------------------------------------------------------------------- /frontend/package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "mychat", 3 | "version": "1.0.0", 4 | "description": "A Vue.js project", 5 | "author": "ns2250225", 6 | "private": true, 7 | "scripts": { 8 | "dev": "webpack-dev-server --inline --progress --config build/webpack.dev.conf.js", 9 | "start": "npm run dev", 10 | "lint": "eslint --ext .js,.vue src", 11 | "build": "node build/build.js" 12 | }, 13 | "dependencies": { 14 | "axios": "^0.17.1", 15 | "faker": "^4.1.0", 16 | "js-cookie": "^2.2.0", 17 | "muse-ui": "^2.1.0", 18 | "nprogress": "^0.2.0", 19 | "vue": "^2.5.2", 20 | "vue-router": "^3.0.1", 21 | "vuex": "^3.0.1" 22 | }, 23 | "devDependencies": { 24 | "autoprefixer": "^7.1.2", 25 | "babel-core": "^6.22.1", 26 | "babel-eslint": "^8.2.1", 27 | "babel-helper-vue-jsx-merge-props": "^2.0.3", 28 | "babel-loader": "^7.1.1", 29 | "babel-plugin-syntax-jsx": "^6.18.0", 30 | "babel-plugin-transform-runtime": "^6.22.0", 31 | "babel-plugin-transform-vue-jsx": "^3.5.0", 32 | "babel-preset-env": "^1.3.2", 33 | "babel-preset-stage-2": "^6.22.0", 34 | "chalk": "^2.0.1", 35 | "copy-webpack-plugin": "^4.0.1", 36 | "css-loader": "^0.28.0", 37 | "eslint": "^4.15.0", 38 | "eslint-config-standard": "^10.2.1", 39 | "eslint-friendly-formatter": "^3.0.0", 40 | "eslint-loader": "^1.7.1", 41 | "eslint-plugin-import": "^2.7.0", 42 | "eslint-plugin-node": "^5.2.0", 43 | "eslint-plugin-promise": "^3.4.0", 44 | "eslint-plugin-standard": "^3.0.1", 45 | "eslint-plugin-vue": "^4.0.0", 46 | "extract-text-webpack-plugin": "^3.0.0", 47 | "file-loader": "^1.1.4", 48 | "friendly-errors-webpack-plugin": "^1.6.1", 49 | "html-webpack-plugin": "^2.30.1", 50 | "node-notifier": "^5.1.2", 51 | "optimize-css-assets-webpack-plugin": "^3.2.0", 52 | "ora": "^1.2.0", 53 | "portfinder": "^1.0.13", 54 | "postcss-import": "^11.0.0", 55 | "postcss-loader": "^2.0.8", 56 | "postcss-url": "^7.2.1", 57 | "rimraf": "^2.6.0", 58 | "semver": "^5.3.0", 59 | "shelljs": "^0.7.6", 60 | "uglifyjs-webpack-plugin": "^1.1.1", 61 | "url-loader": "^0.5.8", 62 | "vue-loader": "^13.3.0", 63 | "vue-style-loader": "^3.0.1", 64 | "vue-template-compiler": "^2.5.2", 65 | "webpack": "^3.6.0", 66 | "webpack-bundle-analyzer": "^2.9.0", 67 | "webpack-dev-server": "^2.9.1", 68 | "webpack-merge": "^4.1.0" 69 | }, 70 | "engines": { 71 | "node": ">= 6.0.0", 72 | "npm": ">= 3.0.0" 73 | }, 74 | "browserslist": [ 75 | "> 1%", 76 | "last 2 versions", 77 | "not ie <= 8" 78 | ] 79 | } 80 | -------------------------------------------------------------------------------- /frontend/src/App.vue: -------------------------------------------------------------------------------- 1 | 6 | 7 | 12 | 13 | 15 | -------------------------------------------------------------------------------- /frontend/src/api/login.js: -------------------------------------------------------------------------------- 1 | import request from '@/utils/request' 2 | 3 | export function loginByUsername (username, password) { 4 | const data = { 5 | username, 6 | password 7 | } 8 | return request({ 9 | url: '/api/login/', 10 | method: 'post', 11 | data 12 | }) 13 | } 14 | -------------------------------------------------------------------------------- /frontend/src/api/msg.js: -------------------------------------------------------------------------------- 1 | import request from '@/utils/request' 2 | 3 | export function getHistoryMsg () { 4 | return request({ 5 | url: '/api/history_msg/', 6 | method: 'get' 7 | }) 8 | } 9 | 10 | export function addHistoryMsg (data) { 11 | return request({ 12 | url: '/api/history_msg/', 13 | method: 'post', 14 | data 15 | }) 16 | } 17 | -------------------------------------------------------------------------------- /frontend/src/assets/logo.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/frontend/src/assets/logo.png -------------------------------------------------------------------------------- /frontend/src/components/myMsg.vue: -------------------------------------------------------------------------------- 1 | 15 | 16 | 27 | 28 | 119 | -------------------------------------------------------------------------------- /frontend/src/components/otherMsg.vue: -------------------------------------------------------------------------------- 1 | 15 | 16 | 27 | 28 | 124 | -------------------------------------------------------------------------------- /frontend/src/main.js: -------------------------------------------------------------------------------- 1 | // The Vue build version to load with the `import` command 2 | // (runtime-only or standalone) has been set in webpack.base.conf with an alias. 3 | import Vue from 'vue' 4 | import App from './App' 5 | import router from './router' 6 | import store from './store' 7 | // muse ui 8 | import MuseUI from 'muse-ui' 9 | import 'muse-ui/dist/muse-ui.css' 10 | import 'muse-ui/dist/theme-carbon.css' 11 | // global style 12 | import './styles/index.css' 13 | 14 | Vue.use(MuseUI) 15 | 16 | Vue.config.productionTip = false 17 | 18 | /* eslint-disable no-new */ 19 | new Vue({ 20 | el: '#app', 21 | router, 22 | store, 23 | components: { App }, 24 | template: '' 25 | }) 26 | -------------------------------------------------------------------------------- /frontend/src/router/index.js: -------------------------------------------------------------------------------- 1 | import Vue from 'vue' 2 | import Router from 'vue-router' 3 | 4 | import NProgress from 'nprogress' // progress bar 5 | import 'nprogress/nprogress.css'// progress bar style 6 | 7 | // Views 8 | import Login from '@/views/login/login' 9 | import Home from '@/views/home/home' 10 | import Me from '@/views/me/me' 11 | import Chat from '@/views/chat/chat' 12 | import About from '@/views/about/about' 13 | 14 | Router.prototype.goBack = function () { 15 | this.isBack = true 16 | window.history.go(-1) 17 | } 18 | 19 | Vue.use(Router) 20 | 21 | const router = new Router({ 22 | routes: [ 23 | { 24 | path: '/login', 25 | name: 'Login', 26 | component: Login 27 | }, 28 | { 29 | path: '/', 30 | name: 'home', 31 | component: Home 32 | }, 33 | { 34 | path: '/me', 35 | name: 'me', 36 | component: Me 37 | }, 38 | { 39 | path: '/chat', 40 | name: 'chat', 41 | component: Chat 42 | }, 43 | { 44 | path: '/about', 45 | name: 'about', 46 | component: About 47 | } 48 | ] 49 | }) 50 | 51 | router.beforeEach((to, from, next) => { 52 | NProgress.start() 53 | next() 54 | }) 55 | 56 | router.afterEach(route => { 57 | NProgress.done() 58 | }) 59 | 60 | export default router 61 | -------------------------------------------------------------------------------- /frontend/src/store/index.js: -------------------------------------------------------------------------------- 1 | import { loginByUsername } from '@/api/login' 2 | import { getHistoryMsg, addHistoryMsg } from '@/api/msg' 3 | import { setUserName } from '@/utils/localStorage' 4 | import Vue from 'vue' 5 | import Vuex from 'vuex' 6 | 7 | Vue.use(Vuex) 8 | 9 | const store = new Vuex.Store({ 10 | state: { 11 | // 存放用户连接 12 | socket: '', 13 | // 存放历史记录 14 | msgHistory: { 15 | info: [], 16 | allmessage: [] 17 | }, 18 | // 存放房间信息,为了方便以后做多房间 19 | roomDetail: { 20 | id: '', 21 | users: {}, 22 | info: [] 23 | } 24 | }, 25 | 26 | getters: { 27 | getSocket: state => state.socket, 28 | getUsers: state => state.roomDetail.users, 29 | getInfo: state => state.roomDetail.info, 30 | getMsgHistoryInfo: state => state.msgHistory.info 31 | }, 32 | 33 | mutations: { 34 | SET_SOCKET (state, socket) { 35 | state.socket = socket 36 | }, 37 | SET_USERS: (state, user) => { 38 | state.roomDetail.users = user 39 | }, 40 | ADD_ROOM_DETAIL_INFO: (state, info) => { 41 | state.roomDetail.info.push(info) 42 | }, 43 | SET_ROOM_DETAIL_INFO: (state) => { 44 | state.roomDetail.info = [] 45 | }, 46 | SET_MSG_HISTORY_INFO: (state, info) => { 47 | state.msgHistory.info = info 48 | } 49 | }, 50 | 51 | actions: { 52 | LoginByUsername ({ commit }, userInfo) { 53 | const username = userInfo.username.trim() 54 | return new Promise((resolve, reject) => { 55 | loginByUsername(username, userInfo.password).then(response => { 56 | const data = response.data 57 | commit('SET_USERS', data.username) 58 | setUserName(data.username) 59 | resolve() 60 | }).catch(error => { 61 | reject(error) 62 | }) 63 | }) 64 | }, 65 | SetWebSocket ({ commit }, wsocket) { 66 | commit('SET_SOCKET', wsocket) 67 | }, 68 | GetMessHistory ({ commit }) { 69 | return new Promise((resolve, reject) => { 70 | getHistoryMsg().then(response => { 71 | const data = response.data 72 | commit('SET_MSG_HISTORY_INFO', data) 73 | resolve() 74 | }).catch(error => { 75 | reject(error) 76 | }) 77 | }) 78 | }, 79 | AddMessHistory ({ commit }, data) { 80 | return new Promise((resolve, reject) => { 81 | addHistoryMsg(data).then(response => { 82 | resolve() 83 | }).catch(error => { 84 | reject(error) 85 | }) 86 | }) 87 | }, 88 | AddChatMsg ({ commit }, msg) { 89 | commit('ADD_ROOM_DETAIL_INFO', msg) 90 | }, 91 | SetChatMsg ({ commit }) { 92 | commit('SET_ROOM_DETAIL_INFO') 93 | } 94 | } 95 | }) 96 | 97 | export default store 98 | -------------------------------------------------------------------------------- /frontend/src/styles/index.css: -------------------------------------------------------------------------------- 1 | html,body{ 2 | width: 100%; 3 | height: 100%; 4 | -webkit-overflow-scrolling: touch 5 | } 6 | 7 | div.mu-pagination { 8 | justify-content: center; 9 | } 10 | 11 | .mu-text-field { 12 | width: 100%; 13 | } 14 | .mu-text-field.has-label .mu-text-field-label.float { 15 | color: #121315; 16 | } 17 | .mu-raised-button { 18 | margin-top: 20px; 19 | } -------------------------------------------------------------------------------- /frontend/src/utils/date.js: -------------------------------------------------------------------------------- 1 | export default function dateFormat (date, fmt) { 2 | var o = { 3 | 'M+': date.getMonth() + 1, // 月份 4 | 'd+': date.getDate(), // 日 5 | 'h+': date.getHours() % 12 === 0 ? 12 : date.getHours() % 12, // 小时 6 | 'H+': date.getHours(), // 小时 7 | 'm+': date.getMinutes(), // 分 8 | 's+': date.getSeconds(), // 秒 9 | 'q+': Math.floor((date.getMonth() + 3) / 3), // 季度 10 | 'S': date.getMilliseconds() // 毫秒 11 | } 12 | var week = { 13 | '0': '/u65e5', 14 | '1': '/u4e00', 15 | '2': '/u4e8c', 16 | '3': '/u4e09', 17 | '4': '/u56db', 18 | '5': '/u4e94', 19 | '6': '/u516d' 20 | } 21 | if (/(y+)/.test(fmt)) { 22 | fmt = fmt.replace(RegExp.$1, (date.getFullYear() + '').substr(4 - RegExp.$1.length)) 23 | } 24 | if (/(E+)/.test(fmt)) { 25 | fmt = fmt.replace(RegExp.$1, ((RegExp.$1.length > 1) ? (RegExp.$1.length > 2 ? '/u661f/u671f' : '/u5468') : '') + week[date.getDay() + '']) 26 | } 27 | for (var k in o) { 28 | if (new RegExp('(' + k + ')').test(fmt)) { 29 | fmt = fmt.replace(RegExp.$1, (RegExp.$1.length === 1) ? (o[k]) : (('00' + o[k]).substr(('' + o[k]).length))) 30 | } 31 | } 32 | return fmt 33 | } 34 | -------------------------------------------------------------------------------- /frontend/src/utils/localStorage.js: -------------------------------------------------------------------------------- 1 | import Cookies from 'js-cookie' 2 | 3 | const UserName = 'Admin' 4 | 5 | export function getUserName () { 6 | return Cookies.get(UserName) 7 | } 8 | 9 | export function setUserName (name) { 10 | return Cookies.set(UserName, name) 11 | } 12 | 13 | export function removeUserName () { 14 | return Cookies.remove(UserName) 15 | } 16 | -------------------------------------------------------------------------------- /frontend/src/utils/request.js: -------------------------------------------------------------------------------- 1 | import axios from 'axios' 2 | 3 | const BASE_URI = 'http://localhost:9090' 4 | 5 | // 创建axios实例 6 | const service = axios.create({ 7 | baseURL: BASE_URI, 8 | timeout: 15000 // 请求超时时间 9 | }) 10 | 11 | // request拦截器 12 | service.interceptors.request.use(config => { 13 | return config 14 | }, error => { 15 | // Do something with request error 16 | console.log(error) // for debug 17 | Promise.reject(error) 18 | }) 19 | 20 | // respone拦截器 21 | service.interceptors.response.use( 22 | response => response, 23 | error => { 24 | console.log('err' + error)// for debug 25 | return Promise.reject(error) 26 | } 27 | ) 28 | 29 | export default service 30 | -------------------------------------------------------------------------------- /frontend/src/views/about/about.vue: -------------------------------------------------------------------------------- 1 | 27 | 28 | 49 | 50 | 56 | -------------------------------------------------------------------------------- /frontend/src/views/chat/chat.vue: -------------------------------------------------------------------------------- 1 | 39 | 40 | 130 | 131 | 183 | -------------------------------------------------------------------------------- /frontend/src/views/home/home.vue: -------------------------------------------------------------------------------- 1 | 45 | 46 | 68 | 69 | 77 | -------------------------------------------------------------------------------- /frontend/src/views/login/login.vue: -------------------------------------------------------------------------------- 1 | 19 | 20 | 53 | 54 | 86 | -------------------------------------------------------------------------------- /frontend/src/views/me/me.vue: -------------------------------------------------------------------------------- 1 | 30 | 31 | 56 | 57 | 63 | -------------------------------------------------------------------------------- /frontend/static/.gitkeep: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/frontend/static/.gitkeep -------------------------------------------------------------------------------- /frontend/static/images/avatar1.jpg: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/frontend/static/images/avatar1.jpg -------------------------------------------------------------------------------- /frontend/static/images/login_bg.jpg: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/pxfskjp/chat-django-vue/ccc1f0842f4346b3a51d08f5a154e67e60883c46/frontend/static/images/login_bg.jpg --------------------------------------------------------------------------------