跳至主要內容

Java Web 功能

Steven大约 3 分钟web

JDK URI 和 URL

new URL()new URI 两个构造函数可传入的参数来看,JDK 认为:

  • new URL(String protocol, String host, String port, String file, URLStreamHandler handler)

    • URL 主要关注 “命名空间(协议 + 域名 + 端口)” 的定义;
    • URL 提供建立连接的执行的类 URLStreamHandler
  • new URI(String scheme, String userInfo, String host, int port, String path, String query, String fragment)

    • URI 主要关注 “相对位置(path、query、fragment)”;

但 URI 比 URL 更加严格:

  • URL 只做字符串的拼接
  • URI 会对语法(Syntax)进行校验,也能对字符串进行转换
URI uri = new URI("http", "a:b", "xx", 22, "/xx", "a=嗨 嗨 ", "嗨 嗨 ");
// http://a:b@xx:22/xx?a=嗨%20嗨%20#嗨%20嗨%20
System.out.println(uri);
// http://a:b@xx:22/xx?a=%E5%97%A8%20%E5%97%A8%20#%E5%97%A8%20%E5%97%A8%20
System.out.println(uri.toASCIIString());
// http://a:b@xx:22/xx?a=嗨%20嗨%20#嗨%20嗨%20
System.out.println(uri.toURL());
URL url = new URL("http", "a:b@xx.cc", 22, "xx/bb?a=哈 哈 #x哈 x哈 "); // 错误的地址,创建没报错
// http://[a:b@xx.cc]:22xx/bb?a=哈 哈 #x哈 x哈
System.out.println(url); // 输出没做处理
// java.net.URISyntaxException: Illegal character in user info at index 7: http://[a:b@xx.cc]:22xx/bb?a=哈 哈 #x哈 x哈
Assertions.assertThrowsExactly(URISyntaxException.class, () -> url.toURI()); // 报错
// url.openConnection(); // 💡建立连接

综上,个人认为两个类的使用方法如下:

  • URI 用于路径定义(包括校验和 normalize 转换)
  • 后 URI 转 URL 用于建立连接

坑:URL 中的空格转义问题

参考:

观察下面代码:

代码一: URLEncoder

URL(Uniform Resource Locator,统一资源定位器,被叫做 “网络地址” 或 “链接”) —— 在 Internet 上可以找到资源的位置的文本字符串。例如 https://developer.mozilla.org

遵循:

  • W3C 标准 HTML 4.01 规范open in new window 规定: 当 Content-Typeapplication/x-www-form-urlencoded 时,URL 中查询参数名和参数值中空格要用加号 + 替代,所以几乎所有使用该规范的浏览器在表单提交后,URL 查询参数中空格都会被编成加号 +
String string = "+ +";
try {
    string = URLEncoder.encode(string, "UTF-8"); // 通过 URLEncode 处理,空格 " " 会被处理成加号 "+"。
    System.out.println(string); // %2B+%2B
    String res = URLDecoder.decode(string,"UTF-8"); // 通过 URLDecoder 处理,会把加号 "+" 和 "%20" 都解码为 " "。
    System.out.println(res); // + +
} catch (UnsupportedEncodingException e) {
    e.printStackTrace();
}

提示

Java 中的 URLEncoder 本意是用来把字符串编码成 application/x-www-form-urlencoded MIME 格式字符串,也就是说仅仅适用于 URL 中的查询字符串部分,但是 URLEncoder 经常被用来对 URL 的其他部分编码 (如:https://www.example.org/你 好.jps?x=世 界 中的 你 好世 界)。

接口并发限制

注解定义
package org.example.config.web;

import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;

@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface ConcurrentLimit {
    public String identity() default "";
    public int max();
}