Spring框架学习笔记2

SpringMVC项目实践的逻辑层次

完整的以Spring框架搭建的WEB程序中,通常有4个层次,分别对应不同的功能。
这4个层次从底(数据库层次)到顶(前端显示层次)分别是:

  1. pojo(数据库实体层)
  2. dao(数据持久层)
  3. service (业务逻辑层)
  4. controller (控制层)

是不是感觉很复杂? 其实一点也不复杂,接下来我来一个一个层次来讲。
我们举一个银行业务的例子,包括存款,取款,汇款的业务功能。
每个层次下面我会附上代码,就很简单易懂啦。

1. pojo层

pojo层也叫做model层,entity层,是数据库实体层,数据库实体层是什么意思呢?
在我自己做的demo里面,因为是银行业务,所以我们在pojo层里面,有两个类,分别是Account类,User类。
下图Account类很简单的告诉你:

package com.example.demospringmvc.pojo;
public class Account {
    private int id;
    private User user;
    private float balance;
    public User getUser() {
        return user;
    }
    public int getId() {
        return id;
    }
    public void setId(int id) {
        this.id = id;
    }
    public void setUser(User user) {
        this.user = user;
    }
    public Account(){
        super();
     }
    public float getBalance() {
        return balance;
    }
    public void setBalance(float balance) {
        this.balance = balance;
    }
    @Override
    public String toString(){
        return "Account(name="+user.getName()+",age="+user.getAge()+",balance="+balance+")";
    }
}

再举个User类的例子:

package com.example.demospringmvc.pojo;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.stereotype.Component;
import org.springframework.stereotype.Controller;
@Component()
public class User {
    private int id;
    private String name;
    private int age;
    public User(){
        super();
     }
    public User(String name,int age){
        super();
        this.name = name;
        this.age = age;
    }
    public int getId() {
        return id;
    }
    public void setId(int id) {
        this.id = id;
    }
    public String getName() {
        return name;
    }
    @Value("Tom")
    public void setName(String name) {
        this.name = name;
    }
    public int getAge() {
        return age;
    }
    @Value("12")
    public void setAge(int age) {
        this.age = age;
    }
    @Override
    public String toString(){
        return "User(name="+name+",age="+age+")";
    }
}

上述代码应该很清晰明了了吧,所谓的数据库实体层,就是在pojo里面的类,就是用来把数据库里面的数据进行实例化或者可以说对象化的一些类。这下是不是完全清楚了,所谓的pojo类也没有那么难理解嘛。

2. dao层

dao层也叫做mapper层,是数据持久层。数据持久层是什么意思呢?
其实说白了,就是来实现pojo实体对象和数据库之间的数据操作(增删改查),也就是说,sql的语句是放在dao层里面的。
dao层和service层有一个共同的特点,就是这两层是有interface的,主要的目的就是为了方便开发与方便以后的维护。Interface定义了需要被开发和实现的方法,也就是给具体的开发定下了一个大体的框架,方便开发人员实现。
例如,IAccountDao Interface:

package com.example.demospringmvc.dao;
import java.util.List;
import com.example.demospringmvc.pojo.Account;
public interface IAccountDao {
	// 添加
	public int addAccount(Account account);
	// 更新
	public int updateAccount(Account account);
	// 删除
	public int deleteAccount(int id);

	// 更新余额
	public int updateBalance(int id,float money,boolean add);

	// 通过id查询
	public int getAccountIdByUserId(int userId);

	// 通过id查询
	public Account findAccountById(int id);
	// 查询所有账户
	public List<Account> findAllAccount();

	public List<Account> findAccountByName(String name);
}

AccountDao类:

package com.example.demospringmvc.dao;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.util.List;
import com.example.demospringmvc.pojo.User;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
import org.springframework.jdbc.core.BeanPropertyRowMapper;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.core.RowMapper;
import com.example.demospringmvc.pojo.Account;
import org.springframework.stereotype.Repository;
import javax.annotation.Resource;
public class AccountDao implements IAccountDao {
	// 声明JdbcTemplate属性及其setter方法
	private JdbcTemplate jdbcTemplate;
	public void setJdbcTemplate(JdbcTemplate jdbcTemplate) {
		this.jdbcTemplate = jdbcTemplate;
	}

	@Resource
	private UserDao userDao;
	// 添加账户
	public int addAccount(Account account) {
		int userid=userDao.addUser(account.getUser());
		account.getUser().setId(userid);
		// 定义SQL
		String sql = "insert into tb_account(userid,balance) values(?,?)";
		// 定义数组来存放SQL语句中的参数
		Object[] obj = new Object[] { 
                           account.getUser().getId(),
                           account.getBalance() 
         };
		// 执行添加操作,返回的是受SQL语句影响的记录条数
		int num = this.jdbcTemplate.update(sql, obj);
		return num;
	}
	// 更新账户
	public int updateAccount(Account account) {
		// 定义SQL
		String sql = "update tb_account set userid=?,balance=? where id = ?";
		// 定义数组来存放SQL语句中的参数
		Object[] params = new Object[] { 
                               account.getUser().getId(),
                               account.getBalance(), 
                               account.getId() 
          };
		// 执行添加操作,返回的是受SQL语句影响的记录条数
		int num = this.jdbcTemplate.update(sql, params);
		return num;
	}
	// 删除账户
	public int deleteAccount(int id) {
		// 定义SQL
		String sql = "delete  from tb_account where id = ? ";
		// 执行添加操作,返回的是受SQL语句影响的记录条数
		int num = this.jdbcTemplate.update(sql, id);
		return num;
	}
	// 通过id查询账户数据信息
	public Account findAccountById(int id) {
	    //定义SQL语句
	    String sql = "select * from tb_account,tb_user where TB_ACCOUNT.id = ? and TB_USER.ID=TB_ACCOUNT.USERID";
	    // 创建一个新的BeanPropertyRowMapper对象
//	    RowMapper<Account> rowMapper =
//	new BeanPropertyRowMapper<Account>(Account.class);
	    // 将id绑定到SQL语句中,并通过RowMapper返回一个Object类型的单行记录
	    return this.jdbcTemplate.queryForObject(sql, new AccountRowMapper(), id);
	}
	// 查询所有账户信息
	public List<Account> findAllAccount() {
		System.out.println("JDBC Template");
	    // 定义SQL语句
	    String sql = "select * from tb_account,tb_user where TB_USER.ID=TB_ACCOUNT.USERID";
	    // 创建一个新的BeanPropertyRowMapper对象
//	    RowMapper<Account> rowMapper =
//	new BeanPropertyRowMapper<Account>(Account.class);
	    // 执行静态的SQL查询,并通过RowMapper返回结果
	    return this.jdbcTemplate.query(sql, new AccountRowMapper());
	}
	// 查询所有账户信息
	public List<Account> findAccountByName(String name) {
		// 定义SQL语句
		String sql = "select * from tb_account,tb_user where TB_USER.name=? AND TB_USER.ID=TB_ACCOUNT.USERID";
		// 创建一个新的BeanPropertyRowMapper对象
//	    RowMapper<Account> rowMapper =
//	new BeanPropertyRowMapper<Account>(Account.class);
		// 执行静态的SQL查询,并通过RowMapper返回结果
		return this.jdbcTemplate.query(sql, new AccountRowMapper(),name);
	}
	// 更新余额
	public int updateBalance(int id,float money,boolean add){
		int num=0;
		if (add)
		num=this.jdbcTemplate.update("update tb_account set balance = balance +? "
				+ "where id = ?",money, id);
		else
			num=this.jdbcTemplate.update("update tb_account set balance = balance -? "
					+ "where id = ?",money, id);
		return num;
	}
	public int getAccountIdByUserId(int userId){
		String sql = "select id from tb_account where userId = ?";
		RowMapper<Account> rowMapper =
				new BeanPropertyRowMapper<Account>(Account.class);
		Account account=this.jdbcTemplate.queryForObject(sql, rowMapper, userId);
		return account.getId();
	}
	private class AccountRowMapper implements RowMapper<Account> {
		private ResultSet rs;
		private int rowNum;
		@Override
		public Account mapRow(ResultSet rs, int rowNum) throws SQLException {
			this.rs = rs;
			this.rowNum = rowNum;
			User user = new User();
			user.setId(rs.getInt("tb_user.id"));
			user.setName(rs.getString("name"));
			user.setAge(rs.getInt("age"));
			Account account=new Account();
			account.setId(rs.getInt("tb_account.id"));
			account.setBalance(rs.getFloat("balance"));
			account.setUser(user);
			return account;
		}
	}
}

上面的代码就是AccountDao类的具体实现。
如代码中所表示的,对于Account类来说从应用层面上来说,我们应该可以对数据库中的账户表(tb_account)进行有相关的操作,例如增加账户,查询账户,删除账户之类的操作,那么着一些方法的具体实现就应该放在dao层。所谓的具体实现,就是指例如如果我们要增加账户,那么其实就是在数据库里面增加一条我们需要增加的账户的信息,所以我们在AccountDao里面就需要有一个增加账户的方法,方法里面的语句就是对数据库进行操作。在上述的代码里面,我们是使用一个来自Spring框架中包含的类叫做JdbcTemplate加SQL的语句来实现这个功能。
注意:我在这个AccountDao类里面使用的是Spring自带的JdbcTemplate类,当然,我们也可以把mybatis框架嵌套到这个dao层里面,通过mybatis来操作数据库也是完全没问题的。我们也可以extends JdbcDaoSupport类来实现。也就是说,具体的实现的方法有很多种,但是具体的目的就是为了操作数据库内容。

3. service层

service层也叫做业务逻辑层,这一层就非常好理解了。同样,和dao层一样,service层也有interface,如下:

package com.example.demospringmvc.service;
import com.example.demospringmvc.pojo.Account;
import com.example.demospringmvc.pojo.User;
import java.util.List;
public interface AccountService {
    //开户销户
    public boolean  openAccount(User user);
    public boolean  closeAccount(User user);
    // 存取钱
    public boolean  saveMoney(User user,float money);
    public boolean  withdrawMoney(User user,float money);
    // 转账
    public boolean transfer(User outUser,User inUser,float money);
    public boolean transferWithTransaction(User outUser,User inUser,float money);
    public List<Account> queryAllAccounts();
}

AccountServiceImpl类:

package com.example.demospringmvc.service;

import com.example.demospringmvc.dao.AccountDao;
import com.example.demospringmvc.dao.IAccountDao;
import com.example.demospringmvc.pojo.Account;
import com.example.demospringmvc.pojo.User;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Qualifier;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Isolation;
import org.springframework.transaction.annotation.Propagation;
import org.springframework.transaction.annotation.Transactional;
import javax.annotation.Resource;
import java.util.List;
@Service("accountService")
public class AccountServiceImpl implements AccountService {
    @Autowired
    @Qualifier("accountDao2")
    private IAccountDao accountDao;
    //开户销户
    public boolean openAccount(User user){
        if(user.getName()=="" ||user.getAge()<18) return false;
        Account account=new Account();
        account.setUser(user);
        accountDao.addAccount(account);
        return true;
    }
    public boolean  closeAccount(User user){
        if(user.getName()=="" ||user.getAge()<18) return false;
        List<Account> accounts=accountDao.findAccountByName(user.getName());
        for(Account account:accounts)
            accountDao.deleteAccount(account.getId());
        return true;
    }
    // 存取钱
    public boolean  saveMoney(User user,float money){
        if(user.getName()=="" ||user.getAge()<18 || money<=0) return false;
        List<Account> accounts= accountDao.findAccountByName(user.getName());
        if (accounts.size()==0) return false;
        int acctID=accounts.get(0).getId();
        accountDao.updateBalance(acctID, money,true);
        return true;
    }
    public boolean  withdrawMoney(User user,float money){
        if(user.getName()=="" ||user.getAge()<18 || money<=0) return false;
        List<Account> accounts= accountDao.findAccountByName(user.getName());
        if (accounts.size()==0 ) return false;
        if(accounts.get(0).getBalance()<money) return false;
        int acctID=accounts.get(0).getId();
        accountDao.updateBalance(acctID, money,false);
        return true;
    }
    //转账
    public void  transfer(User outUser, User inUser, float money) {
        withdrawMoney(outUser,money);
        saveMoney(inUser,money);
    }
    @Transactional(propagation = Propagation.REQUIRED,
            isolation = Isolation.DEFAULT, readOnly = false)
    public void  transferWithTransaction(User outUser, User inUser, float money) {
        withdrawMoney(outUser,money);
        // 模拟系统运行时的突发性问题
        int i = 1/0;
        saveMoney(inUser,money);
    }
    public List<Account> queryAllAccounts(){
        List<Account> accounts= accountDao.findAllAccount();
        return accounts;
    }
}

上面的代码就是AccountServiceImpl类,这个类也就是在所谓的service层。
所以说,所谓的service层就是我们对于银行业务可以干什么,对于AccountDao类来说,这些就是关于Account账户的一些业务。这时候我们不需要去管具体的实现,也就是dao层里面具体的sql语句是如何写的,具体是使用mybatis啊,还是JDBC啊,我们都不用管,我们只需要在service层调用之前dao层写好的底层实现就可以了。例如在这个类里面,我们可以openAccount,也就是开户,可以closeAccount,也就是消户,也可以savemoney,也就是存钱,也可以withdrawmoney,也就是取钱,在这个service层,我们是需要去进行具体业务相关的操作,也就是例如银行能有些什么功能,而具体的和数据库打交道的具体实现,都一定是在dao层,而不是在service层,那么“存钱”这个概念,就是一个业务,所以我们也管service层叫做业务逻辑层。

4. controller层

controller层也叫做控制层,专业点来说:controller层的功能为请求和响应控制,负责前后端交互,接受前端请求,分发给不同的方法,在方法中调用service层的方法,接收service层返回的数据,最后返回具体数据到客户端页面。
也就是说这一个层次要干的事情就是:把我们之前在service里面如果有得到的数据,返回到前端,例如浏览器上面。
老规矩,demo说明一切:

package com.example.demospringmvc.controller;

import com.alibaba.fastjson.JSON;
import com.alibaba.fastjson.JSONObject;
import com.example.demospringmvc.pojo.TransferAccount;
import com.example.demospringmvc.pojo.User;
import com.example.demospringmvc.service.AccountService;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;

import javax.annotation.Resource;
import java.util.HashMap;

@Controller

public class AccountController {

	@Resource
	private AccountService accountService;

	@RequestMapping("openaccount")
	public String openaccount(User user,Model model) {
		System.out.println("openaccount:"+user);
		model.addAttribute("operation","开户");
		if(accountService.openAccount(user))
			model.addAttribute("result","成功!");
		else
			model.addAttribute("result","失败!");
		return "result";
	}

	@RequestMapping("closeaccount")
	public String closeaccount(User user,Model model) {
		System.out.println("closeaccount:"+user);
		model.addAttribute("operation","销户");
		if(accountService.closeAccount(user))
			model.addAttribute("result","成功!");
		else
			model.addAttribute("result","失败!");
		return "result";
	}

	@RequestMapping("save")
	public String save(User user,float money,Model model) {
		System.out.println("save:"+user+"----"+money);
		user.setAge(20);
		model.addAttribute("operation","存款");
		if(accountService.saveMoney(user,money))
			model.addAttribute("result","成功!");
		else
			model.addAttribute("result","失败!");
		return "result";
	}
	@RequestMapping("withdraw")
	public String withdraw(User user,float money,Model model) {
		System.out.println("withdraw:"+user+"----"+money);
		user.setAge(20);
		model.addAttribute("operation","取款");
		if(accountService.withdrawMoney(user,money))
			model.addAttribute("result","成功!");
		else
			model.addAttribute("result","失败!");
		return "result";
	}

	@PostMapping("transfer1")
	public String transfer1(@RequestBody HashMap<String, Object> map, Model model) {
		model.addAttribute("operation","转账1");
		User  outuser=JSON.toJavaObject((JSONObject)map.get("outuser"),User.class);
		User inuser= JSON.toJavaObject((JSONObject)map.get("inuser"),User.class);
		float money=(Integer)map.get("money");
		System.out.println("transfer1"+"----"+outuser+"----"+inuser+"----"+money);
		if(accountService.transfer(outuser,inuser,money))
			model.addAttribute("result","成功!");
		else
			model.addAttribute("result","失败!");
		return "result";
	}

	@RequestMapping("transfer2")
	public String transfer2(@RequestBody TransferAccount taccount, Model model) {
		System.out.println("transfer2"+taccount.getOutuser());
		model.addAttribute("operation","转账2");
		if(accountService.transferWithTransaction(taccount.getOutuser(),taccount.getInuser(),taccount.getMoney()))
			model.addAttribute("result","成功!");
		else
			model.addAttribute("result","失败!");
		return "result";
	}

}

controller层相对于其他层次的实现,是相对而言复杂一些的。这篇文章就不详细说明具体实现,只挑其中的一点说一下就好。
看下图:

   	@RequestMapping("openaccount")
	public String openaccount(User user,Model model) {
		System.out.println("openaccount:"+user);
		model.addAttribute("operation","开户");
		if(accountService.openAccount(user))
			model.addAttribute("result","成功!");
		else
			model.addAttribute("result","失败!");
		return "result";
	}

下面是result.jsp,这两个必须合起来看:

<%@ page contentType="text/html; charset=UTF-8" pageEncoding="UTF-8" %>
<!DOCTYPE html>
<html>
<head>
    <title>Spring MVC Demo<</title>
</head>
<body>
<p>${operation}:${result}</p>
</body>
</html>

看到这个@RequestMapping(“String”)了吗,这个的作用就是当浏览器url结尾出现这个双引号里面出现的字符串的时候,程序将跳转到当前方法,并执行当前方法。如果当前方法返回值为String类型的时候,例如上图,这个“result” 其实是一个jsp文件的文件名,有一个jsp文件叫做result.jsp,这时候浏览器会跳转到这个result.jsp页面,并且带上当前方法里面的数据。
例如上述方法,浏览器的url的最后会显示openaccount 也就是当url地址为http://xxx/openaccount格式的时候,会执行openaccount()方法。
model.addAttribute()方法会吧把对应的内容自动填充到jsp文件中,例如:

model.addAttribute("operation","开户");

这句话就是在jsp文件中找到operation,然后把“开户”赋值填充进去。
然后最后的return “result” 就是返回result.jsp给到客户端(浏览器)进行显示。

总结:

完整的Spring程序框架一般有4层,从底到顶分别是pojo,dao,service,controller。其实就是把一个可以写在一起,但是如果写在一起会非常杂乱且耦合度极高的程序,分层次的,一步步实现。
在dao层里面,我们可以用@Autowired, @Qualifier注解注入的方法,注入dao层的对象。
在controller层里面,我们用@Controller来提示容器,这个是contoller层的类。
在service层里面,我们用@service来提示提示容器,这个是service层的类。
特别要注意:

  1. pojo层里面的类必须要写其setter和getter的方法。
  2. dao和service层是要有interface的,为了方便开发与方便以后的维护。

注意 :controller层的具体实现在这篇文章里面没有详细描述,以后会讲。请见Spring框架学习笔记3

  • 1
    点赞
  • 1
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
Spring中,将POJO对象转换为Map对象可以使用Java的反射方法和Jackson库来实现。首先,我们需要使用Java的反射方法`getDeclaredFields()`来获取POJO对象中的字段列表,包括私有字段。然后,我们可以使用Jackson库的ObjectMapper类将POJO对象转换为字符串,并根据定义的格式将其转换为Map对象。在这个过程中,ObjectMapper会读取POJO对象中的@JsonFormat注解,根据定义的格式进行转换。以下是具体的实现代码: ```java private Map<String, Object> toMap(Object obj) { Map<String, Object> result = new HashMap<>(); Field[] fields = obj.getClass().getDeclaredFields(); for (Field field : fields) { field.setAccessible(true); String key = field.getName(); Object value; try { value = field.get(obj); } catch (Exception e) { log.warn("取不到对象中名为 " + field.getName() + " 的值,将其置为空。", e); continue; } result.put(key, value); } return result; } ``` 这段代码中,我们首先使用`getDeclaredFields()`方法获取POJO对象中的所有字段。然后,我们通过循环遍历每个字段,将其名称作为Map中的键,并通过`field.get(obj)`方法获取该字段的值。最后,将键值对添加到结果Map中并返回。 请注意,上述代码中的日志记录是可选的,可以根据需要进行调整。同样地,这个方法也可以根据具体的需求进行调整和扩展。<span class="em">1</span><span class="em">2</span><span class="em">3</span> #### 引用[.reference_title] - *1* *2* *3* [说说如何把一个POJO形式的Bean对象转换为 Map形式](https://blog.csdn.net/deniro_li/article/details/117394290)[target="_blank" data-report-click={"spm":"1018.2226.3001.9630","extra":{"utm_source":"vip_chatgpt_common_search_pc_result","utm_medium":"distribute.pc_search_result.none-task-cask-2~all~insert_cask~default-1-null.142^v93^chatsearchT3_2"}}] [.reference_item style="max-width: 100%"] [ .reference_list ]
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值