这篇文章用很短的时间来介绍如何在 JavaScript 中编写更简单的条件判断,帮助你编写更简洁、更易读的代码。假设我们将颜色值转换为十六进制编码的函数。% R0 j( v w2 N" ]7 r" e! t
- function convertToHex(color) {
- if (typeof color === 'string') {
- if (color === 'slate') {
- return '#64748b'
- } else if (color === 'gray') {
- return '#6b7280'
- } else if (color === 'red') {
- return '#ef4444'
- } else if (color === 'orange') {
- return '#f97316'
- } else if (color === 'yellow') {
- return '#eab308'
- } else if (color === 'green') {
- return '#22c55e'
- } else {
- return '#ffffff'
- }
- } else {
- return '#ffffff'
- }
- }
这个函数的目标很简单,就是传入颜色字符串,然后返回对应的十六进制。如果传入的不是字符串,或者没有传递任何内容,则返回白色的十六进制。接下来,我们开始优化这段代码。3 [4 ^2 K+ M0 I" c) i) ~) H9 H+ @0 j
二、避免直接使用字符串作为条件) u# [; \/ x8 [9 n. I
直接使用字符串作为条件的问题在于,当我们拼错时会很尴尬。
/ x+ T2 e1 `2 f9 N4 c& K, Z
为了避免这个错误,我们可以使用常量。
6 a0 R" u( I, o9 j, A! O% y7 v' \- const Colors = {
- SLATE: 'slate',
- GRAY: 'gray',
- // ...
- }
- function convertToHex(color) {
- if (typeof color === 'string') {
- if (color === Colors.SLATE) {
- return '#64748b'
- } else if (color === Color.GRAY) {
- return '#6b7280'
- }
- // ...
- } else {
- return '#ffffff'
- }
- }
- convertToHex(Colors.SLATE)
如果你使用的是TypeScript,那么,你可以直接使用枚举。
" S$ s# m0 U8 I% |& O9 o三、使用对象
, A" B6 q3 k( Y& ?* q 其实从上面的代码中不难发现,我们可以直接将十六进制值存储在对象的值中。
' u" \+ n6 I- o$ K0 L' Q% s- const Colors = {
- SLATE: '#64748b',
- GRAY: '#6b7280',
- // ...
- }
- function convertToHex(color) {
- if (color in Colors) {
- return Colors[color]
- } else {
- return '#ffffff'
- }
- }
- convertToHex(Colors.SLATE)
这样代码会更加简洁易读。
. K+ I* \* T _# M! W6 h四、不符合预期,早点回来: R a1 P- e- y0 ?! [8 O7 [0 R7 X
另一个最佳实践是我们可以在函数顶部写出意外返回,以避免忘记返回。
1 _, l+ Y6 x9 P; D! J# q4 C. t- const Colors = {
- SLATE: '#64748b',
- GRAY: '#6b7280',
- // ...
- }
- function convertToHex(color) {
- if (!color in Colors) {
- return '#ffffff'
- }
- return Colors[color]
- }
- convertToHex(Colors.SLATE)
这样你甚至不需要 else。使用这个技巧,我们可以消除代码中的很多其他内容。
h' ?* I* J' _: \' E1 U$ D5 g# f五、将Map与Object一起使用- R. n! `3 p, f U) z, S
使用 Map 更专业,因为它可以存储任何类型的键,并且它继承自 Map.prototype,具有更方便的方法和属性。而且Object更方便访问属性,我们可以继续使用Object来实现枚举的作用。
5 c% j; L! R" M& y! `- const ColorsEnum = {
- SLATE: 'slate',
- GRAY: 'gray',
- // ...
- }
- const Colors = new Map()
- Colors.set(ColorsEnum.SLATE, '#64748b')
- Colors.set(ColorsEnum.GRAY, '#6b7280')
- // ...
- Colors.set('DEFAULT', '#ffffff')
- function convertToHex(color) {
- if (!Colors.has(color)) {
- return Colors.get('DEFAULT')
- }
- return Colors.get(color)
- }
- convertToHex(Colors.SLATE)
六、Map也可以存储功能! d# `- I3 ?6 Y4 ~
假设我们存储了很多颜色,最多上千种,而且我们还需要支持后端配置,通过一定的操作过程可以得到结果。然后我们可以使用 Map 来存储函数。
( N+ ^9 m6 L0 [& _- return Colors.get(color)()
七、尽量避免三元表达式和switch! O7 p# _! t8 B. _- K R
三元表达式虽然简短,但可读性大打折扣。如果是多级条件,阅读起来会很困难。switch 和 if 没有明显的优势,但有时很容易返回,导致代码无法按预期执行。 |