字符串增加版本比较的原型方法

master
yutent 2023-06-20 17:33:35 +08:00
parent e5097d0b7b
commit 0ebe311615
2 changed files with 74 additions and 8 deletions

View File

@ -31,7 +31,12 @@
│ ├── .xss() // 字符串安全转义
│ ├── .escape() // js特殊字符的转义
│ ├── .at(index) // 读取指定位置的字符, 负值则从后往前读
│ └── .toJson() // 将url参数转为对象
│ ├── .toJson() // 将url参数转为对象
│ ├── .lt(version) // 判断是否小于目标版本号
│ ├── .lte(version) // 判断是否小于或等于目标版本号
│ ├── .gt(version) // 判断是否大于目标版本号
│ ├── .gte(version) // 判断是否大于或等于目标版本号
│ └── .eq(version) // 判断是否等于目标版本号, 1.0和1.0.0这里会返回true, 而用 == 或 ===, 无法得到正确的结果
├── Number
│ ├── .parse(str) // 将安全范围内的数字字符串转为数字类型

View File

@ -3,6 +3,34 @@
* @date 2020/09/16 12:09:15
*/
// 版本号比较, 返回 -1, 0, 1
function compare(v1, v2) {
v1 += ''
v2 += ''
if (v1 === v2) {
return 0
} else {
v1 = v1.split('.')
v2 = v2.split('.')
let max = Math.max(v1.length, v2.length)
for (let i = 0; i < max; i++) {
let _1 = +v1[i] || 0,
_2 = +v2[i] || 0
if (_1 > _2) {
return 1
} else if (_1 < _2) {
return -1
}
}
return 0
}
}
//类似于Array 的splice方法
if (!String.prototype.splice) {
Object.defineProperty(String.prototype, 'splice', {
@ -129,3 +157,36 @@ if (!String.prototype.toJson) {
}
})
}
// 用于版本号的比较
if (!String.prototype.lt) {
Object.defineProperty(String.prototype, 'lt', {
value: function (v) {
return compare(this, v) === -1
}
})
Object.defineProperty(String.prototype, 'lte', {
value: function (v) {
return compare(this, v) < 1
}
})
Object.defineProperty(String.prototype, 'gt', {
value: function (v) {
return compare(this, v) === 1
}
})
Object.defineProperty(String.prototype, 'gte', {
value: function (v) {
return compare(this, v) > -1
}
})
Object.defineProperty(String.prototype, 'eq', {
value: function (v) {
return compare(this, v) === 0
}
})
}