列表

详情


NP30. 用列表实现队列

描述

队列是一种先进先出的数据结构,类似食堂排队打饭,先入队的元素当然要先出队,先请用Python列表模拟队列。现有一列表 queue = [1, 2, 3, 4, 5] 被视作队列,请使用pop函数连续两次取出队首元素,再使用append函数将输入元素添加到队尾,每次操作后都要输出完整的列表。

输入描述

输入一个整数表示要添加到队列的元素。

输出描述

第一行输出第一次取出队首后的列表;
第二行输出第二次取出队首后的列表;
第三行输出添加元素到队列后的列表。

示例1

输入:

8

输出:

[2, 3, 4, 5]
[3, 4, 5]
[3, 4, 5, 8]

说明:

第一次弹出队首元素1,第二次弹出队首元素2,第三次加入数字8到队尾

原站题解

Python 解法, 执行用时: 9ms, 内存消耗: 2844KB, 提交时间: 2022-08-02

queue = [1, 2, 3, 4, 5] 
queue.pop(0)
print(queue)
queue.pop(0)
print(queue)
n=int(input())
queue.append(n)
print(queue)

Python 解法, 执行用时: 10ms, 内存消耗: 2848KB, 提交时间: 2022-08-05

queue = [1, 2, 3, 4, 5]
queue.pop(0)
print(queue)
queue.pop(0)
print(queue)
a=input()
queue.append(a)
print(queue)

Python 解法, 执行用时: 10ms, 内存消耗: 2852KB, 提交时间: 2022-08-05

queue = [1, 2, 3, 4, 5]
queue.pop(0)
print(queue)
queue.pop(0)
print(queue)
n=int(input())
queue.append(n)
print(queue)

Python 解法, 执行用时: 10ms, 内存消耗: 2988KB, 提交时间: 2022-08-02

number_input=int(input())
queue = [1,2,3,4,5]
for i in range(2):
    queue.pop(0)
    print(queue)
queue.append(number_input)
print(queue)

Python 解法, 执行用时: 11ms, 内存消耗: 2824KB, 提交时间: 2022-08-01

s = [1, 2, 3, 4, 5]
s.pop(0)
print s
s.pop(0)
print s
i = eval(raw_input())
s.append(i)
print s

上一题