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
|
import errno
import json
import logging
import subprocess
from typing import List, cast, Optional
from ipaddress import ip_address, IPv6Address
from mgr_module import HandleCommandResult
from ceph.deployment.service_spec import IscsiServiceSpec
from orchestrator import DaemonDescription, DaemonDescriptionStatus
from .cephadmservice import CephadmDaemonDeploySpec, CephService
from .. import utils
logger = logging.getLogger(__name__)
class IscsiService(CephService):
TYPE = 'iscsi'
def config(self, spec: IscsiServiceSpec) -> None: # type: ignore
assert self.TYPE == spec.service_type
assert spec.pool
self.mgr._check_pool_exists(spec.pool, spec.service_name())
def get_trusted_ips(self, spec: IscsiServiceSpec) -> str:
# add active mgr ip address to trusted list so dashboard can access
trusted_ip_list = spec.trusted_ip_list if spec.trusted_ip_list else ''
if trusted_ip_list:
trusted_ip_list += ','
trusted_ip_list += self.mgr.get_mgr_ip()
return trusted_ip_list
def prepare_create(self, daemon_spec: CephadmDaemonDeploySpec) -> CephadmDaemonDeploySpec:
assert self.TYPE == daemon_spec.daemon_type
spec = cast(IscsiServiceSpec, self.mgr.spec_store[daemon_spec.service_name].spec)
igw_id = daemon_spec.daemon_id
keyring = self.get_keyring_with_caps(self.get_auth_entity(igw_id),
['mon', 'profile rbd, '
'allow command "osd blocklist", '
'allow command "config-key get" with "key" prefix "iscsi/"',
'mgr', 'allow command "service status"',
'osd', 'allow rwx'])
if spec.ssl_cert:
if isinstance(spec.ssl_cert, list):
cert_data = '\n'.join(spec.ssl_cert)
else:
cert_data = spec.ssl_cert
ret, out, err = self.mgr.check_mon_command({
'prefix': 'config-key set',
'key': f'iscsi/{utils.name_to_config_section("iscsi")}.{igw_id}/iscsi-gateway.crt',
'val': cert_data,
})
if spec.ssl_key:
if isinstance(spec.ssl_key, list):
key_data = '\n'.join(spec.ssl_key)
else:
key_data = spec.ssl_key
ret, out, err = self.mgr.check_mon_command({
'prefix': 'config-key set',
'key': f'iscsi/{utils.name_to_config_section("iscsi")}.{igw_id}/iscsi-gateway.key',
'val': key_data,
})
trusted_ip_list = self.get_trusted_ips(spec)
context = {
'client_name': '{}.{}'.format(utils.name_to_config_section('iscsi'), igw_id),
'trusted_ip_list': trusted_ip_list,
'spec': spec
}
igw_conf = self.mgr.template.render('services/iscsi/iscsi-gateway.cfg.j2', context)
daemon_spec.keyring = keyring
daemon_spec.extra_files = {'iscsi-gateway.cfg': igw_conf}
daemon_spec.final_config, daemon_spec.deps = self.generate_config(daemon_spec)
daemon_spec.deps = [trusted_ip_list]
return daemon_spec
def config_dashboard(self, daemon_descrs: List[DaemonDescription]) -> None:
def get_set_cmd_dicts(out: str) -> List[dict]:
gateways = json.loads(out)['gateways']
cmd_dicts = []
# TODO: fail, if we don't have a spec
spec = cast(IscsiServiceSpec,
self.mgr.spec_store.all_specs.get(daemon_descrs[0].service_name(), None))
if spec.api_secure and spec.ssl_cert and spec.ssl_key:
cmd_dicts.append({
'prefix': 'dashboard set-iscsi-api-ssl-verification',
'value': "false"
})
else:
cmd_dicts.append({
'prefix': 'dashboard set-iscsi-api-ssl-verification',
'value': "true"
})
for dd in daemon_descrs:
assert dd.hostname is not None
# todo: this can fail:
spec = cast(IscsiServiceSpec,
self.mgr.spec_store.all_specs.get(dd.service_name(), None))
if not spec:
logger.warning('No ServiceSpec found for %s', dd)
continue
ip = utils.resolve_ip(self.mgr.inventory.get_addr(dd.hostname))
# IPv6 URL encoding requires square brackets enclosing the ip
if type(ip_address(ip)) is IPv6Address:
ip = f'[{ip}]'
protocol = "http"
if spec.api_secure and spec.ssl_cert and spec.ssl_key:
protocol = "https"
service_url = '{}://{}:{}@{}:{}'.format(
protocol, spec.api_user or 'admin', spec.api_password or 'admin', ip, spec.api_port or '5000')
gw = gateways.get(dd.hostname)
if not gw or gw['service_url'] != service_url:
safe_service_url = '{}://{}:{}@{}:{}'.format(
protocol, '<api-user>', '<api-password>', ip, spec.api_port or '5000')
logger.info('Adding iSCSI gateway %s to Dashboard', safe_service_url)
cmd_dicts.append({
'prefix': 'dashboard iscsi-gateway-add',
'inbuf': service_url,
'name': dd.hostname
})
return cmd_dicts
self._check_and_set_dashboard(
service_name='iSCSI',
get_cmd='dashboard iscsi-gateway-list',
get_set_cmd_dicts=get_set_cmd_dicts
)
def ok_to_stop(self,
daemon_ids: List[str],
force: bool = False,
known: Optional[List[str]] = None) -> HandleCommandResult:
# if only 1 iscsi, alert user (this is not passable with --force)
warn, warn_message = self._enough_daemons_to_stop(self.TYPE, daemon_ids, 'Iscsi', 1, True)
if warn:
return HandleCommandResult(-errno.EBUSY, '', warn_message)
# if reached here, there is > 1 nfs daemon. make sure none are down
warn_message = (
'ALERT: 1 iscsi daemon is already down. Please bring it back up before stopping this one')
iscsi_daemons = self.mgr.cache.get_daemons_by_type(self.TYPE)
for i in iscsi_daemons:
if i.status != DaemonDescriptionStatus.running:
return HandleCommandResult(-errno.EBUSY, '', warn_message)
names = [f'{self.TYPE}.{d_id}' for d_id in daemon_ids]
warn_message = f'It is presumed safe to stop {names}'
return HandleCommandResult(0, warn_message, '')
def post_remove(self, daemon: DaemonDescription, is_failed_deploy: bool) -> None:
"""
Called after the daemon is removed.
"""
logger.debug(f'Post remove daemon {self.TYPE}.{daemon.daemon_id}')
# remove config for dashboard iscsi gateways
ret, out, err = self.mgr.mon_command({
'prefix': 'dashboard iscsi-gateway-rm',
'name': daemon.hostname,
})
if not ret:
logger.info(f'{daemon.hostname} removed from iscsi gateways dashboard config')
# needed to know if we have ssl stuff for iscsi in ceph config
iscsi_config_dict = {}
ret, iscsi_config, err = self.mgr.mon_command({
'prefix': 'config-key dump',
'key': 'iscsi',
})
if iscsi_config:
iscsi_config_dict = json.loads(iscsi_config)
# remove iscsi cert and key from ceph config
for iscsi_key, value in iscsi_config_dict.items():
if f'iscsi/client.{daemon.name()}/' in iscsi_key:
ret, out, err = self.mgr.mon_command({
'prefix': 'config-key rm',
'key': iscsi_key,
})
logger.info(f'{iscsi_key} removed from ceph config')
def purge(self, service_name: str) -> None:
"""Removes configuration
"""
spec = cast(IscsiServiceSpec, self.mgr.spec_store[service_name].spec)
try:
# remove service configuration from the pool
try:
subprocess.run(['rados',
'-k', str(self.mgr.get_ceph_option('keyring')),
'-n', f'mgr.{self.mgr.get_mgr_id()}',
'-p', cast(str, spec.pool),
'rm',
'gateway.conf'],
timeout=5)
logger.info(f'<gateway.conf> removed from {spec.pool}')
except subprocess.CalledProcessError as ex:
logger.error(f'Error executing <<{ex.cmd}>>: {ex.output}')
except subprocess.TimeoutExpired:
logger.error(f'timeout (5s) trying to remove <gateway.conf> from {spec.pool}')
except Exception:
logger.exception(f'failed to purge {service_name}')
|