• 函数
    • 函数参数 (理想情况下应不超过 2 个)
    • 函数功能的单一性
    • 函数名应明确表明其功能
    • 函数应该只做一层抽象
    • 移除重复的代码
    • 采用默认参数精简代码
    • 使用 Object.assign 设置默认对象
    • 不要使用标记(Flag)作为函数参数
    • 避免副作用
    • 不要写全局函数
    • 采用函数式编程
    • 封装判断条件
    • 避免“否定情况”的判断
    • 避免条件判断
    • 避免类型判断(part 1)
    • 避免类型判断(part 2)
    • 避免过度优化
    • 删除无效的代码

    函数

    函数参数 (理想情况下应不超过 2 个)

    限制函数参数数量很有必要,这么做使得在测试函数时更加轻松。过多的参数将导致难以采用有效的测试用例对函数的各个参数进行测试。

    应避免三个以上参数的函数。通常情况下,参数超过两个意味着函数功能过于复杂,这时需要重新优化你的函数。当确实需要多个参数时,大多情况下可以考虑这些参数封装成一个对象。

    JS 定义对象非常方便,当需要多个参数时,可以使用一个对象进行替代。

    反例:

    1. function createMenu(title, body, buttonText, cancellable) {
    2. ...
    3. }

    正例:

    1. var menuConfig = {
    2. title: 'Foo',
    3. body: 'Bar',
    4. buttonText: 'Baz',
    5. cancellable: true
    6. }
    7. function createMenu(menuConfig) {
    8. ...
    9. }

    函数功能的单一性

    这是软件功能中最重要的原则之一。

    功能不单一的函数将导致难以重构、测试和理解。功能单一的函数易于重构,并使代码更加干净。

    反例:

    1. function emailClients(clients) {
    2. clients.forEach(client => {
    3. let clientRecord = database.lookup(client);
    4. if (clientRecord.isActive()) {
    5. email(client);
    6. }
    7. });
    8. }

    正例:

    1. function emailClients(clients) {
    2. clients.forEach(client => {
    3. emailClientIfNeeded(client);
    4. });
    5. }
    6. function emailClientIfNeeded(client) {
    7. if (isClientActive(client)) {
    8. email(client);
    9. }
    10. }
    11. function isClientActive(client) {
    12. let clientRecord = database.lookup(client);
    13. return clientRecord.isActive();
    14. }

    函数名应明确表明其功能

    反例:

    1. function dateAdd(date, month) {
    2. // ...
    3. }
    4. let date = new Date();
    5. // 很难理解dateAdd(date, 1)是什么意思

    正例:

    1. function dateAddMonth(date, month) {
    2. // ...
    3. }
    4. let date = new Date();
    5. dateAddMonth(date, 1);

    函数应该只做一层抽象

    当函数的需要的抽象多于一层时通常意味着函数功能过于复杂,需将其进行分解以提高其可重用性和可测试性。

    反例:

    1. function parseBetterJSAlternative(code) {
    2. let REGEXES = [
    3. // ...
    4. ];
    5. let statements = code.split(' ');
    6. let tokens;
    7. REGEXES.forEach((REGEX) => {
    8. statements.forEach((statement) => {
    9. // ...
    10. })
    11. });
    12. let ast;
    13. tokens.forEach((token) => {
    14. // lex...
    15. });
    16. ast.forEach((node) => {
    17. // parse...
    18. })
    19. }

    正例:

    1. function tokenize(code) {
    2. let REGEXES = [
    3. // ...
    4. ];
    5. let statements = code.split(' ');
    6. let tokens;
    7. REGEXES.forEach((REGEX) => {
    8. statements.forEach((statement) => {
    9. // ...
    10. })
    11. });
    12. return tokens;
    13. }
    14. function lexer(tokens) {
    15. let ast;
    16. tokens.forEach((token) => {
    17. // lex...
    18. });
    19. return ast;
    20. }
    21. function parseBetterJSAlternative(code) {
    22. let tokens = tokenize(code);
    23. let ast = lexer(tokens);
    24. ast.forEach((node) => {
    25. // parse...
    26. })
    27. }

    移除重复的代码

    永远、永远、永远不要在任何循环下有重复的代码。

    这种做法毫无意义且潜在危险极大。重复的代码意味着逻辑变化时需要对不止一处进行修改。JS 弱类型的特点使得函数拥有更强的普适性。好好利用这一优点吧。

    反例:

    1. function showDeveloperList(developers) {
    2. developers.forEach(developer => {
    3. var expectedSalary = developer.calculateExpectedSalary();
    4. var experience = developer.getExperience();
    5. var githubLink = developer.getGithubLink();
    6. var data = {
    7. expectedSalary: expectedSalary,
    8. experience: experience,
    9. githubLink: githubLink
    10. };
    11. render(data);
    12. });
    13. }
    14. function showManagerList(managers) {
    15. managers.forEach(manager => {
    16. var expectedSalary = manager.calculateExpectedSalary();
    17. var experience = manager.getExperience();
    18. var portfolio = manager.getMBAProjects();
    19. var data = {
    20. expectedSalary: expectedSalary,
    21. experience: experience,
    22. portfolio: portfolio
    23. };
    24. render(data);
    25. });
    26. }

    正例:

    1. function showList(employees) {
    2. employees.forEach(employee => {
    3. var expectedSalary = employee.calculateExpectedSalary();
    4. var experience = employee.getExperience();
    5. var portfolio;
    6. if (employee.type === 'manager') {
    7. portfolio = employee.getMBAProjects();
    8. } else {
    9. portfolio = employee.getGithubLink();
    10. }
    11. var data = {
    12. expectedSalary: expectedSalary,
    13. experience: experience,
    14. portfolio: portfolio
    15. };
    16. render(data);
    17. });
    18. }

    采用默认参数精简代码

    反例:

    1. function writeForumComment(subject, body) {
    2. subject = subject || 'No Subject';
    3. body = body || 'No text';
    4. }

    正例:

    1. function writeForumComment(subject = 'No subject', body = 'No text') {
    2. ...
    3. }

    使用 Object.assign 设置默认对象

    反例:

    1. var menuConfig = {
    2. title: null,
    3. body: 'Bar',
    4. buttonText: null,
    5. cancellable: true
    6. }
    7. function createMenu(config) {
    8. config.title = config.title || 'Foo'
    9. config.body = config.body || 'Bar'
    10. config.buttonText = config.buttonText || 'Baz'
    11. config.cancellable = config.cancellable === undefined ? config.cancellable : true;
    12. }
    13. createMenu(menuConfig);

    正例:

    1. var menuConfig = {
    2. title: 'Order',
    3. // User did not include 'body' key
    4. buttonText: 'Send',
    5. cancellable: true
    6. }
    7. function createMenu(config) {
    8. config = Object.assign({
    9. title: 'Foo',
    10. body: 'Bar',
    11. buttonText: 'Baz',
    12. cancellable: true
    13. }, config);
    14. // config now equals: {title: "Order", body: "Bar", buttonText: "Send", cancellable: true}
    15. // ...
    16. }
    17. createMenu(menuConfig);

    不要使用标记(Flag)作为函数参数

    这通常意味着函数的功能的单一性已经被破坏。此时应考虑对函数进行再次划分。

    反例:

    1. function createFile(name, temp) {
    2. if (temp) {
    3. fs.create('./temp/' + name);
    4. } else {
    5. fs.create(name);
    6. }
    7. }

    正例:

    1. function createTempFile(name) {
    2. fs.create('./temp/' + name);
    3. }
    4. ----------
    5. function createFile(name) {
    6. fs.create(name);
    7. }

    避免副作用

    当函数产生了除了“接受一个值并返回一个结果”之外的行为时,称该函数产生了副作用。比如写文件、修改全局变量或将你的钱全转给了一个陌生人等。

    程序在某些情况下确实需要副作用这一行为,如先前例子中的写文件。这时应该将这些功能集中在一起,不要用多个函数/类修改某个文件。用且只用一个 service 完成这一需求。

    反例:

    1. // Global variable referenced by following function.
    2. // If we had another function that used this name, now it'd be an array and it could break it.
    3. var name = 'Ryan McDermott';
    4. function splitIntoFirstAndLastName() {
    5. name = name.split(' ');
    6. }
    7. splitIntoFirstAndLastName();
    8. console.log(name); // ['Ryan', 'McDermott'];

    正例:

    1. function splitIntoFirstAndLastName(name) {
    2. return name.split(' ');
    3. }
    4. var name = 'Ryan McDermott'
    5. var newName = splitIntoFirstAndLastName(name);
    6. console.log(name); // 'Ryan McDermott';
    7. console.log(newName); // ['Ryan', 'McDermott'];

    不要写全局函数

    在 JS 中污染全局是一个非常不好的实践,这么做可能和其他库起冲突,且调用你的 API 的用户在实际环境中得到一个 exception 前对这一情况是一无所知的。

    想象以下例子:如果你想扩展 JS 中的 Array,为其添加一个 diff 函数显示两个数组间的差异,此时应如何去做?你可以将 diff 写入 Array.prototype,但这么做会和其他有类似需求的库造成冲突。如果另一个库对 diff 的需求为比较一个数组中首尾元素间的差异呢?

    使用 ES6 中的 class 对全局的 Array 做简单的扩展显然是一个更棒的选择。

    反例:

    1. Array.prototype.diff = function(comparisonArray) {
    2. var values = [];
    3. var hash = {};
    4. for (var i of comparisonArray) {
    5. hash[i] = true;
    6. }
    7. for (var i of this) {
    8. if (!hash[i]) {
    9. values.push(i);
    10. }
    11. }
    12. return values;
    13. }

    正例:

    1. class SuperArray extends Array {
    2. constructor(...args) {
    3. super(...args);
    4. }
    5. diff(comparisonArray) {
    6. var values = [];
    7. var hash = {};
    8. for (var i of comparisonArray) {
    9. hash[i] = true;
    10. }
    11. for (var i of this) {
    12. if (!hash[i]) {
    13. values.push(i);
    14. }
    15. }
    16. return values;
    17. }
    18. }

    采用函数式编程

    函数式的编程具有更干净且便于测试的特点。尽可能的使用这种风格吧。

    反例:

    1. const programmerOutput = [
    2. {
    3. name: 'Uncle Bobby',
    4. linesOfCode: 500
    5. }, {
    6. name: 'Suzie Q',
    7. linesOfCode: 1500
    8. }, {
    9. name: 'Jimmy Gosling',
    10. linesOfCode: 150
    11. }, {
    12. name: 'Gracie Hopper',
    13. linesOfCode: 1000
    14. }
    15. ];
    16. var totalOutput = 0;
    17. for (var i = 0; i < programmerOutput.length; i++) {
    18. totalOutput += programmerOutput[i].linesOfCode;
    19. }

    正例:

    1. const programmerOutput = [
    2. {
    3. name: 'Uncle Bobby',
    4. linesOfCode: 500
    5. }, {
    6. name: 'Suzie Q',
    7. linesOfCode: 1500
    8. }, {
    9. name: 'Jimmy Gosling',
    10. linesOfCode: 150
    11. }, {
    12. name: 'Gracie Hopper',
    13. linesOfCode: 1000
    14. }
    15. ];
    16. var totalOutput = programmerOutput
    17. .map((programmer) => programmer.linesOfCode)
    18. .reduce((acc, linesOfCode) => acc + linesOfCode, 0);

    封装判断条件

    反例:

    1. if (fsm.state === 'fetching' && isEmpty(listNode)) {
    2. /// ...
    3. }

    正例:

    1. function shouldShowSpinner(fsm, listNode) {
    2. return fsm.state === 'fetching' && isEmpty(listNode);
    3. }
    4. if (shouldShowSpinner(fsmInstance, listNodeInstance)) {
    5. // ...
    6. }

    避免“否定情况”的判断

    反例:

    1. function isDOMNodeNotPresent(node) {
    2. // ...
    3. }
    4. if (!isDOMNodeNotPresent(node)) {
    5. // ...
    6. }

    正例:

    1. function isDOMNodePresent(node) {
    2. // ...
    3. }
    4. if (isDOMNodePresent(node)) {
    5. // ...
    6. }

    避免条件判断

    这看起来似乎不太可能。

    大多人听到这的第一反应是:“怎么可能不用 if 完成其他功能呢?”许多情况下通过使用多态(polymorphism)可以达到同样的目的。

    第二个问题在于采用这种方式的原因是什么。答案是我们之前提到过的:保持函数功能的单一性。

    反例:

    1. class Airplane {
    2. //...
    3. getCruisingAltitude() {
    4. switch (this.type) {
    5. case '777':
    6. return getMaxAltitude() - getPassengerCount();
    7. case 'Air Force One':
    8. return getMaxAltitude();
    9. case 'Cessna':
    10. return getMaxAltitude() - getFuelExpenditure();
    11. }
    12. }
    13. }

    正例:

    1. class Airplane {
    2. //...
    3. }
    4. class Boeing777 extends Airplane {
    5. //...
    6. getCruisingAltitude() {
    7. return getMaxAltitude() - getPassengerCount();
    8. }
    9. }
    10. class AirForceOne extends Airplane {
    11. //...
    12. getCruisingAltitude() {
    13. return getMaxAltitude();
    14. }
    15. }
    16. class Cessna extends Airplane {
    17. //...
    18. getCruisingAltitude() {
    19. return getMaxAltitude() - getFuelExpenditure();
    20. }
    21. }

    避免类型判断(part 1)

    JS 是弱类型语言,这意味着函数可接受任意类型的参数。

    有时这会对你带来麻烦,你会对参数做一些类型判断。有许多方法可以避免这些情况。

    反例:

    1. function travelToTexas(vehicle) {
    2. if (vehicle instanceof Bicycle) {
    3. vehicle.peddle(this.currentLocation, new Location('texas'));
    4. } else if (vehicle instanceof Car) {
    5. vehicle.drive(this.currentLocation, new Location('texas'));
    6. }
    7. }

    正例:

    1. function travelToTexas(vehicle) {
    2. vehicle.move(this.currentLocation, new Location('texas'));
    3. }

    避免类型判断(part 2)

    如果需处理的数据为字符串,整型,数组等类型,无法使用多态并仍有必要对其进行类型检测时,可以考虑使用 TypeScript。

    反例:

    1. function combine(val1, val2) {
    2. if (typeof val1 == "number" && typeof val2 == "number" ||
    3. typeof val1 == "string" && typeof val2 == "string") {
    4. return val1 + val2;
    5. } else {
    6. throw new Error('Must be of type String or Number');
    7. }
    8. }

    正例:

    1. function combine(val1, val2) {
    2. return val1 + val2;
    3. }

    避免过度优化

    现代的浏览器在运行时会对代码自动进行优化。有时人为对代码进行优化可能是在浪费时间。

    这里可以找到许多真正需要优化的地方

    反例:

    1. // 这里使用变量len是因为在老式浏览器中,
    2. // 直接使用正例中的方式会导致每次循环均重复计算list.length的值,
    3. // 而在现代浏览器中会自动完成优化,这一行为是没有必要的
    4. for (var i = 0, len = list.length; i < len; i++) {
    5. // ...
    6. }

    正例:

    1. for (var i = 0; i < list.length; i++) {
    2. // ...
    3. }

    删除无效的代码

    不再被调用的代码应及时删除。

    反例:

    1. function oldRequestModule(url) {
    2. // ...
    3. }
    4. function newRequestModule(url) {
    5. // ...
    6. }
    7. var req = newRequestModule;
    8. inventoryTracker('apples', req, 'www.inventory-awesome.io');

    正例:

    1. function newRequestModule(url) {
    2. // ...
    3. }
    4. var req = newRequestModule;
    5. inventoryTracker('apples', req, 'www.inventory-awesome.io');