summaryrefslogtreecommitdiff
path: root/ironic_python_agent/utils.py
diff options
context:
space:
mode:
authorLucas Alvares Gomes <lucasagomes@gmail.com>2016-05-30 17:39:13 +0100
committerLucas Alvares Gomes <lucasagomes@gmail.com>2016-06-28 17:02:11 +0100
commitaf81914ce7309b23edcccc030d40f59f98fc258e (patch)
treeb7f33ad8e729119a8ed9f1dca7dc580ba1dbf28a /ironic_python_agent/utils.py
parent0ba66c27ea84a68acfd56d50e5eef131fbfc56f6 (diff)
downloadironic-python-agent-af81914ce7309b23edcccc030d40f59f98fc258e.tar.gz
Add a log extension
The log extension is responsible for retrieving logs from the system, if journalctl is present the logs will come from it, otherwise we fallback to getting the logs from the /var/log directory + dmesg logs. In the coreos ramdisk, we need to bind mount /run/log in the container so the IPA service can have access to the journal. For the tinyIPA ramdisk, the logs from IPA are now being redirected to /var/logs/ironic-python-agent.log instead of only going to the default stdout. Inspector now shares the same method of collecting logs, extending its capabilities for non-systemd systems. Partial-Bug: #1587143 Change-Id: Ie507e2e5c58cffa255bbfb2fa5ffb95cb98ed8c4
Diffstat (limited to 'ironic_python_agent/utils.py')
-rw-r--r--ironic_python_agent/utils.py125
1 files changed, 125 insertions, 0 deletions
diff --git a/ironic_python_agent/utils.py b/ironic_python_agent/utils.py
index a5d0798b..023747dc 100644
--- a/ironic_python_agent/utils.py
+++ b/ironic_python_agent/utils.py
@@ -12,11 +12,17 @@
# See the License for the specific language governing permissions and
# limitations under the License.
+import base64
import copy
+import errno
import glob
+import io
import os
import shutil
+import subprocess
+import tarfile
import tempfile
+import time
from oslo_concurrency import processutils
from oslo_log import log as logging
@@ -44,6 +50,14 @@ LOG = logging.getLogger(__name__)
AGENT_PARAMS_CACHED = dict()
+COLLECT_LOGS_COMMANDS = {
+ 'ps': ['ps', '-ax'],
+ 'df': ['df', '-a'],
+ 'iptables': ['iptables', '-L'],
+ 'ip_addr': ['ip', 'addr'],
+}
+
+
def execute(*cmd, **kwargs):
"""Convenience wrapper around oslo's execute() method.
@@ -305,3 +319,114 @@ def guess_root_disk(block_devices, min_size_required=4 * units.Gi):
for device in block_devices:
if device.size >= min_size_required:
return device
+
+
+def is_journalctl_present():
+ """Check if the journalctl command is present.
+
+ :returns: True if journalctl is present, False if not.
+ """
+ try:
+ devnull = open(os.devnull)
+ subprocess.check_call(['journalctl', '--version'], stdout=devnull,
+ stderr=devnull)
+ except OSError as e:
+ if e.errno == errno.ENOENT:
+ return False
+ return True
+
+
+def get_command_output(command):
+ """Return the output of a given command.
+
+ :param command: The command to be executed.
+ :raises: CommandExecutionError if the execution of the command fails.
+ :returns: A BytesIO string with the output.
+ """
+ try:
+ out, _ = execute(*command, binary=True, log_stdout=False)
+ except (processutils.ProcessExecutionError, OSError) as e:
+ error_msg = ('Failed to get the output of the command "%(command)s". '
+ 'Error: %(error)s' % {'command': command, 'error': e})
+ LOG.error(error_msg)
+ raise errors.CommandExecutionError(error_msg)
+ return io.BytesIO(out)
+
+
+def get_journalctl_output(lines=None, units=None):
+ """Query the contents of the systemd journal.
+
+ :param lines: Maximum number of lines to retrieve from the
+ logs. If None, return everything.
+ :param units: A list with the names of the units we should
+ retrieve the logs from. If None retrieve the logs
+ for everything.
+ :returns: A log string.
+ """
+ cmd = ['journalctl', '--full', '--no-pager', '-b']
+ if lines is not None:
+ cmd.extend(['-n', str(lines)])
+ if units is not None:
+ [cmd.extend(['-u', u]) for u in units]
+
+ return get_command_output(cmd)
+
+
+def gzip_and_b64encode(io_dict=None, file_list=None):
+ """Gzip and base64 encode files and BytesIO buffers.
+
+ :param io_dict: A dictionary containg whose the keys are the file
+ names and the value a BytesIO object.
+ :param file_list: A list of file path.
+ :returns: A gzipped and base64 encoded string.
+ """
+ io_dict = io_dict or {}
+ file_list = file_list or []
+
+ with io.BytesIO() as fp:
+ with tarfile.open(fileobj=fp, mode='w:gz') as tar:
+ for fname in io_dict:
+ ioobj = io_dict[fname]
+ tarinfo = tarfile.TarInfo(name=fname)
+ tarinfo.size = ioobj.seek(0, 2)
+ tarinfo.mtime = time.time()
+ ioobj.seek(0)
+ tar.addfile(tarinfo, ioobj)
+
+ for f in file_list:
+ tar.add(f)
+
+ fp.seek(0)
+ return base64.b64encode(fp.getvalue())
+
+
+def collect_system_logs(journald_max_lines=None):
+ """Collect system logs.
+
+ Collect system logs, for distributions using systemd the logs will
+ come from journald. On other distributions the logs will come from
+ the /var/log directory and dmesg output.
+
+ :param journald_max_lines: Maximum number of lines to retrieve from
+ the journald. if None, return everything.
+ :returns: A tar, gzip base64 encoded string with the logs.
+ """
+
+ def try_get_command_output(io_dict, file_name, command):
+ try:
+ io_dict[file_name] = get_command_output(command)
+ except errors.CommandExecutionError:
+ pass
+
+ io_dict = {}
+ file_list = []
+ if is_journalctl_present():
+ io_dict['journal'] = get_journalctl_output(lines=journald_max_lines)
+ else:
+ try_get_command_output(io_dict, 'dmesg', ['dmesg'])
+ file_list.append('/var/log')
+
+ for name, cmd in COLLECT_LOGS_COMMANDS.items():
+ try_get_command_output(io_dict, name, cmd)
+
+ return gzip_and_b64encode(io_dict=io_dict, file_list=file_list)