admin管理员组文章数量:1123558
[4
文章目录
- 1. Json数据
- 1.1 Json在JavaScript 中的使用
- 1.1.1 json的定义
- 1.1.2 json访问
- 1.1.3 json 的两种形式
- 1.2 JSON 在 java 中的使用
- 1.2.1 javaBean和json的互转
- 1.2.2 List和json的互转
- 1.2.3 map 和 json 的互转
- 2. Ajax请求
- 2.1 Ajax的特性
- 2.2 Ajax的五种请求方式
- 2.2.1 JavaScript原生Ajax请求
- 2.2.2 jQuery中的Ajax请求
- 2.2.3 jQuery中的Ajax-get请求
- 2.2.4 jQuery中的Ajax-post请求
- 2.2.5 jQuery中的Ajax-getJson请求
- 2.2.6 补充serialize()表单序列正则化
- 3. i18n国际化
- 3.1 国际化的三要素
- 3.2 国际化资源 properties文件
- 3.3 通过请求头国际化页面
- 3.4 通过选择语言类型来进行相应的国际化
- 3.5 JSTL标签库实现国际化
1. Json数据
JSON (JavaScript Object Notation) 是一种轻量级的数据交换格式;易于机器解析和生成;独立于计算机语言的一种文本格式;很多语言都提供了对 json 的支持。
- 轻量级指的是跟 xml 做比较,json数据解析更加容易。
- 数据交换指:客户端和服务器之间业务数据的传递。
1.1 Json在JavaScript 中的使用
1.1.1 json的定义
json 是由键值对组成,并且由花括号(大括号)包围。每个键由引号引起来,键和值之间使用冒号进行分隔, 多组键值对之间进行逗号进行分隔。
- json定义示例:
// json的定义
var jsonObj = {"key1":12,"key2":"abc","key3":true,"key4":[11,"arr",false],"key5":{"key5_1" : 551,"key5_2" : "key5_2_value"},"key6":[{"key6_1_1":6611,"key6_1_2":"key6_1_2_value"},{"key6_2_1":6621,"key6_2_2":"key6_2_2_value"}]
};
1.1.2 json访问
json数据是一个对象;
json中的key可理解为对象的一个属性;
通过 json对象.key 来访问
- json 访问示例:
alert(typeof(jsonObj));// object json就是一个对象
alert(jsonObj.key1); //12
alert(jsonObj.key2); // abc
alert(jsonObj.key3); // true
alert(jsonObj.key4);// 得到数组[11,"arr",false]// json 中 数组值的遍历
for(var i = 0; i < jsonObj.key4.length; i++) {alert(jsonObj.key4[i]);
}
alert(jsonObj.key5.key5_1);//551
alert(jsonObj.key5.key5_2);//key5_2_value
alert( jsonObj.key6 );// 得到json数组// 取出来每一个元素都是json对象
var jsonItem = jsonObj.key6[0];
alert( jsonItem.key6_1_1 ); //6611
alert( jsonItem.key6_1_2 ); //key6_1_2_valuealert(jsonObj);
1.1.3 json 的两种形式
json对象形式,又称json对象
json字符串形式,又称json字符串
在操作json数据时,一般使用json对象格式,在客户端和服务器端进行数据交换的时候,使用json字符串格式。
- 前端操作
JSON.stringify() 把 json 对象转换成为 json 字符串
JSON.parse() 把 json 字符串转换成为 json 对象
- 示例代码
// 把json对象转换成为 json字符串
var jsonObjString = JSON.stringify(jsonObj); // 特别像 Java中对象的toString
alert(jsonObjString)
// 把json字符串。转换成为json对象
var jsonObj2 = JSON.parse(jsonObjString);
alert(jsonObj2.key1);// 12
alert(jsonObj2.key2);// abc
1.2 JSON 在 java 中的使用
可以使用google的Gson的jar包,封装了对json的操作;
其它如Fastjson包也类似;
- toJson() : 生成json字符串
- fromJson :从json字符串转为特定的实体类
1.2.1 javaBean和json的互转
@Test
public void test1( ) {Person person = new Person(1, "root");// 创建 Gson 对象实例Gson gson = new Gson();// toJson 方法可以把 java 对象转换成为 json 字符串String personJsonString = gson.toJson(person);System.out.println(personJsonString); //{"id":1,"username":"root"}// fromJson 把 json 字符串转换回 Java 对象 // 第一个参数是 json 字符串 // 第二个参数是转换回去的 Java 对象类型Person person1 = gson.fromJson(personJsonString, Person.class); //简单对象可以直接传对象的classSystem.out.println(person1); //Person{id=1, username='root'}}
1.2.2 List和json的互转
从json字符串转到相应的复杂实体类时,需要额外操作。
即创建一个类,继承TypeToken,并指定类型。如代码开头所示。(这种方式不提倡)
也可以采取如1.2.3中,匿名内部类的方式。
public class PersonListType extends TypeToken<ArrayList<Person>> {
}@Test
public void test2( ) {List<Person> personList = new ArrayList<Person>();personList.add(new Person(1, "root"));personList.add(new Person(2, "admin"));Gson gson = new Gson();//将list转换成json字符串String personListJsonString = gson.toJson(personList);System.out.println(personListJsonString); //[{"id":1,"username":"root"},{"id":2,"username":"admin"}]//将json字符串转换为List//json转list失败/*List<Person> personList1 = gson.fromJson(personListJsonString, new ArrayList<Person>().getClass());System.out.println(personList1); // [{id=1.0, username=root}, {id=2.0, username=admin}]Person person = personList1.get(0);//java.lang.ClassCastException: com.google.gson.internal.LinkedTreeMap cannot be cast to com.lzj.pojo.PersonSystem.out.println(person); */List<Person> personList2 = gson.fromJson(personListJsonString,new PersonListType().getType());System.out.println(personList2); // [Person{id=1, username='root'}, Person{id=2, username='admin'}]Person person1 = personList2.get(0);System.out.println(person1); //json转list成功 Person{id=1, username='root'}}
1.2.3 map 和 json 的互转
复杂类型互转,从json字符串转为复杂实体对象时要注意。
@Test
public void test3( ) {Map<Integer, Person> map = new HashMap<>();map.put(1, new Person(1, "root"));map.put(2, new Person(2, "admin"));System.out.println(map); //{1=Person{id=1, username='root'}, 2=Person{id=2, username='admin'}}Gson gson = new Gson();String mapJsonString = gson.toJson(map);System.out.println(mapJsonString); //{"1":{"id":1,"username":"root"},"2":{"id":2,"username":"admin"}}Map<Integer, Person> map2 = gson.fromJson(mapJsonString, new TypeToken<HashMap<Integer, Person>>() {}.getType()); //匿名内部类System.out.println(map2.get(1)); //Person{id=1, username='root'}
}
2. Ajax请求
AJAX 即“Asynchronous Javascript And XML”(异步 JavaScript 和 XML),是一种创建交互式网页应用的网页开发技术。
- ajax是一种浏览器通过js发起异步请求,局部更新页面的技术;
- 能大幅提高用户体验;
2.1 Ajax的特性
- 异步请求: 不会因为一次请求过程中长时间得不到服务器响应而卡顿;会继续执行后续代码,而不会卡顿等着服务器的响应;直至服务器响应传回来,进行处理即可。
- 局部更新: 在请求获得服务器的响应后,不会舍弃先前的页面内容,直接处理响应回的数据。
2.2 Ajax的五种请求方式
- 依赖的后端代码
public abstract class BaseServlet extends HttpServlet {@Overrideprotected void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {doPost(req,resp);}@Overrideprotected void doPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {String action = req.getParameter("action");try {// 获取action业务鉴别字符串,获取相应的业务 方法反射对象Method method = this.getClass().getDeclaredMethod(action, HttpServletRequest.class, HttpServletResponse.class);//Method method = UserServlet.class.getDeclaredMethod(action);//System.out.println(method);// 调用目标业务 方法method.invoke(this, req, resp);} catch (Exception e) {e.printStackTrace();throw new RuntimeException(e); // 把异常抛给 Filter 过滤器}}
}
public class AjaxServlet extends BaseServlet {protected void javaScriptAjax(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {System.out.println("Ajax请求过来了");resp.setCharacterEncoding("utf-8");Person person = new Person(1, "贝贝");try {Thread.sleep(3000);} catch (InterruptedException e) {e.printStackTrace();}// json格式的字符串Gson gson = new Gson();String personJsonString = gson.toJson(person);//采用json字符串格式进行前后端数据的传递resp.getWriter().write(personJsonString);}protected void jQueryAjax(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {System.out.println(" jQueryAjax == 方法调用了");resp.setCharacterEncoding("utf-8");Person person = new Person(1, "贝贝");// json格式的字符串Gson gson = new Gson();String personJsonString = gson.toJson(person);resp.getWriter().write(personJsonString);}protected void jQueryGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {System.out.println(" jQueryGet == 方法调用了");resp.setCharacterEncoding("utf-8");Person person = new Person(1, "贝贝");// json格式的字符串Gson gson = new Gson();String personJsonString = gson.toJson(person);resp.getWriter().write(personJsonString);}protected void jQueryPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {System.out.println(" jQueryPost == 方法调用了");resp.setCharacterEncoding("utf-8");Person person = new Person(1, "贝贝");// json格式的字符串Gson gson = new Gson();String personJsonString = gson.toJson(person);resp.getWriter().write(personJsonString);}protected void jQueryGetJSON(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {System.out.println(" jQueryGetJSON == 方法调用了");resp.setCharacterEncoding("utf-8");Person person = new Person(1, "贝贝");// json格式的字符串Gson gson = new Gson();String personJsonString = gson.toJson(person);resp.getWriter().write(personJsonString);}protected void jQuerySerialize(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {System.out.println(" jQuerySerialize == 方法调用了");resp.setCharacterEncoding("utf-8");System.out.println("用户名:" + req.getParameter("username"));System.out.println("密码:" + req.getParameter("password"));Person person = new Person(1, "贝贝");// json格式的字符串Gson gson = new Gson();String personJsonString = gson.toJson(person);resp.getWriter().write(personJsonString);}}
2.2.1 JavaScript原生Ajax请求
- JavaScript原生ajax请求过程
<script type="text/javascript">
function ajaxRequest() {// 1、我们首先要创建XMLHttpRequestvar xmlHttpRequest = new XMLHttpRequest();// 2、调用open方法设置请求参数xmlHttpRequest.open("GET","http://localhost:8080/16_json_ajax_i18n/ajaxServlet?action=javaScriptAjax",true);// 4、在send方法前绑定onreadystatechange事件,处理请求完成后的操作。xmlHttpRequest.onreadystatechange = function () {if (xmlHttpRequest.readyState == 4 && xmlHttpRequest.status == 200) {alert("收到了服务器返回的数据:" + xmlHttpRequest.responseText);var jsonObj = JSON.parse(xmlHttpRequest.responseText);document.getElementById("div01").innerHTML = "编号:"+ jsonObj.id + " , 姓名:" + jsonObj.username;}}//3、调用send方法发送请求xmlHttpRequest.send();alert("hahaha")
}
</script>
2.2.2 jQuery中的Ajax请求
- $.ajax()方法 <方法中传入的为json对象>
- url:表示请求的地址
- type:表示请求的类型 GET 或 POST 请求
- data:表示发送给服务器的数据
格式有两种:
一:name=value&name=value
二:{key:value} - success:请求成功,响应的回调函数
- dataType:响应的数据类型
常用的数据类型有:
text 表示纯文本
xml 表示 xml 数据
json 表示 json 对象
// ajax请求
$("#ajaxBtn").click(function(){alert("ajax btn");$.ajax({url: "http://localhost:8080/16_json_ajax_i18n/ajaxServlet",data: "action=jQueryAjax",type: "GET",success: function (msg) {// var jsonObj = JSON.parse(msg);$("#msg").html(" jQueryAjax 编号:" + msg.id + " , 姓名:" + msg.username);},dataType: "json"});
});
2.2.3 jQuery中的Ajax-get请求
- $.get 方法 <方法中传入的为参数>
- url:请求的 url 地址
- data:发送的数据
- callback:成功的回调函数
- type:返回的数据类型
// ajax--get请求
$("#getBtn").click(function(){alert(" get btn ");$.get("http://localhost:8080/16_json_ajax_i18n/ajaxServlet", "action=jQueryGet",function (msg) {// var jsonObj = JSON.parse(msg);$("#msg").html(" jQueryGet 编号:" + msg.id + " , 姓名:" + msg.username);},"json");
});
2.2.4 jQuery中的Ajax-post请求
- $.post 方法 <方法中传入的为参数>
- url:请求的 url 地址
- data:发送的数据
- callback:成功的回调函数
- type:返回的数据类型
// ajax--post请求
$("#postBtn").click(function(){// post请求alert("post btn");$.post("http://localhost:8080/16_json_ajax_i18n/ajaxServlet", "action=jQueryPost",function (msg) {// var jsonObj = JSON.parse(msg);$("#msg").html(" jQueryPost 编号:" + msg.id + " , 姓名:" + msg.username);},"json");
});
2.2.5 jQuery中的Ajax-getJson请求
- $.getJSON 方法 <方法中传入的为参数>
- url:请求的 url 地址
- data:发送的数据
- callback:成功的回调函数
// ajax--getJson请求
$("#getJSONBtn").click(function(){// 调用alert("getJSON btn");$.getJSON("http://localhost:8080/16_json_ajax_i18n/ajaxServlet", "action=jQueryGetJSON",function () {$("#msg").html(" jQueryGetJSON 编号:" + msg.id + " , 姓名:" + msg.username);})
});
2.2.6 补充serialize()表单序列正则化
serialize()可以把表单中所有表单项的内容都获取到,并以 name=value&name=value 的形式进行拼接。特别注意url中最后那个&连接符。
$("#submit").click(function(){// 把参数序列化alert($("#form01").serialize());$.getJSON("http://localhost:8080/16_json_ajax_i18n/ajaxServlet","action=jQuerySerialize&" + $("#form01").serialize(),function (data) {$("#msg").html(" Serialize 编号:" + data.id + " , 姓名:" + data.username);});
});
3. i18n国际化
国际化(Internationalization)是指同一网站根据不同国家,不同语种用户访问,会得到对应语种的网站。
3.1 国际化的三要素
- properties属性配置文件
- 默认存储在src目录下;
- 文件名需按照要求: baseName_locale.properties
- Locale对象
- 表示不同的国家与语言
- ResourceBundle资源包
- 使用该资源类,根据给定的baseName和Locale读取相应的配置文件;
- 根据不同的key得到对应语言的字符。
3.2 国际化资源 properties文件
1)配置两个语言的配置文件
注意要在 File->Settings->Editor->File Encodings中将properties设置为utf-8格式。否则,中文会出现难以识别的字符。
- i18n_en_US.properties 英文
username=username
password=password
sex=sex
age=age
regist=regist
boy=boy
email=email
girl=girl
reset=reset
submit=submit
- i18n_zh_CN.properties 中文
username=用户名
password=密码
sex=性别
age=年龄
regist=注册
boy=男
girl=女
email=邮箱
reset=重置
submit=提交
2)国际化测试代码
public class I18nTest {@Testpublic void testLocale() {// 获取你系统默认的语言。国家信息/*Locale locale = Locale.getDefault();System.out.println(locale); //zh_CN */// 获取中文,中文的常量的 Locale 对象System.out.println(Locale.CHINA); //zh_CN// 获取英文,美国的常量的 Locale 对象System.out.println(Locale.US); //en_US}@Testpublic void testI18n() {// 得到我们需要的 Locale 对象Locale locale = Locale.CHINA;// 通过指定的 basename 和 Locale 对象,读取 相应的配置文件ResourceBundle bundle = ResourceBundle.getBundle("i18n", locale); //找到src根目录下的对应命名的文件System.out.println("username:" + bundle.getString("username")); //username:用户名System.out.println("password:" + bundle.getString("password")); //password:密码System.out.println("Sex:" + bundle.getString("sex")); //Sex:性别System.out.println("age:" + bundle.getString("age")); //age:年龄}
}
3.3 通过请求头国际化页面
步骤:
- 从请求头中获取Locale信息
- 在通过baseName及locale对象获取相应的properties资源包bundle
- 在相应位置输出资源包的内容
<%@ page import="java.util.Locale" %>
<%@ page import="java.util.ResourceBundle" %>
<%@ page language="java" contentType="text/html; charset=UTF-8"pageEncoding="UTF-8"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" ".dtd">
<html>
<head>
<meta http-equiv="pragma" content="no-cache" />
<meta http-equiv="cache-control" content="no-cache" />
<meta http-equiv="Expires" content="0" />
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>Insert title here</title>
</head>
<body>
<%// 从请求头中获取 Locale 信息(语言)Locale locale = request.getLocale(); //获取请求头中的信息System.out.println(locale);// 获取读取包(根据 指定的 baseName 和 Locale 读取 语言信息)ResourceBundle i18n = ResourceBundle.getBundle("i18n", locale);
%><a href="">中文</a>|<a href="">english</a><center><h1><%=i18n.getString("regist")%></h1><table><form><tr><td><%=i18n.getString("username")%></td><td><input name="username" type="text" /></td></tr><tr><td><%=i18n.getString("password")%></td><td><input type="password" /></td></tr><tr><td><%=i18n.getString("sex")%></td><td><input type="radio" /><%=i18n.getString("boy")%><input type="radio" /><%=i18n.getString("girl")%></td></tr><tr><td><%=i18n.getString("email")%></td><td><input type="text" /></td></tr><tr><td colspan="2" align="center"><input type="reset" value="<%=i18n.getString("reset")%>" /> <input type="submit" value="<%=i18n.getString("submit")%>" /></td></tr></form></table><br /> <br /> <br /> <br /></center>国际化测试:<br /> 1、访问页面,通过浏览器设置,请求头信息确定国际化语言。<br /> 2、通过左上角,手动切换语言
</body>
</html>
3.4 通过选择语言类型来进行相应的国际化
步骤:
- 从请求参数中获取国家信息
- 通过国家信息获取相应的Locale对象
- 在通过baseName及locale对象获取相应的properties资源包bundle
- 在相应位置输出资源包的内容
<%@ page import="java.util.Locale" %>
<%@ page import="java.util.ResourceBundle" %>
<%@ page language="java" contentType="text/html; charset=UTF-8" pageEncoding="UTF-8"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" ".dtd">
<html>
<head>
<meta http-equiv="pragma" content="no-cache" />
<meta http-equiv="cache-control" content="no-cache" />
<meta http-equiv="Expires" content="0" />
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>Insert title here</title>
</head>
<body>
<% // 从请求头中获取 Locale 信息(语言) Locale locale = null; String country = request.getParameter("country"); if ("cn".equals(country)) { locale = Locale.CHINA; } else if ("usa".equals(country)) { locale = Locale.US; } else {locale = request.getLocale(); }System.out.println(locale); // 获取读取包(根据 指定的 baseName 和 Locale 读取 语言信息) ResourceBundle i18n = ResourceBundle.getBundle("i18n", locale);
%>
<a href="i18n.jsp?country=cn">中文</a>| <a href="i18n.jsp?country=usa">english</a>
<center><h1><%=i18n.getString("regist")%></h1><table><form><tr><td><%=i18n.getString("username")%></td><td><input name="username" type="text"/></td></tr><tr><td><%=i18n.getString("password")%></td><td><input type="password"/></td></tr><tr><td><%=i18n.getString("sex")%></td><td><input type="radio"/><%=i18n.getString("boy")%> <input type="radio"/><%=i18n.getString("girl")%></td></tr><tr><td><%=i18n.getString("email")%></td><td><input type="text"/></td></tr><tr><td colspan="2" align="center"><input type="reset" value="<%=i18n.getString(" reset")%>" /> <input type="submit" value="<%=i18n.getString(" submit")%>" /></td></tr></form></table><br/> <br/> <br/> <br/></center>
国际化测试: <br/> 1、访问页面,通过浏览器设置,请求头信息确定国际化语言。 <br/> 2、通过左上角,手动切换语言
</body>
</html>
3.5 JSTL标签库实现国际化
步骤:
- 导入fmt所需要的两个jar包,并在jsp中引入使用标签<%@ taglib prefix=“fmt” uri=“” %>,
- 使用标签<fmt:setLocale value="${param.locale}" />从请求参数中获取国家信息,并设定locale对象
- 使用标签<fmt:setBundle basename=“i18n”/>获取相应的properties资源包
- 使用<fmt:message key=“keyName” />标签在相应位置输出资源包的内容
<%@ taglib prefix="fmt" uri="" %>
<%@ page language="java" contentType="text/html; charset=UTF-8"pageEncoding="UTF-8"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" ".dtd">
<html>
<head>
<meta http-equiv="pragma" content="no-cache" />
<meta http-equiv="cache-control" content="no-cache" />
<meta http-equiv="Expires" content="0" />
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>Insert title here</title>
</head>
<body><%--1 使用标签设置Locale信息--%><fmt:setLocale value="${param.locale}" /><%--2 使用标签设置baseName--%><fmt:setBundle basename="i18n"/><a href="i18n_fmt.jsp?locale=zh_CN">中文</a>|<a href="i18n_fmt.jsp?locale=en_US">english</a><center><h1><fmt:message key="regist" /></h1><table><form><tr><td><fmt:message key="username" /></td><td><input name="username" type="text" /></td></tr><tr><td><fmt:message key="password" /></td><td><input type="password" /></td></tr><tr><td><fmt:message key="sex" /></td><td><input type="radio" /><fmt:message key="boy" /><input type="radio" /><fmt:message key="girl" /></td></tr><tr><td><fmt:message key="email" /></td><td><input type="text" /></td></tr><tr><td colspan="2" align="center"><input type="reset" value="<fmt:message key="reset" />" /> <input type="submit" value="<fmt:message key="submit" />" /></td></tr></form></table><br /> <br /> <br /> <br /></center>
</body>
</html>
本文标签: 4
版权声明:本文标题:[4 内容由网友自发贡献,该文观点仅代表作者本人, 转载请联系作者并注明出处:http://www.betaflare.com/biancheng/1704689800a631554.html, 本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
发表评论