Gemini/BrowserCore/NavigationManager.swift

99 lines
2.7 KiB
Swift
Raw Normal View History

2020-07-15 03:15:56 +00:00
//
// NavigationManager.swift
// Gemini
//
// Created by Shadowfacts on 7/14/20.
//
import Foundation
2020-09-28 02:26:44 +00:00
public protocol NavigationManagerDelegate: class {
func loadNonGeminiURL(_ url: URL)
}
public class NavigationManager: NSObject, ObservableObject {
2020-07-15 03:15:56 +00:00
2020-09-28 02:26:44 +00:00
public weak var delegate: NavigationManagerDelegate?
@Published public var currentURL: URL
@Published public var backStack = [URL]()
@Published public var forwardStack = [URL]()
2020-07-15 03:15:56 +00:00
2020-09-29 20:28:05 +00:00
public var displayURL: String {
var components = URLComponents(url: currentURL, resolvingAgainstBaseURL: false)!
if components.port == 1965 {
components.port = nil
}
return components.string!
}
public init(url: URL) {
2020-07-15 03:15:56 +00:00
self.currentURL = url
}
public func changeURL(_ url: URL) {
var components = URLComponents(url: url, resolvingAgainstBaseURL: false)!
if let scheme = url.scheme {
if scheme != "gemini" {
delegate?.loadNonGeminiURL(url)
return
}
} else {
components.scheme = "gemini"
}
// Foundation parses bare hosts (e.g. `example.com`) as having no host and a path of `example.com`
if components.host == nil {
components.host = components.path
components.path = "/"
2020-09-28 02:26:44 +00:00
}
2020-09-29 20:28:17 +00:00
// Some Gemini servers break on empty paths
if components.path.isEmpty {
components.path = "/"
}
let url = components.url!
2020-07-15 13:18:37 +00:00
backStack.append(currentURL)
currentURL = url
2020-07-15 13:18:37 +00:00
forwardStack = []
}
2020-09-28 02:11:34 +00:00
public func reload() {
let url = currentURL
currentURL = url
}
@objc public func back() {
2020-07-15 13:18:37 +00:00
guard !backStack.isEmpty else { return }
forwardStack.insert(currentURL, at: 0)
currentURL = backStack.removeLast()
}
public func back(count: Int) {
guard count <= backStack.count else { return }
var removed = backStack.suffix(count)
backStack.removeLast(count)
forwardStack.insert(currentURL, at: 0)
currentURL = removed.removeFirst()
forwardStack.insert(contentsOf: removed, at: 0)
}
@objc public func forward() {
2020-07-15 13:18:37 +00:00
guard !forwardStack.isEmpty else { return }
backStack.append(currentURL)
currentURL = forwardStack.removeFirst()
2020-07-15 03:15:56 +00:00
}
public func forward(count: Int) {
guard count <= forwardStack.count else { return }
var removed = forwardStack.prefix(count)
forwardStack.removeFirst(count)
backStack.append(currentURL)
currentURL = removed.removeLast()
backStack.append(contentsOf: removed)
}
2020-07-15 03:15:56 +00:00
}