解决插入数据库中文乱码问题
参考:http://www.bitscn.com/pdb/mysql/201407/226207.html
Controller读取到的是正确的中文,但是保存到数据库后变成“??”
- 修改数据库连接jdbc_url=jdbc:mysql://localhost:3306/mybatistest?useUnicode=yes&characterEncoding=UTF8
("&":在xml文件中表示"&")
- 修改数据库的字符集为utf-8:打开mysql根目录下my.ini(mysql5.6为my-default.ini,要把它copy一份命名为my.ini),在下面具体位置添加(或修改):
[mysqld]character-set-server=utf8 [client]default-character-set = utf8[mysql]default-character-set = utf8
【正文】
使用注解的方式用mybatis操作数据库
1.建立接口类
package com.reno.mybatis.mapping;
import java.util.List;
import org.apache.ibatis.annotations.Delete;
import org.apache.ibatis.annotations.Insert;
import org.apache.ibatis.annotations.Select;
import org.apache.ibatis.annotations.Update;
import com.reno.mybatis.domain.User;
/**
*
* @author Reno
*
*/
public interface UserMapperI {
//使用@Insert注解指明add方法要执行的SQL
@Insert("insert into testuser2(name, age) values(#{name}, #{age})")
public int add(User user);
//使用@Delete注解指明deleteById方法要执行的SQL
@Delete("delete from testuser2 where id=#{id}")
public int deleteById(int id);
//使用@Update注解指明update方法要执行的SQL
@Update("update testuser2 set name=#{name},age=#{age} where id=#{id}")
public int update(User user);
//使用@Select注解指明getById方法要执行的SQL
@Select("select * from testuser2 where id=#{id}")
public User getById(int id);
//使用@Select注解指明getAll方法要执行的SQL
@Select("select * from testuser2")
public List<User> getAll();
}
使用 @Insert @Delete @Update @Select 等注解对方法进行注释
该进口不需要我们自己实现,有mybatis来实现
2.配置conf.xml文件
<?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>
<environments default="development">
<environment id="development">
<transactionManager type="JDBC" />
<!-- 配置数据库连接信息 -->
<dataSource type="POOLED">
<property name="driver" value="com.mysql.jdbc.Driver" />
<property name="url" value="jdbc:mysql://localhost:3306/youtable?useUnicode=yes&characterEncoding=UTF8" />
<property name="username" value="name" />
<property name="password" value="passed" />
</dataSource>
</environment>
</environments>
<mappers>
<!-- 注册userMapper.xml文件, userMapper.xml位于me.gacl.mapping这个包下,所以resource写成me/gacl/mapping/userMapper.xml -->
<mapper resource="com/reno/mybatis/mapping/userMapper.xml" />
<mapper class="com.reno.mybatis.mapping.UserMapperI"/>
</mappers>
</configuration>
<mapper class="com.reno.mybatis.mapping.UserMapperI"/> 将该接口注册到<mappers>中
3.测试
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapperI mapper = sqlSession.getMapper(UserMapperI.class);
User user = new User();
user.setName("中文测试");
user.setAge(20);
int add = mapper.add(user);
sqlSession.commit();
// 使用SqlSession执行完SQL之后需要关闭SqlSession
sqlSession.close();
System.out.println(add);
网友评论