第11讲 使用ThymeLeaf模板实现数据修改

接 第10讲 使用ThymeLeaf模板实现查看页面
本案例,要实现数据修改。

1 新建修改数据页面

在src/main/resources目录的templates/product/文件夹中,新建html页面modify.html,代码如下:





查看产品







	
	
图片

2 修改控制器

修改ProductController.java代码

package com.zjipc.jpa.controller;

import java.util.List;

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.ui.ModelMap;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody;

import com.zjipc.jpa.dao.ProductRepository;
import com.zjipc.jpa.model.Product;

@Controller
@RequestMapping("/product")
public class ProductController {
	private Logger log = LoggerFactory.getLogger(getClass());
	
	@Autowired
	private ProductRepository productRepository;
	
	/**
	 * 拦截 /product/list 的post请求,返回数据
	 * @RestController =@Controller + @ResponseBody
	 * @return
	 */
	@PostMapping("/list")
	@ResponseBody
	public List list(){
		List list = productRepository.findAll();
		return list;
	}
	
	/**
	 * 捕捉通过Get请求,得到页面内容
	 * @param id
	 * @param map
	 * @return
	 */
	@GetMapping("/detail/{id}")
	public String getDetail(@PathVariable long id, ModelMap map) {
		Product p = productRepository.getOne(id);
		map.addAttribute("id", id);
		map.addAttribute("name", p.getName());
		map.addAttribute("price", p.getPrice());
		map.addAttribute("category", p.getCategory());
		map.addAttribute("pnum", p.getPnum());
		map.addAttribute("imgurl", p.getImgurl());
		map.addAttribute("description", p.getDescription());
		return "/product/detail";
	}
	
	@GetMapping("/modify/{id}")
	public String getModify(@PathVariable long id, ModelMap map) {
		Product p = productRepository.getOne(id);
		map.addAttribute("id", id);
		map.addAttribute("name", p.getName());
		map.addAttribute("price", p.getPrice());
		map.addAttribute("category", p.getCategory());
		map.addAttribute("pnum", p.getPnum());
		map.addAttribute("imgurl", p.getImgurl());
		map.addAttribute("description", p.getDescription());
		return "/product/modify";	 // 返回模板页面地址
	}
	
	@PostMapping("/modify/{id}")
	public String postModify(Product p) {
		log.warn(p.toString());
		productRepository.save(p);
		return "redirect:../../index.html";  // 返回静态页面地址
	}
}

注意:获取修改页面,是使用get请求,提交数据,使用post请求。所以请求与提交路径一直,但服务器响应时,根据业务逻辑,进行不同的处理。

你可能感兴趣的:(Spring,Boot学习)