`

四. Spring MVC 3 支持json及 常见错误解决

 
阅读更多

spring3 已经集成了jackson,本身支持页面的ajax获取数据。在版本中我们无需任何配置,只需下载jackson-all的包,放置在lib目录中,在controller中采用@ResponseBody 标记,就可以直接把Map,list 及各种对象直接转换为json对象的形式展现在前端。

1、spring3支持的各种类型转换为json对象的实例如下

在controller层中我们设置如下4种类型,分别是异常信息(结合上篇文章),Map,List及object对象,controller层代码如下:

package com.jason.web;

import java.io.IOException;
import java.util.ArrayList;
import java.util.Date;
import java.util.HashMap;
import java.util.List;
import java.util.Map;

import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.http.HttpSession;

import org.apache.commons.lang.StringUtils;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.servlet.ModelAndView;

import com.jason.domain.User;
import com.jason.exception.BusinessException;
import com.jason.service.UserService;
import com.jason.util.Constants;
import com.jason.web.dto.LoginCommand;

@Controller
public class LoginController {

	@Autowired
	private UserService userService;

	/**
	 * jump into the login page
	 * 
	 * @return
	 * @throws BusinessException
	 * @throws
	 * @throws BusinessException
	 */
	@RequestMapping(value = "/index.html")
	public String loginPage() throws BusinessException {
		return Constants.LOGIN_PAGE;
	}

	/**
	 * get the json object
	 * 
	 * @return
	 * @throws Exception
	 */
	@RequestMapping(value = "/josonException.html")
	public @ResponseBody
	Map<String, Object> getjson() throws BusinessException {
		Map<String, Object> map = new HashMap<String, Object>();
		try {
			map.put("content", "123");
			map.put("result", true);
			map.put("account", 1);
			throw new Exception();
		} catch (Exception e) {
			throw new BusinessException("detail of ajax exception information");
		}
	}

	/**
	 * get the json object
	 * 
	 * @return
	 * @throws Exception
	 */
	@RequestMapping(value = "/josonMap.html")
	public @ResponseBody Map<String, Object> getjsonMap() throws BusinessException {
		Map<String, Object> map = new HashMap<String, Object>();
		map.put("content", "123");
		map.put("result", true);
		map.put("account", 1);
		return map;
	}
	
	/**
	 * get the json object
	 * 
	 * @return
	 * @throws Exception
	 */
	@RequestMapping(value = "/josonList.html")
	public @ResponseBody List getjsonList() throws BusinessException {
		LoginCommand loginCommand = new LoginCommand();
		loginCommand.setUserName("admin");
		loginCommand.setPassword("123456");
		loginCommand.setKaptchaCode("9943");
		List list = new ArrayList();
		list.add(0,loginCommand);
		list.add(1,loginCommand);
		list.add(2,loginCommand);
		list.add(3,loginCommand);
		list.add(4,loginCommand);
		list.add(5,loginCommand);
		return list;
	}
	
	/**
	 * get the json object
	 * 
	 * @return
	 * @throws Exception
	 */
	@RequestMapping(value = "/josonObject.html")
	public @ResponseBody LoginCommand getjsonObject() throws BusinessException {
		LoginCommand loginCommand = new LoginCommand();
		loginCommand.setUserName("admin");
		loginCommand.setPassword("123456");
		loginCommand.setKaptchaCode("9943");
		return loginCommand;
	}
	/**
	 * login in operation
	 * 
	 * @param request
	 * @param loginCommand
	 * @return
	 * @throws IOException
	 */
	@RequestMapping(value = "/login.html")
	public ModelAndView loginIn(HttpServletRequest request,
			HttpServletResponse respone, LoginCommand loginCommand)
			throws IOException {

		boolean isValidUser = userService.hasMatchUser(
				loginCommand.getUserName(), loginCommand.getPassword());
		boolean isValidateCaptcha = validateCaptcha(request, loginCommand);

		ModelAndView modeview = new ModelAndView(Constants.LOGIN_PAGE);

		if (!isValidUser) {
			// if have more information,you can put a map to modelView,this use
			// internalization
			modeview.addObject("loginError", "login.user.error");
			return modeview;
		} else if (!isValidateCaptcha) {
			// if have more information,you can put a map to modelView,this use
			// internalization
			modeview.addObject("loginError", "login.user.kaptchaError");
			return modeview;
		} else {
			User user = userService.findUserByUserName(loginCommand
					.getUserName());
			user.setLastIp(request.getLocalAddr());
			user.setLastVisit(new Date());

			userService.loginSuccess(user);

			// we can also use
			request.getSession().setAttribute(Constants.LOGINED, user);
			String uri = (String) request.getSession().getAttribute(
					Constants.CURRENTPAGE);
			if (uri != null
					&& !StringUtils.equalsIgnoreCase(uri,
							Constants.CAPTCHA_IMAGE)) {
				respone.sendRedirect(request.getContextPath() + uri);
			}
			return new ModelAndView(Constants.FRONT_MAIN_PAGE);
		}
	}

	/**
	 * logout operation
	 * 
	 * @param request
	 * @param response
	 * @return
	 */
	@RequestMapping(value = "/logout.html")
	public ModelAndView logout(HttpServletRequest request,
			HttpServletResponse response) {

		/*
		 * HttpServletRequest.getSession(ture) equals to
		 * HttpServletRequest.getSession() means a new session created if no
		 * session exists request.getSession(false) means if session exists get
		 * the session,or value null
		 */
		HttpSession session = request.getSession(false);

		if (session != null) {
			session.invalidate();
		}

		return new ModelAndView("redirect:/index.jsp");
	}

	/**
	 * check the Captcha code
	 * 
	 * @param request
	 * @param command
	 * @return
	 */
	protected Boolean validateCaptcha(HttpServletRequest request, Object command) {
		String captchaId = (String) request.getSession().getAttribute(
				com.google.code.kaptcha.Constants.KAPTCHA_SESSION_KEY);
		String response = ((LoginCommand) command).getKaptchaCode();
		if (!StringUtils.equalsIgnoreCase(captchaId, response)) {
			return false;
		}
		return true;
	}
}

   页面配置如下:分别测试异常,map,list及对象

<%@ page language="java" contentType="text/html; charset=UTF-8"
    pageEncoding="UTF-8"%>
<%@ include file="/common/taglibs.jsp"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN">
<html>
 <head>
  <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
  <title>spring login information</title>
  <script type="text/javascript">
  	function ajaxTestException()
  	{
  		$.ajax( {
			type : 'GET',
			//contentType : 'application/json',   
			url : '${basePath}/josonException.html',   
			async: false,//禁止ajax的异步操作,使之顺序执行。
			dataType : 'json',
			success : function(data,textStatus){
				alert(JSON.stringify(data));
			},
			error : function(data,textstatus){
				alert(data.responseText);
			}
		});
  	}
  	function ajaxTestMap()
  	{
  		$.ajax( {
			type : 'GET',
			//contentType : 'application/json',   
			url : '${basePath}/josonMap.html',   
			async: false,//禁止ajax的异步操作,使之顺序执行。
			dataType : 'json',
			success : function(data,textStatus){
				alert(JSON.stringify(data));
			},
			error : function(data,textstatus){
				alert(data.responseText);
			}
		});
  	}
  	function ajaxTestList()
  	{
  		$.ajax( {
			type : 'GET',
			//contentType : 'application/json',   
			url : '${basePath}/josonList.html',   
			async: false,//禁止ajax的异步操作,使之顺序执行。
			dataType : 'json',
			success : function(data,textStatus){
				alert(JSON.stringify(data));
			},
			error : function(data,textstatus){
				alert(data.responseText);
			}
		});
  	}
  	
  	function ajaxTestObject()
  	{
  		$.ajax( {
			type : 'GET',
			//contentType : 'application/json',   
			url : '${basePath}/josonObject.html',   
			async: false,//禁止ajax的异步操作,使之顺序执行。
			dataType : 'json',
			success : function(data,textStatus){
				alert(JSON.stringify(data));
			},
			error : function(data,textstatus){
				alert(data.responseText);
			}
		});
  	}
  </script>
 </head>
 <body>
	<table cellpadding="0" cellspacing="0" style="width:100%;">
	  <tr>
	      <td rowspan="2" style="width:30px;">
	      </td>
	      <td style="height:72px;">
	          <div>
	              spring login front information
	          </div>
	          <div>
	               ${loginedUser.userName},欢迎您进入Spring login information,您当前积分为${loginedUser.credits};
	          </div>
	          <div>
            	<a href="${basePath}/backendmain.html">后台管理</a>
           	 </div>
	      </td>
	      <td>
    	  	<div>
            <a href="${basePath}/logout.html">退出</a>
           </div>
	     </td>
	  </tr>
	  <tr>
	  	 <td style="height:72px;">
	          <div>
            	<input type=button value="Ajax Exception Test" onclick="ajaxTestException();"></input>
           	 </div>
	      </td>
	      	 <td style="height:72px;">
	          <div>
            	<input type=button value="Ajax Map Test" onclick="ajaxTestMap();"></input>
           	 </div>
	      </td>
	      	 <td style="height:72px;">
	          <div>
            	<input type=button value="Ajax List Test" onclick="ajaxTestList();"></input>
           	 </div>
	      </td>
	      	 <td style="height:72px;">
	          <div>
            	<input type=button value="Ajax Object Test" onclick="ajaxTestObject();"></input>
           	 </div>
	      </td>
	  </tr>
	</table>
 </body>
</html>

 运行代码,到达登录成功界面及获取的结果如下:



 

 

 

 

2、集成Json对象时,常常会抛如下的406错误:The resource identified by this request is only capable of generating responses with characteristics not acceptable according to the request "accept" headers ()。

      针对这个问题,网络上有好多的答案,五花八门,其实这个本身是spring的bug导致,在spring的rc版本中都会出现这个问题,而不能支持ajax方式,而不是jackson.jar的问题。目前,解决这个问题的spring版本是3.1.1 release版本。而目前最新的spring rc版本仍然存在这个问题。

 

至此,spring3支持json方式介绍到这里。

 

 

 

  • 大小: 32.5 KB
  • 大小: 40.8 KB
  • 大小: 45.1 KB
  • 大小: 58.8 KB
  • 大小: 46.6 KB
分享到:
评论

相关推荐

    最全最经典spring-mvc教程

    除此之外,教程可能还会涵盖Spring MVC的RESTful API设计,如何创建JSON响应,以及使用Spring Boot快速构建Spring MVC应用。Spring Boot简化了配置,提供了预配置的依赖,使得开发者能更快地启动项目。 错误处理和...

    spring mvc

    Spring MVC 是一个基于Java的轻量级Web应用框架,它属于Spring框架的一部分,主要用于构建控制器层,实现模型-视图-控制器(Model-View-Controller)架构。在Spring MVC中,开发者可以方便地处理HTTP请求,进行数据...

    Spring MVC跟jQuery和Twitter Bootstrap的结合

    3. **数据绑定**:Spring MVC支持JSON或XML格式的数据交换,jQuery可以通过Ajax请求发送和接收这些格式的数据。使用`@RequestBody`和`@ResponseBody`注解,Spring MVC可以将JSON数据自动映射到Java对象。 4. **表单...

    spring mvc 使用jquery 传json值给Controller时需要解决的问题

    在Spring MVC中,使用jQuery向Controller传递JSON数据是一种常见的数据交互方式。然而,这个过程可能会遇到一些问题,本文将详细探讨这些难题以及解决方案。 1. **JSON数据格式化** JSON(JavaScript Object ...

    SpringMVC框架中传递JSON数据时前台报406错误解决办法

    正确配置Spring MVC的JSON支持,确保前端和后端的数据类型匹配,是避免406错误的关键。同时,保持库版本的兼容性也是保证程序稳定运行的重要环节。通过这些措施,我们能够顺利地在Spring MVC应用中传递和处理JSON...

    spring in action mvc 第四版 中文版

    《Spring in Action: Spring MVC 第四版 中文版》是一本深入探讨Spring MVC框架的权威指南,适合Java开发者阅读。本书全面介绍了如何使用Spring MVC来构建健壮、高性能的Web应用程序。Spring MVC是Spring框架的核心...

    java spring mvc网站报XMLHttpRequest cannot load,只能get访问不能post访问 的解决办法.zip

    在Java Spring MVC开发的Web应用中,用户可能会遇到一个常见的问题,即XMLHttpRequest(通常由Ajax请求触发)只能执行GET请求,而无法成功发起POST请求。这个问题通常表现为浏览器的JavaScript控制台显示错误信息...

    json在spring中的应用

    在Spring框架中,JSON的使用是极其常见的,尤其在Spring MVC中,它扮演着重要的角色,使得前后端交互变得更加简单。 在Spring MVC中,JSON主要通过以下几种方式进行应用: 1. **ModelAndView到JSON的转换**:在...

    spring mvc常用包

    解决这些问题后,你应该能够成功地从Spring MVC控制器返回自定义对象的JSON数据到客户端。同时,为了提高性能和可维护性,建议遵循最佳实践,如使用`@RestController`代替`@Controller`+`@ResponseBody`,并尽可能...

    spring mvc需要用的jar完整整理

    在这个名为 "spring mvc需要用的jar完整整理" 的压缩包中,包含了一系列支持 Spring MVC 开发所需的 jar 包。下面将详细介绍这些 jar 包以及它们在 Spring MVC 应用中的作用。 1. **spring-webmvc.jar**:这是 ...

    Spring mvc RESTful demo

    Spring MVC 自动支持 JSON 序列化和反序列化,通过 `@RequestBody` 和 `@ResponseBody` 注解,Spring 能够自动将 Java 对象转换为 JSON,反之亦然。 7. **错误处理** 可以通过自定义异常处理器(`@...

    spring mvc jar 包

    Spring MVC 是一个基于Java的轻量级Web应用框架,它为构建RESTful应用程序提供了强大的支持。这个"spring mvc jar 包"包含了Spring MVC框架所有可能需要用到的核心组件和依赖,使得开发者无需逐一下载和管理各个组件...

    spring-mvc注解详情

    Spring MVC 是一个强大的Java Web开发...以上注解是Spring MVC开发中最为常见的,它们极大地简化了代码,提高了开发效率。通过阅读所提供的文档,可以深入理解每个注解的用法和实现细节,从而更好地运用到实际项目中。

    扩展SpringMVC以支持绑定JSON格式的请求参数

    扩展Spring MVC以支持绑定JSON格式的请求参数,能够使我们的服务更好地与前端或API客户端进行交互。本文将深入探讨如何实现这一功能。 首先,我们需要了解Spring MVC的模型绑定机制。模型绑定是Spring MVC中的一项...

    uploadify [解决spring MVC上传配置冲突]

    在Spring MVC的配置中,你可能已经包含了如下的bean定义来支持文件上传: ```xml &lt;bean id="multipartResolver" class="org.springframework.web.multipart.commons.CommonsMultipartResolver"&gt; &lt;!-- 指定最大上传...

    springboot参考指南

    23.6.3. Multi-profile YAML文档 iv. 23.6.4. YAML缺点 vii. 23.7. 类型安全的配置属性 i. 23.7.1. 第三方配置 ii. 23.7.2. 松散的绑定(Relaxed binding) iii. 23.7.3. @ConfigurationProperties校验 iii. 24. ...

    spring mvc工作流程

    此外,Spring MVC 还提供了丰富的扩展点,使得开发者可以根据实际需求自定义各种功能,如错误处理、国际化支持等。这种高度的灵活性和强大的功能使得 Spring MVC 成为了构建企业级 Web 应用程序的首选框架之一。

    json 中文乱码解决方案

    ### json 中文乱码解决方案 在处理JSON数据时,经常会出现中文乱码的问题,尤其是在不同编码格式间进行转换时更为常见。本文将详细介绍如何解决JSON中的中文乱码问题,并提供几种简单实用的方法来帮助开发者避免这...

    Maven+Spring MVC +Hibernate Validate

    综上所述,"Maven+Spring MVC +Hibernate Validate"项目结合了多种强大技术,构建了一个高效、健壮的Web应用解决方案,涵盖了项目管理、服务端控制、数据持久化、数据验证、前端交互以及文件处理等多个方面。...

Global site tag (gtag.js) - Google Analytics