异步回调
function getData(resolve,reject){
//ajax
setTimeout(function(){
var name='张三';
resolve(name);
},1000);
}
var p=new Promise(getData);
p.then((data)=>{
console.log(data);
})
es7新特性Array.prototype.includes()
includes() 方法用来判断一个数组是否包含一个指定的值,根据情况,如果包含则返回 true,否则返回false
异步函数(Async functions)
Object.entries()和Object.values()
字符串填充:padStart和padEnd
es6里面的继承
class Person {
constructor(name, age) {
this.name = name;
this.age = age;
}
getInfo() {
console.log(`姓名:${this.name} 年龄:${this.age}`);
}
run() {
console.log('run')
}
}
class Web extends Person { //继承了Person extends super(name,age);
constructor(name, age, sex) {
super(name, age); /*实例化子类的时候把子类的数据传给父类*/
this.sex = sex;
}
print() {
console.log(this.sex);
}
}
var w = new Web('张三', '30', '男');
w.getInfo();
es6里面的静态方法
class Person {
constructor(name) {
this._name = name; /*属性*/
}
run() { /*实例方法*/
console.log(this._name);
}
static work() { /*静态方法*/
console.log('这是es6里面的静态方法');
}
}
Person.instance = '这是一个静态方法的属性';
var p = new Person('张三');
p.run();
Person.work(); /*es6里面的静态方法*/
console.log(Person.instance);
es6里面的单例模式
class Db {
static getInstance(){ /*单例*/
if(!Db.instance){
Db.instance=new Db();
}
return Db.instance;
}
constructor(){
console.log('实例化会触发构造函数');
this.connect();
}
connect(){
console.log('连接数据库');
}
find(){
console.log('查询数据库');
}
}
var myDb=Db.getInstance();
myDb.find();