1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
|
import json
import logging
from abc import ABCMeta, abstractmethod
from typing import TYPE_CHECKING, List, Callable, Any, TypeVar, Generic, Optional, Dict, Any, Tuple
from mgr_module import MonCommandFailed
from ceph.deployment.service_spec import ServiceSpec, RGWSpec
from orchestrator import OrchestratorError, DaemonDescription
from cephadm import utils
if TYPE_CHECKING:
from cephadm.module import CephadmOrchestrator
logger = logging.getLogger(__name__)
ServiceSpecs = TypeVar('ServiceSpecs', bound=ServiceSpec)
class CephadmDaemonSpec(Generic[ServiceSpecs]):
# typing.NamedTuple + Generic is broken in py36
def __init__(self, host, daemon_id,
spec: Optional[ServiceSpecs]=None,
network: Optional[str]=None,
keyring: Optional[str]=None,
extra_args: Optional[List[str]]=None,
extra_config: Optional[Dict[str, Any]]=None,
daemon_type: Optional[str]=None):
"""
Used for
* deploying new daemons. then everything is set
* redeploying existing daemons, then only the first three attrs are set.
Would be great to have a consistent usage where all properties are set.
"""
self.host = host
self.daemon_id = daemon_id
daemon_type = daemon_type or (spec.service_type if spec else None)
assert daemon_type is not None
self.daemon_type: str = daemon_type
# would be great to have the spec always available:
self.spec: Optional[ServiceSpecs] = spec
# mons
self.network = network
# for run_cephadm.
self.keyring: Optional[str] = keyring
# For run_cephadm. Would be great to have more expressive names.
self.extra_args: List[str] = extra_args or []
self.extra_config: Dict[str, Any] = extra_config or {}
def name(self) -> str:
return '%s.%s' % (self.daemon_type, self.daemon_id)
class CephadmService(metaclass=ABCMeta):
"""
Base class for service types. Often providing a create() and config() fn.
"""
@property
@abstractmethod
def TYPE(self):
pass
def __init__(self, mgr: "CephadmOrchestrator"):
self.mgr: "CephadmOrchestrator" = mgr
def make_daemon_spec(self, host, daemon_id, netowrk, spec: ServiceSpecs) -> CephadmDaemonSpec:
return CephadmDaemonSpec(
host=host,
daemon_id=daemon_id,
spec=spec,
network=netowrk
)
def create(self, daemon_spec: CephadmDaemonSpec):
raise NotImplementedError()
def generate_config(self, daemon_spec: CephadmDaemonSpec) -> Tuple[Dict[str, Any], List[str]]:
# Ceph.daemons (mon, mgr, mds, osd, etc)
cephadm_config = self.mgr._get_config_and_keyring(
daemon_spec.daemon_type,
daemon_spec.daemon_id,
host=daemon_spec.host,
keyring=daemon_spec.keyring,
extra_ceph_config=daemon_spec.extra_config.pop('config', ''))
if daemon_spec.extra_config:
cephadm_config.update({'files': daemon_spec.extra_config})
return cephadm_config, []
def daemon_check_post(self, daemon_descrs: List[DaemonDescription]):
"""The post actions needed to be done after daemons are checked"""
if self.mgr.config_dashboard:
self.config_dashboard(daemon_descrs)
def config_dashboard(self, daemon_descrs: List[DaemonDescription]):
"""Config dashboard settings."""
raise NotImplementedError()
def get_active_daemon(self, daemon_descrs: List[DaemonDescription]) -> DaemonDescription:
raise NotImplementedError()
def _inventory_get_addr(self, hostname: str) -> str:
"""Get a host's address with its hostname."""
return self.mgr.inventory.get_addr(hostname)
def _set_service_url_on_dashboard(self,
service_name: str,
get_mon_cmd: str,
set_mon_cmd: str,
service_url: str):
"""A helper to get and set service_url via Dashboard's MON command.
If result of get_mon_cmd differs from service_url, set_mon_cmd will
be sent to set the service_url.
"""
def get_set_cmd_dicts(out: str) -> List[dict]:
cmd_dict = {
'prefix': set_mon_cmd,
'value': service_url
}
return [cmd_dict] if service_url != out else []
self._check_and_set_dashboard(
service_name=service_name,
get_cmd=get_mon_cmd,
get_set_cmd_dicts=get_set_cmd_dicts
)
def _check_and_set_dashboard(self,
service_name: str,
get_cmd: str,
get_set_cmd_dicts: Callable[[str], List[dict]]):
"""A helper to set configs in the Dashboard.
The method is useful for the pattern:
- Getting a config from Dashboard by using a Dashboard command. e.g. current iSCSI
gateways.
- Parse or deserialize previous output. e.g. Dashboard command returns a JSON string.
- Determine if the config need to be update. NOTE: This step is important because if a
Dashboard command modified Ceph config, cephadm's config_notify() is called. Which
kicks the serve() loop and the logic using this method is likely to be called again.
A config should be updated only when needed.
- Update a config in Dashboard by using a Dashboard command.
:param service_name: the service name to be used for logging
:type service_name: str
:param get_cmd: Dashboard command prefix to get config. e.g. dashboard get-grafana-api-url
:type get_cmd: str
:param get_set_cmd_dicts: function to create a list, and each item is a command dictionary.
e.g.
[
{
'prefix': 'dashboard iscsi-gateway-add',
'service_url': 'http://admin:admin@aaa:5000',
'name': 'aaa'
},
{
'prefix': 'dashboard iscsi-gateway-add',
'service_url': 'http://admin:admin@bbb:5000',
'name': 'bbb'
}
]
The function should return empty list if no command need to be sent.
:type get_set_cmd_dicts: Callable[[str], List[dict]]
"""
try:
_, out, _ = self.mgr.check_mon_command({
'prefix': get_cmd
})
except MonCommandFailed as e:
logger.warning('Failed to get Dashboard config for %s: %s', service_name, e)
return
cmd_dicts = get_set_cmd_dicts(out.strip())
for cmd_dict in list(cmd_dicts):
try:
logger.info('Setting Dashboard config for %s: command: %s', service_name, cmd_dict)
_, out, _ = self.mgr.check_mon_command(cmd_dict)
except MonCommandFailed as e:
logger.warning('Failed to set Dashboard config for %s: %s', service_name, e)
def ok_to_stop(self, daemon_ids: List[str]) -> bool:
names = [f'{self.TYPE}.{d_id}' for d_id in daemon_ids]
if self.TYPE not in ['mon', 'osd', 'mds']:
logger.info('Upgrade: It is presumed safe to stop %s' % names)
return True
ret, out, err = self.mgr.mon_command({
'prefix': f'{self.TYPE} ok-to-stop',
'ids': daemon_ids,
})
if ret:
logger.info(f'It is NOT safe to stop {names}: {err}')
return False
return True
def pre_remove(self, daemon_id: str) -> None:
"""
Called before the daemon is removed.
"""
pass
class MonService(CephadmService):
TYPE = 'mon'
def create(self, daemon_spec: CephadmDaemonSpec) -> str:
"""
Create a new monitor on the given host.
"""
assert self.TYPE == daemon_spec.daemon_type
name, host, network = daemon_spec.daemon_id, daemon_spec.host, daemon_spec.network
# get mon. key
ret, keyring, err = self.mgr.check_mon_command({
'prefix': 'auth get',
'entity': 'mon.',
})
extra_config = '[mon.%s]\n' % name
if network:
# infer whether this is a CIDR network, addrvec, or plain IP
if '/' in network:
extra_config += 'public network = %s\n' % network
elif network.startswith('[v') and network.endswith(']'):
extra_config += 'public addrv = %s\n' % network
elif ':' not in network:
extra_config += 'public addr = %s\n' % network
else:
raise OrchestratorError('Must specify a CIDR network, ceph addrvec, or plain IP: \'%s\'' % network)
else:
# try to get the public_network from the config
ret, network, err = self.mgr.check_mon_command({
'prefix': 'config get',
'who': 'mon',
'key': 'public_network',
})
network = network.strip() if network else network
if not network:
raise OrchestratorError('Must set public_network config option or specify a CIDR network, ceph addrvec, or plain IP')
if '/' not in network:
raise OrchestratorError('public_network is set but does not look like a CIDR network: \'%s\'' % network)
extra_config += 'public network = %s\n' % network
daemon_spec.extra_config={'config': extra_config}
daemon_spec.keyring=keyring
return self.mgr._create_daemon(daemon_spec)
def _check_safe_to_destroy(self, mon_id: str) -> None:
ret, out, err = self.mgr.check_mon_command({
'prefix': 'quorum_status',
})
try:
j = json.loads(out)
except Exception as e:
raise OrchestratorError('failed to parse quorum status')
mons = [m['name'] for m in j['monmap']['mons']]
if mon_id not in mons:
logger.info('Safe to remove mon.%s: not in monmap (%s)' % (
mon_id, mons))
return
new_mons = [m for m in mons if m != mon_id]
new_quorum = [m for m in j['quorum_names'] if m != mon_id]
if len(new_quorum) > len(new_mons) / 2:
logger.info('Safe to remove mon.%s: new quorum should be %s (from %s)' % (mon_id, new_quorum, new_mons))
return
raise OrchestratorError('Removing %s would break mon quorum (new quorum %s, new mons %s)' % (mon_id, new_quorum, new_mons))
def pre_remove(self, daemon_id: str) -> None:
self._check_safe_to_destroy(daemon_id)
# remove mon from quorum before we destroy the daemon
logger.info('Removing monitor %s from monmap...' % daemon_id)
ret, out, err = self.mgr.check_mon_command({
'prefix': 'mon rm',
'name': daemon_id,
})
class MgrService(CephadmService):
TYPE = 'mgr'
def create(self, daemon_spec: CephadmDaemonSpec) -> str:
"""
Create a new manager instance on a host.
"""
assert self.TYPE == daemon_spec.daemon_type
mgr_id, host = daemon_spec.daemon_id, daemon_spec.host
# get mgr. key
ret, keyring, err = self.mgr.check_mon_command({
'prefix': 'auth get-or-create',
'entity': 'mgr.%s' % mgr_id,
'caps': ['mon', 'profile mgr',
'osd', 'allow *',
'mds', 'allow *'],
})
daemon_spec.keyring = keyring
return self.mgr._create_daemon(daemon_spec)
class MdsService(CephadmService):
TYPE = 'mds'
def config(self, spec: ServiceSpec) -> None:
assert self.TYPE == spec.service_type
assert spec.service_id
# ensure mds_join_fs is set for these daemons
ret, out, err = self.mgr.check_mon_command({
'prefix': 'config set',
'who': 'mds.' + spec.service_id,
'name': 'mds_join_fs',
'value': spec.service_id,
})
def create(self, daemon_spec: CephadmDaemonSpec) -> str:
assert self.TYPE == daemon_spec.daemon_type
mds_id, host = daemon_spec.daemon_id, daemon_spec.host
# get mgr. key
ret, keyring, err = self.mgr.check_mon_command({
'prefix': 'auth get-or-create',
'entity': 'mds.' + mds_id,
'caps': ['mon', 'profile mds',
'osd', 'allow rw tag cephfs *=*',
'mds', 'allow'],
})
daemon_spec.keyring = keyring
return self.mgr._create_daemon(daemon_spec)
class RgwService(CephadmService):
TYPE = 'rgw'
def config(self, spec: RGWSpec) -> None:
assert self.TYPE == spec.service_type
# ensure rgw_realm and rgw_zone is set for these daemons
ret, out, err = self.mgr.check_mon_command({
'prefix': 'config set',
'who': f"{utils.name_to_config_section('rgw')}.{spec.service_id}",
'name': 'rgw_zone',
'value': spec.rgw_zone,
})
ret, out, err = self.mgr.check_mon_command({
'prefix': 'config set',
'who': f"{utils.name_to_config_section('rgw')}.{spec.rgw_realm}",
'name': 'rgw_realm',
'value': spec.rgw_realm,
})
ret, out, err = self.mgr.check_mon_command({
'prefix': 'config set',
'who': f"{utils.name_to_config_section('rgw')}.{spec.service_id}",
'name': 'rgw_frontends',
'value': spec.rgw_frontends_config_value(),
})
if spec.rgw_frontend_ssl_certificate:
if isinstance(spec.rgw_frontend_ssl_certificate, list):
cert_data = '\n'.join(spec.rgw_frontend_ssl_certificate)
elif isinstance(spec.rgw_frontend_ssl_certificate, str):
cert_data = spec.rgw_frontend_ssl_certificate
else:
raise OrchestratorError(
'Invalid rgw_frontend_ssl_certificate: %s'
% spec.rgw_frontend_ssl_certificate)
ret, out, err = self.mgr.check_mon_command({
'prefix': 'config-key set',
'key': f'rgw/cert/{spec.rgw_realm}/{spec.rgw_zone}.crt',
'val': cert_data,
})
if spec.rgw_frontend_ssl_key:
if isinstance(spec.rgw_frontend_ssl_key, list):
key_data = '\n'.join(spec.rgw_frontend_ssl_key)
elif isinstance(spec.rgw_frontend_ssl_certificate, str):
key_data = spec.rgw_frontend_ssl_key
else:
raise OrchestratorError(
'Invalid rgw_frontend_ssl_key: %s'
% spec.rgw_frontend_ssl_key)
ret, out, err = self.mgr.check_mon_command({
'prefix': 'config-key set',
'key': f'rgw/cert/{spec.rgw_realm}/{spec.rgw_zone}.key',
'val': key_data,
})
logger.info('Saving service %s spec with placement %s' % (
spec.service_name(), spec.placement.pretty_str()))
self.mgr.spec_store.save(spec)
def create(self, daemon_spec: CephadmDaemonSpec) -> str:
assert self.TYPE == daemon_spec.daemon_type
rgw_id, host = daemon_spec.daemon_id, daemon_spec.host
ret, keyring, err = self.mgr.check_mon_command({
'prefix': 'auth get-or-create',
'entity': f"{utils.name_to_config_section('rgw')}.{rgw_id}",
'caps': ['mon', 'allow *',
'mgr', 'allow rw',
'osd', 'allow rwx'],
})
daemon_spec.keyring = keyring
return self.mgr._create_daemon(daemon_spec)
class RbdMirrorService(CephadmService):
TYPE = 'rbd-mirror'
def create(self, daemon_spec: CephadmDaemonSpec) -> str:
assert self.TYPE == daemon_spec.daemon_type
daemon_id, host = daemon_spec.daemon_id, daemon_spec.host
ret, keyring, err = self.mgr.check_mon_command({
'prefix': 'auth get-or-create',
'entity': 'client.rbd-mirror.' + daemon_id,
'caps': ['mon', 'profile rbd-mirror',
'osd', 'profile rbd'],
})
daemon_spec.keyring = keyring
return self.mgr._create_daemon(daemon_spec)
class CrashService(CephadmService):
TYPE = 'crash'
def create(self, daemon_spec: CephadmDaemonSpec) -> str:
assert self.TYPE == daemon_spec.daemon_type
daemon_id, host = daemon_spec.daemon_id, daemon_spec.host
ret, keyring, err = self.mgr.check_mon_command({
'prefix': 'auth get-or-create',
'entity': 'client.crash.' + host,
'caps': ['mon', 'profile crash',
'mgr', 'profile crash'],
})
daemon_spec.keyring = keyring
return self.mgr._create_daemon(daemon_spec)
|