Django web开发(二) - Mysql数据库

news2025/1/21 18:51:20

文章目录

  • Mysql数据库
    • Mysql的安装(CentOS7)
      • 下载
      • 修改配置文件
      • Mysql强制重置密码
      • 远程可登录
    • 数据库管理
    • 数据表的管理
    • 常用数据类型
    • 数据管理
      • 添加数据
      • 查询数据
      • 删除数据
      • 修改数据
    • 员工管理
      • Python管理数据库
        • 添加数据
        • 查询数据
        • 删除数据
        • 修改数据
    • 案例: Flask + Mysql
    • 案例: 查询所有用户

Mysql数据库

Mysql的安装(CentOS7)

Mysql5.7.31版本为例

下载

这里为了方便演示,使用yum进行下载(其他系统的请使用自己对应的安装命令,在Windows或者MacOS上安装,请去官网下载二进制安装包),不进行源码编译安装

cat > /etc/yum.repos.d/mysql57.repo <<EOF
[mysql-5.7-community]
name=MySQL 5.7 Community Server
baseurl=https://mirrors.tuna.tsinghua.edu.cn/mysql/yum/mysql-5.7-community-el7-x86_64/
enabled=1
gpgcheck=1
gpgkey=https://repo.mysql.com/RPM-GPG-KEY-mysql
EOF


rpm --import https://repo.mysql.com/RPM-GPG-KEY-mysql-2022  
yum -y install mysql-server 

# 启动mysql
systemctl start mysqld
# 查看默认密码
cat /var/log/mysqld.log | grep password

# 登录Mysql
mysql -uroot -pwIu8_wS_nXpf

# 修改密码
mysql> set password=password('Syz123!@#');

# 如果日志内容报错[ERROR]
/usr/bin/mysql_upgrade -u root -p --force
Enter password:             ### 设定密码

修改配置文件

修改Mysql的数据存储目录datadir

[mysqld]
datadir=/usr/local/mysql/data
socket=/var/lib/mysql/mysql.sock

# Disabling symbolic-links is recommended to prevent assorted security risks
symbolic-links=0

log-error=/var/log/mysqld.log
pid-file=/var/run/mysqld/mysqld.pid

创建目录并重启Mysql服务

mkdir -p /usr/local/mysql/data
systemctl restart mysql

[root@hecs-33592 ~]# ll /usr/local/mysql/data
total 122940
-rw-r----- 1 mysql mysql       56 Dec  9 13:45 auto.cnf
-rw------- 1 mysql mysql     1676 Dec  9 13:45 ca-key.pem
-rw-r--r-- 1 mysql mysql     1112 Dec  9 13:45 ca.pem
-rw-r--r-- 1 mysql mysql     1112 Dec  9 13:45 client-cert.pem
-rw------- 1 mysql mysql     1680 Dec  9 13:45 client-key.pem
-rw-r----- 1 mysql mysql      436 Dec  9 13:45 ib_buffer_pool
-rw-r----- 1 mysql mysql 12582912 Dec  9 13:46 ibdata1
-rw-r----- 1 mysql mysql 50331648 Dec  9 13:46 ib_logfile0
-rw-r----- 1 mysql mysql 50331648 Dec  9 13:45 ib_logfile1
-rw-r----- 1 mysql mysql 12582912 Dec  9 13:46 ibtmp1
drwxr-x--- 2 mysql mysql     4096 Dec  9 13:45 mysql
drwxr-x--- 2 mysql mysql     4096 Dec  9 13:45 performance_schema
-rw------- 1 mysql mysql     1680 Dec  9 13:45 private_key.pem
-rw-r--r-- 1 mysql mysql      452 Dec  9 13:45 public_key.pem
-rw-r--r-- 1 mysql mysql     1112 Dec  9 13:45 server-cert.pem
-rw------- 1 mysql mysql     1680 Dec  9 13:45 server-key.pem
drwxr-x--- 2 mysql mysql    12288 Dec  9 13:45 sys

Mysql强制重置密码

[root@hecs-33592 ~]# vim /etc/my.cnf
skip-grant-tables	# 最下面加入这一行

[root@hecs-33592 ~]# systemctl restart mysqld

[root@hecs-33592 ~]# mysql -uroot -p
Enter password:		# 直接回车 

mysql> use mysql;
Reading table information for completion of table and column names
You can turn off this feature to get a quicker startup with -A

Database changed
mysql> update user set authentication_string=password('Syz123!@#') where user='root';
Query OK, 1 row affected, 1 warning (0.00 sec)
Rows matched: 1  Changed: 1  Warnings: 1

mysql> flush privileges;
Query OK, 0 rows affected (0.00 sec)

然后注释掉/etc/my.cnf中的skip-grant-tables
重启mysql

mysql> create database d1 DEFAULT CHARSET utf8 COLLATE utf8_general_ci;
ERROR 1820 (HY000): You must reset your password using ALTER USER statement before executing this statement.

# 需要重新修改密码
mysql> set password=password('Syz123!@#');
Query OK, 0 rows affected, 1 warning (0.00 sec)

远程可登录

如果要配置Mysql为远程可登录,可作如下操作:

host改为自己的网段

mysql> use mysql
mysql> update user set host='192.168.10.%' where user='root';
mysql> flush privileges;

数据库管理

  • 创建数据库
create database 数据库名字 DEFAULT CHARSET utf8 COLLATE utf8_general_ci;

Example

create database d1 DEFAULT CHARSET utf8 COLLATE utf8_general_ci;
  • 删除数据库
drop database 数据库名字;

数据表的管理

  • 进入数据库
use 数据库名称;
  • 查看所有数据表
show tables;
  • 创建表
create table 表名称(
	列名称 类型,
	列名称 类型,
	列名称 类型
) default charset=utf8;

Example:

create table tb1(
	id int,
	name varchar(16) not null,	--不允许为空
	age int	null				--允许为空
) default charset=utf8;
create table tb1(
	id int,
	name varchar(16),
	age int default 3			--插入数据时,age列的默认值为3
) default charset=utf8;
create table tb1(
	id int primary key,			--主键(不允许为空,不允许重复)
	name varchar(16),
	age int
) default charset=utf8;
create table tb1(
	id int auto_increment primary key,		--内部维护,自增
	name varchar(16),
	age int
) default charset=utf8;

一般情况下,我们都会这样写:

create table tb1(
	id int not null auto_increment primary key,
	name varchar(16),
	age int
) default charset=utf8; 
  • 删除表
drop table 表名称;

查看表结构

mysql> desc tb1;
+-------+-------------+------+-----+---------+----------------+
| Field | Type        | Null | Key | Default | Extra          |
+-------+-------------+------+-----+---------+----------------+
| id    | int(11)     | NO   | PRI | NULL    | auto_increment |
| name  | varchar(16) | YES  |     | NULL    |                |
| age   | int(11)     | YES  |     | NULL    |                |
+-------+-------------+------+-----+---------+----------------+

常用数据类型

  • tinyint
有符号, 取值范围: -128 ~ 127(有正有负)
无符号, 取值范围: 0 ~ 255(只有正)
create table tb1(
	id int not null auto_increment primary key,
	age tinyint				--有符号, 取值范围: -128 ~ 127
) default charset=utf8;
create table tb1(
	id int not null auto_increment primary key,
	age tinyint unsigned	--无符号, 取值范围: 0 ~ 255
) default charset=utf8;
  • int
有符号, 取值范围: -2147483648 ~ 2147483647(有正有负)
无符号, 取值范围: 0 ~ 4294967295(只有正)
  • bigint
有符号, 取值范围: -9223372036854775808 ~ 9223372036854775807(有正有负)
无符号, 取值范围: 0 ~ 18446744073709551615(只有正)
  • float
  • double
  • decimal
create table tb1(
	id int auto_increment primary key,		--内部维护,自增
	name varchar(16),
	salary decimal(8,2)						--一共8位(整数位数+小数点位数), 保留小数点后2位
) default charset=utf8;
  • char
定长字符串, 默认固定用 11 个字符串进行存储,哪怕字符串个数不足,也按照11个字符存储
最多能存储255个字节的数据
查询效率高
  • varchar
变长字符串,默认最长 11 个字符,真实数据多长就按多长存储
最多能存储 65535 个字节的数据,中文可存储 65535/3 个汉字
相对 char 类型,查询效率低
  • text
保存变长的大字符串,可以最多到 65535 个字符
一般用于文章和新闻
  • mediumtext
  • longtext
  • datetime
YYYY-MM-DD HH:MM:SS (1000-01-01 00:00:00/9999-12-31 23:59:59)
  • date
YYYY-MM-DD (1000-01-01/9999-12-31)

数据管理

添加数据

  • 插入数据
insert into 表名称(字段1, 字段2, ...) values(1, "张三", ...);

Example:

insert into tb1(name,age) values("张三",25);

查询数据

select 字段名(或者*) from 表名称;
select 字段名(或者*) from 表名称 where 条件;

Example:

mysql> select * from tb1;
+----+--------+------+
| id | name   | age  |
+----+--------+------+
|  1 | 张三   |   25 |
+----+--------+------+

mysql> select name from tb1;
+--------+
| name   |
+--------+
| 张三   |
+--------+

mysql> select * from tb1 where id = 1;
+----+--------+------+
| id | name   | age  |
+----+--------+------+
|  1 | 张三   |   25 |
+----+--------+------+

删除数据

delete from 表名称;				--删除所有数据
delete from 表名称 where 条件;	--删除指定数据

Example:

delete from tb1 where id = 1;
delete from tb1 where id = 1 and name = "张三";
delete from tb1 where id = 1 or id = 100;
delete from tb1 where id > 100;
delete from tb1 where id != 50;
delete from tb1 where id in (10,15);

修改数据

update 表名称 set=;				--修改一列
update 表名称 set=,=;		--修改多列
update 表名称 set=where 条件;		--修改某行某列

Example:

update tb1 set name="李四" where id = 1;
update tb1 set age=age+10 where name=""李四;

员工管理

命令实现

使用Mysql内置工具(命令)

  • 创建数据库: unicom
  • 创建数据表: admin
    • 表名称: admin
    • 列:
      • id 整型 自增 主键
      • username: 字符串 不为空
      • password: 字符串 不为空
      • mobile: 字符串 不为空
mysql> show databases;
+--------------------+
| Database           |
+--------------------+
| information_schema |
| d1                 |
| mysql              |
| performance_schema |
| sys                |
| unicom             |
+--------------------+
6 rows in set (0.00 sec)

mysql> use unicom
Database changed
mysql> create table admin (
    -> id int auto_increment primary key,
    -> username varchar(30) not null,
    -> password varchar(30) not null,
    -> mobile varchar(20) not null) default charset=utf8;
Query OK, 0 rows affected (0.01 sec)

mysql> desc admin;
+----------+-------------+------+-----+---------+----------------+
| Field    | Type        | Null | Key | Default | Extra          |
+----------+-------------+------+-----+---------+----------------+
| id       | int(11)     | NO   | PRI | NULL    | auto_increment |
| username | varchar(30) | NO   |     | NULL    |                |
| password | varchar(30) | NO   |     | NULL    |                |
| mobile   | varchar(20) | NO   |     | NULL    |                |
+----------+-------------+------+-----+---------+----------------+
4 rows in set (0.00 sec)

Python管理数据库

添加数据

代码实现

Python 代码实现:

  • 添加用户
  • 删除用户
  • 查看用户
  • 更新用户信息

安装pymysql包

pip3 install pymysql

编辑python文件

#!/usr/bin/env python3

import pymysql

# 1.连接Mysql
conn = pymysql.connect(host='127.0.0.1', port=3306, user='root', passwd='Syz123!@#', charset='utf8', db='unicom')
cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)

# 2.发送指令
cursor.execute("insert into admin(username, password, mobile) values('poker', '123456', '12345678912');")
conn.commit()

# 3.关闭
cursor.close()
conn.close()

运行

/bin/python3 /root/python/Mysql/createData.py

验证

mysql> select * from admin;
+----+----------+----------+-------------+
| id | username | password | mobile      |
+----+----------+----------+-------------+
|  3 | poker    | 123456   | 12345678912 |
+----+----------+----------+-------------+
1 row in set (0.00 sec)

优化

#!/usr/bin/env python3

import pymysql

# 1.连接Mysql
conn = pymysql.connect(host='127.0.0.1', port=3306, user='root', passwd='Syz123!@#', charset='utf8', db='unicom')
cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)

# 2.发送指令
sql = "insert into admin(username, password, mobile) values(%s, %s, %s);"
cursor.execute(sql, ['toker', '123456', '12355674325'])
conn.commit()

# 3.关闭
cursor.close()
conn.close()

注意: sql语句不要使用字符串格式化,有会SQL注入的风险,需要使用 cursor.execute(sql, [参数1, 参数2, …])

查询数据

#!/usr/bin/env python3

import pymysql

# 1.连接Mysql
conn = pymysql.connect(host='127.0.0.1', port=3306, user='root',
                       passwd='Syz123!@#', charset='utf8', db='unicom')
cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)

# 2.发送指令
sql = "select * from admin where id > %s"
cursor.execute(sql, [2, ])
# data_list = cursor.fetchall()		查询一条数据,为字典
data_list = cursor.fetchall()		# 查询所有符合条件的数据,为列表套多个
字典
for row_dict in data_list:
    print(row_dict)

# 3.关闭
cursor.close()
conn.close()

输出结果如下

[root@hecs-33592 ~]# /bin/python3 /root/python/Mysql/searchData.py 
{'id': 3, 'username': 'poker', 'password': '123456', 'mobile': '12345678912'}
{'id': 4, 'username': 'toker', 'password': '123456', 'mobile': '12355674325'}

删除数据

删除 id 大于 3 的行

#!/usr/bin/env python3

import pymysql

# 1.连接Mysql
conn = pymysql.connect(host='127.0.0.1', port=3306, user='root',
                       passwd='Syz123!@#', charset='utf8', db='unicom')
cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)

# 2.发送指令
sql = "delete from admin where id > %s"
cursor.execute(sql, [3, ])
conn.commit()

# 3.关闭
cursor.close()
conn.close()

修改数据

#!/usr/bin/env python3

import pymysql

# 1.连接Mysql
conn = pymysql.connect(host='127.0.0.1', port=3306, user='root',
                       passwd='Syz123!@#', charset='utf8', db='unicom')
cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)

# 2.发送指令
sql = "update admin set mobile=%s where id = %s"
cursor.execute(sql, ['12332145665', 3])
conn.commit()

# 3.关闭
cursor.close()
conn.close()

案例: Flask + Mysql

main.py

from flask import Flask, render_template, request
import pymysql

app = Flask(__name__)


@app.route("/add/user", methods=['GET', 'POST'])
def addUser():
    if request.method == 'GET':
        return render_template("addUser.html")
    else:
        username = request.form.get('user')
        password = request.form.get('pwd')
        mobile = request.form.get('mobile')

        # 1.连接Mysql
        conn = pymysql.connect(host='127.0.0.1', port=3306, user='root',
                            passwd='Syz123!@#', charset='utf8', db='unicom')
        cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)

        # 2.发送指令
        sql = "insert into admin(username, password, mobile) values(%s, %s, %s);"
        cursor.execute(sql, [username, password, mobile])
        conn.commit()

        # 3.关闭
        cursor.close()
        conn.close()

        return "添加成功"


if __name__ == '__main__':
    app.run(host='0.0.0.0', port=5200, debug=True)

编写一个简单的前端页面添加数据

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Document</title>
</head>
<body>
    <h1>添加用户</h1>
    <form method="post" action="/add/user">
        <input type="text" name="user" placeholder="用户名">
        <input type="text" name="pwd" placeholder="密码">
        <input type="text" name="mobile" placeholder="手机号">
        <input type="submit" value="提 交">
    </form>
</body>
</html>

在这里插入图片描述
在这里插入图片描述

mysql> select * from admin;
+----+----------+----------+-------------+
| id | username | password | mobile      |
+----+----------+----------+-------------+
|  3 | poker    | 123456   | 12332145665 |
|  5 | roker    | 123456   | 4563112345  |
+----+----------+----------+-------------+

案例: 查询所有用户

main.py

from flask import Flask, render_template, request
import pymysql

app = Flask(__name__)


@app.route("/add/user", methods=['GET', 'POST'])
def addUser():
    if request.method == 'GET':
        return render_template("addUser.html")
    else:
        username = request.form.get('user')
        password = request.form.get('pwd')
        mobile = request.form.get('mobile')

        # 1.连接Mysql
        conn = pymysql.connect(host='127.0.0.1', port=3306, user='root',
                            passwd='Syz123!@#', charset='utf8', db='unicom')
        cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)

        # 2.发送指令
        sql = "insert into admin(username, password, mobile) values(%s, %s, %s);"
        cursor.execute(sql, [username, password, mobile])
        conn.commit()

        # 3.关闭
        cursor.close()
        conn.close()

        return "添加成功"


@app.route("/show/user", methods=['GET', 'POST'])
def showUser():
    username = request.form.get('user')
    password = request.form.get('pwd')
    mobile = request.form.get('mobile')

    # 1.连接Mysql
    conn = pymysql.connect(host='127.0.0.1', port=3306, user='root',
                        passwd='Syz123!@#', charset='utf8', db='unicom')
    cursor = conn.cursor(cursor=pymysql.cursors.DictCursor)

    # 2.发送指令
    sql = "select * from admin"
    cursor.execute(sql)
    data_list = cursor.fetchall()

    # 3.关闭
    cursor.close()
    conn.close()

    return render_template("showUser.html", data_list=data_list)


if __name__ == '__main__':
    app.run(host='0.0.0.0', port=5200, debug=True)

编写HTML文件

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Document</title>
</head>
<body>
    <h1>用户列表</h1>
    <table border="1">
        <thead>
            <tr>
                <th>ID</th>
                <th>姓名</th>
                <th>密码</th>
                <th>手机号</th>
            </tr>
        </thead>
        <tbody>
            {% for item in data_list %}
            <tr>
                <td>{{ item.id }}</td>
                <td>{{ item.username }}</td>
                <td>{{ item.password }}</td>
                <td>{{ item.mobile }}</td>
            </tr>
            {% endfor %}
        </tbody>
    </table>
</body>
</html>

在这里插入图片描述
优化

加入 bootstrap.css

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Document</title>

    <link rel="stylesheet" href="../static/plugins/bootstrap-3.4.1/css/bootstrap.css">

</head>
<body>
    <div class="container">
        <h1>用户列表</h1>
        <table class="table table-bordered">
            <thead>
                <tr>
                    <th>ID</th>
                    <th>姓名</th>
                    <th>密码</th>
                    <th>手机号</th>
                </tr>
            </thead>
            <tbody>
                {% for item in data_list %}
                <tr>
                    <td>{{ item.id }}</td>
                    <td>{{ item.username }}</td>
                    <td>{{ item.password }}</td>
                    <td>{{ item.mobile }}</td>
                </tr>
                {% endfor %}
            </tbody>
        </table>
    </div>
    
</body>
</html>

在这里插入图片描述

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/408516.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

Three.js 渲染glb,gltf模型(保姆级教程)

1.准备工作 将下列文件在three.js的包中找到&#xff0c;注意的是我这里使用的是模块化版本的&#xff0c;这里不知道模块化的&#xff0c;可以先去看一下es6的模块化。 控制器&#xff1a; OrbitControls.js 加载器&#xff1a;GLTFLoader.js 材质&#xff1a; RoomEnviron…

echarts折线图流动特效的实现(非平滑曲线)

1.实现效果 2.实现原理 echarts官网&#xff1a;series-lines 注意&#xff1a;流动特效只支持非平滑曲线&#xff08;smooth&#xff1a;false&#xff09; series-lines路径图&#xff1a; 用于带有起点和终点信息的线数据的绘制&#xff0c;主要用于地图上的航线&#xff…

若依框架:前端登录组件与图像验证码

在上一篇《若依框架&#xff1a;前端项目结构与初始页面渲染流程》中&#xff0c;我们探讨了与“vue.config.js文件配置、.env模式和环境变量配置、vue-router全局导航守卫配置、vue-router路由配置简介”相关的内容&#xff0c;书接上回&#xff0c;我们继续探讨若依前端项目的…

前端实现在线预览Word文件

简介 在项目中遇到了个需求&#xff0c;大致需求这样的&#xff1a;用户在上传文件前需要先预览一下内容&#xff0c;确认内容是否正确&#xff0c;正确的情况下才可以上传&#xff1b; 那么这里面会涉及到一个在上传前的文档的预览操作&#xff0c;下面就记录一下踩坑记录 d…

uni-app ——使用uploadFile上传多张图片

前言&#xff1a;最近的工作中出现了一个功能点&#xff0c;具体写法我在前面的文章中已经阐述过&#xff0c;不过之前的情况是上传图片调用后端的一个接口&#xff0c;整个表单页面提交的时候调用的是另一个接口&#xff0c;我也从中学到了另外的一种方法&#xff0c;写到这里…

UniApp Scroll-View 设置占满下方剩余高度的方法小记

前言&#xff1a;点滴积累&#xff0c;贵在坚持一、布局描述&#xff1a;屏幕分为上下两部分&#xff0c;上面部分高度固定&#xff0c;比如 400rpx&#xff08;单位可以指定为其他的比如px、upx等&#xff0c;高度也可以自己设定&#xff09;&#xff0c;下面部分为 scroll-vi…

css渐变

1. 线性渐变&#xff08;是从一个方向到另一个方向的渐变&#xff09; 属性值&#xff1a;background&#xff1a;linear-gradient&#xff08;颜色&#xff09; ✍默认值&#xff1a;从上到下线性渐变&#xff1a; 代码&#xff1a; 结果&#xff1a; ✍ 属性延伸&#x…

axios—使用axios请求REST接口—发送get、post、put、delete请求

文档&#xff1a;GitHub - axios/axios: Promise based HTTP client for the browser and node.js 目录 一、axios发送get请求 简写版get请求 完整版get请求 get请求怎么在路径上携带参数 二、axios发送post请求 简写版post请求 完整版post请求 其他方式发送post请求 三…

HBuilderX 安装教程

&#x1f48c; 所属专栏&#xff1a;【软件安装教程】 &#x1f600; 作  者&#xff1a;我是夜阑的狗&#x1f436; &#x1f680; 个人简介&#xff1a;一个正在努力学技术的CV工程师&#xff0c;专注基础和实战分享 &#xff0c;欢迎咨询&#xff01; &#x1f496…

element日期选择器el-date-picker样式

1、基本用法 代码&#xff1a; <el-date-pickertype"date"v-model"valueStart"value-format"yyyy-MM-dd"placeholder"开始时间" ></el-date-picker>代码解读&#xff1a; type参数是用来定义选择器选择的对象&#xff…

【汇总3种】vue项目中【H5】如何处理后端返回的支付宝form表单,如何实现支付跳转?

背景&#xff1a; 现在的项目&#xff0c;都需要付款&#xff0c;难免涉及支付宝或者微信支付。如果是支付宝支付&#xff0c;很多人都说&#xff0c;都已经2202年了&#xff0c;支付宝返回的还是form表单&#xff0c;然后&#xff0c;唤起支付宝的界面。 一般来说&#xf…

【JavaScript 进阶教程】汽车商城根据价格区间筛选车辆案例

本案例源码链接&#xff08;非VIP可私聊获取&#xff09;&#xff1a;https://download.csdn.net/download/weixin_52212950/86286910https://download.csdn.net/download/weixin_52212950/86286910 文章导读&#xff1a; 这篇文章实现一个小案例&#xff1a;在购物平台选商品…

axios二次封装(详细+跨域问题)

一&#xff0c;为什么要对axios进行二次封装&#xff1f; 答&#xff1a;主要是要用到请求拦截器和响应拦截器; 请求拦截器&#xff1a;可以在发请求之前可以处理一些业务 响应拦截器&#xff1a;当服务器数据返回以后&#xff0c;可以处理一些事情 二&#xff0c;axios的二次…

html/javascript实现简单的上传

一、 上传用到的按钮类型是type file 二、 为了美化上传按钮&#xff0c;我们通常会自定义按钮&#xff0c;将默认的上传隐藏掉。 fileInputs.click() 触发上传按钮点击 三、 new FileReader() 读取文件内容方法&#xff1a; readAsText() 读取文本文件&#xff0c;(可以使用…

NodeJs - for循环的几种遍历方式

NodeJs - for循环的几种遍历方式一. for循环的几种遍历方式1.1 遍历的目标不一样1.2 空属性的遍历1.3 异步的调用二. 总结一. for循环的几种遍历方式 我们先来看下for循环的4种不同遍历方式&#xff1a; const arr [10,20,30,40,50];for (let i 0; i < arr.length; i) {…

VUE 年份范围选择器

VUE 年份范围选择器遇到一个需求,需要写一个年份选择器,是范围的年份选择器,比如:xxx年到xxx年 在使用elment UI的时候发现没有这种功能,于是采用el-date-picker 的年份选择器自己后封装了一个年份范围选择器 由于组件使用的地方很多,所以格式化都在组件中处理,回传格式在回传的…

Vue项目实战-vue2(移动端)

Vue项目实战(移动端)# 相关资料(一) 创建项目(二) 禁用Eslint(三) devtool(四) 添加less支持(五) vue路由配置(背诵)(六) 父子组件通信(背诵)(七) axios拦截器(背诵)(八) Sticky 粘性布局(九) 图片懒加载(十) 全局注册组件(十一) slot插槽(十二) 使用ui库需要关注的三点(十三)…

【Vue】Vue的安装

&#x1f3c6;今日学习目标&#xff1a;Vue3的安装 &#x1f603;创作者&#xff1a;颜颜yan_ ✨个人格言&#xff1a;生如芥子&#xff0c;心藏须弥 ⏰本期期数&#xff1a;第一期 &#x1f389;专栏系列&#xff1a;Vue3 文章目录前言Vue3安装独立版本CDN安装第一个Vue程序总…

vue递归组件—开发树形组件Tree--(构建树形菜单)

在 Vue 中&#xff0c;组件可以递归的调用本身&#xff0c;但是有一些条件&#xff1a; 该组件一定要有 name 属性要确保递归的调用有终止条件&#xff0c;防止内存溢出不知道大家有没遇到过这样的场景&#xff1a;渲染列表数据的时候&#xff0c;列表的子项还是列表。如果层级…

Vue基础--webpack介绍以及基础配置

写在最前&#xff1a;实际开发中需要自己配置webpack吗&#xff1f; 答案&#xff1a;不需要&#xff01; 实际开发中会使用命令行工具&#xff08;俗称CLI&#xff09;一键生成带有webpack的项目开箱即用&#xff0c;所有webpack的配置项都是现成的&#xff01;我们只需要知道…