leetcode链表之浏览器历史记录
2022-04-05 本文已影响0人
小奚有话说
1472、设计浏览器历史记录
题目:
你有一个只支持单个标签页的 浏览器 ,最开始你浏览的网页是 homepage ,你可以访问其他的网站 url ,也可以在浏览历史中后退 steps 步或前进 steps 步。
请你实现 BrowserHistory 类:
- BrowserHistory(string homepage) ,用 homepage 初始化浏览器类。
- void visit(string url) 从当前页跳转访问 url 对应的页面 。执行此操作会把浏览历史前进的记录全部删除。
- string back(int steps) 在浏览历史中后退 steps 步。如果你只能在浏览历史中后退至多 x 步且 steps > x ,那么你只后退 x 步。请返回后退 至多 steps 步以后的 url 。
- string forward(int steps) 在浏览历史中前进 steps 步。如果你只能在浏览历史中前进至多 x 步且 steps > x ,那么你只前进 x 步。请返回前进 至多 steps步以后的 url 。
思路:
看到题目出现back和forward很自然的就想到了使用双向链表
# 定义双向链表结点
class DoubleLinkedNode:
def __init__(self, val:str="", next=None, prev=None):
self.val = val
self.next = next
self.prev = prev
class BrowserHistory:
# 初始化虚拟头结点和尾结点,方便头部插入和删除
def __init__(self, homepage: str):
self.head = DoubleLinkedNode()
self.tail = DoubleLinkedNode()
# 创建新的结点,绑定前置结点和后置结点
newNode = DoubleLinkedNode(val=homepage, next=self.tail, prev=self.head)
self.head.next = newNode
self.tail.prev = newNode
# 定义当前结点位置
self.cur = newNode
def visit(self, url: str) -> None:
cur = self.head
# 遍历是否出现已访问的页面
while cur and cur.next.val:
if cur.val == url:
break
cur = cur.next
# 如果没有找到则,在队尾插入结点
if not cur.next.val:
temp = DoubleLinkedNode(url, next=self.tail, prev=self.cur)
self.cur.next = temp
self.tail.prev = temp
self.cur = temp
else:
# 如果找到了,直接将当前记录之后的结点记录删除
cur.next = self.tail
self.tail.prev = cur
self.cur = cur
# 使用当前结点进行向前或向后遍历
def back(self, steps: int) -> str:
while steps and self.cur.prev.val:
self.cur = self.cur.prev
steps -= 1
return self.cur.val
def forward(self, steps: int) -> str:
while steps and self.cur.next.val:
self.cur = self.cur.next
steps -= 1
return self.cur.val
但是看着这代码有点多啊,于是试着使用数组实现一下
class BrowserHistory:
def __init__(self, homepage: str):
self.history = [homepage]
self.curIndex = 0
def visit(self, url: str) -> None:
if url in self.history:
curIndex = self.history.index(url)
self.curIndex = curIndex
self.history = self.history[0: curIndex + 1]
else:
self.history = self.history[0: self.curIndex + 1]
self.history.append(url)
self.curIndex += 1
def back(self, steps: int) -> str:
self.curIndex -= steps
# 进行边界限制
self.curIndex = max(self.curIndex, 0)
return self.history[self.curIndex]
def forward(self, steps: int) -> str:
self.curIndex += steps
self.curIndex = min(len(self.history) - 1, self.curIndex)
return self.history[self.curIndex]