前端面试题整理
程序员文章站
2022-03-04 12:07:03
...
1.写出下面程序的运行结果:
console.log([] == ![])
console.log([] == [])
console.log([] == {})
console.log(new String('a') == new String('a'))
console.log(isNaN(NaN))
console.log(isNaN('32131dsafdas'))
console.log(NaN === NaN)
console.log(NaN === undefined)
console.log(undefined === undefined)
console.log(typeof NaN)
2.写出下面程序的运行结果:
var name = 'world';
(function () {
if (typeof name === 'undefined') {
var name = 'jack'
console.log('hi' + name)
} else {
console.log('hello' + name)
}
})()
3.写出下面程序的运行结果:
var test = (function (a) {
this.a = a;
return function (b) {
return this.a + b
}
}(function (a, b) {
return a
}(1, 2)))
test(4)
4.写出下面程序的运行结果:
var x = 1,
y = z = 0
function add(n) {
return n = n + 1
}
y = add(x)
function add(n) {
return n = n + 3
}
z = add(x)
console.log(x, y, z)
5.写出下面程序的运行结果:
function bar() {
return foo;
foo = 10;
function foo() {}
var foo = 11
}
alert(typeof bar())
6.写出下面程序的运行结果:
var x = 3;
var foo = {
x: 2,
baz: {
x: 1,
bar: function () {
return this.x
}
}
}
var go = foo.baz.bar
go()
foo.baz.bar()
7.写出下面程序的运行结果:
console.log([1, 2] + [2, 1])
8.判断一串字符串是否为回文
var test = '12344321'
var test1 = test.split('').reverse().join('')
console.log(test === test1)
9.数组去重
Array.from(new Set([1,2,3,5,2,1,22,'1']))
10.js继承的实现方式
// (1) 借助构造函数实现继承
function Parent() {
this.name = 'parent'
}
function Child() {
Parent.call(this)
this.age = 18
}
// 这种方式只能实现部分继承,即父类的构造方法中的属性,子类可以继承,其缺点是,父类原型上的属性或方法,子类无法继承。
// (2)借助原型链实现继承
function Parent() {
this.name = 'parent'
this.play = [1, 2, 3]
}
function Child() {
this.age = 18
}
Child.prototype = new Parent()
// 这种继承方式的缺点是用子类Child实例化两个对象后,var s1 = new Child(); var s2 = new Child(); s1.play.push(4); console.log(s2.play); 也会打印出[1,2,3,4],其原因是两个对象的__proto__指向了同一个原型对象。
// (3)组合方式(继承的完美实现)
function Parent() {
this.name = 'parent'
}
function Child() {
Parent.call(this)
this.age = 18
}
Child.prototype = Object.create(Parent.prototype)
Child.prototype.constructor = Child
11.JavaScript事件循环机制相关问题
// 请写出以下代码执行的顺序
setTimeout(function () {
console.log(1);
});
new Promise(function(resolve,reject){
console.log(2)
resolve(3)
}).then(function(val){
console.log(val);
})
console.log(4);
// 2 4 3 1
在同步代码执行完成后才回去检查是否有异步任务完成,并执行对应的回调,而微任务又会在宏任务之前执行。
同步代码=>异步代码(微任务=>宏任务)
宏任务: setTimeout
微任务: Promise.then
12.伪数组转数组
var a={length:2,0:'aaa',1:'bbb'};
// ES6:
Array.from(a)
// ES5:
Array.prototype.slice.call(a);// ["aaa", "bbb"]
var a={length:2};
Array.prototype.slice.call(a);// [undefined, undefined]
13.写出下面程序的运行结果:
function Foo() {
getName = function() {
alert(1)
}
return this
}
Foo.getName = function() {
alert(2)
}
Foo.prototype.getName = function() {
alert(3)
}
var getName = function() {
alert(4)
}
function getName() {
alert(5)
}
//请写出以下输出结果:
Foo.getName() // 2
getName() // 4
Foo().getName() // 1
getName() // 1
new Foo.getName() // 2
new Foo().getName() // 3
new new Foo().getName() // 3
// 详细解释 https://www.jb51.net/article/79461.htm
上一篇: 微信读书怎么分享书籍给微信好友?微信读书分享书籍给微信好友教程
下一篇: 前端面试题笔记01-JS篇