JdbcTemplate:(Jdbc模板)

通过 Jdbc 、C3P0 、Druid 的使用我们会发现即使我们做了工具的封装,但重复性的代码依旧很多。今天我们通过 JdbcTemplate 即 Jdbc 模板来使我们的代码更加简洁,逻辑更加清晰。

JdbcTemplate是Spring对JDBC的封装。我们可以将其理解为使用Java通过JDBC操作数据库的固定套路写法。使开发人员对数据库操作只关注:

  1. 数据的请求(sql)。

  2. 请求的响应(查询返回)。

    JdbcTemplate使用步骤:


    1.导入Jar包
    2.创建JdbcTemplate对象

    // 传入连接池对象,JdbcTemplate会自动维护连接池
    JdbcTemplate jdbcTemplate = new JdbcTemplate(MyJdbcUtils.getDataSource());

    3.编写sql语句

    // 依旧使用预编译对象的格式
    String sql = "insert into user values(null,?,?) ";

    4.执行并返回结果
    增删改:

    // 用于执行INSERT、UPDATE、DELETE等DML语句
    // sql: 要执行的sql语句
    // args: sql执行时需要的参数|数组
    public int update(final String sql,Object... args)

    查询:

    //1.queryForObject返回一个指定类型**
    String sql = "select pname from product where id = ?";
    String pname = template.queryForObject(sql, String.class, 3);
    //2.queryForMap返回一个Map集合对象
    String sql = "select * from product where id = ?";
    Map<String, Object> map = template.queryForMap(sql, 4);
    //3.queryForList返回一个List集合对象,集合对象存储Map类型数据
    String sql = "select * from product where id in (3,4)";
    List<Map<String, Object>> list = template.queryForList(sql,3,4);
    //4. query使用BeanPropertyRowMapper做映射返回对象
    String sql = "select * from product where id = ? ";
    Product product = template.queryForObject
    (sql, new BeanPropertyRowMapper<>(Product.class), 4);
    // 上面为单条记录(对象实体) 下面为多条记录(对象实体)
    String sql = "select * from product";        
    List<Product> list = jdbcTemplate.query
    (sql, new BeanPropertyRowMapper<>(Product.class));

    Tips:

    在做查询时第四种方法使用最多,需要保证实体类的属性名称及数据类型和数据库表中的字段名称类型要保持一致。当然也可以进行自行的查询实体封装:

    String sql = "select * from product ";
    // 执行sql并接收结果集 参数1: sql语句
    // 参数2: rowMapper: 本条记录,自行封装
    List<Product> list = template.query(sql, new RowMapper<Product>(){
    @Override // resultSet: 被遍历到的本条记录 i: 索引值
    public Product mapRow(ResultSet rs, int i)throws SQLException{
    Product pro = new Product();
    pro.setId(rs.getInt("id"));
    pro.setPname(rs.getString("pname"));
    pro.setPrice(rs.getDouble("price"));
    return pro;
    }
    });

    数据库元数据:


    元数据:数据库、表、列的定义信息。

    ParameterMetaData
    作用:

    获取PreparedStatement所编译的sql语句中 ? 的个数和类型

    String sql = "select *
    from user where username = ? and password = ? ";
    PreparedStatement pst = conn.PrepareStatement(sql);

    API

    PreparedStatement. getParameterMetaData();
    //int getParameterCount()
    //获取PreparedStatement的SQL语句参数?的个数
    //int getParameterType(int param)
    //获取指定参数的SQL类型。
    //不是所有的数据库都支持,mysql不支持

    ResultSetMetaData
    作用:

    可用于获取有关 ResultSet 对象中列的类型和属性的信息。

    ResultSetMetaData

    //如何获取 ResultSetMetaData
    //ResultSet.getMetaData()
    //int getColumnCount()
    //返回此 ResultSet 对象中的列数
    //String getColumnName(int column)
    //获取指定列的名称
    //String getColumnTypeName(int column)
    //获取指定列的数据库特定类型名称

(0)

相关推荐