Compare commits

...

7 Commits

Author SHA1 Message Date
0bb4be861c chore: release 26.1.10 2026-04-21 00:18:18 +02:00
619545738a Merge branch 'groups' 2026-04-21 00:16:54 +02:00
44cc620d3d feat: add optional server groups 2026-04-21 00:15:08 +02:00
08db74f397 chore: release 26.1.9 2026-04-19 23:04:09 +02:00
9be8d41c94 fix: reduce idle interval indicator work 2026-04-19 23:02:51 +02:00
d978c51fbd chore: release 26.1.8 2026-04-19 22:50:18 +02:00
b8f80932ed fix: serialize ping state updates 2026-04-19 22:48:41 +02:00
11 changed files with 625 additions and 131 deletions

View File

@@ -1,6 +1,20 @@
# Changelog # Changelog
## 26.1.7 ## Unreleased (2026-04-21)
- Added optional sidebar groups for hosts, including group creation, editing, deletion, and host assignment.
- Added grouped host ordering, group reordering via drag and drop, and clearer visual feedback while moving groups.
- Improved group header styling to better distinguish groups and ungrouped hosts in the sidebar.
- Fixed a launch crash in grouped builds caused by async ping tasks writing back to stale array indexes after the server list changed.
## 26.1.9 (2026-04-19)
- Reduced idle CPU usage and energy impact by changing the interval indicator from a permanent 60 FPS timer to a 1-second update cadence.
- Reset the interval indicator cleanly when the refresh interval changes or when the indicator is hidden.
## 26.1.8 (2026-04-19)
- Fixed a crash in `PingService` caused by concurrent mutation of shared ping state from multiple async ping tasks.
- Moved ping state tracking and reboot suppression windows into an actor so ping success/failure handling is serialized safely.
## 26.1.7 (2026-04-19)
- Added remote reboot support for hosts running KeyHelp API 2.14 or newer. - Added remote reboot support for hosts running KeyHelp API 2.14 or newer.
- Added a dedicated `APIv2_14` client and mapped 2.14+ hosts to it instead of treating them as API 2.13. - Added a dedicated `APIv2_14` client and mapped 2.14+ hosts to it instead of treating them as API 2.13.
- Fixed the reboot request to call `/api/v2/server/reboot` with the required JSON confirmation payload. - Fixed the reboot request to call `/api/v2/server/reboot` with the required JSON confirmation payload.
@@ -8,22 +22,22 @@
- Improved API error messages by surfacing the server response body instead of only generic HTTP status codes. - Improved API error messages by surfacing the server response body instead of only generic HTTP status codes.
- Reduced expected reboot noise by suppressing ping checks for a short grace period after a reboot request. - Reduced expected reboot noise by suppressing ping checks for a short grace period after a reboot request.
## 26.1.6 ## 26.1.6 (2026-04-19)
- Publish Gitea releases as stable by default instead of pre-releases. - Publish Gitea releases as stable by default instead of pre-releases.
- Update the Homebrew tap automatically after each successful release by rewriting the cask version and DMG checksum, then pushing the tap repo. - Update the Homebrew tap automatically after each successful release by rewriting the cask version and DMG checksum, then pushing the tap repo.
- Simplified the README for end users by adding clear install options and trimming internal release-engineering details. - Simplified the README for end users by adding clear install options and trimming internal release-engineering details.
- Ignore the local `homebrew-tap/` checkout in the main app repository. - Ignore the local `homebrew-tap/` checkout in the main app repository.
## 26.1.3 ## 26.1.3 (2026-01-03)
- Fixed version handling for changelogs. - Fixed version handling for changelogs.
## 26.1.2 (2025-01-03) ## 26.1.2 (2026-01-03)
- Synced version.json to 26.1.2. - Synced version.json to 26.1.2.
## 26.1.1 (2025-01-03) ## 26.1.1 (2026-01-03)
- Fixed changelog extraction in publish script. - Fixed changelog extraction in publish script.
## 26.1.0 (2025-01-03) ## 26.1.0 (2026-01-03)
- Auto-populate release description from CHANGELOG when publishing to Gitea. - Auto-populate release description from CHANGELOG when publishing to Gitea.
## Prereleases ## Prereleases

View File

@@ -2,18 +2,15 @@ import Foundation
import UserNotifications import UserNotifications
enum PingService { enum PingService {
private static var previousPingStates: [String: Bool] = [:] private static let stateStore = PingStateStore()
private static var suppressedUntil: [String: Date] = [:]
static func suppressChecks(for hostname: String, duration: TimeInterval) { static func suppressChecks(for hostname: String, duration: TimeInterval) async {
suppressedUntil[hostname] = Date().addingTimeInterval(duration) await stateStore.suppressChecks(for: hostname, duration: duration)
} }
static func ping(hostname: String, apiKey: String, notificationsEnabled: Bool = true) async -> Bool { static func ping(hostname: String, apiKey: String, notificationsEnabled: Bool = true) async -> Bool {
if let suppressedUntil = suppressedUntil[hostname], suppressedUntil > Date() { if await stateStore.shouldSkipPing(for: hostname) {
return false return false
} else {
suppressedUntil.removeValue(forKey: hostname)
} }
guard let url = URL(string: "https://\(hostname)/api/v2/ping") else { guard let url = URL(string: "https://\(hostname)/api/v2/ping") else {
@@ -29,38 +26,32 @@ enum PingService {
do { do {
let (data, response) = try await URLSession.shared.data(for: request) let (data, response) = try await URLSession.shared.data(for: request)
if let httpResponse = response as? HTTPURLResponse, httpResponse.statusCode != 200 { if let httpResponse = response as? HTTPURLResponse, httpResponse.statusCode != 200 {
handlePingFailure(for: hostname, notificationsEnabled: notificationsEnabled) await handlePingFailure(for: hostname, notificationsEnabled: notificationsEnabled)
return false return false
} }
if let result = try? JSONDecoder().decode([String: String].self, from: data), result["response"] == "pong" { if let result = try? JSONDecoder().decode([String: String].self, from: data), result["response"] == "pong" {
handlePingSuccess(for: hostname, notificationsEnabled: notificationsEnabled) await handlePingSuccess(for: hostname, notificationsEnabled: notificationsEnabled)
return true return true
} else { } else {
handlePingFailure(for: hostname, notificationsEnabled: notificationsEnabled) await handlePingFailure(for: hostname, notificationsEnabled: notificationsEnabled)
return false return false
} }
} catch { } catch {
handlePingFailure(for: hostname, notificationsEnabled: notificationsEnabled) await handlePingFailure(for: hostname, notificationsEnabled: notificationsEnabled)
return false return false
} }
} }
private static func handlePingSuccess(for hostname: String, notificationsEnabled: Bool) { private static func handlePingSuccess(for hostname: String, notificationsEnabled: Bool) async {
let wasPreviouslyDown = previousPingStates[hostname] == false if let notification = await stateStore.recordSuccess(for: hostname, notificationsEnabled: notificationsEnabled) {
previousPingStates[hostname] = true sendNotification(title: notification.title, body: notification.body)
if wasPreviouslyDown && notificationsEnabled {
sendNotification(title: "Server Online", body: "\(hostname) is now online")
} }
} }
private static func handlePingFailure(for hostname: String, notificationsEnabled: Bool) { private static func handlePingFailure(for hostname: String, notificationsEnabled: Bool) async {
let wasPreviouslyUp = previousPingStates[hostname] != false if let notification = await stateStore.recordFailure(for: hostname, notificationsEnabled: notificationsEnabled) {
previousPingStates[hostname] = false sendNotification(title: notification.title, body: notification.body)
if wasPreviouslyUp && notificationsEnabled {
sendNotification(title: "Server Offline", body: "\(hostname) is offline")
} }
} }
@@ -74,3 +65,55 @@ enum PingService {
UNUserNotificationCenter.current().add(request) UNUserNotificationCenter.current().add(request)
} }
} }
private actor PingStateStore {
private var previousPingStates: [String: Bool] = [:]
private var suppressedUntil: [String: Date] = [:]
func suppressChecks(for hostname: String, duration: TimeInterval) {
suppressedUntil[hostname] = Date().addingTimeInterval(duration)
previousPingStates[hostname] = false
}
func shouldSkipPing(for hostname: String) -> Bool {
if let suppressedUntil = suppressedUntil[hostname], suppressedUntil > Date() {
return true
}
suppressedUntil.removeValue(forKey: hostname)
return false
}
func recordSuccess(for hostname: String, notificationsEnabled: Bool) -> PingNotification? {
let wasPreviouslyDown = previousPingStates[hostname] == false
previousPingStates[hostname] = true
guard wasPreviouslyDown, notificationsEnabled else {
return nil
}
return PingNotification(
title: "Server Online",
body: "\(hostname) is now online"
)
}
func recordFailure(for hostname: String, notificationsEnabled: Bool) -> PingNotification? {
let wasPreviouslyUp = previousPingStates[hostname] != false
previousPingStates[hostname] = false
guard wasPreviouslyUp, notificationsEnabled else {
return nil
}
return PingNotification(
title: "Server Offline",
body: "\(hostname) is offline"
)
}
}
private struct PingNotification {
let title: String
let body: String
}

View File

@@ -10,12 +10,14 @@ import Foundation
struct Server: Identifiable, Codable, Hashable, Equatable { struct Server: Identifiable, Codable, Hashable, Equatable {
let id: UUID let id: UUID
var hostname: String var hostname: String
var groupID: UUID?
var info: ServerInfo? var info: ServerInfo?
var pingable: Bool var pingable: Bool
init(id: UUID = UUID(), hostname: String, info: ServerInfo? = nil, pingable: Bool = false) { init(id: UUID = UUID(), hostname: String, groupID: UUID? = nil, info: ServerInfo? = nil, pingable: Bool = false) {
self.id = id self.id = id
self.hostname = hostname self.hostname = hostname
self.groupID = groupID
self.info = info self.info = info
self.pingable = pingable self.pingable = pingable
} }
@@ -23,24 +25,26 @@ struct Server: Identifiable, Codable, Hashable, Equatable {
// MARK: - Manual conformance // MARK: - Manual conformance
static func == (lhs: Server, rhs: Server) -> Bool { static func == (lhs: Server, rhs: Server) -> Bool {
lhs.id == rhs.id && lhs.hostname == rhs.hostname && lhs.info == rhs.info && lhs.pingable == rhs.pingable lhs.id == rhs.id && lhs.hostname == rhs.hostname && lhs.groupID == rhs.groupID && lhs.info == rhs.info && lhs.pingable == rhs.pingable
} }
func hash(into hasher: inout Hasher) { func hash(into hasher: inout Hasher) {
hasher.combine(id) hasher.combine(id)
hasher.combine(hostname) hasher.combine(hostname)
hasher.combine(groupID)
hasher.combine(info) hasher.combine(info)
hasher.combine(pingable) hasher.combine(pingable)
} }
enum CodingKeys: String, CodingKey { enum CodingKeys: String, CodingKey {
case id, hostname, info, pingable case id, hostname, groupID, info, pingable
} }
init(from decoder: Decoder) throws { init(from decoder: Decoder) throws {
let container = try decoder.container(keyedBy: CodingKeys.self) let container = try decoder.container(keyedBy: CodingKeys.self)
id = try container.decode(UUID.self, forKey: .id) id = try container.decode(UUID.self, forKey: .id)
hostname = try container.decode(String.self, forKey: .hostname) hostname = try container.decode(String.self, forKey: .hostname)
groupID = try container.decodeIfPresent(UUID.self, forKey: .groupID)
info = try container.decodeIfPresent(ServerInfo.self, forKey: .info) info = try container.decodeIfPresent(ServerInfo.self, forKey: .info)
pingable = try container.decodeIfPresent(Bool.self, forKey: .pingable) ?? false pingable = try container.decodeIfPresent(Bool.self, forKey: .pingable) ?? false
} }
@@ -49,6 +53,7 @@ struct Server: Identifiable, Codable, Hashable, Equatable {
var container = encoder.container(keyedBy: CodingKeys.self) var container = encoder.container(keyedBy: CodingKeys.self)
try container.encode(id, forKey: .id) try container.encode(id, forKey: .id)
try container.encode(hostname, forKey: .hostname) try container.encode(hostname, forKey: .hostname)
try container.encodeIfPresent(groupID, forKey: .groupID)
try container.encodeIfPresent(info, forKey: .info) try container.encodeIfPresent(info, forKey: .info)
try container.encode(pingable, forKey: .pingable) try container.encode(pingable, forKey: .pingable)
} }

View File

@@ -0,0 +1,11 @@
import Foundation
struct ServerGroup: Identifiable, Codable, Hashable, Equatable {
let id: UUID
var name: String
init(id: UUID = UUID(), name: String) {
self.id = id
self.name = name
}
}

View File

@@ -0,0 +1,80 @@
import SwiftUI
struct GroupFormView: View {
enum Mode {
case add
case edit(ServerGroup)
}
let mode: Mode
@Binding var groups: [ServerGroup]
let onSave: () -> Void
@Environment(\.dismiss) private var dismiss
@State private var name: String
init(mode: Mode, groups: Binding<[ServerGroup]>, onSave: @escaping () -> Void) {
self.mode = mode
self._groups = groups
self.onSave = onSave
switch mode {
case .add:
self._name = State(initialValue: "")
case .edit(let group):
self._name = State(initialValue: group.name)
}
}
var body: some View {
VStack(alignment: .leading, spacing: 16) {
Text(title)
.font(.headline)
TextField("Group name", text: $name)
.textFieldStyle(.roundedBorder)
HStack {
Button("Cancel") {
dismiss()
}
Spacer()
Button("Save") {
save()
}
.disabled(trimmedName.isEmpty)
}
}
.padding()
.frame(width: 320)
}
private var title: String {
switch mode {
case .add:
return "Add Group"
case .edit:
return "Edit Group"
}
}
private var trimmedName: String {
name.trimmingCharacters(in: .whitespacesAndNewlines)
}
private func save() {
switch mode {
case .add:
groups.append(ServerGroup(name: trimmedName))
case .edit(let group):
if let index = groups.firstIndex(where: { $0.id == group.id }) {
groups[index].name = trimmedName
}
}
onSave()
dismiss()
}
}

View File

@@ -8,16 +8,23 @@
import SwiftUI import SwiftUI
import Combine import Combine
import UserNotifications import UserNotifications
import AppKit
import UniformTypeIdentifiers
struct MainView: View { struct MainView: View {
private static let serverOrderKeyStatic = "serverOrder" private static let serverOrderKeyStatic = "serverOrder"
private static let storedServersKeyStatic = "storedServers" private static let storedServersKeyStatic = "storedServers"
private static let storedGroupsKeyStatic = "storedGroups"
@State var showAddServerSheet: Bool = false @State var showAddServerSheet: Bool = false
@State private var showAddGroupSheet: Bool = false
@State private var serverBeingEdited: Server? @State private var serverBeingEdited: Server?
@State private var groupBeingEdited: ServerGroup?
@State private var serverToDelete: Server? @State private var serverToDelete: Server?
@State private var groupToDelete: ServerGroup?
@State private var showDeleteConfirmation = false @State private var showDeleteConfirmation = false
@State private var showDeleteGroupConfirmation = false
@State private var isFetchingInfo: Bool = false @State private var isFetchingInfo: Bool = false
@AppStorage("pingInterval") private var pingInterval: Int = 10 @AppStorage("pingInterval") private var pingInterval: Int = 10
@AppStorage("refreshInterval") private var refreshInterval: Int = 60 @AppStorage("refreshInterval") private var refreshInterval: Int = 60
@@ -27,12 +34,15 @@ struct MainView: View {
@State private var refreshSubscription: AnyCancellable? @State private var refreshSubscription: AnyCancellable?
@State private var pingTimer: Timer? @State private var pingTimer: Timer?
@State private var restartingServerID: UUID? @State private var restartingServerID: UUID?
@State private var draggedGroupID: UUID?
@State private var groupDropIndicator: GroupDropIndicator?
@State private var lastRefreshInterval: Int? @State private var lastRefreshInterval: Int?
@State private var previousServiceStates: [String: String] = [:] @State private var previousServiceStates: [String: String] = [:]
private let serverOrderKey = MainView.serverOrderKeyStatic private let serverOrderKey = MainView.serverOrderKeyStatic
private let storedServersKey = MainView.storedServersKeyStatic private let storedGroupsKey = MainView.storedGroupsKeyStatic
@State private var servers: [Server] = MainView.loadStoredServers() @State private var servers: [Server] = MainView.loadStoredServers()
@State private var groups: [ServerGroup] = MainView.loadStoredGroups()
// @State private var selectedServer: Server? // @State private var selectedServer: Server?
@State private var selectedServerID: UUID? @State private var selectedServerID: UUID?
@@ -40,81 +50,106 @@ struct MainView: View {
var body: some View { var body: some View {
var mainContent: some View { var mainContent: some View {
NavigationSplitView { NavigationSplitView {
List(selection: $selectedServerID) { ZStack {
ForEach(servers) { server in SidebarMaterialView()
HStack {
Image(systemName: "dot.circle.fill") List(selection: $selectedServerID) {
.foregroundColor(server.pingable ? .green : .red) sidebarContent
Text(server.hostname)
} }
.tag(server) .listStyle(.sidebar)
.contextMenu { .scrollContentBackground(.hidden)
Button("Edit") { .background(Color.clear)
print("Editing:", server.hostname) }
serverBeingEdited = server .background(
} RoundedRectangle(cornerRadius: 0, style: .continuous)
Divider() .fill(.ultraThinMaterial)
Button("Delete", role: .destructive) { )
serverToDelete = server .overlay(alignment: .trailing) {
showDeleteConfirmation = true Rectangle()
.fill(Color.white.opacity(0.08))
.frame(width: 1)
}
.toolbar {
ToolbarItem(placement: .primaryAction) {
Menu {
Button("Add Host") {
showAddServerSheet = true
}
Button("Add Group") {
showAddGroupSheet = true
}
} label: {
Image(systemName: "plus")
} }
.help("Add Host or Group")
} }
} }
.onMove(perform: moveServer) .navigationTitle("Servers")
} .onChange(of: selectedServerID) {
.toolbar { if let selectedServerID {
ToolbarItem(placement: .primaryAction) { UserDefaults.standard.set(selectedServerID.uuidString, forKey: "selectedServerID")
Button(action: { showAddServerSheet = true }) { fetchServerInfo(for: selectedServerID)
Image(systemName: "plus")
} }
.help("Add Host")
} }
} } detail: {
.navigationTitle("Servers") if let selectedServerID,
.onChange(of: selectedServerID) { let index = servers.firstIndex(where: { selectedServerID == $0.id }) {
if let selectedServerID { let serverID = servers[index].id
UserDefaults.standard.set(selectedServerID.uuidString, forKey: "selectedServerID") ServerDetailView(
fetchServerInfo(for: selectedServerID) server: $servers[index],
isFetching: isFetchingInfo,
canRestart: servers[index].info?.supportsRestartCommand == true,
isRestarting: restartingServerID == serverID
) {
await restartServer(for: serverID)
}
} else {
ContentUnavailableView("No Server Selected", systemImage: "server.rack")
} }
} }
} detail: {
if let selectedServerID,
let index = servers.firstIndex(where: { selectedServerID == $0.id }) {
let serverID = servers[index].id
ServerDetailView(
server: $servers[index],
isFetching: isFetchingInfo,
canRestart: servers[index].info?.supportsRestartCommand == true,
isRestarting: restartingServerID == serverID
) {
await restartServer(for: serverID)
}
} else {
ContentUnavailableView("No Server Selected", systemImage: "server.rack")
}
}
} }
return mainContent return mainContent
.sheet(isPresented: $showAddServerSheet) { .sheet(isPresented: $showAddServerSheet) {
ServerFormView( ServerFormView(
mode: .add, mode: .add,
servers: $servers, servers: $servers,
groups: $groups,
dismiss: { showAddServerSheet = false } dismiss: { showAddServerSheet = false }
) )
} }
.sheet(isPresented: $showAddGroupSheet) {
GroupFormView(mode: .add, groups: $groups) {
saveGroups()
}
}
.sheet(item: $serverBeingEdited) { server in .sheet(item: $serverBeingEdited) { server in
ServerFormView( ServerFormView(
mode: .edit(server), mode: .edit(server),
servers: $servers, servers: $servers,
groups: $groups,
dismiss: { serverBeingEdited = nil } dismiss: { serverBeingEdited = nil }
) )
} }
.sheet(item: $groupBeingEdited) { group in
GroupFormView(mode: .edit(group), groups: $groups) {
saveGroups()
}
}
.alert("Are you sure you want to delete this server?", isPresented: $showDeleteConfirmation, presenting: serverToDelete) { server in .alert("Are you sure you want to delete this server?", isPresented: $showDeleteConfirmation, presenting: serverToDelete) { server in
Button("Delete", role: .destructive) { Button("Delete", role: .destructive) {
ServerFormView.delete(server: server, from: &servers) ServerFormView.delete(server: server, from: &servers)
saveServers()
} }
Button("Cancel", role: .cancel) {} Button("Cancel", role: .cancel) {}
} }
.alert("Are you sure you want to delete this group?", isPresented: $showDeleteGroupConfirmation, presenting: groupToDelete) { group in
Button("Delete", role: .destructive) {
deleteGroup(group)
}
Button("Cancel", role: .cancel) {}
} message: { group in
Text("Servers in \(group.name) will remain available and become ungrouped.")
}
.onAppear { .onAppear {
requestNotificationPermissions() requestNotificationPermissions()
@@ -149,8 +184,145 @@ struct MainView: View {
setupRefreshTimer() setupRefreshTimer()
} }
} }
.onChange(of: groups) { _, _ in
saveGroups()
}
.frame(minWidth: 800, minHeight: 450) .frame(minWidth: 800, minHeight: 450)
} }
@ViewBuilder
private var sidebarContent: some View {
if groups.isEmpty {
ForEach(servers) { server in
sidebarRow(for: server)
}
.onMove(perform: moveServer)
} else {
ForEach(groups) { group in
Section {
ForEach(servers(in: group)) { server in
sidebarRow(for: server)
}
.onMove { source, destination in
moveServers(in: group.id, from: source, to: destination)
}
} header: {
groupHeader(for: group)
}
}
if !ungroupedServers.isEmpty {
Section {
ForEach(ungroupedServers) { server in
sidebarRow(for: server)
}
.onMove { source, destination in
moveServers(in: nil, from: source, to: destination)
}
} header: {
sidebarSectionHeader("Ungrouped")
}
}
}
}
private func sidebarSectionHeader(_ title: String) -> some View {
HStack {
Text(title)
.font(.system(size: NSFont.systemFontSize + 1, weight: .bold))
.foregroundStyle(Color.accentColor)
Spacer(minLength: 0)
}
.padding(.vertical, 4)
}
private func sidebarRow(for server: Server) -> some View {
HStack {
Image(systemName: "dot.circle.fill")
.foregroundColor(server.pingable ? .green : .red)
Text(server.hostname)
}
.tag(server.id)
.contextMenu {
Button("Edit") {
print("Editing:", server.hostname)
serverBeingEdited = server
}
Divider()
Button("Delete", role: .destructive) {
serverToDelete = server
showDeleteConfirmation = true
}
}
}
private func groupHeader(for group: ServerGroup) -> some View {
let activePlacement = groupDropIndicator?.groupID == group.id ? groupDropIndicator?.placement : nil
return VStack(spacing: 0) {
if activePlacement == .before {
dropIndicator
}
sidebarSectionHeader(group.name)
.contentShape(Rectangle())
.background {
if activePlacement != nil {
RoundedRectangle(cornerRadius: 6, style: .continuous)
.fill(Color.accentColor.opacity(0.12))
}
}
if activePlacement == .after {
dropIndicator
}
}
.onDrag {
draggedGroupID = group.id
return NSItemProvider(object: group.id.uuidString as NSString)
}
.onDrop(
of: [UTType.text],
delegate: GroupDropDelegate(
targetGroup: group,
groups: $groups,
draggedGroupID: $draggedGroupID,
indicator: $groupDropIndicator
)
)
.contextMenu {
Button("Edit Group") {
groupBeingEdited = group
}
Button("Delete Group", role: .destructive) {
groupToDelete = group
showDeleteGroupConfirmation = true
}
}
}
private var dropIndicator: some View {
VStack(spacing: 4) {
Capsule()
.fill(Color.accentColor)
.frame(height: 3)
.shadow(color: Color.accentColor.opacity(0.25), radius: 1, y: 0)
Color.clear
.frame(height: 4)
}
.padding(.vertical, 2)
}
private var ungroupedServers: [Server] {
servers.filter { server in
guard let groupID = server.groupID else { return true }
return groups.contains(where: { $0.id == groupID }) == false
}
}
private func servers(in group: ServerGroup) -> [Server] {
servers.filter { $0.groupID == group.id }
}
private func fetchServerInfo(for id: UUID) { private func fetchServerInfo(for id: UUID) {
guard let server = servers.first(where: { $0.id == id }) else { guard let server = servers.first(where: { $0.id == id }) else {
@@ -223,6 +395,41 @@ struct MainView: View {
private func moveServer(from source: IndexSet, to destination: Int) { private func moveServer(from source: IndexSet, to destination: Int) {
servers.move(fromOffsets: source, toOffset: destination) servers.move(fromOffsets: source, toOffset: destination)
saveServers()
saveServerOrder()
}
private func moveServers(in groupID: UUID?, from source: IndexSet, to destination: Int) {
let matchingServers = servers.filter { server in
if let groupID {
return server.groupID == groupID
}
return server.groupID == nil || groups.contains(where: { $0.id == server.groupID }) == false
}
var reorderedServers = matchingServers
reorderedServers.move(fromOffsets: source, toOffset: destination)
let replacements = Dictionary(uniqueKeysWithValues: reorderedServers.map { ($0.id, $0) })
var reorderedIDs = reorderedServers.map(\.id)
servers = servers.map { server in
let belongsInSection: Bool
if let groupID {
belongsInSection = server.groupID == groupID
} else {
belongsInSection = server.groupID == nil || groups.contains(where: { $0.id == server.groupID }) == false
}
guard belongsInSection, let nextID = reorderedIDs.first else {
return server
}
reorderedIDs.removeFirst()
return replacements[nextID] ?? server
}
saveServers()
saveServerOrder() saveServerOrder()
} }
@@ -231,17 +438,45 @@ struct MainView: View {
UserDefaults.standard.set(ids, forKey: serverOrderKey) UserDefaults.standard.set(ids, forKey: serverOrderKey)
print("💾 [MainView] Saved server order with \(ids.count) entries") print("💾 [MainView] Saved server order with \(ids.count) entries")
} }
private func saveServers() {
if let data = try? JSONEncoder().encode(servers) {
UserDefaults.standard.set(data, forKey: MainView.storedServersKeyStatic)
}
}
private func saveGroups() {
if let data = try? JSONEncoder().encode(groups) {
UserDefaults.standard.set(data, forKey: storedGroupsKey)
}
}
private func deleteGroup(_ group: ServerGroup) {
groups.removeAll { $0.id == group.id }
for index in servers.indices {
if servers[index].groupID == group.id {
servers[index].groupID = nil
}
}
saveGroups()
saveServers()
}
private struct PingResponse: Codable { private struct PingResponse: Codable {
let response: String let response: String
} }
func pingAllServers() { func pingAllServers() {
for (index, server) in servers.enumerated() { let pingTargets = servers.map { ($0.id, $0.hostname) }
for (serverID, hostname) in pingTargets {
Task { Task {
let apiKey = KeychainHelper.loadApiKey(for: server.hostname)?.trimmingCharacters(in: .whitespacesAndNewlines) ?? "" let apiKey = KeychainHelper.loadApiKey(for: hostname)?.trimmingCharacters(in: .whitespacesAndNewlines) ?? ""
let pingable = await PingService.ping(hostname: server.hostname, apiKey: apiKey, notificationsEnabled: enableStatusNotifications) let pingable = await PingService.ping(hostname: hostname, apiKey: apiKey, notificationsEnabled: enableStatusNotifications)
await MainActor.run { await MainActor.run {
guard let index = servers.firstIndex(where: { $0.id == serverID }) else {
return
}
servers[index].pingable = pingable servers[index].pingable = pingable
} }
} }
@@ -299,6 +534,20 @@ struct MainView: View {
} }
} }
private static func loadStoredGroups() -> [ServerGroup] {
let defaults = UserDefaults.standard
guard let data = defaults.data(forKey: storedGroupsKeyStatic) else {
return []
}
do {
return try JSONDecoder().decode([ServerGroup].self, from: data)
} catch {
print("❌ [MainView] Failed to decode stored groups: \(error)")
return []
}
}
private func requestNotificationPermissions() { private func requestNotificationPermissions() {
Task { Task {
do { do {
@@ -381,14 +630,14 @@ struct MainView: View {
api = try await APIFactory.detectAndCreateAPI(baseURL: baseURL, apiKey: apiKey) api = try await APIFactory.detectAndCreateAPI(baseURL: baseURL, apiKey: apiKey)
} }
try await api.restartServer(apiKey: apiKey) try await api.restartServer(apiKey: apiKey)
PingService.suppressChecks(for: server.hostname, duration: 90) await PingService.suppressChecks(for: server.hostname, duration: 90)
return ServerActionFeedback( return ServerActionFeedback(
title: "Reboot Requested", title: "Reboot Requested",
message: "The reboot command was sent to \(server.hostname). The host may become unavailable briefly while it restarts." message: "The reboot command was sent to \(server.hostname). The host may become unavailable briefly while it restarts."
) )
} catch let error as URLError where Self.isExpectedRestartDisconnect(error) { } catch let error as URLError where Self.isExpectedRestartDisconnect(error) {
PingService.suppressChecks(for: server.hostname, duration: 90) await PingService.suppressChecks(for: server.hostname, duration: 90)
return ServerActionFeedback( return ServerActionFeedback(
title: "Reboot Requested", title: "Reboot Requested",
message: "The reboot command appears to have been accepted by \(server.hostname). The connection dropped while the host was going away, which is expected during a reboot." message: "The reboot command appears to have been accepted by \(server.hostname). The connection dropped while the host was going away, which is expected during a reboot."
@@ -421,6 +670,90 @@ struct MainView: View {
} }
} }
private struct SidebarMaterialView: NSViewRepresentable {
func makeNSView(context: Context) -> NSVisualEffectView {
let view = NSVisualEffectView()
view.blendingMode = .behindWindow
view.material = .sidebar
view.state = .active
return view
}
func updateNSView(_ nsView: NSVisualEffectView, context: Context) {
nsView.state = .active
}
}
private struct GroupDropDelegate: DropDelegate {
enum Placement {
case before
case after
}
let targetGroup: ServerGroup
@Binding var groups: [ServerGroup]
@Binding var draggedGroupID: UUID?
@Binding var indicator: GroupDropIndicator?
func dropEntered(info: DropInfo) {
updateIndicator(with: info)
}
func dropUpdated(info: DropInfo) -> DropProposal? {
updateIndicator(with: info)
return DropProposal(operation: .move)
}
func dropExited(info: DropInfo) {
indicator = nil
}
func performDrop(info: DropInfo) -> Bool {
defer {
draggedGroupID = nil
indicator = nil
}
guard
let draggedGroupID,
draggedGroupID != targetGroup.id,
let fromIndex = groups.firstIndex(where: { $0.id == draggedGroupID }),
let toIndex = groups.firstIndex(where: { $0.id == targetGroup.id })
else {
return false
}
let placement = placement(for: info)
let proposedIndex = placement == .after ? toIndex + 1 : toIndex
groups.move(
fromOffsets: IndexSet(integer: fromIndex),
toOffset: proposedIndex > fromIndex ? proposedIndex + 1 : proposedIndex
)
return true
}
private func updateIndicator(with info: DropInfo) {
guard let draggedGroupID, draggedGroupID != targetGroup.id else {
indicator = nil
return
}
indicator = GroupDropIndicator(
groupID: targetGroup.id,
placement: placement(for: info)
)
}
private func placement(for info: DropInfo) -> Placement {
info.location.y > 12 ? .after : .before
}
}
private struct GroupDropIndicator: Equatable {
let groupID: UUID
let placement: GroupDropDelegate.Placement
}
#Preview { #Preview {
MainView() MainView()
.environmentObject(SparkleUpdater()) .environmentObject(SparkleUpdater())

View File

@@ -29,7 +29,7 @@ struct ServerDetailView: View {
@State private var progress: Double = 0 @State private var progress: Double = 0
@State private var showRestartSheet = false @State private var showRestartSheet = false
@State private var restartFeedback: ServerActionFeedback? @State private var restartFeedback: ServerActionFeedback?
let timer = Timer.publish(every: 1.0 / 60.0, on: .main, in: .common).autoconnect() private let indicatorTimer = Timer.publish(every: 1, on: .main, in: .common).autoconnect()
var body: some View { var body: some View {
VStack(spacing: 0) { VStack(spacing: 0) {
@@ -85,13 +85,21 @@ struct ServerDetailView: View {
.padding() .padding()
} }
} }
.onReceive(timer) { _ in .onReceive(indicatorTimer) { _ in
guard showIntervalIndicator else { return } guard showIntervalIndicator else { return }
withAnimation(.linear(duration: 1.0 / 60.0)) { withAnimation(.linear(duration: 1)) {
progress += 1.0 / (Double(refreshInterval) * 60.0) progress += 1.0 / Double(refreshInterval)
if progress >= 1 { progress = 0 } if progress >= 1 { progress = 0 }
} }
} }
.onChange(of: refreshInterval) { _, _ in
progress = 0
}
.onChange(of: showIntervalIndicator) { _, isVisible in
if !isVisible {
progress = 0
}
}
.sheet(isPresented: $showRestartSheet) { .sheet(isPresented: $showRestartSheet) {
RestartConfirmationSheet( RestartConfirmationSheet(
hostname: server.hostname, hostname: server.hostname,

View File

@@ -16,9 +16,11 @@ struct ServerFormView: View {
var mode: Mode var mode: Mode
@Binding var servers: [Server] @Binding var servers: [Server]
@Binding var groups: [ServerGroup]
@State private var hostname: String @State private var hostname: String
@State private var apiKey: String @State private var apiKey: String
@State private var selectedGroupID: UUID?
@State private var connectionOK: Bool = false @State private var connectionOK: Bool = false
@State private var testingConnection: Bool = false @State private var testingConnection: Bool = false
@State private var connectionError: String = "" @State private var connectionError: String = ""
@@ -29,25 +31,30 @@ struct ServerFormView: View {
init( init(
mode: Mode, mode: Mode,
servers: Binding<[Server]>, servers: Binding<[Server]>,
groups: Binding<[ServerGroup]>,
dismiss: @escaping () -> Void dismiss: @escaping () -> Void
) { ) {
self.mode = mode self.mode = mode
self._servers = servers self._servers = servers
self._groups = groups
switch mode { switch mode {
case .add: case .add:
self._hostname = State(initialValue: "") self._hostname = State(initialValue: "")
self._apiKey = State(initialValue: "") self._apiKey = State(initialValue: "")
self._selectedGroupID = State(initialValue: nil)
case .edit(let server): case .edit(let server):
self._hostname = State(initialValue: server.hostname) self._hostname = State(initialValue: server.hostname)
self._apiKey = State(initialValue: KeychainHelper.loadApiKey(for: server.hostname) ?? "") self._apiKey = State(initialValue: KeychainHelper.loadApiKey(for: server.hostname) ?? "")
self._selectedGroupID = State(initialValue: server.groupID)
self._connectionOK = State(initialValue: true)
} }
} }
var body: some View { var body: some View {
VStack { VStack {
Text("Edit Server") Text(modeTitle)
.font(.headline) .font(.headline)
TextField("Hostname", text: $hostname) TextField("Hostname", text: $hostname)
@@ -57,6 +64,14 @@ struct ServerFormView: View {
SecureField("API Key", text: $apiKey) SecureField("API Key", text: $apiKey)
.textFieldStyle(RoundedBorderTextFieldStyle()) .textFieldStyle(RoundedBorderTextFieldStyle())
Picker("Group", selection: $selectedGroupID) {
Text("No Group").tag(nil as UUID?)
ForEach(groups) { group in
Text(group.name).tag(Optional(group.id))
}
}
.pickerStyle(.menu)
if !connectionError.isEmpty { if !connectionError.isEmpty {
Text(connectionError) Text(connectionError)
.foregroundColor(.red) .foregroundColor(.red)
@@ -77,8 +92,6 @@ struct ServerFormView: View {
Button("Save") { Button("Save") {
saveServer() saveServer()
updateServer()
saveServers()
dismiss() dismiss()
} }
.disabled(hostname.isEmpty || apiKey.isEmpty || !connectionOK) .disabled(hostname.isEmpty || apiKey.isEmpty || !connectionOK)
@@ -93,6 +106,8 @@ struct ServerFormView: View {
print("serve \(server)") print("serve \(server)")
hostname = server.hostname hostname = server.hostname
apiKey = KeychainHelper.loadApiKey(for: server.hostname) ?? "" apiKey = KeychainHelper.loadApiKey(for: server.hostname) ?? ""
selectedGroupID = server.groupID
connectionOK = true
print("💡 Loaded server: \(hostname)") print("💡 Loaded server: \(hostname)")
} }
} }
@@ -205,40 +220,22 @@ struct ServerFormView: View {
switch mode { switch mode {
case .add: case .add:
print("adding server") print("adding server")
let newServer = Server(hostname: trimmedHost) let newServer = Server(hostname: trimmedHost, groupID: selectedGroupID)
servers.append(newServer) servers.append(newServer)
KeychainHelper.saveApiKey(trimmedKey, for: trimmedHost) KeychainHelper.saveApiKey(trimmedKey, for: trimmedHost)
saveServers()
case .edit(let oldServer): case .edit(let oldServer):
if let index = servers.firstIndex(where: { $0.id == oldServer.id }) { if let index = servers.firstIndex(where: { $0.id == oldServer.id }) {
let oldHostname = servers[index].hostname let oldHostname = servers[index].hostname
servers[index].hostname = trimmedHost servers[index].hostname = trimmedHost
servers[index].groupID = selectedGroupID
if oldHostname != trimmedHost { if oldHostname != trimmedHost {
KeychainHelper.deleteApiKey(for: oldHostname) KeychainHelper.deleteApiKey(for: oldHostname)
} }
KeychainHelper.saveApiKey(trimmedKey, for: trimmedHost) KeychainHelper.saveApiKey(trimmedKey, for: trimmedHost)
} }
} }
}
private func updateServer() {
print ("in edit server")
guard case let .edit(server) = mode else {
return
}
if let index = servers.firstIndex(where: { $0.id == server.id }) {
// Only replace hostname if changed
let oldHostname = servers[index].hostname
servers[index].hostname = hostname
// Update Keychain saveServers()
if oldHostname != hostname {
KeychainHelper.deleteApiKey(for: oldHostname)
}
KeychainHelper.saveApiKey(apiKey, for: hostname)
saveServers()
}
} }
private func saveServers() { private func saveServers() {
@@ -265,6 +262,9 @@ struct ServerFormView: View {
servers: .constant([ servers: .constant([
Server(hostname: "example.com") Server(hostname: "example.com")
]), ]),
groups: .constant([
ServerGroup(name: "Production")
]),
dismiss: {} dismiss: {}
) )
} }

30
Sparkle/appcast.xml vendored
View File

@@ -3,28 +3,28 @@
<channel> <channel>
<title>iKeyMon</title> <title>iKeyMon</title>
<item> <item>
<title>26.1.7</title> <title>26.1.10</title>
<pubDate>Sun, 19 Apr 2026 16:54:42 +0200</pubDate> <pubDate>Tue, 21 Apr 2026 00:18:16 +0200</pubDate>
<sparkle:version>177</sparkle:version> <sparkle:version>184</sparkle:version>
<sparkle:shortVersionString>26.1.7</sparkle:shortVersionString> <sparkle:shortVersionString>26.1.10</sparkle:shortVersionString>
<sparkle:minimumSystemVersion>15.2</sparkle:minimumSystemVersion> <sparkle:minimumSystemVersion>15.2</sparkle:minimumSystemVersion>
<enclosure url="https://git.24unix.net/tracer/iKeyMon/releases/download/v26.1.7/iKeyMon-26.1.7.zip" length="3106520" type="application/octet-stream" sparkle:edSignature="xuNlxCsTtVgroriFU7fphcfHxAEC8cpd6tHnHMXknJ2jvKm27ShQMqjSW2jdqNAz0a0kNtPM8HwTL+e6nvUyCQ=="/> <enclosure url="https://git.24unix.net/tracer/iKeyMon/releases/download/v26.1.10/iKeyMon-26.1.10.zip" length="3193339" type="application/octet-stream" sparkle:edSignature="SwXVc4kmCUAec7VcDcoxDySDhGTXwdLz30q9SiyvaGK/P7cel3iljlvDd6Rc4/M1wtHoOZXXo+93lFhnLMB+Aw=="/>
</item> </item>
<item> <item>
<title>26.1.6</title> <title>26.1.9</title>
<pubDate>Sun, 19 Apr 2026 15:26:19 +0200</pubDate> <pubDate>Sun, 19 Apr 2026 23:04:07 +0200</pubDate>
<sparkle:version>175</sparkle:version> <sparkle:version>181</sparkle:version>
<sparkle:shortVersionString>26.1.6</sparkle:shortVersionString> <sparkle:shortVersionString>26.1.9</sparkle:shortVersionString>
<sparkle:minimumSystemVersion>15.2</sparkle:minimumSystemVersion> <sparkle:minimumSystemVersion>15.2</sparkle:minimumSystemVersion>
<enclosure url="https://git.24unix.net/tracer/iKeyMon/releases/download/v26.1.6/iKeyMon-26.1.6.zip" length="3063130" type="application/octet-stream" sparkle:edSignature="QPy3zm31ZTXE9grlj7Ul6kEG2t0veODEBjJ/qADM8A88lLJ8V9L4WhNnD8wmM7Urh1O6eZKl1qrCLTk0oo3WBA=="/> <enclosure url="https://git.24unix.net/tracer/iKeyMon/releases/download/v26.1.9/iKeyMon-26.1.9.zip" length="3109488" type="application/octet-stream" sparkle:edSignature="ZV96uUMdYC/X90H3G10FMzmZHKUEWpe1geSe/5IBJ7EOCUmx7Mz352i6VMWumFnCtDD4jHo173W9eySUX9KvDA=="/>
</item> </item>
<item> <item>
<title>26.1.5</title> <title>26.1.8</title>
<pubDate>Sun, 19 Apr 2026 12:09:33 +0200</pubDate> <pubDate>Sun, 19 Apr 2026 22:50:15 +0200</pubDate>
<sparkle:version>173</sparkle:version> <sparkle:version>179</sparkle:version>
<sparkle:shortVersionString>26.1.5</sparkle:shortVersionString> <sparkle:shortVersionString>26.1.8</sparkle:shortVersionString>
<sparkle:minimumSystemVersion>15.2</sparkle:minimumSystemVersion> <sparkle:minimumSystemVersion>15.2</sparkle:minimumSystemVersion>
<enclosure url="https://git.24unix.net/tracer/iKeyMon/releases/download/v26.1.5/iKeyMon-26.1.5.zip" length="3065231" type="application/octet-stream" sparkle:edSignature="HVV7iZ4eyJC1VMh2q4GUoAESZnk4HoFU00QlA9qM4X4dJAT5oBEVB55m4wuF4u9iVFAeohkB0vleLlV39mxrBA=="/> <enclosure url="https://git.24unix.net/tracer/iKeyMon/releases/download/v26.1.8/iKeyMon-26.1.8.zip" length="3108005" type="application/octet-stream" sparkle:edSignature="OyoweSuRk5kusKUlqKQudZjrHkw5UPrLkix+ccpKphO1en2XdtQZa61hnA6HwcHM302jb+YlvN8n9f2Zkr9GBg=="/>
</item> </item>
</channel> </channel>
</rss> </rss>

View File

@@ -322,7 +322,7 @@
CODE_SIGN_ENTITLEMENTS = iKeyMon.entitlements; CODE_SIGN_ENTITLEMENTS = iKeyMon.entitlements;
CODE_SIGN_STYLE = Automatic; CODE_SIGN_STYLE = Automatic;
COMBINE_HIDPI_IMAGES = YES; COMBINE_HIDPI_IMAGES = YES;
CURRENT_PROJECT_VERSION = 177; CURRENT_PROJECT_VERSION = 184;
DEVELOPMENT_ASSET_PATHS = "\"Preview Content\""; DEVELOPMENT_ASSET_PATHS = "\"Preview Content\"";
DEVELOPMENT_TEAM = Q5486ZVAFT; DEVELOPMENT_TEAM = Q5486ZVAFT;
ENABLE_HARDENED_RUNTIME = YES; ENABLE_HARDENED_RUNTIME = YES;
@@ -337,7 +337,7 @@
"$(inherited)", "$(inherited)",
"@executable_path/../Frameworks", "@executable_path/../Frameworks",
); );
MARKETING_VERSION = 26.1.7; MARKETING_VERSION = 26.1.10;
PRODUCT_BUNDLE_IDENTIFIER = net.24unix.iKeyMon; PRODUCT_BUNDLE_IDENTIFIER = net.24unix.iKeyMon;
PRODUCT_NAME = "$(TARGET_NAME)"; PRODUCT_NAME = "$(TARGET_NAME)";
SWIFT_EMIT_LOC_STRINGS = YES; SWIFT_EMIT_LOC_STRINGS = YES;
@@ -353,7 +353,7 @@
CODE_SIGN_ENTITLEMENTS = iKeyMon.entitlements; CODE_SIGN_ENTITLEMENTS = iKeyMon.entitlements;
CODE_SIGN_STYLE = Automatic; CODE_SIGN_STYLE = Automatic;
COMBINE_HIDPI_IMAGES = YES; COMBINE_HIDPI_IMAGES = YES;
CURRENT_PROJECT_VERSION = 177; CURRENT_PROJECT_VERSION = 184;
DEVELOPMENT_ASSET_PATHS = "\"Preview Content\""; DEVELOPMENT_ASSET_PATHS = "\"Preview Content\"";
DEVELOPMENT_TEAM = Q5486ZVAFT; DEVELOPMENT_TEAM = Q5486ZVAFT;
ENABLE_HARDENED_RUNTIME = YES; ENABLE_HARDENED_RUNTIME = YES;
@@ -368,7 +368,7 @@
"$(inherited)", "$(inherited)",
"@executable_path/../Frameworks", "@executable_path/../Frameworks",
); );
MARKETING_VERSION = 26.1.7; MARKETING_VERSION = 26.1.10;
PRODUCT_BUNDLE_IDENTIFIER = net.24unix.iKeyMon; PRODUCT_BUNDLE_IDENTIFIER = net.24unix.iKeyMon;
PRODUCT_NAME = "$(TARGET_NAME)"; PRODUCT_NAME = "$(TARGET_NAME)";
SWIFT_EMIT_LOC_STRINGS = YES; SWIFT_EMIT_LOC_STRINGS = YES;

View File

@@ -1,3 +1,3 @@
{ {
"marketing_version": "26.1.7" "marketing_version": "26.1.10"
} }