2.6 KiB
2.6 KiB
id, challengeType, forumTopicId, title
id | challengeType | forumTopicId | title |
---|---|---|---|
587d78b2367417b2b2512b0f | 1 | 301165 | 使用 pop() 和 shift() 从数组中删除项目 |
Description
push()
和unshift()
都分别有一个作用基本与之相反的函数:pop()
和shift()
。你现在或许已经猜到,与插入元素相反,pop()
从数组的末尾移除一个元素,而shift()
从数组的开头移除一个元素。pop()
和shift()
与对应的push()
和unshift()
的关键区别在于,前者不能接受输入参数,而且每次只能修改数组中的一个元素。
让我们来看以下的例子:
let greetings = ['whats up?', 'hello', 'see ya!'];
greetings.pop();
// now equals ['whats up?', 'hello']
greetings.shift();
// now equals ['hello']
还可以用这些方法返回移除的元素,像这样:
let popped = greetings.pop();
// returns 'hello'
// greetings now equals []
Instructions
popShift
函数,它会接收一个数组作为输入参数并返回一个新的数组。请你修改这个函数,使用pop()
和shift()
来移除输入的数组的第一个元素和最后一个元素,并将这两个被移除的元素赋值给对应的变量,使得返回的数组包含它们的值。
Tests
tests:
- text: '<code>popShift(["challenge", "is", "not", "complete"])</code>应返回<code>["challenge", "complete"]</code>'
testString: assert.deepEqual(popShift(['challenge', 'is', 'not', 'complete']), ["challenge", "complete"]);
- text: <code>popShift</code>函数应该使用<code>pop()</code>方法
testString: assert.notStrictEqual(popShift.toString().search(/\.pop\(/), -1);
- text: <code>popShift</code>函数应该使用<code>shift()</code>方法
testString: assert.notStrictEqual(popShift.toString().search(/\.shift\(/), -1);
Challenge Seed
function popShift(arr) {
let popped; // change this line
let shifted; // change this line
return [shifted, popped];
}
// do not change code below this line
console.log(popShift(['challenge', 'is', 'not', 'complete']));
Solution
function popShift(arr) {
let popped = arr.pop(); // change this line
let shifted = arr.shift(); // change this line
return [shifted, popped];
}