不用 if else,如何优雅处理 JavaScript 条件判断?
|
admin
2025年2月21日 14:35
本文热度 309
|
如果使用传统的 if-else 语句,对复杂的条件进行逻辑判断,代码很容易变得冗长难维护,分享几种替代的写法。
1. 对象映射替代 if-else
传统写法
function getPrice(user) {
if (user.type === 'vip') {
return 'VIP价格';
} else if (user.type === 'svip') {
return 'SVIP价格';
} else if (user.type === 'vvip') {
return 'VVIP价格';
} else {
return '普通价格';
}
}
替代写法
const priceStrategy = {
vip: () => 'VIP价格',
svip: () => 'SVIP价格',
vvip: () => 'VVIP价格',
default: () => '普通价格'
};
function getPrice(user) {
return (priceStrategy[user.type] || priceStrategy.default)();
}
2. Array.includes 替代多条件
传统写法
if (status === 'failed' || status === 'error' || status === 'rejected') {
handleError();
}
替代写法
const errorStatus = ['failed', 'error', 'rejected'];
if (errorStatus.includes(status)) {
handleError();
}
3. 三元运算符链式使用
传统写法
Let message;
if(score >= 90){
message = '优秀';
} else if(score >= 80){
message = '良好';
} else if(score >= 60){
message = '及格';
} else {
message = '不及格';
}
替代写法
const message =
Score >= 90 ? '优秀' :
score >= 80 ? '良好' :
score >= 60 ? '及格' : '不及格';
4. && 和 || 运算符巧用
data:image/s3,"s3://crabby-images/bd6aa/bd6aa8353e4f394df763767523a887ba1c70823b" alt=""
5. Switch 模式匹配
data:image/s3,"s3://crabby-images/3e4f3/3e4f3b5c8e8d3c958d9fa54ef1ff121a5028fdc6" alt=""
6. 使用 Proxy 进行条件拦截
data:image/s3,"s3://crabby-images/2995b/2995b0aa6d4f87cdf9bc080e3ea02987ccdb3589" alt=""
7. 函数式编程方法
data:image/s3,"s3://crabby-images/f72d2/f72d2c85e22672d7201194365916e6f2365a373e" alt=""
8. 状态机模式
data:image/s3,"s3://crabby-images/0a478/0a478f7db3652044e84d226353b8e377bddbee13" alt=""
9. 使用装饰器处理条件
function checkPermission(target, name, descriptor) {
const original = descriptor.value;
descriptor.value = function(...args) {
if (this.user?.hasPermission) {
return original.apply(this, args);
}
throw new Error('No permission');
};
return descriptor;
}
class Document {
@checkPermission
edit() {
// 编辑文档
}
}
该文章在 2025/2/21 14:36:55 编辑过