Spring 的持久化实例(JDBC, JdbcTemplate、HibernateDaoSupport、JdbcDaoSupport、SqlSessionDaoSupport等)...

2019独角兽企业重金招聘Python工程师标准>>> hot3.png

一、表(这里用mysql,数据库名为yiibai)

CREATE TABLE `customer` (`CUST_ID` int(10) UNSIGNED NOT NULL,`NAME` varchar(100) NOT NULL,`AGE` int(10) UNSIGNED NOT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
ALTER TABLE `customer`ADD PRIMARY KEY (`CUST_ID`);

二、不用JdbcTemplate的情况

表的实体类Customer

package com.yiibai.springjdbc.bean;public class Customer {int custId;String name;int age;public Customer(int custId, String name, int age) {super();this.custId = custId;this.name = name;this.age = age;}public int getCustId() {return custId;}public void setCustId(int custId) {this.custId = custId;}public String getName() {return name;}public void setName(String name) {this.name = name;}public int getAge() {return age;}public void setAge(int age) {this.age = age;}@Overridepublic String toString() {return "Customer [custId=" + custId + ", name=" + name + ", age=" + age + "]";}
}

DAO接口

package com.yiibai.springjdbc.dao;import java.util.List;
import com.yiibai.springjdbc.bean.Customer;public interface CustomerDAO {public void insert(Customer customer);public Customer findByCustomerId(int custId);public List<Customer> queryCustomer() throws Exception ;
}

DAO实现(不用JdbcTemplate)

package com.yiibai.springjdbc.daoimpl;import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
import java.util.ArrayList;
import java.util.List;import javax.sql.DataSource;import com.yiibai.springjdbc.bean.Customer;
import com.yiibai.springjdbc.dao.CustomerDAO;public class CustomerImplDAO implements CustomerDAO {private DataSource dataSource;@Overridepublic void insert(Customer customer) {// TODO 自动生成的方法存根String sql = "INSERT INTO customer " + "(CUST_ID, NAME, AGE) VALUES (?, ?, ?)";Connection conn = null;try {conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement(sql);ps.setInt(1, customer.getCustId());ps.setString(2, customer.getName());ps.setInt(3, customer.getAge());ps.executeUpdate();ps.close();} catch (SQLException e) {throw new RuntimeException(e);} finally {if (conn != null) {try {conn.close();} catch (SQLException e) {}}}}@Overridepublic Customer findByCustomerId(int custId) {// TODO 自动生成的方法存根String sql = "SELECT * FROM customer WHERE CUST_ID = ?";Connection conn = null;try {conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement(sql);ps.setInt(1, custId);Customer customer = null;ResultSet rs = ps.executeQuery();if (rs.next()) {customer = new Customer(rs.getInt("CUST_ID"), rs.getString("NAME"), rs.getInt("Age"));}rs.close();ps.close();return customer;} catch (SQLException e) {throw new RuntimeException(e);} finally {if (conn != null) {try {conn.close();} catch (SQLException e) {}}}}public void setDataSource(DataSource dataSource) {this.dataSource = dataSource;}@Overridepublic List<Customer> queryCustomer() throws Exception {// TODO 自动生成的方法存根Connection conn = dataSource.getConnection();String sql = "Select c.CUST_ID, c.NAME, c.AGE from customer c";System.out.println(sql);Statement smt = conn.createStatement();ResultSet rs = smt.executeQuery(sql);List<Customer> list = new ArrayList<Customer>();while (rs.next()) {int cID = rs.getInt("CUST_ID");String cName = rs.getString("NAME");int cAge = rs.getInt("AGE");Customer cust = new Customer(cID, cName, cAge);list.add(cust);}return list;}}

配置文件spring-dao.xml  spring-datasource.xml  spring-module.xml都放置在(特别重要)包com.yiibai.springjdbc下面:

spring-datasource.xml

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation="http://www.springframework.org/schema/beanshttp://www.springframework.org/schema/beans/spring-beans.xsd"><bean id="dataSource"class="org.springframework.jdbc.datasource.DriverManagerDataSource"><property name="driverClassName" value="com.mysql.jdbc.Driver" /><property name="url" value="jdbc:mysql://localhost:3306/yiibai?useSSL=false" /><property name="username" value="your-user" /><property name="password" value="your-passwd" /></bean></beans>

也可以使用DBCP连接池来配置数据源(需要导入commons-dbcp-1.4.jar包)

   <bean id="dataSource" class="org.apache.commons.dbcp.BasicDataSource" destroy-method="close">        <property name="driverClassName" value="com.mysql.jdbc.Driver" />       <property name="url" value="jdbc:mysql://localhost:3306/yiibai?useSSL=false" />       <property name="username" value="your-name" />       <property name="password" value="your-passwd" />       </bean>

这里需要修改用户密码来适应你的数据库环境

spring-dao.xml

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation="http://www.springframework.org/schema/beanshttp://www.springframework.org/schema/beans/spring-beans.xsd"><bean id="customerDAO" class="com.yiibai.springjdbc.daoimpl.CustomerImplDAO"><property name="dataSource" ref="dataSource" /></bean></beans>

spring-module.xml

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation="http://www.springframework.org/schema/beanshttp://www.springframework.org/schema/beans/spring-beans.xsd"><!-- Using Mysql datasource --><import resource="spring-datasource.xml" /><import resource="spring-dao.xml" /></beans>

测试(主)类

package com.yiibai.springjdbc;import java.util.List;import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;import com.yiibai.springjdbc.bean.Customer;
import com.yiibai.springjdbc.dao.CustomerDAO;public class CustTest {private static ApplicationContext ctx;public static void main(String[] args) throws Exception {ctx = new ClassPathXmlApplicationContext("com/yiibai/springjdbc/spring-module.xml");CustomerDAO customerDAO = (CustomerDAO) ctx.getBean("customerDAO");Customer customer = new Customer(1, "yiibai",29);customerDAO.insert(customer);Customer customer1 = customerDAO.findByCustomerId(1);System.out.println(customer1);List<Customer> custList = customerDAO.queryCustomer();for(Customer cs : custList){System.out.println("Customer ID " + cs.getCustId());System.out.println("Customer Name " + cs.getName());System.out.println("Customer Age" + cs.getAge());System.out.println("----------------------------");}}}

运行结果:表customer加了一条记录,并输出如下信息:

(执行前把表customer中id为1的记录删除,不然插入异常)

三、使用 JdbcTemplate、JdbcDaoSupport实现

Customer和DAO接口不变,主要变化是DAO实现:CustomerImplDAO类改为JdbcCustomerDAO

package com.yiibai.springjdbc.daoimpl;import java.util.List;import org.springframework.jdbc.core.support.JdbcDaoSupport;import com.yiibai.springjdbc.bean.Customer;
import com.yiibai.springjdbc.bean.CustomerRowMapper;
import com.yiibai.springjdbc.dao.CustomerDAO;public class JdbcCustomerDAO extends JdbcDaoSupport implements CustomerDAO {@Overridepublic void insert(Customer customer) {// TODO 自动生成的方法存根String sql = "INSERT INTO customer " +"(CUST_ID, NAME, AGE) VALUES (?, ?, ?)";getJdbcTemplate().update(sql, new Object[] { customer.getCustId(),customer.getName(),customer.getAge()  });}@Overridepublic Customer findByCustomerId(int custId) {// TODO 自动生成的方法存根/** 	这种写法也可以	String sql = "SELECT * FROM customer WHERE CUST_ID =  '"+custId+"' ";return getJdbcTemplate().queryForObject(sql,new CustomerRowMapper());*/String sql = "SELECT * FROM customer WHERE CUST_ID = ?";return getJdbcTemplate().queryForObject(sql,new Object[] { custId },new CustomerRowMapper());}@Overridepublic List<Customer> queryCustomer() throws Exception {// TODO 自动生成的方法存根String sql = "SELECT * FROM customer";return getJdbcTemplate().query(sql, new CustomerRowMapper());}}

需要说明2点:

1、本实现继承JdbcDaoSupport,而 JdbcDaoSupport定义了 JdbcTemplate和DataSource 属性,只需在配置文件中注入DataSource 即可,然后会创建jdbcTemplate的实例,不必像前面的实现CustomerImplDAO那样,需要显式定义一个DataSource成员变量。

2、这里出现了CustomerRowMapper类:本来应该这样写的queryForObject(sql,Customer.class);但Spring并不知道如何将结果转成Customer.class。所以需要写一个CustomerRowMapper 继承RowMapper接口 ,其代码如下:

package com.yiibai.springjdbc.bean;import java.sql.ResultSet;
import java.sql.SQLException;import org.springframework.jdbc.core.RowMapper;public class CustomerRowMapper implements RowMapper<Customer> {@Overridepublic Customer mapRow(ResultSet rs, int rowNum) throws SQLException {// TODO 自动生成的方法存根return new Customer(rs.getInt("CUST_ID"),rs.getString("NAME"),rs.getInt("AGE"));}}

文件spring-dao.xml里bean的定义修改为(变化的是class):

    <bean id="customerDAO" class="com.yiibai.springjdbc.daoimpl.JdbcCustomerDAO"><property name="dataSource" ref="dataSource" /></bean>

其他配置文件和主类都不变、运行结果少了Select c.CUST_ID, c.NAME, c.AGE from customer c
,这是因为CustomerImplDAO版本人为地插入一句 System.out.println(sql);以示和JDBC模板实现版本JdbcCustomerDAO的区别。
可以看出采用JDBC模板大大简化代码。

四、  HibernateTemplate、HibernateDaoSupport实现版本

CustomerImplDAO类改为HibCustomerDao

package com.yiibai.springjdbc.daoimpl;import java.util.List;import org.springframework.orm.hibernate4.support.HibernateDaoSupport;
import com.yiibai.springjdbc.bean.Customer;
import com.yiibai.springjdbc.dao.CustomerDAO;public class HibCustomerDao extends HibernateDaoSupport implements CustomerDAO {@Overridepublic void insert(Customer customer) {// TODO 自动生成的方法存根this.getHibernateTemplate().save(customer);}@Overridepublic Customer findByCustomerId(int custId) {// TODO 自动生成的方法存根//或find("from Customer where CUST_ID = ?",custId).get(0);return (Customer) getHibernateTemplate().get(Customer.class, custId);}@Overridepublic List<Customer> queryCustomer() throws Exception {// TODO 自动生成的方法存根return (List<Customer>) getHibernateTemplate().find("from com.yiibai.springjdbc.bean.Customer"); 	}}

配置文件修改就比较复杂了:要配置SessionFactory、transactionManager、transactionInterceptor等。

,另外要在包com.yiibai.springjdbc.bean增加表对象Customer的Hibernate映射文件Customer.hbm.xml以供配置hibernate SessionFactory使用:

<?xml version="1.0"?>
<!DOCTYPE hibernate-mapping PUBLIC "-//Hibernate/Hibernate Mapping DTD 3.0//EN""http://www.hibernate.org/dtd/hibernate-mapping-3.0.dtd">
<hibernate-mapping package="com.yiibai.springjdbc.bean"><class name="Customer" table="customer"><id name="custId" type="java.lang.Integer"><column name="CUST_ID" /><generator class="native"/></id><property name="name" unique="true" type="java.lang.String"><column name="NAME" />	</property><property name="age" unique="true" type="java.lang.Integer"><column name="AGE" />	</property>	</class>
</hibernate-mapping>

修改后的spring-dao.xml内容如下:

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xmlns:tx="http://www.springframework.org/schema/tx"xmlns:context="http://www.springframework.org/schema/context" xsi:schemaLocation="http://www.springframework.org/schema/beanshttp://www.springframework.org/schema/beans/spring-beans.xsdhttp://www.springframework.org/schema/txhttp://www.springframework.org/schema/tx/spring-tx.xsdhttp://www.springframework.org/schema/aophttp://www.springframework.org/schema/aop/spring-aop.xsdhttp://www.springframework.org/schema/jeehttp://www.springframework.org/schema/jee/spring-jee.xsdhttp://www.springframework.org/schema/contexthttp://www.springframework.org/schema/context/spring-context.xsdhttp://www.springframework.org/schema/utilhttp://www.springframework.org/schema/util/spring-util.xsdhttp://www.springframework.org/schema/toolhttp://www.springframework.org/schema/tool/spring-tool.xsd"><!-- 把数据源注入给Session工厂 --><bean id="custsessionFactory"class="org.springframework.orm.hibernate4.LocalSessionFactoryBean"><property name="dataSource" ref="dataSource1" /><property name="mappingResources"><list><value>com/yiibai/springjdbc/bean/Customer.hbm.xml</value></list></property><property name="hibernateProperties"><props><prop key="hibernate.dialect">${hibernate.dialect}</prop><prop key="hibernate.hbm2ddl.auto">update</prop><prop key="hibernate.show_sql">true</prop><prop key="hibernate.generate_statistics">true</prop><prop key="hibernate.current_session_context_class">org.springframework.orm.hibernate4.SpringSessionContext</prop></props></property></bean><!-- Transaction manager for a single Hibernate SessionFactory (alternative to JTA) --><bean id="transactionManager"class="org.springframework.orm.hibernate4.HibernateTransactionManager"><property name="sessionFactory" ref="custsessionFactory" /></bean><!--define bean of transaction interceptor --><bean id="transactionInterceptor"class="org.springframework.transaction.interceptor.TransactionInterceptor"><property name="transactionManager" ref="transactionManager" /><property name="transactionAttributes"><props><prop key="delete*">PROPAGATION_REQUIRED</prop><prop key="update*">PROPAGATION_REQUIRED</prop><prop key="save*">PROPAGATION_REQUIRED,-Exception</prop><prop key="find*">PROPAGATION_REQUIRED,readOnly</prop><prop key="*">PROPAGATION_REQUIRED</prop></props></property></bean><beanclass="org.springframework.aop.framework.autoproxy.BeanNameAutoProxyCreator"><property name="beanNames"><list><value>*Dao</value></list></property><property name="interceptorNames"><list><value>transactionInterceptor</value></list></property></bean><bean id="customerDAO" class="com.yiibai.springjdbc.daoimpl.HibCustomerDao">  <property name="sessionFactory" ref="custsessionFactory" /></bean>  </beans>

如果仅配置SessionFactory、而不配置transactionManager、transactionInterceptor,查询没问题,而插入不行,会出现下面的异常:

Exception in thread "main" org.springframework.dao.InvalidDataAccessApiUsageException: Write operations are not allowed in read-only mode (FlushMode.MANUAL): Turn your Session into FlushMode.COMMIT/AUTO or remove 'readOnly' marker from transaction definition.

有没有办修改SessionFactory的设置解决这个问题,求高人指点。

hibernate配置也可以用注解方式(无需Customer.hbm.xml):

修改Customer类如下( custId必须要改CUST_ID,和表格字段名完全一致):

package com.yiibai.springjdbc.bean;
import javax.persistence.Entity;
import javax.persistence.Id;
import javax.persistence.Table;@Entity
@Table(name = "customer")
public class Customer {@Idint CUST_ID;String name;int age;public Customer() {super();// TODO 自动生成的构造函数存根}public Customer(int custId, String name, int age) {super();this.CUST_ID = custId;this.name = name;this.age = age;}public int getCustId() {return CUST_ID;}public void setCustId(int custId) {this.CUST_ID = custId;}public String getName() {return name;}public void setName(String name) {this.name = name;}public int getAge() {return age;}public void setAge(int age) {this.age = age;}@Overridepublic String toString() {return "Customer [custId=" + CUST_ID + ", name=" + name + ", age=" + age + "]";}
}

spring-dao.xml文件的custsessionFactory配置中

		<property name="mappingResources"><list><value>com/yiibai/springjdbc/bean/Customer.hbm.xml</value></list></property>

改为:

 	<property name="annotatedClasses"><list><value>com.yiibai.springjdbc.bean.Customer</value></list></property>

另外经实践.hbm.xml版本(注射方式则不会,我也没搞明白其中的道理)的CUST_ID不是根据insert(customer)传递过来参数的值,而是会根据数据库表customer当前的ID“指针”;比如传递过来的参数是Customer(1, "yiibai",29),插入后有可能变(3, "yiibai",29)。

可用下面命令来复位ID“指针”


mysql> use yiibai;
mysql> ALTER TABLE customer AUTO_INCREMENT=0;

这样新插入的CUST_ID值就是:最后一条记录CUST_ID+1。

五、mybatis、SqlSessionDaoSupport版本

        为了简单起见,使用注解方式使用mybatis(和XML配置可以混用的,详见该文),重写了dao接口放在com.yiibai.springjdbc.mybatisdao包下,为保证主类代码不变原来的接口CustomerDAO继续使用。

package com.yiibai.springjdbc.mybatisdao;import java.util.List;import org.apache.ibatis.annotations.Delete;
import org.apache.ibatis.annotations.Insert;
import org.apache.ibatis.annotations.Select;import com.yiibai.springjdbc.bean.Customer;public interface ICustomer {@Insert("insert into customer(CUST_ID,name,age) values(#{CUST_ID},#{name}, #{age})")public void insert(Customer customer);@Select("select * from customer where CUST_ID= #{CUST_ID}")public Customer findByCustomerId(int custId);@Select("select * from customer")public List<Customer> queryCustomer();@Delete("delete from customer where CUST_ID=#{CUST_ID}")public int deleteCustomerById(int id);
}

所有的sql操作由该接口完成,后面的DAO实现类MybatisCustImpDao,实际上仅仅调用该接口的方法:

package com.yiibai.springjdbc.daoimpl;import java.util.List;import org.mybatis.spring.support.SqlSessionDaoSupport;import com.yiibai.springjdbc.bean.Customer;
import com.yiibai.springjdbc.dao.CustomerDAO;
import com.yiibai.springjdbc.mybatisdao.ICustomer;public class MybatisCustImpDao extends SqlSessionDaoSupport implements CustomerDAO {@Overridepublic void insert(Customer customer) {// TODO 自动生成的方法存根this.getSqlSession().getMapper(ICustomer.class).insert(customer);;}@Overridepublic Customer findByCustomerId(int custId) {// TODO 自动生成的方法存根return this.getSqlSession().getMapper(ICustomer.class).findByCustomerId(custId);}@Overridepublic List<Customer> queryCustomer() throws Exception {// TODO 自动生成的方法存根return this.getSqlSession().getMapper(ICustomer.class).queryCustomer();}}

mybatis的配置文件mybatiscust.xml放在com.yiibai.springjdbc下

<?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><typeAliases><typeAlias alias="Customer" type="com.yiibai.springjdbc.bean.Customer" /></typeAliases><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://127.0.0.1:3306/yiibai?useSSL=false" /><property name="username" value="your-user" /><property name="password" value="your-passwd" /></dataSource></environment></environments><mappers><!-- XML的方式 注册映射配置文件--><!-- <mapper resource="com/yiibai/springjdbc/bean/CustMybatis.xml" /> --><!--接口的方式  注册接口--><mapper class="com.yiibai.springjdbc.mybatisdao.ICustomer"/></mappers></configuration>

bean必须注入sqlSessionFactory或sqlSessionTemplate。还是在中spring-dao.xml配置:

	<bean id="sqlSessionFactory" class="org.mybatis.spring.SqlSessionFactoryBean"><property name="dataSource" ref="dataSource" /><property name="configLocation"value="classpath:com/yiibai/springjdbc/mybatiscust.xml" /></bean><bean id="CustomerDao" class="com.yiibai.springjdbc.daoimpl.MybatisCustImpDao"><property name="sqlSessionFactory" ref="sqlSessionFactory" /></bean>

 或

	<bean id="sqlSessionFactory" class="org.mybatis.spring.SqlSessionFactoryBean"><property name="dataSource" ref="dataSource" /><property name="configLocation"value="classpath:com/yiibai/springjdbc/mybatiscust.xml" /></bean><bean id="sqlSession" class="org.mybatis.spring.SqlSessionTemplate"><constructor-arg ref="sqlSessionFactory" /></bean><bean id="CustomerDao" class="com.yiibai.springjdbc.daoimpl.MybatisCustImpDao"><property name="sqlSessionTemplate" ref="sqlSession" /></bean>

主程序还是不变。

参考:

Spring Mybatis实例SqlSessionDaoSupport混用xml配置和注解

HibernateTemplate、HibernateDaoSupport两种方法实现增删

Spring JdbcTemplate+JdbcDaoSupport实例

Spring与Dao-Jdbc模板实现增删改查

使用Jdbc Template的基本操作步骤

Spring+mybatis的一个简单例子

spring与mybatis三种整合方法MyBatis中

如何通过继承SqlSessionDaoSupport来编写DAO(一)

Spring进行面向切面编程的一个简单例子

项目的代码和依赖包都在这里,下后解压到eclipse的workspace导入选择import Porojects from File System or Archive。

 

 

转载于:https://my.oschina.net/u/2245781/blog/1552110

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

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

相关文章

开始使用gradle

前提配置gradle环境 每个gradle构建都是以一个脚本开始的。gradle构建默认的名称为build.gradle。当在shell中执行gradle命令时&#xff0c;gradle会去寻找为build.gradle文件&#xff0c;如果找不到就会显示帮助信息。 下面我们以经典的helloworld为例。 1、首先建立一个build…

freecodecamp_freeCodeCamp的新编码课程现已上线,其中包含1,400个编码课程和6个开发人员认证

freecodecampFor the past year, our community has been hard at work on a massive new programming curriculum. And now that curriculum is live and out of beta!在过去的一年中&#xff0c;我们的社区一直在努力编写大量的新编程课程。 现在&#xff0c;该课程已上线并且…

麦克劳林展开式_数学家麦克劳林与牛顿的故事

数学家麦克劳林麦克劳林(Colin Maclaurin1698年2月-1746年6月), 苏格兰数学家&#xff0c;麦克劳林是18世纪英国最具有影响的数学家之一。01麦克劳林是一位牧师的儿子&#xff0c;半岁丧父&#xff0c;9岁丧母。由其叔父抚养成人。叔父也是一位牧师。麦克劳林是一个“神童”&am…

html隐藏层点击显示不出来,[js+css]点击隐藏层,点击另外层不能隐藏原层

1货币转换&#xff0c;下图显示了这个程序子只进行简单的 把元素放在下面的目录下&#xff0c;在创币转换应用程序这个例 所需的界面&#xff0c;包括一些UI组件实例(Button, ComboB 货币转换&#xff0c;下图显示了这个程序组件实例(Button, ComboB 货币转换&#xff0c;下图显…

Oracle 10.2.0.5 非归档current redolog损坏处理一例

操作系统: RHEL5.8 x64数据库 : Oracle 10.2.0.5.0故障情况:一台单机曙光PC服务器4块300G SAS盘&#xff0c;RAID5坏两块磁盘&#xff08;服务器面板无故障提示&#xff0c;无人发现&#xff09;&#xff0c;造成RAID5磁盘阵列挂掉&#xff0c;操作系统当机&#xff0c;系统无…

基础命令

date --help date %T 15:04:58 whatis date date (1) - print or set the system date and timeman date 获取详细的命令解释cd ~/wntlab //新建文件夹 mkdir example //新建文件 touch b c //复制文本内容 cp b c//把 b的内容复制给 c cp b a/ //把 文件b复制…

微信小程序把玩(三十三)Record API

微信小程序把玩&#xff08;三十三&#xff09;Record API 原文:微信小程序把玩&#xff08;三十三&#xff09;Record API其实这个API也挺奇葩的&#xff0c;录音结束后success不走&#xff0c;complete不走&#xff0c;fail也不走&#xff0c; 不知道是不是因为电脑测试的原因…

leetcode336. 回文对(字典树)

给定一组 互不相同 的单词&#xff0c; 找出所有不同 的索引对(i, j)&#xff0c;使得列表中的两个单词&#xff0c; words[i] words[j] &#xff0c;可拼接成回文串。 示例 1&#xff1a; 输入&#xff1a;[“abcd”,“dcba”,“lls”,“s”,“sssll”] 输出&#xff1a;[[…

html文档 字符引用,【转】HTML中常见形如#number;的东西叫做 字符实体引用,简称引用,代表一个对应的unicode字符...

【转】HTML中常见形如number;的东西叫做 字符实体引用&#xff0c;简称引用&#xff0c;代表一个对应的unicode字符英文解释的很清楚&#xff0c;就不翻译了&#xff0c;自己看&#xff1a;EntitiesCharacter entity references, or entities for short, provide a method of e…

终端打开后-bash_如何爵士化Bash终端-带有图片的分步指南

终端打开后-bashby rajaraodv通过rajaraodv In this blog I’ll go over the steps to add Themes, Powerline, fonts, and powerline-gitstatus to make your regular Bash Terminal look beautiful and useful as shown in the picture above.在此博客中&#xff0c;我将介绍…

如何获取元素在父级div里的位置_关于元素的浮动你了解多少

首先&#xff0c;在介绍什么是浮动之前我们先介绍一下html中元素的普通流布局方式。在普通流中&#xff0c;元素是按照它在 HTML 中的出现的先后顺序自上而下依次排列布局的&#xff0c;在排列过程中所有的行内元素水平排列&#xff0c;直到当行被占满然后换行&#xff0c;块级…

获取iOS顶部状态栏和Navigation的高度

状态栏的高度 20 [[UIApplication sharedApplication] statusBarFrame].size.height Navigation的高度 44 self.navigationController.navigationBar.frame.size.height 加起来一共是64 转载于:https://www.cnblogs.com/Free-Thinker/p/6478715.html

Java电商项目-5.内容管理cms系统

目录 实现加载内容分类树功能实现内容分类动态添加删除内容分类节点实现内容分类节点的分页显示实现广告内容的添加实现广告内容删除实现广告内容编辑到Github获取源码请点击此处实现加载内容分类树功能 注: 往后将不在说编写远程服务方法和编写web模块等重复语句, 直接用"…

leetcode738. 单调递增的数字(贪心)

给定一个非负整数 N&#xff0c;找出小于或等于 N 的最大的整数&#xff0c;同时这个整数需要满足其各个位数上的数字是单调递增。 &#xff08;当且仅当每个相邻位数上的数字 x 和 y 满足 x < y 时&#xff0c;我们称这个整数是单调递增的。&#xff09; 示例 1: 输入: …

MySQL purge 线程

MySQL中purge线程知识&#xff1a;https://dev.mysql.com/doc/refman/5.7/en/innodb-improved-purge-scheduling.htmlInnoDB中delete所做删除只是标记为删除的状态&#xff0c;实际上并没有删除掉&#xff0c;因为MVCC机制的存在&#xff0c;要保留之前的版本为并发所使用。最终…

安装inde.html使用babel,reactjs – 使用Babel Standalone进行单个React组件渲染,仅使用index.html和Component...

Noob与React在这里.我正在玩React.我有一个简单的组件在我的component.js中呈现.它包含在我的index.html文件中.我在头部包含了React,ReactDOM和babel的脚本.我只想看到一个div正确渲染.我还没有使用Node,只是使用React和Babel(使用babel-standalone).我正在使用一个简单的http…

软件工程师转正申请_这是申请软件工程师工作的4种最佳方法-以及如何使用它们。...

软件工程师转正申请by YK Sugi由YK Sugi 这是适用于软件工程师工作的最佳方法&#xff0c;以及确切的使用方法。 (Here are the best methods for applying to software engineer jobs — and exactly how to use them.) When people think of applying for jobs, they often …

【JS新手教程】LODOP打印复选框选中的任务或页数

之前的博文&#xff1a;【JS新手教程】LODOP打印复选框选中的内容关于任务&#xff1a;Lodop打印语句最基本结构介绍&#xff08;什么是一个任务&#xff09;关于本文用到的JS的eval方法&#xff1a;JS-JAVASCRIPT的eval()方法该文用的是不同checkbox&#xff0c;对应不同的val…

查询范围_企二哥:查询企业经营范围的三种方法

一、查询企业经营范围的三种方法1. 进经营地的工商局网站,有个“全国企业信用信息公示系统”进去后输入公司名称搜索就出来了。2. 有个软件叫做天眼查&#xff0c;打开天眼查输入要查询的公司名称&#xff0c;就可以搜出来了。不光是经营范围&#xff0c;还有许多和企业相关的资…

C#用DataTable实现Group by数据统计

http://www.cnblogs.com/sydeveloper/archive/2013/03/29/2988669.html 1、用两层循环计算&#xff0c;前提条件是数据已经按分组的列排好序的。 DataTable dt new DataTable();dt.Columns.AddRange(new DataColumn[] { new DataColumn("name", typeof(string)), …