欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

js对url进行编码和解码(三种方式区别)以及获取url参数函数

程序员文章站 2024-02-14 23:03:52
...

一、js对url进行编码和解码方法(三种方式区别)

只有 0-9[a-Z] $ - _ . + ! * ’ ( ) , 以及某些保留字,才能不经过编码直接用于 URL。

1、escapeunescape

原理:对除ASCII字母、数字、标点符号 @ * _ + - . / 以外的其他字符进行编码。

编码:`escape('http://[email protected]@jie&order=1')`

结果:`"http%3A//www.baidu.com%3Fname%[email protected]@jie%26order%3D1"`

编码:`escape('张')`

结果:`"%u5F20"`


解码:`unescape("http%3A//www.baidu.com%3Fname%[email protected]@jie%26order%3D1")`

结果:`"http://[email protected]@jie&order=1"`

解码:`unescape("%u5F20")`

结果:`"张"`

2、encodeURI 和 decodeURI

原理:返回编码为有效的统一资源标识符 (URI) 的字符串,不会被编码的字符:! @ # $ & * ( ) = : / ; ? + ’

encodeURI()是Javascript中真正用来对URL编码的函数。

编码:encodeURI('http://[email protected]@jie&order=1')

结果:"http://[email protected]@jie&order=1"

解码:decodeURI("http%3A//www.baidu.com%3Fname%[email protected]@jie%26order%3D1")

结果:"http%3A//www.baidu.com%3Fname%[email protected]@jie%26order%3D1"

3、encodeURIComponent 和 decodeURIComponent

原理:对URL的组成部分进行个别编码,而不用于对整个URL进行编码

编码:encodeURIComponent('http://[email protected]@jie&order=1')
 
结果:"http%3A%2F%2Fwww.baidu.com%3Fname%3Dzhang%40xiao%40jie%26order%3D1"

解码:decodeURIComponent("http%3A%2F%2Fwww.baidu.com%3Fname%3Dzhang%40xiao%40jie%26order%3D1")

结果:"http://[email protected]@jie&order=1"

二、js获取url参数函数

function getParams() {
    let res = {}
    let url = window.location.href; // "https://www.baidu.com/s?ie=utf-8&f=3&rsv_bp=1"
    let host = window.location.host; // "www.baidu.com"
    let params = window.location.search; // "?ie=utf-8&f=3&rsv_bp=1&rsv_idx=1"
    if(params.indexOf('?')!=-1){
        let str = params.substring(1)
        let arr = str.split('&')
        if(str.length>0){
            for(let i = 0;i<arr.length;i++){
                let key,value;
                [key,value] = arr[i].split('=')
                res[key] = decodeURI(value)
            }
        }
    }
    return res
}