@adventurelabs/scout-core 1.0.129 → 1.0.131

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,4 +1,5 @@
1
1
  import { IHerdModule } from "../types/herd_module";
2
+ import { IVersionsSoftware } from "../types/db";
2
3
  export interface CacheMetadata {
3
4
  key: string;
4
5
  timestamp: number;
@@ -45,6 +46,7 @@ export declare class ScoutCache {
45
46
  getHerdModules(): Promise<CacheResult<IHerdModule[]>>;
46
47
  clearHerdModules(): Promise<void>;
47
48
  invalidateHerdModules(): Promise<void>;
49
+ invalidateVersionsSoftware(): Promise<void>;
48
50
  getCacheStats(): Promise<CacheStats>;
49
51
  isCacheValid(ttlMs?: number): Promise<boolean>;
50
52
  getCacheAge(): Promise<number>;
@@ -58,5 +60,8 @@ export declare class ScoutCache {
58
60
  isCacheVersionCompatible(): Promise<boolean>;
59
61
  resetDatabase(): Promise<void>;
60
62
  checkDatabaseHealth(): Promise<DatabaseHealth>;
63
+ setVersionsSoftware(versionsSoftware: IVersionsSoftware[], ttlMs?: number, etag?: string): Promise<void>;
64
+ getVersionsSoftware(): Promise<CacheResult<IVersionsSoftware[]>>;
65
+ clearVersionsSoftware(): Promise<void>;
61
66
  }
62
67
  export declare const scoutCache: ScoutCache;
@@ -1,9 +1,11 @@
1
1
  const DB_NAME = "ScoutCache";
2
- const DB_VERSION = 2; // Increment to invalidate old cache versions
2
+ const DB_VERSION = 3; // Increment to invalidate old cache versions
3
+ const CACHE_VERSION = "3.0.0"; // Cache metadata version string
3
4
  const HERD_MODULES_STORE = "herd_modules";
4
5
  const CACHE_METADATA_STORE = "cache_metadata";
5
- // Default TTL: 24 hours (1 day)
6
- const DEFAULT_TTL_MS = 24 * 60 * 60 * 1000;
6
+ const VERSIONS_SOFTWARE_STORE = "versions_software";
7
+ // Default TTL: 24 hours (2 days)
8
+ const DEFAULT_TTL_MS = 2 * 24 * 60 * 60 * 1000;
7
9
  export class ScoutCache {
8
10
  constructor() {
9
11
  this.db = null;
@@ -61,6 +63,17 @@ export class ScoutCache {
61
63
  keyPath: "key",
62
64
  });
63
65
  console.log("[ScoutCache] Created cache_metadata object store");
66
+ // Create versions_software store
67
+ const versionsSoftwareStore = db.createObjectStore(VERSIONS_SOFTWARE_STORE, {
68
+ keyPath: "id",
69
+ });
70
+ versionsSoftwareStore.createIndex("system", "system", {
71
+ unique: false,
72
+ });
73
+ versionsSoftwareStore.createIndex("timestamp", "timestamp", {
74
+ unique: false,
75
+ });
76
+ console.log("[ScoutCache] Created versions_software object store");
64
77
  console.log(`[ScoutCache] Database schema upgrade to version ${DB_VERSION} completed`);
65
78
  }
66
79
  catch (error) {
@@ -79,13 +92,17 @@ export class ScoutCache {
79
92
  return false;
80
93
  const hasHerdModulesStore = this.db.objectStoreNames.contains(HERD_MODULES_STORE);
81
94
  const hasMetadataStore = this.db.objectStoreNames.contains(CACHE_METADATA_STORE);
95
+ const hasVersionsSoftwareStore = this.db.objectStoreNames.contains(VERSIONS_SOFTWARE_STORE);
82
96
  if (!hasHerdModulesStore) {
83
97
  console.error("[ScoutCache] Missing herd_modules object store");
84
98
  }
85
99
  if (!hasMetadataStore) {
86
100
  console.error("[ScoutCache] Missing cache_metadata object store");
87
101
  }
88
- return hasHerdModulesStore && hasMetadataStore;
102
+ if (!hasVersionsSoftwareStore) {
103
+ console.error("[ScoutCache] Missing versions_software object store");
104
+ }
105
+ return hasHerdModulesStore && hasMetadataStore && hasVersionsSoftwareStore;
89
106
  }
90
107
  async setHerdModules(herdModules, ttlMs = DEFAULT_TTL_MS, etag) {
91
108
  await this.init();
@@ -101,7 +118,7 @@ export class ScoutCache {
101
118
  const herdModulesStore = transaction.objectStore(HERD_MODULES_STORE);
102
119
  const metadataStore = transaction.objectStore(CACHE_METADATA_STORE);
103
120
  const timestamp = Date.now();
104
- const version = "2.0.0";
121
+ const version = CACHE_VERSION;
105
122
  // Store each herd module (contains all nested data - devices, events, zones, etc.)
106
123
  herdModules.forEach((herdModule) => {
107
124
  const cacheEntry = {
@@ -221,6 +238,21 @@ export class ScoutCache {
221
238
  metadataStore.delete("providers");
222
239
  });
223
240
  }
241
+ async invalidateVersionsSoftware() {
242
+ await this.init();
243
+ if (!this.db)
244
+ throw new Error("Database not initialized");
245
+ if (!this.validateDatabaseSchema()) {
246
+ throw new Error("Database schema validation failed - required object stores not found");
247
+ }
248
+ const transaction = this.db.transaction([CACHE_METADATA_STORE], "readwrite");
249
+ return new Promise((resolve, reject) => {
250
+ transaction.onerror = () => reject(transaction.error);
251
+ transaction.oncomplete = () => resolve();
252
+ const metadataStore = transaction.objectStore(CACHE_METADATA_STORE);
253
+ metadataStore.delete("versions_software");
254
+ });
255
+ }
224
256
  async getCacheStats() {
225
257
  const result = await this.getHerdModules();
226
258
  const totalRequests = this.stats.hits + this.stats.misses;
@@ -365,6 +397,135 @@ export class ScoutCache {
365
397
  issues,
366
398
  };
367
399
  }
400
+ async setVersionsSoftware(versionsSoftware, ttlMs = DEFAULT_TTL_MS, etag) {
401
+ await this.init();
402
+ if (!this.db)
403
+ throw new Error("Database not initialized");
404
+ if (!this.validateDatabaseSchema()) {
405
+ throw new Error("Database schema validation failed - required object stores not found");
406
+ }
407
+ const transaction = this.db.transaction([VERSIONS_SOFTWARE_STORE, CACHE_METADATA_STORE], "readwrite");
408
+ return new Promise((resolve, reject) => {
409
+ transaction.onerror = () => reject(transaction.error);
410
+ transaction.oncomplete = () => resolve();
411
+ const versionsSoftwareStore = transaction.objectStore(VERSIONS_SOFTWARE_STORE);
412
+ const metadataStore = transaction.objectStore(CACHE_METADATA_STORE);
413
+ const timestamp = Date.now();
414
+ const version = CACHE_VERSION;
415
+ // Clear existing versions_software data first
416
+ versionsSoftwareStore.clear();
417
+ // Store each software version with timestamp
418
+ versionsSoftware.forEach((version) => {
419
+ const cacheEntry = {
420
+ ...version,
421
+ timestamp,
422
+ dbVersion: DB_VERSION,
423
+ };
424
+ versionsSoftwareStore.put(cacheEntry);
425
+ });
426
+ // Store cache metadata
427
+ const metadata = {
428
+ key: "versions_software",
429
+ timestamp,
430
+ ttl: ttlMs,
431
+ version,
432
+ dbVersion: DB_VERSION,
433
+ etag,
434
+ lastModified: timestamp,
435
+ };
436
+ metadataStore.put(metadata);
437
+ });
438
+ }
439
+ async getVersionsSoftware() {
440
+ await this.init();
441
+ if (!this.db)
442
+ throw new Error("Database not initialized");
443
+ if (!this.validateDatabaseSchema()) {
444
+ throw new Error("Database schema validation failed - required object stores not found");
445
+ }
446
+ const transaction = this.db.transaction([VERSIONS_SOFTWARE_STORE, CACHE_METADATA_STORE], "readonly");
447
+ return new Promise((resolve, reject) => {
448
+ transaction.onerror = () => reject(transaction.error);
449
+ const versionsSoftwareStore = transaction.objectStore(VERSIONS_SOFTWARE_STORE);
450
+ const metadataStore = transaction.objectStore(CACHE_METADATA_STORE);
451
+ // Get metadata first
452
+ const metadataRequest = metadataStore.get("versions_software");
453
+ metadataRequest.onsuccess = () => {
454
+ const metadata = metadataRequest.result;
455
+ const now = Date.now();
456
+ if (!metadata) {
457
+ this.stats.misses++;
458
+ resolve({ data: null, isStale: true, age: 0, metadata: null });
459
+ return;
460
+ }
461
+ // Check if cache is from an incompatible DB version
462
+ if (!metadata.dbVersion || metadata.dbVersion !== DB_VERSION) {
463
+ console.log(`[ScoutCache] Versions software cache from incompatible DB version (${metadata.dbVersion || "unknown"} !== ${DB_VERSION}), invalidating`);
464
+ this.stats.misses++;
465
+ resolve({ data: null, isStale: true, age: 0, metadata });
466
+ return;
467
+ }
468
+ const age = now - metadata.timestamp;
469
+ const isStale = age > metadata.ttl;
470
+ if (isStale) {
471
+ this.stats.misses++;
472
+ console.log(`[ScoutCache] Versions software cache is stale (${Math.round(age / 1000)}s old, TTL: ${Math.round(metadata.ttl / 1000)}s)`);
473
+ resolve({ data: null, isStale: true, age, metadata });
474
+ return;
475
+ }
476
+ // Get all versions_software
477
+ const getAllRequest = versionsSoftwareStore.getAll();
478
+ getAllRequest.onsuccess = () => {
479
+ const cacheEntries = getAllRequest.result;
480
+ if (!cacheEntries || cacheEntries.length === 0) {
481
+ this.stats.misses++;
482
+ resolve({ data: null, isStale: false, age, metadata });
483
+ return;
484
+ }
485
+ // Extract versions_software data and remove cache metadata
486
+ const versionsSoftware = cacheEntries.map((entry) => {
487
+ const { timestamp, dbVersion, ...versionData } = entry;
488
+ return versionData;
489
+ });
490
+ this.stats.hits++;
491
+ console.log(`[ScoutCache] Found ${versionsSoftware.length} cached software versions (${Math.round(age / 1000)}s old)`);
492
+ resolve({
493
+ data: versionsSoftware,
494
+ isStale: false,
495
+ age,
496
+ metadata,
497
+ });
498
+ };
499
+ getAllRequest.onerror = () => {
500
+ this.stats.misses++;
501
+ console.error("[ScoutCache] Failed to get versions software:", getAllRequest.error);
502
+ resolve({ data: null, isStale: true, age, metadata });
503
+ };
504
+ };
505
+ metadataRequest.onerror = () => {
506
+ this.stats.misses++;
507
+ console.error("[ScoutCache] Failed to get versions software metadata:", metadataRequest.error);
508
+ resolve({ data: null, isStale: true, age: 0, metadata: null });
509
+ };
510
+ });
511
+ }
512
+ async clearVersionsSoftware() {
513
+ await this.init();
514
+ if (!this.db)
515
+ throw new Error("Database not initialized");
516
+ if (!this.validateDatabaseSchema()) {
517
+ throw new Error("Database schema validation failed - required object stores not found");
518
+ }
519
+ const transaction = this.db.transaction([VERSIONS_SOFTWARE_STORE, CACHE_METADATA_STORE], "readwrite");
520
+ return new Promise((resolve, reject) => {
521
+ transaction.onerror = () => reject(transaction.error);
522
+ transaction.oncomplete = () => resolve();
523
+ const versionsSoftwareStore = transaction.objectStore(VERSIONS_SOFTWARE_STORE);
524
+ const metadataStore = transaction.objectStore(CACHE_METADATA_STORE);
525
+ versionsSoftwareStore.clear();
526
+ metadataStore.delete("versions_software");
527
+ });
528
+ }
368
529
  }
369
530
  // Singleton instance
370
531
  export const scoutCache = new ScoutCache();
@@ -3,8 +3,10 @@ import { IVersionsSoftware, VersionsSoftwareInsert } from "../types/db";
3
3
  import { IWebResponseCompatible } from "../types/requests";
4
4
  import { SupabaseClient } from "@supabase/supabase-js";
5
5
  export declare function get_versions_software(client: SupabaseClient<Database>): Promise<IWebResponseCompatible<IVersionsSoftware[]>>;
6
+ export declare function get_versions_software_with_cache(client: SupabaseClient<Database>): Promise<IWebResponseCompatible<IVersionsSoftware[]>>;
6
7
  export declare function get_versions_software_by_system(client: SupabaseClient<Database>, system: string): Promise<IWebResponseCompatible<IVersionsSoftware[]>>;
7
8
  export declare function create_version_software(client: SupabaseClient<Database>, newVersionSoftware: VersionsSoftwareInsert): Promise<IWebResponseCompatible<IVersionsSoftware | null>>;
8
9
  export declare function update_version_software(client: SupabaseClient<Database>, version_id: number, updatedVersionSoftware: Partial<VersionsSoftwareInsert>): Promise<IWebResponseCompatible<IVersionsSoftware | null>>;
10
+ export declare function server_get_versions_software(): Promise<IWebResponseCompatible<IVersionsSoftware[]>>;
9
11
  export declare function delete_version_software(client: SupabaseClient<Database>, version_id: number): Promise<IWebResponseCompatible<IVersionsSoftware | null>>;
10
12
  export declare function get_versions_software_by_created_by(client: SupabaseClient<Database>, user_id: string): Promise<IWebResponseCompatible<IVersionsSoftware[]>>;
@@ -1,4 +1,5 @@
1
1
  import { IWebResponse } from "../types/requests";
2
+ import { scoutCache } from "./cache";
2
3
  export async function get_versions_software(client) {
3
4
  const { data, error } = await client
4
5
  .from("versions_software")
@@ -12,6 +13,35 @@ export async function get_versions_software(client) {
12
13
  }
13
14
  return IWebResponse.success(data).to_compatible();
14
15
  }
16
+ export async function get_versions_software_with_cache(client) {
17
+ try {
18
+ // Try to get from cache first
19
+ const cacheResult = await scoutCache.getVersionsSoftware();
20
+ if (cacheResult.data && !cacheResult.isStale) {
21
+ console.log(`[VersionsSoftware] Using cached data (${Math.round(cacheResult.age / 1000)}s old)`);
22
+ return IWebResponse.success(cacheResult.data).to_compatible();
23
+ }
24
+ // Cache miss or stale data - fetch from API
25
+ console.log("[VersionsSoftware] Cache miss or stale, fetching from API");
26
+ const apiResponse = await get_versions_software(client);
27
+ // If API request was successful, cache the result
28
+ if (apiResponse.status === "success" && apiResponse.data) {
29
+ try {
30
+ await scoutCache.setVersionsSoftware(apiResponse.data);
31
+ console.log(`[VersionsSoftware] Cached ${apiResponse.data.length} software versions`);
32
+ }
33
+ catch (cacheError) {
34
+ console.warn("[VersionsSoftware] Failed to cache data:", cacheError);
35
+ // Continue anyway, we still have the API data
36
+ }
37
+ }
38
+ return apiResponse;
39
+ }
40
+ catch (cacheError) {
41
+ console.warn("[VersionsSoftware] Cache error, falling back to API:", cacheError);
42
+ return get_versions_software(client);
43
+ }
44
+ }
15
45
  export async function get_versions_software_by_system(client, system) {
16
46
  const { data, error } = await client
17
47
  .from("versions_software")
@@ -38,6 +68,14 @@ export async function create_version_software(client, newVersionSoftware) {
38
68
  if (!data) {
39
69
  return IWebResponse.error("Failed to create software version").to_compatible();
40
70
  }
71
+ // Invalidate cache after successful creation
72
+ try {
73
+ await scoutCache.invalidateVersionsSoftware();
74
+ console.log("[VersionsSoftware] Cache invalidated after creation");
75
+ }
76
+ catch (cacheError) {
77
+ console.warn("[VersionsSoftware] Failed to invalidate cache:", cacheError);
78
+ }
41
79
  return IWebResponse.success(data).to_compatible();
42
80
  }
43
81
  export async function update_version_software(client, version_id, updatedVersionSoftware) {
@@ -58,8 +96,47 @@ export async function update_version_software(client, version_id, updatedVersion
58
96
  if (!data) {
59
97
  return IWebResponse.error("Software version not found or update failed").to_compatible();
60
98
  }
99
+ // Invalidate cache after successful update
100
+ try {
101
+ await scoutCache.invalidateVersionsSoftware();
102
+ console.log("[VersionsSoftware] Cache invalidated after update");
103
+ }
104
+ catch (cacheError) {
105
+ console.warn("[VersionsSoftware] Failed to invalidate cache:", cacheError);
106
+ }
61
107
  return IWebResponse.success(data).to_compatible();
62
108
  }
109
+ export async function server_get_versions_software() {
110
+ const { newServerClient } = await import("../supabase/server");
111
+ const client = await newServerClient();
112
+ try {
113
+ // Try to get from cache first
114
+ const cacheResult = await scoutCache.getVersionsSoftware();
115
+ if (cacheResult.data && !cacheResult.isStale) {
116
+ console.log(`[VersionsSoftware] Server using cached data (${Math.round(cacheResult.age / 1000)}s old)`);
117
+ return IWebResponse.success(cacheResult.data).to_compatible();
118
+ }
119
+ // Cache miss or stale data - fetch from API
120
+ console.log("[VersionsSoftware] Server cache miss or stale, fetching from API");
121
+ const apiResponse = await get_versions_software(client);
122
+ // If API request was successful, cache the result
123
+ if (apiResponse.status === "success" && apiResponse.data) {
124
+ try {
125
+ await scoutCache.setVersionsSoftware(apiResponse.data);
126
+ console.log(`[VersionsSoftware] Server cached ${apiResponse.data.length} software versions`);
127
+ }
128
+ catch (cacheError) {
129
+ console.warn("[VersionsSoftware] Server failed to cache data:", cacheError);
130
+ // Continue anyway, we still have the API data
131
+ }
132
+ }
133
+ return apiResponse;
134
+ }
135
+ catch (cacheError) {
136
+ console.warn("[VersionsSoftware] Server cache error, falling back to API:", cacheError);
137
+ return get_versions_software(client);
138
+ }
139
+ }
63
140
  export async function delete_version_software(client, version_id) {
64
141
  const { data, error } = await client
65
142
  .from("versions_software")
@@ -73,6 +150,14 @@ export async function delete_version_software(client, version_id) {
73
150
  if (!data) {
74
151
  return IWebResponse.error("Software version not found or deletion failed").to_compatible();
75
152
  }
153
+ // Invalidate cache after successful deletion
154
+ try {
155
+ await scoutCache.invalidateVersionsSoftware();
156
+ console.log("[VersionsSoftware] Cache invalidated after deletion");
157
+ }
158
+ catch (cacheError) {
159
+ console.warn("[VersionsSoftware] Failed to invalidate cache:", cacheError);
160
+ }
76
161
  return IWebResponse.success(data).to_compatible();
77
162
  }
78
163
  export async function get_versions_software_by_created_by(client, user_id) {
@@ -1,3 +1,4 @@
1
1
  export { useScoutRefresh, type UseScoutRefreshOptions, } from "./useScoutRefresh";
2
2
  export { useScoutRealtimeConnectivity } from "./useScoutRealtimeConnectivity";
3
3
  export { useScoutRealtimeDevices } from "./useScoutRealtimeDevices";
4
+ export { useScoutRealtimeVersionsSoftware } from "./useScoutRealtimeVersionsSoftware";
@@ -1,3 +1,4 @@
1
1
  export { useScoutRefresh, } from "./useScoutRefresh";
2
2
  export { useScoutRealtimeConnectivity } from "./useScoutRealtimeConnectivity";
3
3
  export { useScoutRealtimeDevices } from "./useScoutRealtimeDevices";
4
+ export { useScoutRealtimeVersionsSoftware } from "./useScoutRealtimeVersionsSoftware";
@@ -0,0 +1,5 @@
1
+ import { SupabaseClient } from "@supabase/supabase-js";
2
+ import { Database } from "../types/supabase";
3
+ import { IVersionsSoftware } from "../types/db";
4
+ import { RealtimeData } from "../types/realtime";
5
+ export declare function useScoutRealtimeVersionsSoftware(scoutSupabase: SupabaseClient<Database>): RealtimeData<IVersionsSoftware>[];
@@ -0,0 +1,66 @@
1
+ "use client";
2
+ import { useEffect, useRef, useCallback, useState } from "react";
3
+ import { EnumRealtimeOperation } from "../types/realtime";
4
+ export function useScoutRealtimeVersionsSoftware(scoutSupabase) {
5
+ const channels = useRef([]);
6
+ const [newVersionsItems, setNewVersionsItems] = useState([]);
7
+ // Handle versions software broadcasts
8
+ const handleVersionsSoftwareBroadcast = useCallback((payload) => {
9
+ const { event, payload: data } = payload;
10
+ const versionData = data.record || data.old_record;
11
+ if (!versionData) {
12
+ return;
13
+ }
14
+ let operation;
15
+ switch (data.operation) {
16
+ case "INSERT":
17
+ operation = EnumRealtimeOperation.INSERT;
18
+ break;
19
+ case "UPDATE":
20
+ operation = EnumRealtimeOperation.UPDATE;
21
+ break;
22
+ case "DELETE":
23
+ operation = EnumRealtimeOperation.DELETE;
24
+ break;
25
+ default:
26
+ return;
27
+ }
28
+ console.log(`[VERSIONS_SOFTWARE] ${data.operation} received for version ${versionData.system}@${versionData.version}:`, JSON.stringify(versionData));
29
+ const realtimeData = {
30
+ data: versionData,
31
+ operation,
32
+ };
33
+ setNewVersionsItems((prev) => [realtimeData, ...prev]);
34
+ }, []);
35
+ // Clear new items
36
+ const clearNewItems = useCallback(() => {
37
+ setNewVersionsItems([]);
38
+ }, []);
39
+ useEffect(() => {
40
+ if (!scoutSupabase)
41
+ return;
42
+ // Clean up existing channels
43
+ channels.current.forEach((channel) => scoutSupabase.removeChannel(channel));
44
+ channels.current = [];
45
+ // Clear previous items when setting up
46
+ clearNewItems();
47
+ // Create versions_software channel
48
+ const channel = scoutSupabase
49
+ .channel("versions_software_changes", { config: { private: true } })
50
+ .on("broadcast", { event: "*" }, handleVersionsSoftwareBroadcast)
51
+ .subscribe((status) => {
52
+ if (status === "SUBSCRIBED") {
53
+ console.log("[VERSIONS_SOFTWARE] ✅ Connected to software versions broadcasts");
54
+ }
55
+ else if (status === "CHANNEL_ERROR") {
56
+ console.warn("[VERSIONS_SOFTWARE] 🟡 Failed to connect to software versions broadcasts");
57
+ }
58
+ });
59
+ channels.current.push(channel);
60
+ return () => {
61
+ channels.current.forEach((ch) => scoutSupabase.removeChannel(ch));
62
+ channels.current = [];
63
+ };
64
+ }, [scoutSupabase, handleVersionsSoftwareBroadcast, clearNewItems]);
65
+ return newVersionsItems;
66
+ }
@@ -50,158 +50,6 @@ export function useScoutRefresh(options = {}) {
50
50
  cacheSaveDuration: 0,
51
51
  });
52
52
  // Helper function for deep comparison of objects
53
- const deepEqual = useCallback((obj1, obj2, visited = new WeakMap()) => {
54
- if (obj1 === obj2)
55
- return true;
56
- if (obj1 == null || obj2 == null)
57
- return obj1 === obj2;
58
- if (typeof obj1 !== typeof obj2)
59
- return false;
60
- if (typeof obj1 !== "object")
61
- return obj1 === obj2;
62
- // Handle circular references
63
- if (visited.has(obj1)) {
64
- return visited.get(obj1) === obj2;
65
- }
66
- visited.set(obj1, obj2);
67
- // Handle Date objects
68
- if (obj1 instanceof Date && obj2 instanceof Date) {
69
- return obj1.getTime() === obj2.getTime();
70
- }
71
- if (Array.isArray(obj1) !== Array.isArray(obj2))
72
- return false;
73
- if (Array.isArray(obj1)) {
74
- if (obj1.length !== obj2.length)
75
- return false;
76
- for (let i = 0; i < obj1.length; i++) {
77
- if (!deepEqual(obj1[i], obj2[i], visited))
78
- return false;
79
- }
80
- return true;
81
- }
82
- const keys1 = Object.keys(obj1);
83
- const keys2 = Object.keys(obj2);
84
- if (keys1.length !== keys2.length)
85
- return false;
86
- for (const key of keys1) {
87
- if (!keys2.includes(key))
88
- return false;
89
- if (!deepEqual(obj1[key], obj2[key], visited))
90
- return false;
91
- }
92
- return true;
93
- }, []);
94
- // Helper function to sort herd modules consistently by ID
95
- const sortHerdModulesById = useCallback((herdModules) => {
96
- if (!Array.isArray(herdModules))
97
- return herdModules;
98
- return [...herdModules].sort((a, b) => {
99
- const aId = a?.herd?.id || 0;
100
- const bId = b?.herd?.id || 0;
101
- return aId - bId;
102
- });
103
- }, []);
104
- // Helper function to normalize herd modules for comparison (excludes timestamp metadata)
105
- const normalizeHerdModulesForComparison = useCallback((herdModules) => {
106
- if (!Array.isArray(herdModules))
107
- return herdModules;
108
- return herdModules.map((hm) => {
109
- if (!hm || typeof hm !== "object")
110
- return hm;
111
- // Create a copy without timestamp metadata that doesn't represent business data changes
112
- const { timestamp_last_refreshed, ...businessData } = hm;
113
- return businessData;
114
- });
115
- }, []);
116
- // Helper function to find what specifically changed for debugging
117
- const findBusinessDataChanges = useCallback((newData, currentData) => {
118
- if (!Array.isArray(newData) || !Array.isArray(currentData)) {
119
- return `Array type mismatch: new=${Array.isArray(newData)}, current=${Array.isArray(currentData)}`;
120
- }
121
- if (newData.length !== currentData.length) {
122
- return `Array length: ${currentData.length} → ${newData.length}`;
123
- }
124
- // Sort and normalize both for consistent comparison
125
- const sortedNew = normalizeHerdModulesForComparison(sortHerdModulesById(newData));
126
- const sortedCurrent = normalizeHerdModulesForComparison(sortHerdModulesById(currentData));
127
- const changes = [];
128
- for (let i = 0; i < sortedNew.length; i++) {
129
- const newHerd = sortedNew[i];
130
- const currentHerd = sortedCurrent[i];
131
- if (!newHerd || !currentHerd)
132
- continue;
133
- const herdName = newHerd.herd?.name || newHerd.name || `herd-${newHerd.herd?.id || i}`;
134
- // Check key business fields
135
- const businessFields = [
136
- "total_events",
137
- "total_events_with_filters",
138
- "events_page_index",
139
- ];
140
- businessFields.forEach((field) => {
141
- if (newHerd[field] !== currentHerd[field]) {
142
- changes.push(`${herdName}.${field}: ${currentHerd[field]} → ${newHerd[field]}`);
143
- }
144
- });
145
- // Check array lengths
146
- const arrayFields = [
147
- "devices",
148
- "events",
149
- "plans",
150
- "zones",
151
- "sessions",
152
- "layers",
153
- "providers",
154
- ];
155
- arrayFields.forEach((field) => {
156
- const newArray = newHerd[field];
157
- const currentArray = currentHerd[field];
158
- if (Array.isArray(newArray) && Array.isArray(currentArray)) {
159
- if (newArray.length !== currentArray.length) {
160
- changes.push(`${herdName}.${field}[]: ${currentArray.length} → ${newArray.length}`);
161
- }
162
- }
163
- });
164
- }
165
- return changes.length > 0
166
- ? changes.join(", ")
167
- : "No specific changes identified";
168
- }, [normalizeHerdModulesForComparison, sortHerdModulesById]);
169
- // Helper function to conditionally dispatch only if business data has changed
170
- const conditionalDispatch = useCallback((newData, currentData, actionCreator, dataType, skipTimestampOnlyUpdates = true) => {
171
- // For herd modules, sort both datasets by ID before comparison
172
- let dataToCompare = newData;
173
- let currentToCompare = currentData;
174
- if (dataType.includes("Herd modules")) {
175
- dataToCompare = sortHerdModulesById(newData);
176
- currentToCompare = sortHerdModulesById(currentData);
177
- // If we want to skip timestamp-only updates, normalize the data for comparison
178
- if (skipTimestampOnlyUpdates) {
179
- dataToCompare = normalizeHerdModulesForComparison(dataToCompare);
180
- currentToCompare =
181
- normalizeHerdModulesForComparison(currentToCompare);
182
- }
183
- }
184
- if (!deepEqual(dataToCompare, currentToCompare)) {
185
- console.log(`[useScoutRefresh] ${dataType} business data changed, updating store`);
186
- // Add debugging for unexpected business changes
187
- if (skipTimestampOnlyUpdates && dataType.includes("Herd modules")) {
188
- const changes = findBusinessDataChanges(dataToCompare, currentToCompare);
189
- console.log(`[useScoutRefresh] ${dataType} changes: ${changes}`);
190
- }
191
- dispatch(actionCreator(newData)); // Always dispatch original unsorted data
192
- return true;
193
- }
194
- else {
195
- console.log(`[useScoutRefresh] ${dataType} business data unchanged, skipping store update`);
196
- return false;
197
- }
198
- }, [
199
- dispatch,
200
- deepEqual,
201
- sortHerdModulesById,
202
- normalizeHerdModulesForComparison,
203
- findBusinessDataChanges,
204
- ]);
205
53
  // Helper function to handle IndexedDB errors - memoized for stability
206
54
  const handleIndexedDbError = useCallback(async (error, operation, retryFn) => {
207
55
  if (error instanceof Error &&
@@ -254,13 +102,10 @@ export function useScoutRefresh(options = {}) {
254
102
  cacheAge: cacheResult.age,
255
103
  isStale: cacheResult.isStale,
256
104
  }));
257
- // Conditionally update the store with cached data if business data is different
258
- // Get current state at execution time to avoid dependency issues
259
- const currentHerdModules = store.getState().scout.herd_modules;
260
- const herdModulesChanged = conditionalDispatch(cachedHerdModules, currentHerdModules, setHerdModules, "Herd modules (cache)", true);
261
- if (herdModulesChanged) {
262
- dispatch(setHerdModulesLoadingState(EnumHerdModulesLoadingState.SUCCESSFULLY_LOADED));
263
- }
105
+ // Update the store with cached data
106
+ console.log(`[useScoutRefresh] Updating store with cached herd modules`);
107
+ dispatch(setHerdModules(cachedHerdModules));
108
+ dispatch(setHerdModulesLoadingState(EnumHerdModulesLoadingState.SUCCESSFULLY_LOADED));
264
109
  // If cache is fresh, we still background fetch but don't wait
265
110
  if (!cacheResult.isStale) {
266
111
  // Background fetch fresh data without blocking
@@ -310,12 +155,12 @@ export function useScoutRefresh(options = {}) {
310
155
  }
311
156
  });
312
157
  }
313
- // Conditionally update store with fresh background data, skip timestamp-only changes
314
- const currentHerdModules = store.getState().scout.herd_modules;
315
- const currentUser = store.getState().scout.user;
316
- conditionalDispatch(backgroundHerdModulesResult.data, currentHerdModules, setHerdModules, "Herd modules (background)", true);
158
+ // Update store with fresh data from background request
159
+ console.log(`[useScoutRefresh] Updating store with background herd modules`);
160
+ dispatch(setHerdModules(backgroundHerdModulesResult.data));
317
161
  if (backgroundUserResult && backgroundUserResult.data) {
318
- conditionalDispatch(backgroundUserResult.data, currentUser, setUser, "User (background)");
162
+ console.log(`[useScoutRefresh] Updating store with background user data`);
163
+ dispatch(setUser(backgroundUserResult.data));
319
164
  }
320
165
  // Update data source to DATABASE
321
166
  dispatch(setDataSource(EnumDataSource.DATABASE));
@@ -424,13 +269,12 @@ export function useScoutRefresh(options = {}) {
424
269
  }
425
270
  // Step 4: Conditionally update store with fresh data, skip timestamp-only changes
426
271
  const dataProcessingStartTime = Date.now();
427
- const currentHerdModules = store.getState().scout.herd_modules;
428
- const currentUser = store.getState().scout.user;
429
- const herdModulesChanged = conditionalDispatch(compatible_new_herd_modules, currentHerdModules, setHerdModules, "Herd modules (fresh API)", true);
430
- const userChanged = conditionalDispatch(res_new_user.data, currentUser, setUser, "User (fresh API)");
431
- if (herdModulesChanged) {
432
- dispatch(setHerdModulesLoadingState(EnumHerdModulesLoadingState.SUCCESSFULLY_LOADED));
433
- }
272
+ // Update store with new data
273
+ console.log(`[useScoutRefresh] Updating store with fresh herd modules`);
274
+ dispatch(setHerdModules(compatible_new_herd_modules));
275
+ console.log(`[useScoutRefresh] Updating store with fresh user data`);
276
+ dispatch(setUser(res_new_user.data));
277
+ dispatch(setHerdModulesLoadingState(EnumHerdModulesLoadingState.SUCCESSFULLY_LOADED));
434
278
  const dataProcessingDuration = Date.now() - dataProcessingStartTime;
435
279
  timingRefs.current.dataProcessingDuration = dataProcessingDuration;
436
280
  dispatch(setDataProcessingDuration(dataProcessingDuration));
@@ -469,7 +313,6 @@ export function useScoutRefresh(options = {}) {
469
313
  onRefreshComplete,
470
314
  cacheFirst,
471
315
  cacheTtlMs,
472
- conditionalDispatch,
473
316
  handleIndexedDbError,
474
317
  ]);
475
318
  useEffect(() => {
package/dist/index.d.ts CHANGED
@@ -40,6 +40,7 @@ export * from "./helpers/versions_software";
40
40
  export * from "./helpers/components";
41
41
  export * from "./hooks/useScoutRealtimeConnectivity";
42
42
  export * from "./hooks/useScoutRealtimeDevices";
43
+ export * from "./hooks/useScoutRealtimeVersionsSoftware";
43
44
  export * from "./hooks/useScoutRefresh";
44
45
  export * from "./providers";
45
46
  export * from "./store/scout";
package/dist/index.js CHANGED
@@ -44,6 +44,7 @@ export * from "./helpers/components";
44
44
  // Hooks
45
45
  export * from "./hooks/useScoutRealtimeConnectivity";
46
46
  export * from "./hooks/useScoutRealtimeDevices";
47
+ export * from "./hooks/useScoutRealtimeVersionsSoftware";
47
48
  export * from "./hooks/useScoutRefresh";
48
49
  // Providers
49
50
  export * from "./providers";
@@ -55,6 +55,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
55
55
  modality: string | null;
56
56
  session_id: number | null;
57
57
  timestamp_observation: string | null;
58
+ timestamp_observation_end: string;
58
59
  updated_at: string | null;
59
60
  };
60
61
  Insert: {
@@ -65,6 +66,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
65
66
  modality?: string | null;
66
67
  session_id?: number | null;
67
68
  timestamp_observation?: string | null;
69
+ timestamp_observation_end?: string;
68
70
  updated_at?: string | null;
69
71
  };
70
72
  Update: {
@@ -75,6 +77,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
75
77
  modality?: string | null;
76
78
  session_id?: number | null;
77
79
  timestamp_observation?: string | null;
80
+ timestamp_observation_end?: string;
78
81
  updated_at?: string | null;
79
82
  };
80
83
  Relationships: [{
@@ -218,6 +221,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
218
221
  id: number;
219
222
  inserted_at: string;
220
223
  location: unknown;
224
+ mode: string | null;
221
225
  noise: number;
222
226
  session_id: number | null;
223
227
  signal: number;
@@ -238,6 +242,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
238
242
  id?: number;
239
243
  inserted_at?: string;
240
244
  location: unknown;
245
+ mode?: string | null;
241
246
  noise: number;
242
247
  session_id?: number | null;
243
248
  signal: number;
@@ -258,6 +263,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
258
263
  id?: number;
259
264
  inserted_at?: string;
260
265
  location?: unknown;
266
+ mode?: string | null;
261
267
  noise?: number;
262
268
  session_id?: number | null;
263
269
  signal?: number;
@@ -788,6 +794,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
788
794
  description: string;
789
795
  hyperlink: string | null;
790
796
  id: number;
797
+ min: boolean;
791
798
  pre: boolean;
792
799
  stable: boolean;
793
800
  system: string;
@@ -801,6 +808,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
801
808
  description: string;
802
809
  hyperlink?: string | null;
803
810
  id?: number;
811
+ min?: boolean;
804
812
  pre?: boolean;
805
813
  stable?: boolean;
806
814
  system: string;
@@ -814,6 +822,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
814
822
  description?: string;
815
823
  hyperlink?: string | null;
816
824
  id?: number;
825
+ min?: boolean;
817
826
  pre?: boolean;
818
827
  stable?: boolean;
819
828
  system?: string;
@@ -1048,6 +1057,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
1048
1057
  modality: string | null;
1049
1058
  session_id: number | null;
1050
1059
  timestamp_observation: string | null;
1060
+ timestamp_observation_end: string;
1051
1061
  updated_at: string | null;
1052
1062
  }[];
1053
1063
  SetofOptions: {
@@ -1070,6 +1080,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
1070
1080
  modality: string | null;
1071
1081
  session_id: number | null;
1072
1082
  timestamp_observation: string | null;
1083
+ timestamp_observation_end: string;
1073
1084
  updated_at: string | null;
1074
1085
  }[];
1075
1086
  SetofOptions: {
@@ -1093,6 +1104,7 @@ export declare function useSupabase(): SupabaseClient<Database, "public", "publi
1093
1104
  modality: string | null;
1094
1105
  session_id: number | null;
1095
1106
  timestamp_observation: string | null;
1107
+ timestamp_observation_end: string;
1096
1108
  updated_at: string | null;
1097
1109
  }[];
1098
1110
  SetofOptions: {
@@ -55,6 +55,7 @@ export type Database = {
55
55
  modality: string | null;
56
56
  session_id: number | null;
57
57
  timestamp_observation: string | null;
58
+ timestamp_observation_end: string;
58
59
  updated_at: string | null;
59
60
  };
60
61
  Insert: {
@@ -65,6 +66,7 @@ export type Database = {
65
66
  modality?: string | null;
66
67
  session_id?: number | null;
67
68
  timestamp_observation?: string | null;
69
+ timestamp_observation_end?: string;
68
70
  updated_at?: string | null;
69
71
  };
70
72
  Update: {
@@ -75,6 +77,7 @@ export type Database = {
75
77
  modality?: string | null;
76
78
  session_id?: number | null;
77
79
  timestamp_observation?: string | null;
80
+ timestamp_observation_end?: string;
78
81
  updated_at?: string | null;
79
82
  };
80
83
  Relationships: [
@@ -227,6 +230,7 @@ export type Database = {
227
230
  id: number;
228
231
  inserted_at: string;
229
232
  location: unknown;
233
+ mode: string | null;
230
234
  noise: number;
231
235
  session_id: number | null;
232
236
  signal: number;
@@ -247,6 +251,7 @@ export type Database = {
247
251
  id?: number;
248
252
  inserted_at?: string;
249
253
  location: unknown;
254
+ mode?: string | null;
250
255
  noise: number;
251
256
  session_id?: number | null;
252
257
  signal: number;
@@ -267,6 +272,7 @@ export type Database = {
267
272
  id?: number;
268
273
  inserted_at?: string;
269
274
  location?: unknown;
275
+ mode?: string | null;
270
276
  noise?: number;
271
277
  session_id?: number | null;
272
278
  signal?: number;
@@ -828,6 +834,7 @@ export type Database = {
828
834
  description: string;
829
835
  hyperlink: string | null;
830
836
  id: number;
837
+ min: boolean;
831
838
  pre: boolean;
832
839
  stable: boolean;
833
840
  system: string;
@@ -841,6 +848,7 @@ export type Database = {
841
848
  description: string;
842
849
  hyperlink?: string | null;
843
850
  id?: number;
851
+ min?: boolean;
844
852
  pre?: boolean;
845
853
  stable?: boolean;
846
854
  system: string;
@@ -854,6 +862,7 @@ export type Database = {
854
862
  description?: string;
855
863
  hyperlink?: string | null;
856
864
  id?: number;
865
+ min?: boolean;
857
866
  pre?: boolean;
858
867
  stable?: boolean;
859
868
  system?: string;
@@ -1100,6 +1109,7 @@ export type Database = {
1100
1109
  modality: string | null;
1101
1110
  session_id: number | null;
1102
1111
  timestamp_observation: string | null;
1112
+ timestamp_observation_end: string;
1103
1113
  updated_at: string | null;
1104
1114
  }[];
1105
1115
  SetofOptions: {
@@ -1122,6 +1132,7 @@ export type Database = {
1122
1132
  modality: string | null;
1123
1133
  session_id: number | null;
1124
1134
  timestamp_observation: string | null;
1135
+ timestamp_observation_end: string;
1125
1136
  updated_at: string | null;
1126
1137
  }[];
1127
1138
  SetofOptions: {
@@ -1145,6 +1156,7 @@ export type Database = {
1145
1156
  modality: string | null;
1146
1157
  session_id: number | null;
1147
1158
  timestamp_observation: string | null;
1159
+ timestamp_observation_end: string;
1148
1160
  updated_at: string | null;
1149
1161
  }[];
1150
1162
  SetofOptions: {
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@adventurelabs/scout-core",
3
- "version": "1.0.129",
3
+ "version": "1.0.131",
4
4
  "description": "Core utilities and helpers for Adventure Labs Scout applications",
5
5
  "main": "dist/index.js",
6
6
  "types": "dist/index.d.ts",