使用 JavaScript 在间隔有空格的数字字符串中查找最大和最小数字
问题
我们需要编写一个 JavaScript 函数,该函数接收一个字符串,其中包含用空格分隔的数字。
我们的函数应该返回一个字符串,其中只包含用空格分隔的最大和最小数字。
输入
const str = '5 57 23 23 7 2 78 6';
输出
const output = '78 2';
因为 78 是最大数字,2 是最小数字。
示例
以下是代码 -
const str = '5 57 23 23 7 2 78 6'; const pickGreatestAndSmallest = (str = '') => { const strArr = str.split(' '); let creds = strArr.reduce((acc, val) => { let { greatest, smallest } = acc; greatest = Math.max(val, greatest); smallest = Math.min(val, smallest); return { greatest, smallest }; }, { greatest: -Infinity, smallest: Infinity }); return `${creds.greatest} ${creds.smallest}`; }; console.log(pickGreatestAndSmallest(str));
输出
78 2
广告