WKWebView - 防止用户文本选择触发的自动滚动

WKWebView - prevent automatic scrolling triggered by user text selection

当用户对 select 字词执行点击并按住手势,然后将手指拖向屏幕的顶部或底部边缘时,页面会自动滚动以适应 selection.

here is a short clip demonstrating it

我想在 WKWebView.

中阻止这种行为

这是我目前尝试过的方法:

在 Web 视图可访问的 bridge.js 文件中:

var shouldAllowScrolling = true;

document.addEventListener('selectionchange', e => {
    shouldAllowScrolling = getSelectedText().length === 0;
    window.webkit.messageHandlers.selectionChangeHandler.postMessage(
        {
            shouldAllowScrolling: shouldAllowScrolling
        });
    console.log('allow scrolling = ', shouldAllowScrolling);
});

然后在 WKScriptMessageHandler 实施中:

public func userContentController(_ userContentController: WKUserContentController, didReceive message: WKScriptMessage)
    {
        switch message.name
        {
        case "selectionChangeHandler":
            let params = paramsDictionary(fromMessageBody: message.body)
            let shouldEnableScrolling = params["shouldAllowScrolling"] as? Bool ?? true
            cell?.webView.scrollView.isScrollEnabled = shouldEnableScrolling
            cell?.webView.scrollView.isUserInteractionEnabled = shouldEnableScrolling // not together with the line above 
        default:
            fatalError("\(#function): received undefined message handler name: \(message.name)")
        }
    }

类似地,我尝试直接在 javascript 文件中调用 preventDefault() 函数来处理一系列事件,即 scrolltouchmove,如下所示:

document.addEventListener('touchmove', e => {
    if (!shouldAllowScrolling) {
        e.preventDefault()
    }
}, {passive: false});

当某些文本被 selected 时,这两种方法都成功地阻止了滚动,但没有覆盖我问题最顶部描述的行为。

我可以接受 Swift 和 JavaScript 或两者混合的解决方案。

我最终通过保存最后的滚动位置并在适当的时候滚动到它来解决这个问题,如下所示:

var shouldAllowScrolling = true;
var lastSavedScrollLeft = 0;
var lastSavedScrollTop = 0;

function saveScrollPosition() {
    lastSavedScrollLeft = window.pageXOffset || document.documentElement.scrollLeft;
    lastSavedScrollTop = window.pageYOffset || document.documentElement.scrollTop;
}

document.addEventListener('touchstart', e => {
    saveScrollPosition();
});

document.addEventListener('touchend', () => {
    // enable scrolling when the user lifts their finger, to allow scrolling while text selection is still present
    shouldAllowScrolling = true;
});

document.addEventListener('scroll', e => {
    if (!shouldAllowScrolling) {
        window.scrollTo(lastSavedScrollLeft, lastSavedScrollTop);
    }
});

document.addEventListener('selectionchange', e => {
    shouldAllowScrolling = getSelectedText().length === 0;
});

如果有人能提供更优雅的解决方案来完全防止滚动,我很乐意接受它。

编辑:

此解决方案可能会导致光照 shaking/jittering。

这可以通过在 shouldAllowScrolling 设置为 false 时禁用本机滚动来解决,如下所示:

webView.scrollView.isScrollEnabled = false