preload-image

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 ]
Back-To-Top