| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201 | /** * @fileoverview Check if there are no asynchronous actions inside computed properties. * @author Armano */'use strict'const utils = require('../utils')/** * @typedef {import('../utils').VueObjectData} VueObjectData * @typedef {import('../utils').ComponentComputedProperty} ComponentComputedProperty */const PROMISE_FUNCTIONS = ['then', 'catch', 'finally']const PROMISE_METHODS = ['all', 'race', 'reject', 'resolve']const TIMED_FUNCTIONS = [  'setTimeout',  'setInterval',  'setImmediate',  'requestAnimationFrame']/** * @param {CallExpression} node */function isTimedFunction(node) {  const callee = utils.skipChainExpression(node.callee)  return (    ((node.type === 'CallExpression' &&      callee.type === 'Identifier' &&      TIMED_FUNCTIONS.indexOf(callee.name) !== -1) ||      (node.type === 'CallExpression' &&        callee.type === 'MemberExpression' &&        callee.object.type === 'Identifier' &&        callee.object.name === 'window' &&        callee.property.type === 'Identifier' &&        TIMED_FUNCTIONS.indexOf(callee.property.name) !== -1)) &&    node.arguments.length  )}/** * @param {CallExpression} node */function isPromise(node) {  const callee = utils.skipChainExpression(node.callee)  if (node.type === 'CallExpression' && callee.type === 'MemberExpression') {    return (      // hello.PROMISE_FUNCTION()      (callee.property.type === 'Identifier' &&        PROMISE_FUNCTIONS.indexOf(callee.property.name) !== -1) || // Promise.PROMISE_METHOD()      (callee.object.type === 'Identifier' &&        callee.object.name === 'Promise' &&        callee.property.type === 'Identifier' &&        PROMISE_METHODS.indexOf(callee.property.name) !== -1)    )  }  return false}// ------------------------------------------------------------------------------// Rule Definition// ------------------------------------------------------------------------------module.exports = {  meta: {    type: 'problem',    docs: {      description: 'disallow asynchronous actions in computed properties',      categories: ['vue3-essential', 'essential'],      url: 'https://eslint.vuejs.org/rules/no-async-in-computed-properties.html'    },    fixable: null,    schema: []  },  /** @param {RuleContext} context */  create(context) {    /**     * @typedef {object} ScopeStack     * @property {ScopeStack | null} upper     * @property {BlockStatement | Expression} body     */    /** @type {Map<ObjectExpression, ComponentComputedProperty[]>} */    const computedPropertiesMap = new Map()    /** @type {ScopeStack | null} */    let scopeStack = null    const expressionTypes = {      promise: 'asynchronous action',      await: 'await operator',      async: 'async function declaration',      new: 'Promise object',      timed: 'timed function'    }    /**     * @param {FunctionExpression | FunctionDeclaration | ArrowFunctionExpression} node     * @param {VueObjectData} data     */    function onFunctionEnter(node, { node: vueNode }) {      if (node.async) {        verify(node, node.body, 'async', computedPropertiesMap.get(vueNode))      }      scopeStack = {        upper: scopeStack,        body: node.body      }    }    function onFunctionExit() {      scopeStack = scopeStack && scopeStack.upper    }    /**     * @param {ESNode} node     * @param {BlockStatement | Expression} targetBody     * @param {keyof expressionTypes} type     * @param {ComponentComputedProperty[]} computedProperties     */    function verify(node, targetBody, type, computedProperties = []) {      computedProperties.forEach((cp) => {        if (          cp.value &&          node.loc.start.line >= cp.value.loc.start.line &&          node.loc.end.line <= cp.value.loc.end.line &&          targetBody === cp.value        ) {          context.report({            node,            message:              'Unexpected {{expressionName}} in "{{propertyName}}" computed property.',            data: {              expressionName: expressionTypes[type],              propertyName: cp.key || 'unknown'            }          })        }      })    }    return utils.defineVueVisitor(context, {      onVueObjectEnter(node) {        computedPropertiesMap.set(node, utils.getComputedProperties(node))      },      ':function': onFunctionEnter,      ':function:exit': onFunctionExit,      NewExpression(node, { node: vueNode }) {        if (!scopeStack) {          return        }        if (          node.callee.type === 'Identifier' &&          node.callee.name === 'Promise'        ) {          verify(            node,            scopeStack.body,            'new',            computedPropertiesMap.get(vueNode)          )        }      },      CallExpression(node, { node: vueNode }) {        if (!scopeStack) {          return        }        if (isPromise(node)) {          verify(            node,            scopeStack.body,            'promise',            computedPropertiesMap.get(vueNode)          )        } else if (isTimedFunction(node)) {          verify(            node,            scopeStack.body,            'timed',            computedPropertiesMap.get(vueNode)          )        }      },      AwaitExpression(node, { node: vueNode }) {        if (!scopeStack) {          return        }        verify(          node,          scopeStack.body,          'await',          computedPropertiesMap.get(vueNode)        )      }    })  }}
 |