[TOC]
## 1. 入门实例
1. 配置文件(总)
~~~
<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE configuration
PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
"http://mybatis.org/dtd/mybatis-3-config.dtd">
<configuration>
<properties resource="jdbc.properties"/> //加载数据库连接信息
<!-- 指定数据源环境(开发,生产,测试),和spring整合后 environments配置将废除 -->
<environments default="development">
<environment id="development">
<!-- 使用jdbc事务管理 -->
<transactionManager type="JDBC" />
<!-- 数据库连接池 -->
<dataSource type="POOLED">
<property name="driver" value="${jdbc.driver}" />
<property name="url"
value="${jdbc.url}" />
<property name="username" value="${jdbc.user}" />
<property name="password" value="${jdbc.password}" />
</dataSource>
</environment>
</environments>
<!-- Mapper的位置 Mapper.xml 写Sql语句的文件的位置
也可以使用package标签,指定map文件所在包 -->
<mappers>
<mapper resource="entity/DeptMapper.xml"/>
</mappers>
</configuration>
~~~
2. DAO
~~~
package dao;
import java.io.IOException;
import java.io.Reader;
import entity.Dept;
import org.apache.ibatis.io.Resources;
import org.apache.ibatis.session.SqlSession;
import org.apache.ibatis.session.SqlSessionFactory;
import org.apache.ibatis.session.SqlSessionFactoryBuilder;
public class DeptDaoImpl {
/*
* 1.读取配置文件信息
* 2。构建session工厂
* 3。创建session
* 4.开启事务(可选)
* 5。处理数据
* 6。提交、回滚事务
* 7。关闭session
*
*/
public int save(Dept dept) {
int i = 0;
String path = "sqlMapConfig.xml";
SqlSession session = null;
Reader reader = null;
try {
//获取配置文件的信息
reader = Resources.getResourceAsReader(path);
//构建sessionfactory
SqlSessionFactory sessionFactory = new SqlSessionFactoryBuilder().build(reader);
//创建session
session = sessionFactory.openSession();
//启用事务,这里默认已启用
//执行数据处理,第一个参数用“命名空间+sql id"来定位sql,第二个参数用来给sql传参数
i = session.insert("entity.DeptMapper.insertDept", dept);
//提交事务
session.commit();
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
session.rollback();
} finally {
if (reader != null) {
try {
reader.close();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
if (session != null) {
session.close();
}
}
return i;
}
}
~~~
3. 数据库映射配置文件
~~~
<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
// 指定配置的命名空间
<mapper namespace="entity.DeptMapper">
<!-- type指定的是对应的实体类 -->
<resultMap type="entity.Dept" id="deptResultMap">
<!-- id用来配置表的主键与类的属性的映射关系 ,column指定的是表的字段名; property指定的是类的属性名-->
<id column="dept_id" property="deptId"/>
<!-- result用来配置 普通字段与类的属性的映射关系 ,column指定的是表的字段名; property指定的是类的属性名
当表字段名和类属性一致时,可以不写
-->
<result column="dept_name" property="deptName"/>
<result column="dept_address" property="deptAddress"/>
</resultMap>
<!-- 添加一第记录 ; 定义插入的sql语句,通过命名空间+id方式被定位 -->
<insert id="insertDept" parameterType="entity.Dept">
<!-- #{} 用来获取传过来的参数 -->
insert into dept(dept_name,dept_address) values(#{deptName},#{deptAddress})
</insert>
</mapper>
~~~
4. entity
~~~
package entity;
import java.io.Serializable;
public class Dept implements Serializable {
private static final long serialVersionUID = -2525513725816258556L;
private Integer deptId;//部门编号
private String deptName;//部门名称
private String deptAddress;//部门地址
public Integer getDeptId() {
return deptId;
}
public void setDeptId(Integer deptId) {
this.deptId = deptId;
}
public String getDeptName() {
return deptName;
}
public void setDeptName(String deptName) {
this.deptName = deptName;
}
public String getDeptAddress() {
return deptAddress;
}
public void setDeptAddress(String deptAddress) {
this.deptAddress = deptAddress;
}
@Override
public String toString() {
return "Dept [deptId=" + deptId + ", deptName=" + deptName
+ ", deptAddress=" + deptAddress + "]";
}
}
~~~
5. 测试类
~~~
import static org.junit.Assert.*;
import dao.DeptDaoImpl;
import entity.Dept;
import org.junit.AfterClass;
import org.junit.Before;
import org.junit.BeforeClass;
import org.junit.Test;
public class TestDeptDaoImpl {
private DeptDaoImpl deptDaoImpl =null;
@Before
public void setUpBeforeClass() throws Exception {
deptDaoImpl = new DeptDaoImpl();
}
@Test
public void test() {
Dept dept = new Dept();
dept.setDeptName("综合部");
dept.setDeptAddress("广州天河");
System.out.println("受影响 的行数:"+deptDaoImpl.save(dept));
}
}
~~~
### 1.2 mybatis工具类
#### 1.2.1 sqlSession工具类
线程安全:
1. ThreadLocal把当前线程和SqlSession绑定
2. 静态成员
~~~
public class MybatisSessionFactory {
//定义 ThreadLocal<SqlSession> 存放SqlSession
private static final ThreadLocal<SqlSession> threadLocal = new ThreadLocal<SqlSession>();
private static SqlSessionFactory sessionFactory;
private static String CONFIG_FILE_LOCATION = "sqlMapConfig.xml";
//静态块,创建Session工厂
static {
buildSessionFactory();
}
private MybatisSessionFactory() {
}
public static SqlSession getSession() throws Exception {
SqlSession session = (SqlSession) threadLocal.get();
if (session == null ) {
if (sessionFactory == null) {
buildSessionFactory();
}
session = (sessionFactory != null) ? sessionFactory.openSession() : null;
threadLocal.set(session);
}
return session;
}
/**
* Rebuild session factory
*
*/
public static void buildSessionFactory() {
Reader reader =null;
try {
reader = Resources.getResourceAsReader(CONFIG_FILE_LOCATION); //读取配置文件
sessionFactory = new SqlSessionFactoryBuilder().build(reader); //创建工厂对象
} catch (Exception e) {
System.err.println("%%%% Error Creating SessionFactory %%%%");
e.printStackTrace();
}finally{
if(reader!=null){
try {
reader.close();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
}
/**
* Close the single session instance.
*
* @throws Exception
*/
public static void closeSession() throws Exception {
SqlSession session = (SqlSession) threadLocal.get();
threadLocal.set(null);
if (session != null) {
session.close();
}
}
/**
* return session factory
*
*/
public static SqlSessionFactory getSessionFactory() {
return sessionFactory;
}
}
~~~
#### 1.2.2 dao工具类
~~~
public class DeptDaoImpl2 {
public int save(Dept dept) throws Exception {
int i = 0;
SqlSession session = null;
try {
//获取配置文件的信息
//构建sessionfactory
session = MybatisSessionFactory.getSession();
//创建session
//启用事务,这里默认已启用
//执行数据处理,第一个参数用“命名空间+sql id"来定位sql,第二个参数用来给sql传参数
i = session.insert("entity.DeptMapper.insertDept", dept);
//提交事务
session.commit();
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
session.rollback();
} finally {
if (session != null) {
MybatisSessionFactory.closeSession();
}
}
return i;
}
public int update(Dept dp) throws Exception {
int i = 0;
SqlSession session = null;
try {
session = MybatisSessionFactory.getSession();
i = session.update("entity.DeptMapper.updateDept", dp);
//提交事务
session.commit();
} catch (Exception e) {
e.printStackTrace();
}finally {
if (session != null) {
MybatisSessionFactory.closeSession();
}
}
return i;
}
/**
*
* @param id
* @return
* @throws Exception
*
*/
public int delete(Integer id) throws Exception {
int i = 0;
SqlSession session = null;
try {
session = MybatisSessionFactory.getSession();
i = session.delete("entity.DeptMapper.deleteDept", id);
//提交事务
session.commit();
} catch (Exception e) {
e.printStackTrace();
}finally {
if (session != null) {
MybatisSessionFactory.closeSession();
}
}
return i;
}
public Dept select(Integer id) throws Exception {
int i = 0;
SqlSession session = null;
Dept dp = null;
try {
session = MybatisSessionFactory.getSession();
dp = session.selectOne("entity.DeptMapper.selectDept", id);
//提交事务
session.commit();
} catch (Exception e) {
e.printStackTrace();
}finally {
if (session != null) {
MybatisSessionFactory.closeSession();
}
}
return dp;
}
public List<Dept> selectMany(String adress) throws Exception {
int i = 0;
SqlSession session = null;
List<Dept> depts = new ArrayList<Dept>();
try {
session = MybatisSessionFactory.getSession();
depts = session.selectList("entity.DeptMapper.selectManyDept", adress);
//提交事务
session.commit();
} catch (Exception e) {
e.printStackTrace();
}finally {
if (session != null) {
MybatisSessionFactory.closeSession();
}
}
return depts;
}
public List<Dept> selectLike(String adress) throws Exception {
int i = 0;
SqlSession session = null;
List<Dept> depts = new ArrayList<Dept>();
try {
session = MybatisSessionFactory.getSession();
depts = session.selectList("entity.DeptMapper.selectLike", adress);
//提交事务
session.commit();
} catch (Exception e) {
e.printStackTrace();
}finally {
if (session != null) {
MybatisSessionFactory.closeSession();
}
}
return depts;
}
}
~~~
#### 1.2.3 mapper
~~~
<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="entity.DeptMapper">
<!-- type指定的是对应的实体类 -->
<resultMap type="entity.Dept" id="deptResultMap">
<!-- id用来配置表的主键与类的属性的映射关系 ,column指定的是表的字段名; property指定的是类的属性名-->
<id column="dept_id" property="deptId"/>
<!-- result用来配置 普通字段与类的属性的映射关系 ,column指定的是表的字段名; property指定的是类的属性名-->
<result column="dept_name" property="deptName"/>
<result column="dept_address" property="deptAddress"/>
</resultMap>
<!-- 添加一第记录 ; 定义插入的sql语句,通过命名空间+id方式被定位 -->
<insert id="insertDept" parameterType="entity.Dept">
<!-- #{} 用来获取传过来的参数 -->
insert into dept(dept_name,dept_address) values(#{deptName},#{deptAddress})
</insert>
<!-- 从对象属性中找值,当参数传递给sql -->
<update id="updateDept" parameterType="Dept">
UPDATE dept SET dept_name = #{deptName},dept_address = #{deptAddress}
WHERE dept_id = #{deptId}
</update>
<delete id="deleteDept" parameterType="integer">
DELETE FROM dept WHERE dept_id = #{deptId}
</delete>
<!-- 尽量不要使用*,使用字段(优化)单查询 -->
<select id="selectDept" parameterType="integer" resultMap="deptResultMap">
SELECT * FROM dept WHERE dept_id = #{deptId}
</select>
//多查询
<select id="selectManyDept" parameterType="string" resultMap="deptResultMap">
SELECT dept_id,dept_name,dept_address FROM dept WHERE dept_address = #{deptId}
</select>
//模糊查询
<select id="selectLike" parameterType="string" resultMap="deptResultMap">
SELECT dept_id,dept_name,dept_address FROM dept WHERE dept_address LIKE #{deptId}
</select>
</mapper>
~~~
#### 1.2.4 测试
~~~
import dao.DeptDaoImpl;
import dao.DeptDaoImpl2;
import entity.Dept;
import org.junit.Before;
import org.junit.Test;
import java.util.List;
public class TestDeptDaoImpl2 {
private DeptDaoImpl2 deptDaoImpl =null;
@Before
public void setUpBeforeClass() throws Exception {
deptDaoImpl = new DeptDaoImpl2();
}
@Test
public void test() throws Exception {
Dept dept = new Dept();
dept.setDeptName("大数据部");
dept.setDeptAddress("吉林长春");
System.out.println("受影响 的行数:"+deptDaoImpl.save(dept));
}
@Test
public void test1() throws Exception {
Dept dept = new Dept();
dept.setDeptName("研发部");
dept.setDeptAddress("吉林长春");
dept.setDeptId(5);
System.out.println("受影响 的行数:"+deptDaoImpl.update(dept));
}
@Test
public void test2() throws Exception {
// Dept dept = new Dept();
// dept.setDeptName("研发部");
// dept.setDeptAddress("吉林长春");
// dept.setDeptId(5);
System.out.println("受影响 的行数:"+deptDaoImpl.delete(6));
}
@Test
public void test3() throws Exception {
Dept dp = deptDaoImpl.select(5);
System.out.println(dp);
}
@Test
public void test4() throws Exception {
List<Dept> depts = deptDaoImpl.selectMany("广州");
System.out.println(depts);
}
@Test
public void test5() throws Exception {
List<Dept> depts = deptDaoImpl.selectLike("%吉%");
System.out.println(depts);
}
}
~~~
### 1.3 动态SQL
根据实体类属性的多少动态生成sql,例如实体有地址,就根据地址生成SQL
1. mapper(if标签:判断标签之间不影响)
~~~
<select id="selectDynamic" parameterType="dept" resultMap="deptResultMap">
SELECT dept_id,dept_name,dept_address FROM dept WHERE 1 = 1 # 防止查询条件全空
<if test="deptId!=null">and dept_id = #{deptId}</if>
<if test="deptName!=null">and dept_name = #{deptName}</if>
<if test="deptAddress!=null">and dept_address = #{deptAddress}</if>
</select>
~~~
2. dao
~~~
public List<Dept> selectDynamic(Dept dp) throws Exception {
int i = 0;
SqlSession session = null;
List<Dept> depts = new ArrayList<Dept>();
try {
session = MybatisSessionFactory.getSession();
depts = session.selectList("entity.DeptMapper.selectDynamic", dp);
//提交事务
session.commit();
} catch (Exception e) {
e.printStackTrace();
}finally {
if (session != null) {
MybatisSessionFactory.closeSession();
}
}
return depts;
}
~~~
3. 测试
~~~
@Test
public void test6() throws Exception {
Dept dp = new Dept();
// dp.setDeptId();
dp.setDeptAddress("广州"); # 根据地址查询
List<Dept> depts = deptDaoImpl.selectDynamic(dp);
System.out.println(depts);
}
~~~
4. 改善(使用where标签,若空就不加where)
~~~
<select id="selectDynamic" parameterType="dept" resultMap="deptResultMap">
SELECT dept_id,dept_name,dept_address FROM dept
<where>
<if test="deptId!=null">and dept_id = #{deptId}</if>
<if test="deptName!=null">and dept_name = #{deptName}</if>
<if test="deptAddress!=null">and dept_address = #{deptAddress}</if>
</where>
</select>
~~~
5. chose标签
when:条件成立
otherwise:不成立时
这俩标签相当于if和else
~~~
<select id="selectDynamic" parameterType="dept" resultMap="deptResultMap">
SELECT dept_id,dept_name,dept_address FROM dept
<where>
<choose>
<when test="deptId!=null">and dept_id = #{deptId}</when>
<when test="deptName!=null">and dept_name = #{deptName}</when>
<when test="deptAddress!=null">and dept_address = #{deptAddress}</when>
<otherwise>AND 1 = 2</otherwise>
</choose>
</where>
</select>
~~~
6. set 标签
UPDATE dept SET dept_address=? WHERE dept_id = ?
防止,实体类中有的属性为空,更新数据库时,把数据库数据也更新为空
~~~
<update id="updateDeptUsetSet" parameterType="dept">
UPDATE dept
<set>
<if test="deptName!=null">dept_name=#{deptName},</if>
<if test="deptAddress!=null">dept_address=#{deptAddress},</if>
</set>
WHERE dept_id = #{deptId}
</update>
~~~
~~~
public int updateDynamic(Dept dp) throws Exception {
int i = 0;
SqlSession session = null;
List<Dept> depts = new ArrayList<Dept>();
try {
session = MybatisSessionFactory.getSession();
i = session.update("entity.DeptMapper.updateDeptUsetSet", dp);
//提交事务
session.commit();
} catch (Exception e) {
e.printStackTrace();
}finally {
if (session != null) {
MybatisSessionFactory.closeSession();
}
}
return i;
}
~~~
测试:只更新地址属性
~~~
@Test
public void test7() throws Exception {
Dept dp = new Dept();
dp.setDeptId(1);
dp.setDeptAddress("四川成都");
int i = deptDaoImpl.updateDynamic(dp);
System.out.println("有" + i + "行受影响!");
}
~~~
7. foreach 标签
SELECT dept_id,dept_name,dept_address FROM dept WHERE dept_id IN ( ? , ? , ? )
~~~
<select id="updateByForeach" resultMap="deptResultMap">
SELECT dept_id,dept_name,dept_address FROM dept WHERE dept_id IN (
<foreach collection="list" item="deptId" separator=",">
#{deptId}
</foreach>
)
</select>
~~~
或者这样写括号看,属性open="(" close=")"
~~~
<select id="updateByForeach" resultMap="deptResultMap">
SELECT dept_id,dept_name,dept_address FROM dept WHERE dept_id IN
<foreach collection="list" item="deptId" separator="," open="(" close=")">
#{deptId}
</foreach>
</select>
~~~
### 1.4 mybatis 配置log4j打印sql
1. log4j.xml
~~~
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE log4j:configuration SYSTEM "log4j.dtd">
<log4j:configuration xmlns:log4j="http://jakarta.apache.org/log4j/"
debug="false">
<appender name="CONSOLE" class="org.apache.log4j.ConsoleAppender">
<layout class="org.apache.log4j.PatternLayout">
<param name="ConversionPattern" value="[%d{dd/MM/yy hh:mm:ss:sss z}] %5p %c{2}: %m%n" />
</layout>
</appender>
<!-- <appender name="FILE" class="org.apache.log4j.RollingFileAppender"> -->
<!-- <param name="file" value="${user.home}/foss-framework.log" /> -->
<!-- <param name="append" value="true" /> -->
<!-- <param name="maxFileSize" value="10MB" /> -->
<!-- <param name="maxBackupIndex" value="100" /> -->
<!-- <layout class="org.apache.log4j.PatternLayout"> -->
<!-- <param name="ConversionPattern" value="%d [%t] %-5p %C{6} (%F:%L) - %m%n" /> -->
<!-- </layout> -->
<!-- </appender> -->
<!-- <appender name="framework" -->
<!-- class="com.deppon.foss.framework.server.components.logger.BufferedAppender"> -->
<!-- <layout class="org.apache.log4j.PatternLayout"> -->
<!-- <param name="ConversionPattern" value="[%d{dd/MM/yy hh:mm:ss:sss z}] %5p %c{2}: %m%n" /> -->
<!-- </layout> -->
<!-- </appender> -->
<!-- 下面是打印 mybatis语句的配置 -->
<logger name="com.ibatis" additivity="true">
<level value="DEBUG" />
</logger>
<logger name="java.sql.Connection" additivity="true">
<level value="DEBUG" />
</logger>
<logger name="java.sql.Statement" additivity="true">
<level value="DEBUG" />
</logger>
<logger name="java.sql.PreparedStatement" additivity="true">
<level value="DEBUG" />
</logger>
<logger name="java.sql.ResultSet" additivity="true">
<level value="DEBUG" />
</logger>
<root>
<level value="DEBUG" />
<appender-ref ref="CONSOLE" />
<!-- <appender-ref ref="FILE" /> -->
<!-- <appender-ref ref="framework" /> -->
</root>
</log4j:configuration>
~~~
2. log4j.properties
~~~
# Rules reminder:
# DEBUG < INFO < WARN < ERROR < FATAL
# Global logging configuration
log4j.rootLogger=debug,stdout
# My logging configuration...
log4j.logger.cn.jbit.mybatisdemo=DEBUG
## Console output...
log4j.appender.stdout=org.apache.log4j.ConsoleAppender
log4j.appender.stdout.layout=org.apache.log4j.PatternLayout
log4j.appender.stdout.layout.ConversionPattern=%5p %d %C: %m%n
log4j.logger.org.apache.ibatis=DEBUG
## log4j.logger.org.apache.jdbc.SimpleDataSource=DEBUG
log4j.logger.org.apache.ibatis.jdbc.ScriptRunner=DEBUG
## log4j.logger.com.ibatis.sqlmap.engine.impl.SqlMapclientDelegate=DEBUG
log4j.logger.java.sql.Connection=DEBUG
log4j.logger.java.sql.Statement=DEBUG
log4j.logger.java.sql.PreparedStatement=DEBUG
~~~
3. maven
~~~
<dependency>
<groupId>log4j</groupId>
<artifactId>log4j</artifactId>
<version>1.2.16</version>
</dependency>
~~~
## 2. 概念理解
### 2.1 mapper 与 mapper.xml
1. mapper配置文件是配置sql映射的地方
2. mapper配置文件中的namespace属性,有两个作用:
一是用于区分不同的mapper(在不同的mapper文件里,子元素的id可以相同,mybatis通过namespace和子元素的id联合区分)
二是与接口关联(应用程序通过接口访问mybatis时,mybatis通过接口的完整名称查找对应的mapper配置,因此namespace的命名务必小心一定要某接口同名)。此外,mapper配置文件还有几个顶级子元素(它们须按照顺序定义):即根据调用接口时,在进行SQL的时候根据接口名与namespace的名称一样进行关联,接口中的方法要与配置文件中增删改查标签中id名称相同
故:mapper配置文件中namespace要与对应的mapper接口名相同(包名+接口名);mapper配置文件中增删改查标签id与mapper接口类方法
l cache -配置本定命名空间的缓存。
l cache-ref –从其他命名空间引用缓存配置。
l resultMap –结果映射,用来描述如何从数据库结果集映射到你想要的对象。
l parameterMap –已经被废弃了!建议不要使用,本章也不会对它进行讲解。
l sql –可以重用的SQL块,可以被其他数据库操作语句引用。
l insert|update|delete|select–数据库操作语句
Mapper的解析在XMLMapperBuilder里完成,主要通过configurationElement方法完成解析,在configurationElement内部调用各个元素的子解析方法完成解析。
下面分别介绍这些子元素。
- Docker
- 什么是docker
- Docker安装、组件启动
- docker网络
- docker命令
- docker swarm
- dockerfile
- mesos
- 运维
- Linux
- Linux基础
- Linux常用命令_1
- Linux常用命令_2
- ip命令
- 什么是Linux
- SELinux
- Linux GCC编译警告:Clock skew detected. 错误解决办法
- 文件描述符
- find
- 资源统计
- LVM
- Linux相关配置
- 服务自启动
- 服务器安全
- 字符集
- shell脚本
- shell命令
- 实用脚本
- shell 数组
- 循环与判断
- 系统级别进程开启和停止
- 函数
- java调用shell脚本
- 发送邮件
- Linux网络配置
- Ubuntu
- Ubuntu发送邮件
- 更换apt-get源
- centos
- 防火墙
- 虚拟机下配置网络
- yum重新安装
- 安装mysql5.7
- 配置本地yum源
- 安装telnet
- 忘记root密码
- rsync+ crontab
- Zabbix
- Zabbix监控
- Zabbix安装
- 自动报警
- 自动发现主机
- 监控MySQL
- 安装PHP常见错误
- 基于nginx安装zabbix
- 监控Tomcat
- 监控redis
- web监控
- 监控进程和端口号
- zabbix自定义监控
- 触发器函数
- zabbix监控mysql主从同步状态
- Jenkins
- 安装Jenkins
- jenkins+svn+maven
- jenkins执行shell脚本
- 参数化构建
- maven区分环境打包
- jenkins使用注意事项
- nginx
- nginx认证功能
- ubuntu下编译安装Nginx
- 编译安装
- Nginx搭建本地yum源
- 文件共享
- Haproxy
- 初识Haproxy
- haproxy安装
- haproxy配置
- virtualbox
- virtualbox 复制新的虚拟机
- ubuntu下vitrualbox安装redhat
- centos配置双网卡
- 配置存储
- Windows
- Windows安装curl
- VMware vSphere
- 磁盘管理
- 增加磁盘
- gitlab
- 安装
- tomcat
- Squid
- bigdata
- FastDFS
- FastFDS基础
- FastFDS安装及简单实用
- api介绍
- 数据存储
- FastDFS防盗链
- python脚本
- ELK
- logstash
- 安装使用
- kibana
- 安准配置
- elasticsearch
- elasticsearch基础_1
- elasticsearch基础_2
- 安装
- 操作
- java api
- 中文分词器
- term vector
- 并发控制
- 对text字段排序
- 倒排和正排索引
- 自定义分词器
- 自定义dynamic策略
- 进阶练习
- 共享锁和排它锁
- nested object
- 父子关系模型
- 高亮
- 搜索提示
- Redis
- redis部署
- redis基础
- redis运维
- redis-cluster的使用
- redis哨兵
- redis脚本备份还原
- rabbitMQ
- rabbitMQ安装使用
- rpc
- RocketMQ
- 架构概念
- 安装
- 实例
- 好文引用
- 知乎
- ACK
- postgresql
- 存储过程
- 编程语言
- 计算机网络
- 基础_01
- tcp/ip
- http转https
- Let's Encrypt免费ssl证书(基于haproxy负载)
- what's the http?
- 网关
- 网络IO
- http
- 无状态网络协议
- Python
- python基础
- 基础数据类型
- String
- List
- 遍历
- Python基础_01
- python基础_02
- python基础03
- python基础_04
- python基础_05
- 函数
- 网络编程
- 系统编程
- 类
- Python正则表达式
- pymysql
- java调用python脚本
- python操作fastdfs
- 模块导入和sys.path
- 编码
- 安装pip
- python进阶
- python之setup.py构建工具
- 模块动态导入
- 内置函数
- 内置变量
- path
- python模块
- 内置模块_01
- 内置模块_02
- log模块
- collections
- Twisted
- Twisted基础
- 异步编程初探与reactor模式
- yield-inlineCallbacks
- 系统编程
- 爬虫
- urllib
- xpath
- scrapy
- 爬虫基础
- 爬虫种类
- 入门基础
- Rules
- 反反爬虫策略
- 模拟登陆
- problem
- 分布式爬虫
- 快代理整站爬取
- 与es整合
- 爬取APP数据
- 爬虫部署
- collection for ban of web
- crawlstyle
- API
- 多次请求
- 向调度器发送请求
- 源码学习
- LinkExtractor源码分析
- 构建工具-setup.py
- selenium
- 基础01
- 与scrapy整合
- Django
- Django开发入门
- Django与MySQL
- java
- 设计模式
- 单例模式
- 工厂模式
- java基础
- java位移
- java反射
- base64
- java内部类
- java高级
- 多线程
- springmvc-restful
- pfx数字证书
- 生成二维码
- 项目中使用log4j
- 自定义注解
- java发送post请求
- Date时间操作
- spring
- 基础
- spring事务控制
- springMVC
- 注解
- 参数绑定
- springmvc+spring+mybatis+dubbo
- MVC模型
- SpringBoot
- java配置入门
- SpringBoot基础入门
- SpringBoot web
- 整合
- SpringBoot注解
- shiro权限控制
- CommandLineRunner
- mybatis
- 静态资源
- SSM整合
- Aware
- Spring API使用
- Aware接口
- mybatis
- 入门
- mybatis属性自动映射、扫描
- 问题
- @Param 注解在Mybatis中的使用 以及传递参数的三种方式
- mybatis-SQL
- 逆向生成dao、model层代码
- 反向工程中Example的使用
- 自增id回显
- SqlSessionDaoSupport
- invalid bound statement(not found)
- 脉络
- beetl
- beetl是什么
- 与SpringBoot整合
- shiro
- 什么是shiro
- springboot+shrio+mybatis
- 拦截url
- 枚举
- 图片操作
- restful
- java项目中日志处理
- JSON
- 文件工具类
- KeyTool生成证书
- 兼容性问题
- 开发规范
- 工具类开发规范
- 压缩图片
- 异常处理
- web
- JavaScript
- 基础语法
- 创建对象
- BOM
- window对象
- DOM
- 闭包
- form提交-文件上传
- td中内容过长
- 问题1
- js高级
- js文件操作
- 函数_01
- session
- jQuery
- 函数01
- data()
- siblings
- index()与eq()
- select2
- 动态样式
- bootstrap
- 表单验证
- 表格
- MUI
- HTML
- iframe
- label标签
- 规范编程
- layer
- sss
- 微信小程序
- 基础知识
- 实践
- 自定义组件
- 修改自定义组件的样式
- 基础概念
- appid
- 跳转
- 小程序发送ajax
- 微信小程序上下拉刷新
- if
- 工具
- idea
- Git
- maven
- svn
- Netty
- 基础概念
- Handler
- SimpleChannelInboundHandler 与 ChannelInboundHandler
- 网络编程
- 网络I/O
- database
- oracle
- 游标
- PLSQL Developer
- mysql
- MySQL基准测试
- mysql备份
- mysql主从不同步
- mysql安装
- mysql函数大全
- SQL语句
- 修改配置
- 关键字
- 主从搭建
- centos下用rpm包安装mysql
- 常用sql
- information_scheme数据库
- 值得学的博客
- mysql学习
- 运维
- mysql权限
- 配置信息
- 好文mark
- jsp
- jsp EL表达式
- C
- test