JavaScript 学习-8.JavaScript 箭头函数的使用

前言

ES6 中引入了箭头函数() =>。箭头函数不需要使用function关键字,允许我们编写更短的函数.

箭头函数

之前使用function 定义函数

fun1 = function() {
  return "Hello World!";
}
console.log(fun1()); // Hello World!

使用箭头函数() =>格式

fun2 = () => {
  return "Hello World!";
}
console.log(fun2()); // Hello World!

只有一条语句

当只有一条语句的时候,并且该语句返回一个值,我们去掉大括号和 return 关键字

fun3 = () => "Hello World!";
console.log(fun3()); // Hello World!

或者也可以返回一个表达式

a = 'hello';
b = 'world!'
fun4 = () => a+b;
console.log(fun4()); // helloworld!

箭头函数传参

当需要传参数的时候,把参数放到圆括号

fun5 = (a, b) => a+b;
console.log(fun5('hello', 'world')); // helloworld

当只有一个参数的时候,圆括号也能省略

fun6 = x => x+'world';
console.log(fun6('hello')); // helloworld

参数带认值

当参数带认值的时候,调用函数可以不用传参

fun7 = (x='hello') => x+'world';
console.log(fun7()); // helloworld
console.log(fun7('yoyo')); // yoyoworld

this的使用

使用箭头函数没有对 this 的绑定。
在常规函数中,关键字 this 表示调用函数的对象,可以是窗口、文档、按钮或其他任何东西。

对于常规函数,this 表示调用函数的对象:

// 常规函数:
hello = function() {
  document.getElementById("demo").innerHTML += this;
}

// window 对象调用函数:
window.addEventListener("load", hello);        // Window

// button 对象调用函数:
document.getElementById("btn").addEventListener("click", hello);         // HTMLButtonElement

用了箭头函数,则 this 表示函数的拥有者:

// 箭头函数:
hello = () => {
  document.getElementById("demo").innerHTML += this;
}

// window 对象调用函数:
window.addEventListener("load", hello);  // Window

// button 对象调用函数:
document.getElementById("btn").addEventListener("click", hello);  //Window

对于箭头函数,this 关键字始终表示定义箭头函数的对象。

相关文章

前言 做过web项目开发的人对layer弹层组件肯定不陌生,作为l...
前言 前端表单校验是过滤无效数据、假数据、有毒数据的第一步...
前言 图片上传是web项目常见的需求,我基于之前的博客的代码...
前言 导出Excel文件这个功能,通常都是在后端实现返回前端一...
前言 众所周知,js是单线程的,从上往下,从左往右依次执行,...
前言 项目开发中,我们可能会碰到这样的需求:select标签,禁...