8.使用多态
继承、封装和多态是 OOP(面向对象编程)的重要思想,本文我们使用多态的思想,提供一种去除 if else 方法。
优化前代码:
Integer typeId = 0; String type = "Name"; if ("Name".equals(type)) { typeId = 1; } else if ("Age".equals(type)) { typeId = 2; } else if ("Address".equals(type)) { typeId = 3; }
使用多态,我们先定义一个接口,在接口中声明一个公共返回 typeId
的方法,在添加三个子类分别实现这三个子类,实现代码如下:
public interface IType { public Integer getType(); } public class Name implements IType { @Override public Integer getType() { return 1; } } public class Age implements IType { @Override public Integer getType() { return 2; } } public class Address implements IType { @Override public Integer getType() { return 3; } }
注意:为了简便我们这里把类和接口放到了一个代码块中,在实际开发中应该分别创建一个接口和三个类分别存储。
此时,我们之前的 if else 判断就可以改为如下代码:
IType itype = (IType) Class.forName("com.example." + type).newInstance(); Integer typeId = itype.getType();
有人可能会说,这样反而让代码更加复杂了,此可谓“杀鸡焉用宰牛刀”的典型范例了。这里作者只是提供一种实现思路和提供了一些简易版的代码,以供开发者在实际开发中,多一种思路和选择,具体用不用需要根据实际情况来定了。灵活变通,举一反三,才是开发的上乘心法。
9.选择性的使用 switch
很多人都搞不懂 switch 和 if else 的使用场景,但在两者都能使用的情况下,可以尽量使用 switch,因为 switch 在常量分支选择时,switch 性能会比 if else 高。
if else 判断代码:
if (cmd.equals("add")) { result = n1 + n2; } else if (cmd.equals("subtract")) { result = n1 - n2; } else if (cmd.equals("multiply")) { result = n1 * n2; } else if (cmd.equals("divide")) { result = n1 / n2; } else if (cmd.equals("modulo")) { result = n1 % n2; }
switch 代码:
switch (cmd) { case "add": result = n1 + n2; break; case "subtract": result = n1 - n2; break; case "multiply": result = n1 * n2; break; case "divide": result = n1 / n2; break; case "modulo": result = n1 % n2; break; }
在 Java 14 可使用 switch 代码块,实现代码如下:
// java 14 switch (cmd) { case "add" -> { result = n1 + n2; } case "subtract" -> { result = n1 - n2; } case "multiply" -> { result = n1 * n2; } case "divide" -> { result = n1 / n2; } case "modulo" -> { result = n1 % n2; } }
总结
业精于勤荒于嬉,行成于思毁于随。编程是一门手艺,更是一种乐趣,哈佛最受欢迎的幸福课《幸福的方法》一书中写到「让我们能感到快乐和幸福的方法,无非是全身心的投入到自己稍微努力一下就能完成的工作中去!」是啊,太简单的事情通常无法调动起我们的兴趣,而太难的工作又会让我们丧失信心,只有那些看似很难但稍微努力一点就能完成的事情,才会给我们带来巨大的快乐。
我想编程也是一样,普通的方法每个人都会写,然而优雅一点的代码不是所有人都能写得出来,而本文恰恰是提供了写出优雅代码的一些思路,希望可以帮助和启发到你。