blob: 6112faa0c58b12dba48ebb6e488beebfecc2069b [file] [log] [blame]
Yilin Yang19da6932019-12-10 13:39:28 +08001#!/usr/bin/env python3
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08002# Copyright 2015 The Chromium OS Authors. All rights reserved.
3# Use of this source code is governed by a BSD-style license that can be
4# found in the LICENSE file.
5
Wei-Ning Huang7d029b12015-03-06 10:32:15 +08006import argparse
Yilin Yangf9fe1932019-11-04 17:09:34 +08007import binascii
8import codecs
Wei-Ning Huangb05cde32015-08-01 09:48:41 +08009import contextlib
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +080010import ctypes
11import ctypes.util
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080012import fcntl
Wei-Ning Huangb05cde32015-08-01 09:48:41 +080013import hashlib
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080014import json
15import logging
16import os
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +080017import platform
Yilin Yang8b7f5192020-01-08 11:43:00 +080018import queue
Wei-Ning Huang829e0c82015-05-26 14:37:23 +080019import re
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080020import select
Wei-Ning Huanga301f572015-06-03 17:34:21 +080021import signal
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080022import socket
Wei-Ning Huangf5311a02016-02-04 15:23:46 +080023import ssl
Wei-Ning Huangb05cde32015-08-01 09:48:41 +080024import struct
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080025import subprocess
26import sys
Moja Hsuc9ecc8b2015-07-13 11:39:17 +080027import termios
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080028import threading
29import time
Joel Kitching22b89042015-08-06 18:23:29 +080030import traceback
Wei-Ning Huang39169902015-09-19 06:00:23 +080031import tty
Yilin Yangf54fb912020-01-08 11:42:38 +080032import urllib.request
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080033import uuid
34
Wei-Ning Huang2132de32015-04-13 17:24:38 +080035import jsonrpclib
36from jsonrpclib.SimpleJSONRPCServer import SimpleJSONRPCServer
Wei-Ning Huang2132de32015-04-13 17:24:38 +080037
Yilin Yang42ba5c62020-05-05 10:32:34 +080038from cros.factory.utils import process_utils
39
Yilin Yangf54fb912020-01-08 11:42:38 +080040
Fei Shaobb0a3e62020-06-20 15:41:25 +080041_GHOST_RPC_PORT = int(os.getenv('GHOST_RPC_PORT', '4499'))
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080042
Fei Shaobb0a3e62020-06-20 15:41:25 +080043_OVERLORD_PORT = int(os.getenv('OVERLORD_PORT', '4455'))
44_OVERLORD_LAN_DISCOVERY_PORT = int(os.getenv('OVERLORD_LD_PORT', '4456'))
45_OVERLORD_HTTP_PORT = int(os.getenv('OVERLORD_HTTP_PORT', '9000'))
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080046
47_BUFSIZE = 8192
48_RETRY_INTERVAL = 2
Yilin Yang6b9ec9d2019-12-09 11:04:06 +080049_SEPARATOR = b'\r\n'
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080050_PING_TIMEOUT = 3
51_PING_INTERVAL = 5
52_REQUEST_TIMEOUT_SECS = 60
53_SHELL = os.getenv('SHELL', '/bin/bash')
Wei-Ning Huang7dbf4a72016-03-02 20:16:20 +080054_DEFAULT_BIND_ADDRESS = 'localhost'
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080055
Moja Hsuc9ecc8b2015-07-13 11:39:17 +080056_CONTROL_START = 128
57_CONTROL_END = 129
58
Wei-Ning Huanga301f572015-06-03 17:34:21 +080059_BLOCK_SIZE = 4096
Wei-Ning Huange0def6a2015-11-05 15:41:24 +080060_CONNECT_TIMEOUT = 3
Wei-Ning Huanga301f572015-06-03 17:34:21 +080061
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +080062# Stream control
63_STDIN_CLOSED = '##STDIN_CLOSED##'
64
Wei-Ning Huang7ec55342015-09-17 08:46:06 +080065SUCCESS = 'success'
66FAILED = 'failed'
67DISCONNECTED = 'disconnected'
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080068
Joel Kitching22b89042015-08-06 18:23:29 +080069
Wei-Ning Huang1cea6112015-03-02 12:45:34 +080070class PingTimeoutError(Exception):
71 pass
72
73
74class RequestError(Exception):
75 pass
76
77
Fei Shaobd07c9a2020-06-15 19:04:50 +080078class BufferedSocket:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +080079 """A buffered socket that supports unrecv.
80
81 Allow putting back data back to the socket for the next recv() call.
82 """
Wei-Ning Huangf5311a02016-02-04 15:23:46 +080083 def __init__(self, sock):
84 self.sock = sock
Yilin Yang6b9ec9d2019-12-09 11:04:06 +080085 self._buf = b''
Wei-Ning Huanga28cd232016-01-27 15:04:41 +080086
Wei-Ning Huangf5311a02016-02-04 15:23:46 +080087 def fileno(self):
88 return self.sock.fileno()
89
Wei-Ning Huanga28cd232016-01-27 15:04:41 +080090 def Recv(self, bufsize, flags=0):
91 if self._buf:
92 if len(self._buf) >= bufsize:
93 ret = self._buf[:bufsize]
94 self._buf = self._buf[bufsize:]
95 return ret
Yilin Yang15a3f8f2020-01-03 17:49:00 +080096 ret = self._buf
Yilin Yang6b9ec9d2019-12-09 11:04:06 +080097 self._buf = b''
Yilin Yang15a3f8f2020-01-03 17:49:00 +080098 return ret + self.sock.recv(bufsize - len(ret), flags)
99 return self.sock.recv(bufsize, flags)
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800100
101 def UnRecv(self, buf):
102 self._buf = buf + self._buf
103
104 def Send(self, *args, **kwargs):
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800105 return self.sock.send(*args, **kwargs)
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800106
107 def RecvBuf(self):
108 """Only recive from buffer."""
109 ret = self._buf
Yilin Yang6b9ec9d2019-12-09 11:04:06 +0800110 self._buf = b''
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800111 return ret
112
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800113 def Close(self):
114 self.sock.close()
115
116
Fei Shaobd07c9a2020-06-15 19:04:50 +0800117class TLSSettings:
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800118 def __init__(self, tls_cert_file, verify):
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800119 """Constructor.
120
121 Args:
122 tls_cert_file: TLS certificate in PEM format.
123 enable_tls_without_verify: enable TLS but don't verify certificate.
124 """
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800125 self._enabled = False
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800126 self._tls_cert_file = tls_cert_file
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800127 self._verify = verify
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800128 self._tls_context = None
129
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800130 def _UpdateContext(self):
131 if not self._enabled:
132 self._tls_context = None
133 return
134
135 self._tls_context = ssl.SSLContext(ssl.PROTOCOL_TLSv1_2)
136 self._tls_context.verify_mode = ssl.CERT_REQUIRED
137
138 if self._verify:
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800139 if self._tls_cert_file:
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800140 self._tls_context.check_hostname = True
141 try:
142 self._tls_context.load_verify_locations(self._tls_cert_file)
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800143 logging.info('TLSSettings: using user-supplied ca-certificate')
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800144 except IOError as e:
145 logging.error('TLSSettings: %s: %s', self._tls_cert_file, e)
146 sys.exit(1)
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800147 else:
148 self._tls_context = ssl.create_default_context(ssl.Purpose.SERVER_AUTH)
149 logging.info('TLSSettings: using built-in ca-certificates')
150 else:
151 self._tls_context.verify_mode = ssl.CERT_NONE
152 logging.info('TLSSettings: skipping TLS verification!!!')
153
154 def SetEnabled(self, enabled):
155 logging.info('TLSSettings: enabled: %s', enabled)
156
157 if self._enabled != enabled:
158 self._enabled = enabled
159 self._UpdateContext()
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800160
161 def Enabled(self):
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800162 return self._enabled
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800163
164 def Context(self):
165 return self._tls_context
166
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800167
Fei Shaobd07c9a2020-06-15 19:04:50 +0800168class Ghost:
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800169 """Ghost implements the client protocol of Overlord.
170
171 Ghost provide terminal/shell/logcat functionality and manages the client
172 side connectivity.
173 """
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800174 NONE, AGENT, TERMINAL, SHELL, LOGCAT, FILE, FORWARD = range(7)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800175
176 MODE_NAME = {
177 NONE: 'NONE',
178 AGENT: 'Agent',
Wei-Ning Huang0f4a5372015-03-09 15:12:07 +0800179 TERMINAL: 'Terminal',
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800180 SHELL: 'Shell',
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800181 LOGCAT: 'Logcat',
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800182 FILE: 'File',
183 FORWARD: 'Forward'
Peter Shihe6afab32018-09-11 17:16:48 +0800184 }
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800185
Wei-Ning Huangc9c97f02015-05-19 15:05:42 +0800186 RANDOM_MID = '##random_mid##'
187
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800188 def __init__(self, overlord_addrs, tls_settings=None, mode=AGENT, mid=None,
189 sid=None, prop_file=None, terminal_sid=None, tty_device=None,
Peter Shih220a96d2016-12-22 17:02:16 +0800190 command=None, file_op=None, port=None, tls_mode=None):
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800191 """Constructor.
192
193 Args:
194 overlord_addrs: a list of possible address of overlord.
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800195 tls_settings: a TLSSetting object.
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800196 mode: client mode, either AGENT, SHELL or LOGCAT
Wei-Ning Huangc9c97f02015-05-19 15:05:42 +0800197 mid: a str to set for machine ID. If mid equals Ghost.RANDOM_MID, machine
198 id is randomly generated.
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800199 sid: session ID. If the connection is requested by overlord, sid should
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800200 be set to the corresponding session id assigned by overlord.
Wei-Ning Huang23ed0162015-09-18 14:42:03 +0800201 prop_file: properties file filename.
Wei-Ning Huangd521f282015-08-07 05:28:04 +0800202 terminal_sid: the terminal session ID associate with this client. This is
203 use for file download.
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800204 tty_device: the terminal device to open, if tty_device is None, as pseudo
205 terminal will be opened instead.
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800206 command: the command to execute when we are in SHELL mode.
Wei-Ning Huang8ee3bcd2015-10-01 17:10:01 +0800207 file_op: a tuple (action, filepath, perm). action is either 'download' or
208 'upload'. perm is the permission to set for the file.
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800209 port: port number to forward.
Peter Shih220a96d2016-12-22 17:02:16 +0800210 tls_mode: can be [True, False, None]. if not None, skip detection of
211 TLS and assume whether server use TLS or not.
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800212 """
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800213 assert mode in [Ghost.AGENT, Ghost.TERMINAL, Ghost.SHELL, Ghost.FILE,
214 Ghost.FORWARD]
Wei-Ning Huang0f4a5372015-03-09 15:12:07 +0800215 if mode == Ghost.SHELL:
216 assert command is not None
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800217 if mode == Ghost.FILE:
218 assert file_op is not None
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800219
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800220 self._platform = platform.system()
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800221 self._overlord_addrs = overlord_addrs
Wei-Ning Huangad330c52015-03-12 20:34:18 +0800222 self._connected_addr = None
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800223 self._tls_settings = tls_settings
Wei-Ning Huangc9c97f02015-05-19 15:05:42 +0800224 self._mid = mid
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800225 self._sock = None
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800226 self._mode = mode
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800227 self._machine_id = self.GetMachineID()
Wei-Ning Huangfed95862015-08-07 03:17:11 +0800228 self._session_id = sid if sid is not None else str(uuid.uuid4())
Wei-Ning Huangd521f282015-08-07 05:28:04 +0800229 self._terminal_session_id = terminal_sid
Wei-Ning Huang23ed0162015-09-18 14:42:03 +0800230 self._ttyname_to_sid = {}
231 self._terminal_sid_to_pid = {}
232 self._prop_file = prop_file
Wei-Ning Huang7d029b12015-03-06 10:32:15 +0800233 self._properties = {}
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800234 self._register_status = DISCONNECTED
235 self._reset = threading.Event()
Peter Shih220a96d2016-12-22 17:02:16 +0800236 self._tls_mode = tls_mode
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800237
238 # RPC
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800239 self._requests = {}
Yilin Yang8b7f5192020-01-08 11:43:00 +0800240 self._queue = queue.Queue()
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800241
242 # Protocol specific
243 self._last_ping = 0
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800244 self._tty_device = tty_device
Wei-Ning Huang0f4a5372015-03-09 15:12:07 +0800245 self._shell_command = command
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800246 self._file_op = file_op
Yilin Yang8b7f5192020-01-08 11:43:00 +0800247 self._download_queue = queue.Queue()
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800248 self._port = port
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800249
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800250 def SetIgnoreChild(self, status):
251 # Only ignore child for Agent since only it could spawn child Ghost.
252 if self._mode == Ghost.AGENT:
253 signal.signal(signal.SIGCHLD,
254 signal.SIG_IGN if status else signal.SIG_DFL)
255
256 def GetFileSha1(self, filename):
Yilin Yang0412c272019-12-05 16:57:40 +0800257 with open(filename, 'rb') as f:
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800258 return hashlib.sha1(f.read()).hexdigest()
259
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800260 def TLSEnabled(self, host, port):
261 """Determine if TLS is enabled on given server address."""
Wei-Ning Huang58833882015-09-16 16:52:37 +0800262 sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
263 try:
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800264 # Allow any certificate since we only want to check if server talks TLS.
265 context = ssl.SSLContext(ssl.PROTOCOL_TLSv1_2)
266 context.verify_mode = ssl.CERT_NONE
Wei-Ning Huang58833882015-09-16 16:52:37 +0800267
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800268 sock = context.wrap_socket(sock, server_hostname=host)
269 sock.settimeout(_CONNECT_TIMEOUT)
270 sock.connect((host, port))
271 return True
Wei-Ning Huangb6605d22016-06-22 17:33:37 +0800272 except ssl.SSLError:
273 return False
Stimim Chen3899a912020-07-17 10:52:03 +0800274 except socket.timeout:
275 return False
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800276 except socket.error: # Connect refused or timeout
277 raise
Wei-Ning Huang58833882015-09-16 16:52:37 +0800278 except Exception:
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800279 return False # For whatever reason above failed, assume False
Wei-Ning Huang58833882015-09-16 16:52:37 +0800280
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800281 def Upgrade(self):
282 logging.info('Upgrade: initiating upgrade sequence...')
283
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800284 try:
Wei-Ning Huangb6605d22016-06-22 17:33:37 +0800285 https_enabled = self.TLSEnabled(self._connected_addr[0],
286 _OVERLORD_HTTP_PORT)
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800287 except socket.error:
Wei-Ning Huangb6605d22016-06-22 17:33:37 +0800288 logging.error('Upgrade: failed to connect to Overlord HTTP server, '
289 'abort')
290 return
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800291
292 if self._tls_settings.Enabled() and not https_enabled:
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800293 logging.error('Upgrade: TLS enforced but found Overlord HTTP server '
294 'without TLS enabled! Possible mis-configuration or '
295 'DNS/IP spoofing detected, abort')
296 return
297
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800298 scriptpath = os.path.abspath(sys.argv[0])
Wei-Ning Huang03f9f762015-09-16 21:51:35 +0800299 url = 'http%s://%s:%d/upgrade/ghost.py' % (
Wei-Ning Huang47c79b82016-05-24 01:24:46 +0800300 's' if https_enabled else '', self._connected_addr[0],
Wei-Ning Huang03f9f762015-09-16 21:51:35 +0800301 _OVERLORD_HTTP_PORT)
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800302
303 # Download sha1sum for ghost.py for verification
304 try:
Wei-Ning Huange0def6a2015-11-05 15:41:24 +0800305 with contextlib.closing(
Yilin Yangf54fb912020-01-08 11:42:38 +0800306 urllib.request.urlopen(url + '.sha1', timeout=_CONNECT_TIMEOUT,
307 context=self._tls_settings.Context())) as f:
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800308 if f.getcode() != 200:
309 raise RuntimeError('HTTP status %d' % f.getcode())
310 sha1sum = f.read().strip()
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800311 except (ssl.SSLError, ssl.CertificateError) as e:
312 logging.error('Upgrade: %s: %s', e.__class__.__name__, e)
313 return
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800314 except Exception:
315 logging.error('Upgrade: failed to download sha1sum file, abort')
316 return
317
318 if self.GetFileSha1(scriptpath) == sha1sum:
319 logging.info('Upgrade: ghost is already up-to-date, skipping upgrade')
320 return
321
322 # Download upgrade version of ghost.py
323 try:
Wei-Ning Huange0def6a2015-11-05 15:41:24 +0800324 with contextlib.closing(
Yilin Yangf54fb912020-01-08 11:42:38 +0800325 urllib.request.urlopen(url, timeout=_CONNECT_TIMEOUT,
326 context=self._tls_settings.Context())) as f:
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800327 if f.getcode() != 200:
328 raise RuntimeError('HTTP status %d' % f.getcode())
329 data = f.read()
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800330 except (ssl.SSLError, ssl.CertificateError) as e:
331 logging.error('Upgrade: %s: %s', e.__class__.__name__, e)
332 return
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800333 except Exception:
334 logging.error('Upgrade: failed to download upgrade, abort')
335 return
336
337 # Compare SHA1 sum
338 if hashlib.sha1(data).hexdigest() != sha1sum:
339 logging.error('Upgrade: sha1sum mismatch, abort')
340 return
341
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800342 try:
Yilin Yang235e5982019-12-26 10:36:22 +0800343 with open(scriptpath, 'wb') as f:
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800344 f.write(data)
345 except Exception:
346 logging.error('Upgrade: failed to write upgrade onto disk, abort')
347 return
348
349 logging.info('Upgrade: restarting ghost...')
350 self.CloseSockets()
351 self.SetIgnoreChild(False)
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +0800352 os.execve(scriptpath, [scriptpath] + sys.argv[1:], os.environ)
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800353
Wei-Ning Huang23ed0162015-09-18 14:42:03 +0800354 def LoadProperties(self):
Wei-Ning Huang7d029b12015-03-06 10:32:15 +0800355 try:
Wei-Ning Huang23ed0162015-09-18 14:42:03 +0800356 if self._prop_file:
357 with open(self._prop_file, 'r') as f:
358 self._properties = json.loads(f.read())
Wei-Ning Huang7d029b12015-03-06 10:32:15 +0800359 except Exception as e:
Peter Shih769b0772018-02-26 14:44:28 +0800360 logging.error('LoadProperties: %s', e)
Wei-Ning Huang7d029b12015-03-06 10:32:15 +0800361
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800362 def CloseSockets(self):
363 # Close sockets opened by parent process, since we don't use it anymore.
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800364 if self._platform == 'Linux':
365 for fd in os.listdir('/proc/self/fd/'):
366 try:
367 real_fd = os.readlink('/proc/self/fd/%s' % fd)
368 if real_fd.startswith('socket'):
369 os.close(int(fd))
370 except Exception:
371 pass
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800372
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800373 def SpawnGhost(self, mode, sid=None, terminal_sid=None, tty_device=None,
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800374 command=None, file_op=None, port=None):
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800375 """Spawn a child ghost with specific mode.
376
377 Returns:
378 The spawned child process pid.
379 """
Joel Kitching22b89042015-08-06 18:23:29 +0800380 # Restore the default signal handler, so our child won't have problems.
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800381 self.SetIgnoreChild(False)
382
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800383 pid = os.fork()
384 if pid == 0:
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800385 self.CloseSockets()
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800386 g = Ghost([self._connected_addr], tls_settings=self._tls_settings,
387 mode=mode, mid=Ghost.RANDOM_MID, sid=sid,
Wei-Ning Huang23ed0162015-09-18 14:42:03 +0800388 terminal_sid=terminal_sid, tty_device=tty_device,
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800389 command=command, file_op=file_op, port=port)
Wei-Ning Huang2132de32015-04-13 17:24:38 +0800390 g.Start()
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800391 sys.exit(0)
392 else:
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800393 self.SetIgnoreChild(True)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800394 return pid
395
396 def Timestamp(self):
397 return int(time.time())
398
399 def GetGateWayIP(self):
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800400 if self._platform == 'Darwin':
Yilin Yang42ba5c62020-05-05 10:32:34 +0800401 output = process_utils.CheckOutput(['route', '-n', 'get', 'default'])
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800402 ret = re.search('gateway: (.*)', output)
403 if ret:
404 return [ret.group(1)]
Peter Shiha78867d2018-02-26 14:17:51 +0800405 return []
Fei Shao12ecf382020-06-23 18:32:26 +0800406 if self._platform == 'Linux':
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800407 with open('/proc/net/route', 'r') as f:
408 lines = f.readlines()
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800409
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800410 ips = []
411 for line in lines:
412 parts = line.split('\t')
413 if parts[2] == '00000000':
414 continue
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800415
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800416 try:
Yilin Yangf9fe1932019-11-04 17:09:34 +0800417 h = codecs.decode(parts[2], 'hex')
Yilin Yangacd3c792020-05-05 10:00:30 +0800418 ips.append('.'.join([str(x) for x in reversed(h)]))
Yilin Yangf9fe1932019-11-04 17:09:34 +0800419 except (TypeError, binascii.Error):
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800420 pass
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800421
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800422 return ips
Fei Shao12ecf382020-06-23 18:32:26 +0800423
424 logging.warning('GetGateWayIP: unsupported platform')
425 return []
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800426
Hung-Te Lin41ff8f32017-08-30 08:10:39 +0800427 def GetFactoryServerIP(self):
Wei-Ning Huang829e0c82015-05-26 14:37:23 +0800428 try:
Hung-Te Lin41ff8f32017-08-30 08:10:39 +0800429 from cros.factory.test import server_proxy
Wei-Ning Huang829e0c82015-05-26 14:37:23 +0800430
Hung-Te Lin41ff8f32017-08-30 08:10:39 +0800431 url = server_proxy.GetServerURL()
Wei-Ning Huang829e0c82015-05-26 14:37:23 +0800432 match = re.match(r'^https?://(.*):.*$', url)
433 if match:
434 return [match.group(1)]
435 except Exception:
436 pass
437 return []
438
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800439 def GetMachineID(self):
440 """Generates machine-dependent ID string for a machine.
441 There are many ways to generate a machine ID:
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800442 Linux:
443 1. factory device_id
Peter Shih5f1f48c2017-06-26 14:12:00 +0800444 2. /sys/class/dmi/id/product_uuid (only available on intel machines)
445 3. MAC address
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800446 We follow the listed order to generate machine ID, and fallback to the
447 next alternative if the previous doesn't work.
448
449 Darwin:
450 All Darwin system should have the IOPlatformSerialNumber attribute.
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800451 """
Wei-Ning Huangc9c97f02015-05-19 15:05:42 +0800452 if self._mid == Ghost.RANDOM_MID:
Wei-Ning Huangaed90452015-03-23 17:50:21 +0800453 return str(uuid.uuid4())
Fei Shao12ecf382020-06-23 18:32:26 +0800454 if self._mid:
Wei-Ning Huangc9c97f02015-05-19 15:05:42 +0800455 return self._mid
Wei-Ning Huangaed90452015-03-23 17:50:21 +0800456
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800457 # Darwin
458 if self._platform == 'Darwin':
Yilin Yang42ba5c62020-05-05 10:32:34 +0800459 output = process_utils.CheckOutput(['ioreg', '-rd1', '-c',
460 'IOPlatformExpertDevice'])
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800461 ret = re.search('"IOPlatformSerialNumber" = "(.*)"', output)
462 if ret:
463 return ret.group(1)
464
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800465 # Try factory device id
466 try:
Hung-Te Linda8eb992017-09-28 03:27:12 +0800467 from cros.factory.test import session
468 return session.GetDeviceID()
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800469 except Exception:
470 pass
471
Wei-Ning Huang1d7603b2015-07-03 17:38:56 +0800472 # Try DMI product UUID
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800473 try:
474 with open('/sys/class/dmi/id/product_uuid', 'r') as f:
475 return f.read().strip()
476 except Exception:
477 pass
478
Wei-Ning Huang1d7603b2015-07-03 17:38:56 +0800479 # Use MAC address if non is available
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800480 try:
481 macs = []
482 ifaces = sorted(os.listdir('/sys/class/net'))
483 for iface in ifaces:
484 if iface == 'lo':
485 continue
486
487 with open('/sys/class/net/%s/address' % iface, 'r') as f:
488 macs.append(f.read().strip())
489
490 return ';'.join(macs)
491 except Exception:
492 pass
493
Peter Shihcb0e5512017-06-14 16:59:46 +0800494 raise RuntimeError("can't generate machine ID")
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800495
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800496 def GetProcessWorkingDirectory(self, pid):
497 if self._platform == 'Linux':
498 return os.readlink('/proc/%d/cwd' % pid)
Fei Shao12ecf382020-06-23 18:32:26 +0800499 if self._platform == 'Darwin':
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800500 PROC_PIDVNODEPATHINFO = 9
501 proc_vnodepathinfo_size = 2352
502 vid_path_offset = 152
503
504 proc = ctypes.cdll.LoadLibrary(ctypes.util.find_library('libproc'))
505 buf = ctypes.create_string_buffer('\0' * proc_vnodepathinfo_size)
506 proc.proc_pidinfo(pid, PROC_PIDVNODEPATHINFO, 0,
507 ctypes.byref(buf), proc_vnodepathinfo_size)
508 buf = buf.raw[vid_path_offset:]
509 n = buf.index('\0')
510 return buf[:n]
Fei Shao12ecf382020-06-23 18:32:26 +0800511 raise RuntimeError('GetProcessWorkingDirectory: unsupported platform')
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800512
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800513 def Reset(self):
514 """Reset state and clear request handlers."""
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800515 if self._sock is not None:
516 self._sock.Close()
517 self._sock = None
Wei-Ning Huang2132de32015-04-13 17:24:38 +0800518 self._reset.clear()
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800519 self._last_ping = 0
520 self._requests = {}
Wei-Ning Huang23ed0162015-09-18 14:42:03 +0800521 self.LoadProperties()
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800522 self._register_status = DISCONNECTED
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800523
524 def SendMessage(self, msg):
525 """Serialize the message and send it through the socket."""
Yilin Yang6b9ec9d2019-12-09 11:04:06 +0800526 self._sock.Send(json.dumps(msg).encode('utf-8') + _SEPARATOR)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800527
528 def SendRequest(self, name, args, handler=None,
529 timeout=_REQUEST_TIMEOUT_SECS):
530 if handler and not callable(handler):
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800531 raise RequestError('Invalid request handler for msg "%s"' % name)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800532
533 rid = str(uuid.uuid4())
534 msg = {'rid': rid, 'timeout': timeout, 'name': name, 'params': args}
Wei-Ning Huange2981862015-08-03 15:03:08 +0800535 if timeout >= 0:
536 self._requests[rid] = [self.Timestamp(), timeout, handler]
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800537 self.SendMessage(msg)
538
539 def SendResponse(self, omsg, status, params=None):
540 msg = {'rid': omsg['rid'], 'response': status, 'params': params}
541 self.SendMessage(msg)
542
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800543 def HandleTTYControl(self, fd, control_str):
544 msg = json.loads(control_str)
Moja Hsuc9ecc8b2015-07-13 11:39:17 +0800545 command = msg['command']
546 params = msg['params']
547 if command == 'resize':
548 # some error happened on websocket
549 if len(params) != 2:
550 return
551 winsize = struct.pack('HHHH', params[0], params[1], 0, 0)
552 fcntl.ioctl(fd, termios.TIOCSWINSZ, winsize)
553 else:
Yilin Yang9881b1e2019-12-11 11:47:33 +0800554 logging.warning('Invalid request command "%s"', command)
Moja Hsuc9ecc8b2015-07-13 11:39:17 +0800555
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800556 def SpawnTTYServer(self, unused_var):
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800557 """Spawn a TTY server and forward I/O to the TCP socket."""
558 logging.info('SpawnTTYServer: started')
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800559
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800560 try:
561 if self._tty_device is None:
562 pid, fd = os.forkpty()
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800563
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800564 if pid == 0:
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800565 ttyname = os.ttyname(sys.stdout.fileno())
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800566 try:
567 server = GhostRPCServer()
568 server.RegisterTTY(self._session_id, ttyname)
569 server.RegisterSession(self._session_id, os.getpid())
570 except Exception:
571 # If ghost is launched without RPC server, the call will fail but we
572 # can ignore it.
573 pass
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800574
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800575 # The directory that contains the current running ghost script
576 script_dir = os.path.dirname(os.path.abspath(sys.argv[0]))
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800577
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800578 env = os.environ.copy()
579 env['USER'] = os.getenv('USER', 'root')
580 env['HOME'] = os.getenv('HOME', '/root')
581 env['PATH'] = os.getenv('PATH') + ':%s' % script_dir
582 os.chdir(env['HOME'])
583 os.execve(_SHELL, [_SHELL], env)
584 else:
585 fd = os.open(self._tty_device, os.O_RDWR)
Wei-Ning Huang39169902015-09-19 06:00:23 +0800586 tty.setraw(fd)
Stimim Chen3899a912020-07-17 10:52:03 +0800587 # 0: iflag
588 # 1: oflag
589 # 2: cflag
590 # 3: lflag
591 # 4: ispeed
592 # 5: ospeed
593 # 6: cc
Wei-Ning Huang39169902015-09-19 06:00:23 +0800594 attr = termios.tcgetattr(fd)
Stimim Chen3899a912020-07-17 10:52:03 +0800595 attr[0] &= (termios.IXON | termios.IXOFF)
Wei-Ning Huang39169902015-09-19 06:00:23 +0800596 attr[2] |= termios.CLOCAL
597 attr[2] &= ~termios.CRTSCTS
598 attr[4] = termios.B115200
599 attr[5] = termios.B115200
600 termios.tcsetattr(fd, termios.TCSANOW, attr)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800601
Stimim Chen3899a912020-07-17 10:52:03 +0800602 nonlocals = {
603 'control_state': None,
604 'control_str': b''
605 }
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800606
607 def _ProcessBuffer(buf):
Stimim Chen3899a912020-07-17 10:52:03 +0800608 write_buffer = b''
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800609 while buf:
610 if nonlocals['control_state']:
Stimim Chen3899a912020-07-17 10:52:03 +0800611 if _CONTROL_END in buf:
612 index = buf.index(_CONTROL_END)
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800613 nonlocals['control_str'] += buf[:index]
614 self.HandleTTYControl(fd, nonlocals['control_str'])
615 nonlocals['control_state'] = None
Stimim Chen3899a912020-07-17 10:52:03 +0800616 nonlocals['control_str'] = b''
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800617 buf = buf[index+1:]
618 else:
619 nonlocals['control_str'] += buf
Stimim Chen3899a912020-07-17 10:52:03 +0800620 buf = b''
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800621 else:
Stimim Chen3899a912020-07-17 10:52:03 +0800622 if _CONTROL_START in buf:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800623 nonlocals['control_state'] = _CONTROL_START
Stimim Chen3899a912020-07-17 10:52:03 +0800624 index = buf.index(_CONTROL_START)
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800625 write_buffer += buf[:index]
626 buf = buf[index+1:]
627 else:
628 write_buffer += buf
Stimim Chen3899a912020-07-17 10:52:03 +0800629 buf = b''
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800630
631 if write_buffer:
632 os.write(fd, write_buffer)
633
634 _ProcessBuffer(self._sock.RecvBuf())
635
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800636 while True:
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800637 rd, unused_wd, unused_xd = select.select([self._sock, fd], [], [])
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800638
639 if fd in rd:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800640 self._sock.Send(os.read(fd, _BUFSIZE))
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800641
642 if self._sock in rd:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800643 buf = self._sock.Recv(_BUFSIZE)
Peter Shihaacbc2f2017-06-16 14:39:29 +0800644 if not buf:
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +0800645 raise RuntimeError('connection terminated')
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800646 _ProcessBuffer(buf)
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800647 except Exception as e:
Stimim Chen3899a912020-07-17 10:52:03 +0800648 logging.error('SpawnTTYServer: %s', e, exc_info=True)
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800649 finally:
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800650 self._sock.Close()
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800651
652 logging.info('SpawnTTYServer: terminated')
Yilin Yanga03fd0a2020-10-23 16:58:14 +0800653 os._exit(0) # pylint: disable=protected-access
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800654
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800655 def SpawnShellServer(self, unused_var):
Wei-Ning Huang0f4a5372015-03-09 15:12:07 +0800656 """Spawn a shell server and forward input/output from/to the TCP socket."""
657 logging.info('SpawnShellServer: started')
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800658
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +0800659 # Add ghost executable to PATH
660 script_dir = os.path.dirname(os.path.abspath(sys.argv[0]))
661 env = os.environ.copy()
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800662 env['PATH'] = '%s:%s' % (script_dir, os.getenv('PATH'))
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +0800663
664 # Execute shell command from HOME directory
665 os.chdir(os.getenv('HOME', '/tmp'))
666
Wei-Ning Huang0f4a5372015-03-09 15:12:07 +0800667 p = subprocess.Popen(self._shell_command, stdin=subprocess.PIPE,
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800668 stdout=subprocess.PIPE, stderr=subprocess.PIPE,
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +0800669 shell=True, env=env)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800670
671 def make_non_block(fd):
672 fl = fcntl.fcntl(fd, fcntl.F_GETFL)
673 fcntl.fcntl(fd, fcntl.F_SETFL, fl | os.O_NONBLOCK)
674
675 make_non_block(p.stdout)
676 make_non_block(p.stderr)
677
678 try:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800679 p.stdin.write(self._sock.RecvBuf())
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800680
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800681 while True:
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800682 rd, unused_wd, unused_xd = select.select(
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800683 [p.stdout, p.stderr, self._sock], [], [])
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800684 if p.stdout in rd:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800685 self._sock.Send(p.stdout.read(_BUFSIZE))
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800686
687 if p.stderr in rd:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800688 self._sock.Send(p.stderr.read(_BUFSIZE))
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800689
690 if self._sock in rd:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800691 ret = self._sock.Recv(_BUFSIZE)
Peter Shihaacbc2f2017-06-16 14:39:29 +0800692 if not ret:
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +0800693 raise RuntimeError('connection terminated')
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800694
695 try:
696 idx = ret.index(_STDIN_CLOSED * 2)
697 p.stdin.write(ret[:idx])
698 p.stdin.close()
699 except ValueError:
700 p.stdin.write(ret)
Wei-Ning Huangf14c84e2015-08-03 15:03:08 +0800701 p.poll()
Peter Shihe6afab32018-09-11 17:16:48 +0800702 if p.returncode is not None:
Wei-Ning Huangf14c84e2015-08-03 15:03:08 +0800703 break
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800704 except Exception as e:
Stimim Chen3899a912020-07-17 10:52:03 +0800705 logging.error('SpawnShellServer: %s', e, exc_info=True)
Wei-Ning Huangf14c84e2015-08-03 15:03:08 +0800706 finally:
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800707 # Check if the process is terminated. If not, Send SIGTERM to process,
708 # then wait for 1 second. Send another SIGKILL to make sure the process is
709 # terminated.
710 p.poll()
711 if p.returncode is None:
712 try:
713 p.terminate()
714 time.sleep(1)
715 p.kill()
716 except Exception:
717 pass
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +0800718
719 p.wait()
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800720 self._sock.Close()
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800721
722 logging.info('SpawnShellServer: terminated')
Yilin Yanga03fd0a2020-10-23 16:58:14 +0800723 os._exit(0) # pylint: disable=protected-access
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800724
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800725 def InitiateFileOperation(self, unused_var):
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800726 if self._file_op[0] == 'download':
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800727 try:
728 size = os.stat(self._file_op[1]).st_size
729 except OSError as e:
730 logging.error('InitiateFileOperation: download: %s', e)
731 sys.exit(1)
732
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800733 self.SendRequest('request_to_download',
Wei-Ning Huangd521f282015-08-07 05:28:04 +0800734 {'terminal_sid': self._terminal_session_id,
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800735 'filename': os.path.basename(self._file_op[1]),
736 'size': size})
Wei-Ning Huange2981862015-08-03 15:03:08 +0800737 elif self._file_op[0] == 'upload':
738 self.SendRequest('clear_to_upload', {}, timeout=-1)
739 self.StartUploadServer()
740 else:
741 logging.error('InitiateFileOperation: unknown file operation, ignored')
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800742
743 def StartDownloadServer(self):
744 logging.info('StartDownloadServer: started')
745
746 try:
747 with open(self._file_op[1], 'rb') as f:
748 while True:
749 data = f.read(_BLOCK_SIZE)
Peter Shihaacbc2f2017-06-16 14:39:29 +0800750 if not data:
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800751 break
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800752 self._sock.Send(data)
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800753 except Exception as e:
754 logging.error('StartDownloadServer: %s', e)
755 finally:
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800756 self._sock.Close()
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800757
758 logging.info('StartDownloadServer: terminated')
759 sys.exit(0)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800760
Wei-Ning Huange2981862015-08-03 15:03:08 +0800761 def StartUploadServer(self):
762 logging.info('StartUploadServer: started')
Wei-Ning Huange2981862015-08-03 15:03:08 +0800763 try:
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800764 filepath = self._file_op[1]
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800765 dirname = os.path.dirname(filepath)
766 if not os.path.exists(dirname):
767 try:
768 os.makedirs(dirname)
769 except Exception:
770 pass
Wei-Ning Huange2981862015-08-03 15:03:08 +0800771
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800772 with open(filepath, 'wb') as f:
Wei-Ning Huang8ee3bcd2015-10-01 17:10:01 +0800773 if self._file_op[2]:
774 os.fchmod(f.fileno(), self._file_op[2])
775
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800776 f.write(self._sock.RecvBuf())
777
Wei-Ning Huange2981862015-08-03 15:03:08 +0800778 while True:
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800779 rd, unused_wd, unused_xd = select.select([self._sock], [], [])
Wei-Ning Huange2981862015-08-03 15:03:08 +0800780 if self._sock in rd:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800781 buf = self._sock.Recv(_BLOCK_SIZE)
Peter Shihaacbc2f2017-06-16 14:39:29 +0800782 if not buf:
Wei-Ning Huange2981862015-08-03 15:03:08 +0800783 break
784 f.write(buf)
785 except socket.error as e:
786 logging.error('StartUploadServer: socket error: %s', e)
787 except Exception as e:
788 logging.error('StartUploadServer: %s', e)
789 finally:
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800790 self._sock.Close()
Wei-Ning Huange2981862015-08-03 15:03:08 +0800791
792 logging.info('StartUploadServer: terminated')
Yilin Yanga03fd0a2020-10-23 16:58:14 +0800793 os._exit(0) # pylint: disable=protected-access
Wei-Ning Huange2981862015-08-03 15:03:08 +0800794
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800795 def SpawnPortForwardServer(self, unused_var):
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800796 """Spawn a port forwarding server and forward I/O to the TCP socket."""
797 logging.info('SpawnPortForwardServer: started')
798
799 src_sock = None
800 try:
801 src_sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
Wei-Ning Huange0def6a2015-11-05 15:41:24 +0800802 src_sock.settimeout(_CONNECT_TIMEOUT)
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800803 src_sock.connect(('localhost', self._port))
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800804
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800805 src_sock.send(self._sock.RecvBuf())
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800806
807 while True:
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800808 rd, unused_wd, unused_xd = select.select([self._sock, src_sock], [], [])
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800809
810 if self._sock in rd:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800811 data = self._sock.Recv(_BUFSIZE)
Peter Shihaacbc2f2017-06-16 14:39:29 +0800812 if not data:
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +0800813 raise RuntimeError('connection terminated')
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800814 src_sock.send(data)
815
816 if src_sock in rd:
817 data = src_sock.recv(_BUFSIZE)
Peter Shihaacbc2f2017-06-16 14:39:29 +0800818 if not data:
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800819 break
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800820 self._sock.Send(data)
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800821 except Exception as e:
822 logging.error('SpawnPortForwardServer: %s', e)
823 finally:
824 if src_sock:
825 src_sock.close()
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800826 self._sock.Close()
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800827
828 logging.info('SpawnPortForwardServer: terminated')
Yilin Yanga03fd0a2020-10-23 16:58:14 +0800829 os._exit(0) # pylint: disable=protected-access
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800830
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800831 def Ping(self):
832 def timeout_handler(x):
833 if x is None:
834 raise PingTimeoutError
835
836 self._last_ping = self.Timestamp()
837 self.SendRequest('ping', {}, timeout_handler, 5)
838
Wei-Ning Huangae923642015-09-24 14:08:09 +0800839 def HandleFileDownloadRequest(self, msg):
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800840 params = msg['params']
Wei-Ning Huangae923642015-09-24 14:08:09 +0800841 filepath = params['filename']
842 if not os.path.isabs(filepath):
843 filepath = os.path.join(os.getenv('HOME', '/tmp'), filepath)
844
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800845 try:
Wei-Ning Huang11c35022015-10-21 16:52:32 +0800846 with open(filepath, 'r') as _:
Wei-Ning Huang46a3fc92015-10-06 02:35:27 +0800847 pass
848 except Exception as e:
Peter Shiha78867d2018-02-26 14:17:51 +0800849 self.SendResponse(msg, str(e))
850 return
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800851
852 self.SpawnGhost(self.FILE, params['sid'],
Wei-Ning Huangae923642015-09-24 14:08:09 +0800853 file_op=('download', filepath))
854 self.SendResponse(msg, SUCCESS)
855
856 def HandleFileUploadRequest(self, msg):
857 params = msg['params']
858
859 # Resolve upload filepath
860 filename = params['filename']
861 dest_path = filename
862
863 # If dest is specified, use it first
864 dest_path = params.get('dest', '')
865 if dest_path:
866 if not os.path.isabs(dest_path):
867 dest_path = os.path.join(os.getenv('HOME', '/tmp'), dest_path)
868
869 if os.path.isdir(dest_path):
870 dest_path = os.path.join(dest_path, filename)
871 else:
872 target_dir = os.getenv('HOME', '/tmp')
873
874 # Terminal session ID found, upload to it's current working directory
Peter Shihe6afab32018-09-11 17:16:48 +0800875 if 'terminal_sid' in params:
Wei-Ning Huangae923642015-09-24 14:08:09 +0800876 pid = self._terminal_sid_to_pid.get(params['terminal_sid'], None)
877 if pid:
Wei-Ning Huanga0e55b82016-02-10 14:32:07 +0800878 try:
879 target_dir = self.GetProcessWorkingDirectory(pid)
880 except Exception as e:
881 logging.error(e)
Wei-Ning Huangae923642015-09-24 14:08:09 +0800882
883 dest_path = os.path.join(target_dir, filename)
884
885 try:
886 os.makedirs(os.path.dirname(dest_path))
887 except Exception:
888 pass
889
890 try:
891 with open(dest_path, 'w') as _:
892 pass
893 except Exception as e:
Peter Shiha78867d2018-02-26 14:17:51 +0800894 self.SendResponse(msg, str(e))
895 return
Wei-Ning Huangae923642015-09-24 14:08:09 +0800896
Wei-Ning Huangd6f69762015-10-01 21:02:07 +0800897 # If not check_only, spawn FILE mode ghost agent to handle upload
898 if not params.get('check_only', False):
899 self.SpawnGhost(self.FILE, params['sid'],
900 file_op=('upload', dest_path, params.get('perm', None)))
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800901 self.SendResponse(msg, SUCCESS)
Wei-Ning Huang552cd702015-08-12 16:11:13 +0800902
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800903 def HandleRequest(self, msg):
Wei-Ning Huange2981862015-08-03 15:03:08 +0800904 command = msg['name']
905 params = msg['params']
906
907 if command == 'upgrade':
Wei-Ning Huangb05cde32015-08-01 09:48:41 +0800908 self.Upgrade()
Wei-Ning Huange2981862015-08-03 15:03:08 +0800909 elif command == 'terminal':
Wei-Ning Huangb8461202015-09-01 20:07:41 +0800910 self.SpawnGhost(self.TERMINAL, params['sid'],
911 tty_device=params['tty_device'])
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800912 self.SendResponse(msg, SUCCESS)
Wei-Ning Huange2981862015-08-03 15:03:08 +0800913 elif command == 'shell':
914 self.SpawnGhost(self.SHELL, params['sid'], command=params['command'])
Wei-Ning Huang7ec55342015-09-17 08:46:06 +0800915 self.SendResponse(msg, SUCCESS)
Wei-Ning Huange2981862015-08-03 15:03:08 +0800916 elif command == 'file_download':
Wei-Ning Huangae923642015-09-24 14:08:09 +0800917 self.HandleFileDownloadRequest(msg)
Wei-Ning Huange2981862015-08-03 15:03:08 +0800918 elif command == 'clear_to_download':
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800919 self.StartDownloadServer()
Wei-Ning Huange2981862015-08-03 15:03:08 +0800920 elif command == 'file_upload':
Wei-Ning Huangae923642015-09-24 14:08:09 +0800921 self.HandleFileUploadRequest(msg)
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800922 elif command == 'forward':
923 self.SpawnGhost(self.FORWARD, params['sid'], port=params['port'])
924 self.SendResponse(msg, SUCCESS)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800925
926 def HandleResponse(self, response):
927 rid = str(response['rid'])
928 if rid in self._requests:
929 handler = self._requests[rid][2]
930 del self._requests[rid]
931 if callable(handler):
932 handler(response)
933 else:
Joel Kitching22b89042015-08-06 18:23:29 +0800934 logging.warning('Received unsolicited response, ignored')
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800935
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800936 def ParseMessage(self, buf, single=True):
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800937 if single:
Wei-Ning Huangf5311a02016-02-04 15:23:46 +0800938 try:
939 index = buf.index(_SEPARATOR)
940 except ValueError:
941 self._sock.UnRecv(buf)
942 return
943
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800944 msgs_json = [buf[:index]]
945 self._sock.UnRecv(buf[index + 2:])
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800946 else:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800947 msgs_json = buf.split(_SEPARATOR)
948 self._sock.UnRecv(msgs_json.pop())
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800949
950 for msg_json in msgs_json:
951 try:
952 msg = json.loads(msg_json)
953 except ValueError:
954 # Ignore mal-formed message.
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800955 logging.error('mal-formed JSON request, ignored')
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800956 continue
957
958 if 'name' in msg:
959 self.HandleRequest(msg)
960 elif 'response' in msg:
961 self.HandleResponse(msg)
962 else: # Ingnore mal-formed message.
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +0800963 logging.error('mal-formed JSON request, ignored')
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800964
965 def ScanForTimeoutRequests(self):
Joel Kitching22b89042015-08-06 18:23:29 +0800966 """Scans for pending requests which have timed out.
967
968 If any timed-out requests are discovered, their handler is called with the
969 special response value of None.
970 """
Yilin Yang78fa12e2019-09-25 14:21:10 +0800971 for rid in list(self._requests):
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800972 request_time, timeout, handler = self._requests[rid]
973 if self.Timestamp() - request_time > timeout:
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800974 if callable(handler):
975 handler(None)
976 else:
977 logging.error('Request %s timeout', rid)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800978 del self._requests[rid]
979
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800980 def InitiateDownload(self):
981 ttyname, filename = self._download_queue.get()
Wei-Ning Huangd521f282015-08-07 05:28:04 +0800982 sid = self._ttyname_to_sid[ttyname]
983 self.SpawnGhost(self.FILE, terminal_sid=sid,
Wei-Ning Huangae923642015-09-24 14:08:09 +0800984 file_op=('download', filename))
Wei-Ning Huanga301f572015-06-03 17:34:21 +0800985
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800986 def Listen(self):
987 try:
988 while True:
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +0800989 rds, unused_wd, unused_xd = select.select([self._sock], [], [],
Yilin Yang14d02a22019-11-01 11:32:03 +0800990 _PING_INTERVAL // 2)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +0800991
992 if self._sock in rds:
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800993 data = self._sock.Recv(_BUFSIZE)
Wei-Ning Huang09c19612015-11-24 16:29:09 +0800994
995 # Socket is closed
Peter Shihaacbc2f2017-06-16 14:39:29 +0800996 if not data:
Wei-Ning Huang09c19612015-11-24 16:29:09 +0800997 break
998
Wei-Ning Huanga28cd232016-01-27 15:04:41 +0800999 self.ParseMessage(data, self._register_status != SUCCESS)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001000
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001001 if (self._mode == self.AGENT and
1002 self.Timestamp() - self._last_ping > _PING_INTERVAL):
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001003 self.Ping()
1004 self.ScanForTimeoutRequests()
1005
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001006 if not self._download_queue.empty():
1007 self.InitiateDownload()
1008
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001009 if self._reset.is_set():
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001010 break
1011 except socket.error:
1012 raise RuntimeError('Connection dropped')
1013 except PingTimeoutError:
1014 raise RuntimeError('Connection timeout')
1015 finally:
Wei-Ning Huangf5311a02016-02-04 15:23:46 +08001016 self.Reset()
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001017
1018 self._queue.put('resume')
1019
1020 if self._mode != Ghost.AGENT:
1021 sys.exit(1)
1022
1023 def Register(self):
1024 non_local = {}
1025 for addr in self._overlord_addrs:
1026 non_local['addr'] = addr
1027 def registered(response):
1028 if response is None:
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001029 self._reset.set()
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001030 raise RuntimeError('Register request timeout')
Wei-Ning Huang63c16092015-09-18 16:20:27 +08001031
Wei-Ning Huang7ec55342015-09-17 08:46:06 +08001032 self._register_status = response['response']
1033 if response['response'] != SUCCESS:
1034 self._reset.set()
Peter Shih220a96d2016-12-22 17:02:16 +08001035 raise RuntimeError('Register: ' + response['response'])
Fei Shao0e4e2c62020-06-23 18:22:26 +08001036
1037 logging.info('Registered with Overlord at %s:%d', *non_local['addr'])
1038 self._connected_addr = non_local['addr']
1039 self.Upgrade() # Check for upgrade
1040 self._queue.put('pause', True)
Wei-Ning Huang63c16092015-09-18 16:20:27 +08001041
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001042 try:
1043 logging.info('Trying %s:%d ...', *addr)
1044 self.Reset()
Wei-Ning Huangf5311a02016-02-04 15:23:46 +08001045
Peter Shih220a96d2016-12-22 17:02:16 +08001046 # Check if server has TLS enabled. Only check if self._tls_mode is
1047 # None.
Wei-Ning Huangb6605d22016-06-22 17:33:37 +08001048 # Only control channel needs to determine if TLS is enabled. Other mode
1049 # should use the TLSSettings passed in when it was spawned.
1050 if self._mode == Ghost.AGENT:
Peter Shih220a96d2016-12-22 17:02:16 +08001051 self._tls_settings.SetEnabled(
1052 self.TLSEnabled(*addr) if self._tls_mode is None
1053 else self._tls_mode)
Wei-Ning Huang47c79b82016-05-24 01:24:46 +08001054
Wei-Ning Huangf5311a02016-02-04 15:23:46 +08001055 sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
1056 sock.settimeout(_CONNECT_TIMEOUT)
1057
1058 try:
1059 if self._tls_settings.Enabled():
1060 tls_context = self._tls_settings.Context()
1061 sock = tls_context.wrap_socket(sock, server_hostname=addr[0])
1062
1063 sock.connect(addr)
1064 except (ssl.SSLError, ssl.CertificateError) as e:
1065 logging.error('%s: %s', e.__class__.__name__, e)
1066 continue
1067 except IOError as e:
1068 if e.errno == 2: # No such file or directory
1069 logging.error('%s: %s', e.__class__.__name__, e)
1070 continue
1071 raise
1072
1073 self._sock = BufferedSocket(sock)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001074
1075 logging.info('Connection established, registering...')
1076 handler = {
1077 Ghost.AGENT: registered,
Wei-Ning Huangb8461202015-09-01 20:07:41 +08001078 Ghost.TERMINAL: self.SpawnTTYServer,
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001079 Ghost.SHELL: self.SpawnShellServer,
1080 Ghost.FILE: self.InitiateFileOperation,
Wei-Ning Huangdadbeb62015-09-20 00:38:27 +08001081 Ghost.FORWARD: self.SpawnPortForwardServer,
Peter Shihe6afab32018-09-11 17:16:48 +08001082 }[self._mode]
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001083
1084 # Machine ID may change if MAC address is used (USB-ethernet dongle
1085 # plugged/unplugged)
1086 self._machine_id = self.GetMachineID()
Wei-Ning Huang7d029b12015-03-06 10:32:15 +08001087 self.SendRequest('register',
1088 {'mode': self._mode, 'mid': self._machine_id,
Wei-Ning Huangfed95862015-08-07 03:17:11 +08001089 'sid': self._session_id,
Wei-Ning Huang7d029b12015-03-06 10:32:15 +08001090 'properties': self._properties}, handler)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001091 except socket.error:
1092 pass
1093 else:
Wei-Ning Huangf5311a02016-02-04 15:23:46 +08001094 sock.settimeout(None)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001095 self.Listen()
1096
Moja Hsuc9ecc8b2015-07-13 11:39:17 +08001097 raise RuntimeError('Cannot connect to any server')
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001098
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001099 def Reconnect(self):
1100 logging.info('Received reconnect request from RPC server, reconnecting...')
1101 self._reset.set()
1102
Wei-Ning Huang7ec55342015-09-17 08:46:06 +08001103 def GetStatus(self):
Peter Shih5cafebb2017-06-30 16:36:22 +08001104 status = self._register_status
1105 if self._register_status == SUCCESS:
1106 ip, port = self._sock.sock.getpeername()
1107 status += ' %s:%d' % (ip, port)
1108 return status
Wei-Ning Huang7ec55342015-09-17 08:46:06 +08001109
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001110 def AddToDownloadQueue(self, ttyname, filename):
1111 self._download_queue.put((ttyname, filename))
1112
Wei-Ning Huangd521f282015-08-07 05:28:04 +08001113 def RegisterTTY(self, session_id, ttyname):
1114 self._ttyname_to_sid[ttyname] = session_id
Wei-Ning Huange2981862015-08-03 15:03:08 +08001115
1116 def RegisterSession(self, session_id, process_id):
1117 self._terminal_sid_to_pid[session_id] = process_id
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001118
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001119 def StartLanDiscovery(self):
1120 """Start to listen to LAN discovery packet at
1121 _OVERLORD_LAN_DISCOVERY_PORT."""
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001122
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001123 def thread_func():
1124 s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
1125 s.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
1126 s.setsockopt(socket.SOL_SOCKET, socket.SO_BROADCAST, 1)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001127 try:
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001128 s.bind(('0.0.0.0', _OVERLORD_LAN_DISCOVERY_PORT))
1129 except socket.error as e:
Moja Hsuc9ecc8b2015-07-13 11:39:17 +08001130 logging.error('LAN discovery: %s, abort', e)
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001131 return
1132
1133 logging.info('LAN Discovery: started')
1134 while True:
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +08001135 rd, unused_wd, unused_xd = select.select([s], [], [], 1)
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001136
1137 if s in rd:
1138 data, source_addr = s.recvfrom(_BUFSIZE)
1139 parts = data.split()
1140 if parts[0] == 'OVERLORD':
1141 ip, port = parts[1].split(':')
1142 if not ip:
1143 ip = source_addr[0]
1144 self._queue.put((ip, int(port)), True)
1145
1146 try:
1147 obj = self._queue.get(False)
Yilin Yang8b7f5192020-01-08 11:43:00 +08001148 except queue.Empty:
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001149 pass
1150 else:
Peter Shihaacbc2f2017-06-16 14:39:29 +08001151 if not isinstance(obj, str):
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001152 self._queue.put(obj)
1153 elif obj == 'pause':
1154 logging.info('LAN Discovery: paused')
1155 while obj != 'resume':
1156 obj = self._queue.get(True)
1157 logging.info('LAN Discovery: resumed')
1158
1159 t = threading.Thread(target=thread_func)
1160 t.daemon = True
1161 t.start()
1162
1163 def StartRPCServer(self):
Joel Kitching22b89042015-08-06 18:23:29 +08001164 logging.info('RPC Server: started')
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001165 rpc_server = SimpleJSONRPCServer((_DEFAULT_BIND_ADDRESS, _GHOST_RPC_PORT),
1166 logRequests=False)
1167 rpc_server.register_function(self.Reconnect, 'Reconnect')
Wei-Ning Huang7ec55342015-09-17 08:46:06 +08001168 rpc_server.register_function(self.GetStatus, 'GetStatus')
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001169 rpc_server.register_function(self.RegisterTTY, 'RegisterTTY')
Wei-Ning Huange2981862015-08-03 15:03:08 +08001170 rpc_server.register_function(self.RegisterSession, 'RegisterSession')
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001171 rpc_server.register_function(self.AddToDownloadQueue, 'AddToDownloadQueue')
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001172 t = threading.Thread(target=rpc_server.serve_forever)
1173 t.daemon = True
1174 t.start()
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001175
Wei-Ning Huang829e0c82015-05-26 14:37:23 +08001176 def ScanServer(self):
Hung-Te Lin41ff8f32017-08-30 08:10:39 +08001177 for meth in [self.GetGateWayIP, self.GetFactoryServerIP]:
Wei-Ning Huang829e0c82015-05-26 14:37:23 +08001178 for addr in [(x, _OVERLORD_PORT) for x in meth()]:
1179 if addr not in self._overlord_addrs:
1180 self._overlord_addrs.append(addr)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001181
Wei-Ning Huang11c35022015-10-21 16:52:32 +08001182 def Start(self, lan_disc=False, rpc_server=False):
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001183 logging.info('%s started', self.MODE_NAME[self._mode])
1184 logging.info('MID: %s', self._machine_id)
Wei-Ning Huangfed95862015-08-07 03:17:11 +08001185 logging.info('SID: %s', self._session_id)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001186
Wei-Ning Huangb05cde32015-08-01 09:48:41 +08001187 # We don't care about child process's return code, not wait is needed. This
1188 # is used to prevent zombie process from lingering in the system.
1189 self.SetIgnoreChild(True)
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001190
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001191 if lan_disc:
1192 self.StartLanDiscovery()
1193
1194 if rpc_server:
1195 self.StartRPCServer()
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001196
1197 try:
1198 while True:
1199 try:
1200 addr = self._queue.get(False)
Yilin Yang8b7f5192020-01-08 11:43:00 +08001201 except queue.Empty:
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001202 pass
1203 else:
Peter Shihaacbc2f2017-06-16 14:39:29 +08001204 if isinstance(addr, tuple) and addr not in self._overlord_addrs:
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001205 logging.info('LAN Discovery: got overlord address %s:%d', *addr)
1206 self._overlord_addrs.append(addr)
1207
1208 try:
Wei-Ning Huang829e0c82015-05-26 14:37:23 +08001209 self.ScanServer()
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001210 self.Register()
Joel Kitching22b89042015-08-06 18:23:29 +08001211 # Don't show stack trace for RuntimeError, which we use in this file for
1212 # plausible and expected errors (such as can't connect to server).
1213 except RuntimeError as e:
Yilin Yang58948af2019-10-30 18:28:55 +08001214 logging.info('%s, retrying in %ds', str(e), _RETRY_INTERVAL)
Joel Kitching22b89042015-08-06 18:23:29 +08001215 time.sleep(_RETRY_INTERVAL)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001216 except Exception as e:
Wei-Ning Huang9083b7c2016-01-26 16:44:11 +08001217 unused_x, unused_y, exc_traceback = sys.exc_info()
Joel Kitching22b89042015-08-06 18:23:29 +08001218 traceback.print_tb(exc_traceback)
1219 logging.info('%s: %s, retrying in %ds',
Yilin Yang58948af2019-10-30 18:28:55 +08001220 e.__class__.__name__, str(e), _RETRY_INTERVAL)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001221 time.sleep(_RETRY_INTERVAL)
1222
1223 self.Reset()
1224 except KeyboardInterrupt:
1225 logging.error('Received keyboard interrupt, quit')
1226 sys.exit(0)
1227
1228
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001229def GhostRPCServer():
Wei-Ning Huang8037c182015-09-19 04:41:50 +08001230 """Returns handler to Ghost's JSON RPC server."""
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001231 return jsonrpclib.Server('http://localhost:%d' % _GHOST_RPC_PORT)
1232
1233
Wei-Ning Huang8037c182015-09-19 04:41:50 +08001234def ForkToBackground():
1235 """Fork process to run in background."""
1236 pid = os.fork()
1237 if pid != 0:
1238 logging.info('Ghost(%d) running in background.', pid)
1239 sys.exit(0)
1240
1241
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001242def DownloadFile(filename):
Wei-Ning Huang8037c182015-09-19 04:41:50 +08001243 """Initiate a client-initiated file download."""
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001244 filepath = os.path.abspath(filename)
1245 if not os.path.exists(filepath):
Joel Kitching22b89042015-08-06 18:23:29 +08001246 logging.error('file `%s\' does not exist', filename)
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001247 sys.exit(1)
1248
1249 # Check if we actually have permission to read the file
1250 if not os.access(filepath, os.R_OK):
Joel Kitching22b89042015-08-06 18:23:29 +08001251 logging.error('can not open %s for reading', filepath)
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001252 sys.exit(1)
1253
1254 server = GhostRPCServer()
1255 server.AddToDownloadQueue(os.ttyname(0), filepath)
1256 sys.exit(0)
1257
1258
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001259def main():
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +08001260 # Setup logging format
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001261 logger = logging.getLogger()
1262 logger.setLevel(logging.INFO)
Wei-Ning Huang5f3fa8f2015-10-24 15:08:48 +08001263 handler = logging.StreamHandler()
1264 formatter = logging.Formatter('%(asctime)s %(message)s', '%Y/%m/%d %H:%M:%S')
1265 handler.setFormatter(formatter)
1266 logger.addHandler(handler)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001267
Wei-Ning Huang7d029b12015-03-06 10:32:15 +08001268 parser = argparse.ArgumentParser()
Wei-Ning Huang8037c182015-09-19 04:41:50 +08001269 parser.add_argument('--fork', dest='fork', action='store_true', default=False,
1270 help='fork procecess to run in background')
Wei-Ning Huangc9c97f02015-05-19 15:05:42 +08001271 parser.add_argument('--mid', metavar='MID', dest='mid', action='store',
1272 default=None, help='use MID as machine ID')
1273 parser.add_argument('--rand-mid', dest='mid', action='store_const',
1274 const=Ghost.RANDOM_MID, help='use random machine ID')
Wei-Ning Huang2132de32015-04-13 17:24:38 +08001275 parser.add_argument('--no-lan-disc', dest='lan_disc', action='store_false',
1276 default=True, help='disable LAN discovery')
1277 parser.add_argument('--no-rpc-server', dest='rpc_server',
1278 action='store_false', default=True,
1279 help='disable RPC server')
Peter Shih220a96d2016-12-22 17:02:16 +08001280 parser.add_argument('--tls', dest='tls_mode', default='detect',
1281 choices=('y', 'n', 'detect'),
1282 help="specify 'y' or 'n' to force enable/disable TLS")
Wei-Ning Huangf5311a02016-02-04 15:23:46 +08001283 parser.add_argument('--tls-cert-file', metavar='TLS_CERT_FILE',
1284 dest='tls_cert_file', type=str, default=None,
1285 help='file containing the server TLS certificate in PEM '
1286 'format')
Wei-Ning Huang47c79b82016-05-24 01:24:46 +08001287 parser.add_argument('--tls-no-verify', dest='tls_no_verify',
1288 action='store_true', default=False,
1289 help='do not verify certificate if TLS is enabled')
Joel Kitching22b89042015-08-06 18:23:29 +08001290 parser.add_argument('--prop-file', metavar='PROP_FILE', dest='prop_file',
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001291 type=str, default=None,
Wei-Ning Huang7d029b12015-03-06 10:32:15 +08001292 help='file containing the JSON representation of client '
1293 'properties')
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001294 parser.add_argument('--download', metavar='FILE', dest='download', type=str,
1295 default=None, help='file to download')
Wei-Ning Huang23ed0162015-09-18 14:42:03 +08001296 parser.add_argument('--reset', dest='reset', default=False,
1297 action='store_true',
1298 help='reset ghost and reload all configs')
Peter Shih5cafebb2017-06-30 16:36:22 +08001299 parser.add_argument('--status', dest='status', default=False,
1300 action='store_true',
1301 help='show status of the client')
Wei-Ning Huang7d029b12015-03-06 10:32:15 +08001302 parser.add_argument('overlord_ip', metavar='OVERLORD_IP', type=str,
1303 nargs='*', help='overlord server address')
1304 args = parser.parse_args()
1305
Peter Shih5cafebb2017-06-30 16:36:22 +08001306 if args.status:
1307 print(GhostRPCServer().GetStatus())
1308 sys.exit()
1309
Wei-Ning Huang8037c182015-09-19 04:41:50 +08001310 if args.fork:
1311 ForkToBackground()
1312
Wei-Ning Huang23ed0162015-09-18 14:42:03 +08001313 if args.reset:
1314 GhostRPCServer().Reconnect()
1315 sys.exit()
1316
Wei-Ning Huanga301f572015-06-03 17:34:21 +08001317 if args.download:
1318 DownloadFile(args.download)
1319
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001320 addrs = [('localhost', _OVERLORD_PORT)]
Wei-Ning Huang47c79b82016-05-24 01:24:46 +08001321 addrs = [(x, _OVERLORD_PORT) for x in args.overlord_ip] + addrs
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001322
Wei-Ning Huangf5311a02016-02-04 15:23:46 +08001323 prop_file = os.path.abspath(args.prop_file) if args.prop_file else None
1324
Wei-Ning Huang47c79b82016-05-24 01:24:46 +08001325 tls_settings = TLSSettings(args.tls_cert_file, not args.tls_no_verify)
Peter Shih220a96d2016-12-22 17:02:16 +08001326 tls_mode = args.tls_mode
1327 tls_mode = {'y': True, 'n': False, 'detect': None}[tls_mode]
Wei-Ning Huangf5311a02016-02-04 15:23:46 +08001328 g = Ghost(addrs, tls_settings, Ghost.AGENT, args.mid,
Peter Shih220a96d2016-12-22 17:02:16 +08001329 prop_file=prop_file, tls_mode=tls_mode)
Wei-Ning Huang11c35022015-10-21 16:52:32 +08001330 g.Start(args.lan_disc, args.rpc_server)
Wei-Ning Huang1cea6112015-03-02 12:45:34 +08001331
1332
1333if __name__ == '__main__':
Wei-Ning Huangf5311a02016-02-04 15:23:46 +08001334 try:
1335 main()
1336 except Exception as e:
1337 logging.error(e)