history保存列表页ajax请求的状态使用示例详解
目录

问题

最近碰到两个问题:

  • 从首页进入列表页之后,点击下一页的时候,使用ajax请求更新数据, 然后点击浏览器“后退”按钮就直接返回到首页,实际这里想要的效果是返回列表页上一页。
  • 在列表页分页为2的页面进入详情页,然后点击“后退”按钮,返回的事列表页分页为1的页面。没法记住之前分页状态。

优化前代码

代码如下,在页数变化的时候,去异步请求数据,渲染页面。

const currentchange = (currentpage) => {
    ajax(`请求地址/${currentpage}`)
    .then(renderpage)
}

history

经过几番搜索,发现可以用history 接口来实现我们想要功能。

history.pushstate()

按指定的名称和url(如果提供该参数)将数据push进会话历史栈,数据被dom进行不透明处理;你可以指定任何可以被序列化的javascript对象。具体描述可以参考文档

通过history.pushstate(state, title, url)可以修改会话历史栈,把我们需要保存的数据存到state中,这里我们存入一个对象,属性为当前页数;title一般没什么用,这里传入null;url会修改当前历史纪录的地址,浏览器在调用pushstate()方法后不会去加载这个url

假设当前currentpage为1,当前url为www.example.com/search/index

...
const pushstate = () => {
    const url = `/search/index/${currentpage}`
    history.push({
        page: currentpage
    }, null, url)
}
const currentchange = (currentpage) => {
    ajax(`请求地址/${currentpage}`)
    .then(res =>{
        pushstate(currentpage)
        renderpage()
    })
}
...

现在代码执行顺序是:页数改变 => ajax请求 => pushstate => renderpage()

在pushstate之后当前url变成www.example.com/search/index/1

window.onpopstate

现在我们通过history.pushstate()方法把状态存入历史会话中了,接下来就要监听window.onpopstate事件

参考mdn文档window.onpopstate

每当处于激活状态的历史记录条目发生变化时,popstate事件就会在对应window对象上触发.

调用history.pushstate()或者history.replacestate()不会触发popstate事件. popstate事件只会在浏览器某些行为下触发, 比如点击后退、前进按钮(或者在javascript中调用history.back()、history.forward()、history.go()方法).

接下来监听这个事件

window.addeventlistener("popstate", (event) => {
	if(event.state !== null){
	    page = event.state.page
	    changecurrentpage(page) // 修改当前页数
	}
})

当popstate触发时,会修改当前页数,然后触发之前定义的currentchange方法,更新数据,渲染页面。

问题2

到此为止,问题1就解决了。

接下来要解决问题二:从详情页返回列表页,记住之前的状态
这里我用url来记录状态,之前pushstate推入的url就派上用场了。 只要把进入页面首次请求的地址改成当前url就可以了

假设之前push的url为www.example.com/search/index/5,从详情页返回之后url还会显示www.example.com/search/index/5

mounted () {
    ajax(location.href)
}

这样就完成了。 当然如果你的状态比较复杂,可以把数据存入本地storage,添加一些判断即可

以上就是history保存列表页ajax请求的状态使用示例详解的详细内容,更多关于history保存列表页ajax请求状态的资料请关注硕编程其它相关文章!

相关文章