用JavaScript扩展数字
我们需要编写一个函数,给定一个数字,例如123,它将输出一个数组-
[100,20,3]
基本上,该函数应返回一个数组,该数组包含该函数作为自变量的数字中存在的所有数字的位置值。
我们可以通过使用递归方法来解决此问题。
因此,让我们为该函数编写代码-
示例
为此的代码将是-
const num = 123;
const placeValue = (num, res = [], factor = 1) => {
   if(num){
      const val = (num % 10) * factor;
      res.unshift(val);
      return placeValue(Math.floor(num / 10), res, factor * 10);
   };
   return res;
};
console.log(placeValue(num));输出结果
控制台中的输出将为-
[ 100, 20, 3 ]
