Weber博客

分享知识,记录思考

2025年JavaScript新增方法详解

2025年6月16日
JavaScript

JavaScript作为前端开发的基石语言,每年都在不断演进。2025年的ECMAScript提案(ES2025)又为我们带来了一些实用的新方法,这些新特性将显著提升我们的开发效率和代码可读性。本文将详细介绍这些新增方法,并通过实际案例展示它们的用法。

1. Array.prototype.groupBy() 和 groupByToMap()

分组操作是数据处理中的常见需求,ES2025终于为我们带来了原生支持。

const inventory = [
  { name: 'asparagus', type: 'vegetables', quantity: 5 },
  { name: 'bananas', type: 'fruit', quantity: 0 },
  { name: 'goat', type: 'meat', quantity: 23 },
  { name: 'cherries', type: 'fruit', quantity: 5 },
  { name: 'fish', type: 'meat', quantity: 22 }
];

// 按type属性分组
const grouped = inventory.groupBy(({ type }) => type);

console.log(grouped);
/*
{
  vegetables: [
    { name: 'asparagus', type: 'vegetables', quantity: 5 }
  ],
  fruit: [
    { name: 'bananas', type: 'fruit', quantity: 0 },
    { name: 'cherries', type: 'fruit', quantity: 5 }
  ],
  meat: [
    { name: 'goat', type: 'meat', quantity: 23 },
    { name: 'fish', type: 'meat', quantity: 22 }
  ]
}
*/

// 使用groupByToMap()返回Map对象
const groupedMap = inventory.groupByToMap((item) => {
  return item.quantity > 5 ? 'ok' : 'restock';
});

console.log(groupedMap.get('restock'));
// [{ name: 'asparagus', type: 'vegetables', quantity: 5 },
//  { name: 'bananas', type: 'fruit', quantity: 0 },
//  { name: 'cherries', type: 'fruit', quantity: 5 }]

 

2. Object.prototype.pick() 和 omit()

这两个方法让我们可以更方便地从对象中选择或排除特定属性。

const user = {
  id: 1,
  name: 'John',
  age: 30,
  email: 'john@example.com',
  password: 'secret'
};

// 选择特定属性
const publicProfile = user.pick(['name', 'age', 'email']);
console.log(publicProfile); // { name: 'John', age: 30, email: 'john@example.com' }

// 排除特定属性
const safeData = user.omit(['password']);
console.log(safeData); // { id: 1, name: 'John', age: 30, email: 'john@example.com' }

 

3. String.prototype.replaceAll() 增强版

虽然replaceAll()在ES2021中已经引入,但ES2025为其增加了回调函数支持。

const str = "The quick brown fox jumps over the lazy dog";

// 使用回调函数
const result = str.replaceAll(/[aeiou]/g, (match) => match.toUpperCase());
console.log(result); 
// "ThE qUIck brOwn fOx jUmps OvEr thE lAzy dOg"

// 更复杂的替换
const prices = "Apples $1.99, Oranges $2.49, Bananas $0.99";
const increasedPrices = prices.replaceAll(/\$(\d+\.\d\d)/g, (match, p1) => {
  const price = parseFloat(p1);
  return `$${(price * 1.1).toFixed(2)}`; // 价格上涨10%
});
console.log(increasedPrices);
// "Apples $2.19, Oranges $2.74, Bananas $1.09"

 

4. Array.prototype.at() 支持负索引查找

at()方法在ES2022中引入,ES2025使其支持更灵活的查找方式。

const array = [1, 2, 3, 4, 5];

// 基本用法
console.log(array.at(1));    // 2
console.log(array.at(-1));   // 5

// 现在支持表达式
const index = -2;
console.log(array.at(index)); // 4

// 链式调用
console.log(array.reverse().at(0)); // 5

 

5. Promise.any() 增强错误处理

Promise.any()在ES2021中引入,ES2025为其增加了更详细的错误聚合信息。

const promises = [
  Promise.reject(new Error('Error 1')),
  Promise.reject(new Error('Error 2')),
  Promise.resolve('Success!')
];

Promise.any(promises)
  .then((value) => {
    console.log(value); // 'Success!'
  })
  .catch((error) => {
    console.log(error.errors); // [Error: Error 1, Error: Error 2]
    console.log(error.message); // 'All promises were rejected'
  });

 

6. Temporal API (正式成为标准)

Temporal API终于从提案阶段毕业,成为JavaScript标准的一部分,提供了更完善的日期时间处理能力。

const meeting = Temporal.PlainDateTime.from({
  year: 2025,
  month: 6,
  day: 20,
  hour: 14,
  minute: 30
});

// 添加持续时间
const extendedMeeting = meeting.add(Temporal.Duration.from({ hours: 1 }));
console.log(extendedMeeting.toString()); // "2025-06-20T15:30:00"

// 计算时间差
const now = Temporal.Now.plainDateTimeISO();
const untilMeeting = meeting.since(now);
console.log(`会议将在${untilMeeting.days}天后开始`);

// 时区处理
const zonedMeeting = meeting.withZone('America/New_York');
console.log(zonedMeeting.toString()); // "2025-06-20T14:30:00-04:00[America/New_York]"

 

7. Array.prototype.unique()

新增的unique()方法可以快速去重数组。

const numbers = [1, 2, 2, 3, 4, 4, 5];
console.log(numbers.unique()); // [1, 2, 3, 4, 5]

const objects = [
  { id: 1, name: 'John' },
  { id: 2, name: 'Jane' },
  { id: 1, name: 'John' }
];

// 使用回调函数指定唯一性依据
console.log(objects.unique((a, b) => a.id === b.id));
// [{ id: 1, name: 'John' }, { id: 2, name: 'Jane' }]

 

8. Object.deepMerge()

深度合并多个对象,解决了Object.assign()只能浅合并的问题。

const defaultConfig = {
  database: {
    host: 'localhost',
    port: 5432,
    credentials: {
      username: 'admin',
      password: 'secret'
    }
  },
  logging: {
    level: 'info'
  }
};

const userConfig = {
  database: {
    host: 'db.example.com',
    credentials: {
      username: 'user123'
    }
  },
  logging: {
    level: 'debug'
  }
};

const mergedConfig = Object.deepMerge(defaultConfig, userConfig);
console.log(mergedConfig);
/*
{
  database: {
    host: 'db.example.com',
    port: 5432,
    credentials: {
      username: 'user123',
      password: 'secret'
    }
  },
  logging: {
    level: 'debug'
  }
}
*/

 

9. Math.scale() 和 Math.clamp()

新增的数学工具方法,非常适合游戏开发和数据处理场景。

// 将值从一个范围线性映射到另一个范围
console.log(Math.scale(5, 0, 10, 0, 100)); // 50

// 限制值在最小和最大值之间
console.log(Math.clamp(15, 0, 10)); // 10
console.log(Math.clamp(-5, 0, 10)); // 0
console.log(Math.clamp(7, 0, 10)); // 7

// 实际应用:处理UI中的拖动位置
function handleDrag(position) {
  // 确保position在0到容器宽度之间
  const clamped = Math.clamp(position, 0, containerWidth);
  // 将0-100的输入值转换为0-1的透明度
  const opacity = Math.scale(clamped, 0, containerWidth, 0, 1);
  element.style.opacity = opacity;
}

 

10. RegExp.escape()

安全地转义字符串以用于正则表达式。

const userInput = 'file.*.txt';
const regex = new RegExp(`^${RegExp.escape(userInput)}$`);
console.log(regex.test('file.*.txt')); // true
console.log(regex.test('file123.txt')); // false

// 以前我们需要自己实现转义函数
function oldEscapeRegex(string) {
  return string.replace(/[.*+?^${}()|[\]\\]/g, '\\$&');
}

// 现在有了原生支持
console.log(RegExp.escape('What is 2 + 2?')); // "What is 2 \\+ 2\\?"

 

结语

ES2025的这些新增方法覆盖了数组处理、对象操作、字符串处理、异步编程等多个方面,能够显著提升我们的开发效率和代码可读性。虽然部分功能以前我们需要通过第三方库或自己编写工具函数来实现,但现在它们成为了JavaScript语言的原生部分,这意味着更好的性能和更一致的API。

文章评论

发表评论

全部评论 (0)

加载评论中...