When there is a device change, a `ceph orch device ls --refresh` command
needs to be called so the orchestrator can invalidate its cache and
refresh all devices on all nodes. Currently, the call is asynchronous and
there is no way to determine is a refresh is done or not.
To allow doing a refresh in the Dashboard:
- The inventory device list is periodically updated with cached data.
- If the user clicks the refresh button, a refresh call is sent to the
orchestrator. Thus if there are device changes, it will be revealed soon
because of the periodical update.
Fixes: https://tracker.ceph.com/issues/44803
Signed-off-by: Kiefer Chang <kiefer.chang@suse.com>
(cherry picked from commit
1147d6dca04fe6e45b385b549db37775fce54edd)
Conflicts:
src/pybind/mgr/dashboard/controllers/orchestrator.py
src/pybind/mgr/dashboard/frontend/src/app/ceph/cluster/inventory/inventory.component.ts
from ..security import Scope
from ..services.exception import handle_orchestrator_error
from ..services.orchestrator import OrchClient
-from ..tools import TaskManager, wraps
+from ..tools import TaskManager, str_to_bool, wraps
def get_device_osd_map():
class OrchestratorInventory(RESTController):
@raise_if_no_orchestrator
- def list(self, hostname=None):
+ def list(self, hostname=None, refresh=None):
orch = OrchClient.instance()
hosts = [hostname] if hostname else None
- inventory_hosts = [host.to_json() for host in orch.inventory.list(hosts)]
+ do_refresh = False
+ if refresh is not None:
+ do_refresh = str_to_bool(refresh)
+ inventory_hosts = [host.to_json() for host in orch.inventory.list(hosts, do_refresh)]
device_osd_map = get_device_osd_map()
for inventory_host in inventory_hosts:
host_osds = device_osd_map.get(inventory_host['name'])
describe('after ngOnInit', () => {
it('should load devices', () => {
fixture.detectChanges();
- expect(orchService.inventoryDeviceList).toHaveBeenCalledWith(undefined);
- });
+ expect(orchService.inventoryDeviceList).toHaveBeenNthCalledWith(1, undefined, false);
+ component.refresh(); // click refresh button
+ expect(orchService.inventoryDeviceList).toHaveBeenNthCalledWith(2, undefined, true);
- it('should load devices for a host', () => {
- component.hostname = 'host0';
+ const newHost = 'host0';
+ component.hostname = newHost;
fixture.detectChanges();
- expect(orchService.inventoryDeviceList).toHaveBeenCalledWith('host0');
+ component.ngOnChanges();
+ expect(orchService.inventoryDeviceList).toHaveBeenNthCalledWith(3, newHost, false);
+ component.refresh(); // click refresh button
+ expect(orchService.inventoryDeviceList).toHaveBeenNthCalledWith(4, newHost, true);
});
});
});
-import { Component, Input, OnChanges, OnInit } from '@angular/core';
+import { Component, Input, NgZone, OnChanges, OnDestroy, OnInit } from '@angular/core';
+
+import { Subscription, timer as observableTimer } from 'rxjs';
import { OrchestratorService } from '../../../shared/api/orchestrator.service';
import { Icons } from '../../../shared/enum/icons.enum';
templateUrl: './inventory.component.html',
styleUrls: ['./inventory.component.scss']
})
-export class InventoryComponent implements OnChanges, OnInit {
+export class InventoryComponent implements OnChanges, OnInit, OnDestroy {
// Display inventory page only for this hostname, ignore to display all.
@Input() hostname?: string;
+ private reloadSubscriber: Subscription;
+ private reloadInterval = 5000;
+ private firstRefresh = true;
+
icons = Icons;
hasOrchestrator = false;
devices: Array<InventoryDevice> = [];
- constructor(private orchService: OrchestratorService) {}
+ constructor(private orchService: OrchestratorService, private ngZone: NgZone) {}
ngOnInit() {
this.orchService.status().subscribe((status) => {
this.hasOrchestrator = status.available;
this.showDocPanel = !status.available;
if (status.available) {
- this.getInventory();
+ // Create a timer to get cached inventory from the orchestrator.
+ // Do not ask the orchestrator frequently to refresh its cache data because it's expensive.
+ this.ngZone.runOutsideAngular(() => {
+ // start after first pass because the embedded table calls refresh at init.
+ this.reloadSubscriber = observableTimer(
+ this.reloadInterval,
+ this.reloadInterval
+ ).subscribe(() => {
+ this.ngZone.run(() => {
+ this.getInventory(false);
+ });
+ });
+ });
}
});
}
+ ngOnDestroy() {
+ if (this.reloadSubscriber) {
+ this.reloadSubscriber.unsubscribe();
+ }
+ }
+
ngOnChanges() {
if (this.hasOrchestrator) {
this.devices = [];
- this.getInventory();
+ this.getInventory(false);
}
}
- getInventory() {
+ getInventory(refresh: boolean) {
if (this.hostname === '') {
return;
}
- this.orchService.inventoryDeviceList(this.hostname).subscribe(
+ this.orchService.inventoryDeviceList(this.hostname, refresh).subscribe(
(devices: InventoryDevice[]) => {
this.devices = devices;
},
}
refresh() {
- this.getInventory();
+ // Make the first reload (triggered by table) use cached data, and
+ // the remaining reloads (triggered by users) ask orchestrator to refresh inventory.
+ this.getInventory(!this.firstRefresh);
+ this.firstRefresh = false;
}
}
expect(req.request.method).toBe('GET');
});
- it('should call inventoryList', () => {
- service.inventoryList().subscribe();
- const req = httpTesting.expectOne(`${apiPath}/inventory`);
- expect(req.request.method).toBe('GET');
- });
-
- it('should call inventoryList with a host', () => {
- const host = 'host0';
- service.inventoryList(host).subscribe();
- const req = httpTesting.expectOne(`${apiPath}/inventory?hostname=${host}`);
- expect(req.request.method).toBe('GET');
+ it('should call inventoryList with arguments', () => {
+ const inventoryPath = `${apiPath}/inventory`;
+ const tests: { args: any[]; expectedUrl: any }[] = [
+ {
+ args: [],
+ expectedUrl: inventoryPath
+ },
+ {
+ args: ['host0'],
+ expectedUrl: `${inventoryPath}?hostname=host0`
+ },
+ {
+ args: [undefined, true],
+ expectedUrl: `${inventoryPath}?refresh=true`
+ },
+ {
+ args: ['host0', true],
+ expectedUrl: `${inventoryPath}?hostname=host0&refresh=true`
+ }
+ ];
+
+ for (const test of tests) {
+ service.inventoryList(...test.args).subscribe();
+ const req = httpTesting.expectOne(test.expectedUrl);
+ expect(req.request.method).toBe('GET');
+ }
});
});
});
}
- inventoryList(hostname?: string): Observable<InventoryHost[]> {
- const options = hostname ? { params: new HttpParams().set('hostname', hostname) } : {};
- return this.http.get<InventoryHost[]>(`${this.url}/inventory`, options);
+ inventoryList(hostname?: string, refresh?: boolean): Observable<InventoryHost[]> {
+ let params = new HttpParams();
+ if (hostname) {
+ params = params.append('hostname', hostname);
+ }
+ if (refresh) {
+ params = params.append('refresh', _.toString(refresh));
+ }
+ return this.http.get<InventoryHost[]>(`${this.url}/inventory`, { params: params });
}
- inventoryDeviceList(hostname?: string): Observable<InventoryDevice[]> {
- return this.inventoryList(hostname).pipe(
+ inventoryDeviceList(hostname?: string, refresh?: boolean): Observable<InventoryDevice[]> {
+ return this.inventoryList(hostname, refresh).pipe(
mergeMap((hosts: InventoryHost[]) => {
const devices = _.flatMap(hosts, (host) => {
return host.devices.map((device) => {