-
Notifications
You must be signed in to change notification settings - Fork 1.1k
/
Copy pathWebCommentContentRenderer.swift
246 lines (203 loc) · 8.61 KB
/
WebCommentContentRenderer.swift
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
import WebKit
import WordPressShared
import WordPressUI
import Combine
/// Renders the comment body with a web view. Provides the best visual experience but has the highest performance cost.
@MainActor
public final class WebCommentContentRenderer: NSObject, CommentContentRenderer {
// MARK: Properties
public weak var delegate: CommentContentRendererDelegate?
public var view: UIView { webView }
private let webView = WKWebView(frame: .zero, configuration: {
let configuration = WKWebViewConfiguration()
configuration.allowsInlineMediaPlayback = true
configuration.defaultWebpagePreferences.allowsContentJavaScript = false
return configuration
}())
/// It can't be changed at the moment, but this capability was included from the
/// start, and this implementation continues supporting it.
private var displaySetting = ReaderDisplaySettings.standard
/// - warning: This has to be configured _before_ you render.
public var tintColor: UIColor {
get { webView.tintColor }
set {
webView.tintColor = newValue
cachedHead = nil
}
}
private var cachedHead: String?
private var comment: String?
private var lastReloadDate: Date?
private var isReloadNeeded = false
private var renderID: UUID?
private var previousWebViewContentSize: CGSize?
private var previousReportedContentHeight: CGFloat?
private var isHeightUpdateNeeded = false
private var isUpdatingHeight = false
private var cancellables: [AnyCancellable] = []
/// A shared web view context with resources that can be reused across
/// mutliple web view instances.
@MainActor
public final class Context {
let processPool = WKProcessPool()
public init() {}
}
// MARK: Methods
public required override convenience init() {
self.init(context: .init())
}
public init(context: Context) {
super.init()
webView.configuration.processPool = context.processPool
if #available(iOS 16.4, *) {
webView.isInspectable = true
}
webView.backgroundColor = .clear
webView.isOpaque = false // gets rid of the white flash upon content load in dark mode.
webView.translatesAutoresizingMaskIntoConstraints = false
webView.navigationDelegate = self
webView.scrollView.bounces = false
webView.scrollView.showsVerticalScrollIndicator = false
webView.scrollView.backgroundColor = .clear
NotificationCenter.default.addObserver(self, selector: #selector(applicationWillEnterForeground), name: UIApplication.willEnterForegroundNotification, object: nil)
}
public func render(comment: String) {
self.comment = comment
actuallyRender(comment: comment)
let renderID = UUID()
self.renderID = renderID
webView.scrollView.publisher(for: \.contentSize, options: [.new]).sink { [weak self] in
self?.didChangeContentSize($0, renderID: renderID)
}.store(in: &cancellables)
}
private func actuallyRender(comment: String) {
webView.loadHTMLString(formattedHTMLString(for: comment), baseURL: nil)
}
public func prepareForReuse() {
renderID = nil // Make sure previous callbacks are not calls/executed
comment = nil
isUpdatingHeight = false
isHeightUpdateNeeded = false
previousWebViewContentSize = nil
previousReportedContentHeight = nil
cancellables = []
webView.stopLoading()
}
@objc private func applicationWillEnterForeground() {
reloadIfNeeded()
}
private func reloadIfNeeded() {
guard isReloadNeeded, Date.now.timeIntervalSince((lastReloadDate ?? .distantPast)) > 8, let comment else {
return
}
isReloadNeeded = false
lastReloadDate = Date()
actuallyRender(comment: comment)
}
// MARK: - Content Size
private func didChangeContentSize(_ size: CGSize, renderID: UUID) {
guard renderID == self.renderID else { return } // Was reused
guard previousWebViewContentSize != size else { return }
previousWebViewContentSize = size
setNeedsHeightUpdate()
}
private func setNeedsHeightUpdate() {
isHeightUpdateNeeded = true
updateHeightIfNeeded()
}
private func updateHeightIfNeeded() {
guard let renderID else { return }
guard isHeightUpdateNeeded && !isUpdatingHeight else { return }
isUpdatingHeight = true
isHeightUpdateNeeded = false
// This is more accurate than WKWebView that has a minimum preferred height
// settings that is sometimes larger than the actual `s`crollHeight.
webView.evaluateJavaScript("document.body.scrollHeight") { [weak self] height, _ in
guard let height = height as? CGFloat else { return }
self?.didUpdateHeight(height, for: renderID)
}
}
private func didUpdateHeight(_ height: CGFloat, for renderID: UUID) { // for current comment
guard renderID == self.renderID, let comment else { return } // Was reused
isUpdatingHeight = false
if previousReportedContentHeight != height {
previousReportedContentHeight = height
delegate?.renderer(self, asyncRenderCompletedWithHeight: height, comment: comment)
}
updateHeightIfNeeded()
}
}
// MARK: - WKNavigationDelegate
extension WebCommentContentRenderer: WKNavigationDelegate {
public func webView(_ webView: WKWebView, didFinish navigation: WKNavigation!) {
guard renderID != nil else { return }
setNeedsHeightUpdate()
}
public func webView(_ webView: WKWebView, decidePolicyFor navigationAction: WKNavigationAction) async -> WKNavigationActionPolicy {
switch navigationAction.navigationType {
case .other:
// allow local file requests.
return .allow
default:
guard let destinationURL = navigationAction.request.url else {
return .allow
}
self.delegate?.renderer(self, interactedWithURL: destinationURL)
return .cancel
}
}
public func webViewWebContentProcessDidTerminate(_ webView: WKWebView) {
isReloadNeeded = true
if UIApplication.shared.applicationState == .active {
reloadIfNeeded()
}
}
}
private extension WebCommentContentRenderer {
/// Returns a formatted HTML string by loading the template for rich comment.
///
/// The method will try to return cached content if possible, by detecting whether the content matches the previous content.
/// If it's different (e.g. due to edits), it will reprocess the HTML string.
///
/// - Parameter content: The content value from the `Comment` object.
/// - Returns: Formatted HTML string to be displayed in the web view.
///
func formattedHTMLString(for comment: String) -> String {
// remove empty HTML elements from the `content`, as the content often contains empty paragraph elements which adds unnecessary padding/margin.
// `rawContent` does not have this problem, but it's not used because `rawContent` gets rid of links (<a> tags) for mentions.
let comment = comment
.replacingOccurrences(of: Self.emptyElementRegexPattern, with: "", options: [.regularExpression])
.trimmingCharacters(in: .whitespacesAndNewlines)
return """
<html dir="auto">
\(makeHead())
<body>
\(comment)
</body>
</html>
"""
}
static let emptyElementRegexPattern = "<[a-z]+>(<!-- [a-zA-Z0-9\\/: \"{}\\-\\.,\\?=\\[\\]]+ -->)+<\\/[a-z]+>"
/// Returns HTML page <head> with the preconfigured styles and scripts.
private func makeHead() -> String {
if let cachedHead {
return cachedHead
}
let head = actuallyMakeHead()
cachedHead = head
return head
}
private func actuallyMakeHead() -> String {
let meta = "width=device-width,initial-scale=\(displaySetting.size.scale),maximum-scale=\(displaySetting.size.scale),user-scalable=no,shrink-to-fit=no"
let styles = displaySetting.makeStyles(tintColor: webView.tintColor)
return String(format: Self.headTemplate, meta, styles)
}
private static let headTemplate: String = {
guard let fileURL = Bundle.module.url(forResource: "gutenbergCommentHeadTemplate", withExtension: "html"),
let string = try? String(contentsOf: fileURL) else {
assertionFailure("template missing")
return ""
}
return string
}()
}