其他分享
首页 > 其他分享> > 简洁的箭头函数

简洁的箭头函数

作者:互联网

文章目录

箭头函数是ES6中新增的使用胖箭头(=>)定义函数的方法

箭头函数省略了关键字function


箭头函数的声明和调用

<script type="text/javascript">
			let fun1 = function(a,b){
				return a + b
			};
			
			//箭头函数的声明
			let fun2 = (a,b) => {
				return a + b
			};
			//箭头函数的调用
			let result = fun2(1,2)//3
</script>

箭头函数使用中的注意事项

window.name = "window"
			let obj = {
				name:"Penrose",
				getName:() =>{
				  //此时的this指向的是window作用域下的this
					console.log(this.name);
				}
			};
obj.getName()//输出的是window

<html>
	<head>
		<meta charset="utf-8">
		<title></title>
		<style type="text/css">
			.demo{
				width: 300px;
				height: 300px;
				background-color: pink;
			}
		</style>
	</head>
	<body>
		<div class="demo"></div>
		<script type="text/javascript">
		//需求:点击div后,2s后背景变为purple
			let div = document.querySelector(".demo");
			div.addEventListener("click",function(){
				setTimeout(()=>{
					//这个箭头函数中的this指向的是此箭头函数声明时所在的作用域下的this
					//即this指向在监听器下的作用域的this,而监听器中的this指向的就是事件源
					this.style.backgroundColor = "purple";
				},2000)
			})
		</script>
	</body>
</html>
<script type="text/javascript">
			let Person = (name,age) =>{
				this.name = name;
				this.age = age;
			};
			
			let p = new Person("Penrose",22)
			
			//错误信息
			//Uncaught TypeError: Person is not a constructor
</script>

<script type="text/javascript">
			let fn = () =>{
				console.log(arguments)
			}
			fn(1,2,3)
			
			//错误信息
			//arguments is not defined
</script>

标签:简洁,函数,作用域,箭头,window,let,name
来源: https://blog.csdn.net/qq_44875230/article/details/122833267