Source code for aiida.cmdline.utils.common

###########################################################################
# Copyright (c), The AiiDA team. All rights reserved.                     #
# This file is part of the AiiDA code.                                    #
#                                                                         #
# The code is hosted on GitHub at https://github.com/aiidateam/aiida-core #
# For further information on the license, see the LICENSE.txt file        #
# For further information please visit http://www.aiida.net               #
###########################################################################
"""Common utility functions for command line commands."""

import logging
import os
import sys
import textwrap
from typing import TYPE_CHECKING

from click import style

from . import echo

if TYPE_CHECKING:
    from aiida.orm import WorkChainNode

__all__ = ('is_verbose',)


[docs] def tabulate(table, **kwargs): """A dummy wrapper to hide the import cost of tabulate""" import tabulate as tb return tb.tabulate(table, **kwargs)
[docs] def is_verbose(): """Return whether the configured logging verbosity is considered verbose, i.e., equal or lower to ``INFO`` level. .. note:: This checks the effective logging level that is set on the ``CMDLINE_LOGGER``. This means that it will consider the logging level set on the parent ``AIIDA_LOGGER`` if not explicitly set on itself. The level of the main logger can be manipulated from the command line through the ``VERBOSITY`` option that is available for all commands. """ return echo.CMDLINE_LOGGER.getEffectiveLevel() <= logging.INFO
[docs] def get_env_with_venv_bin(): """Create a clone of the current running environment with the AIIDA_PATH variable set directory of the config.""" from aiida.common.warnings import warn_deprecation from aiida.manage.configuration import get_config warn_deprecation( '`get_env_with_venv_bin` function is deprecated use `aiida.engine.daemon.client.DaemonClient.get_env` instead.', version=3, ) config = get_config() currenv = os.environ.copy() currenv['PATH'] = f"{os.path.dirname(sys.executable)}:{currenv['PATH']}" currenv['AIIDA_PATH'] = config.dirpath currenv['PYTHONUNBUFFERED'] = 'True' return currenv
[docs] def format_local_time(timestamp, format_str='%Y-%m-%d %H:%M:%S'): """Format a datetime object or UNIX timestamp in a human readable format :param timestamp: a datetime object or a float representing a UNIX timestamp :param format_str: optional string format to pass to strftime """ from aiida.common import timezone if isinstance(timestamp, float): return timezone.datetime.fromtimestamp(timestamp).strftime(format_str) return timestamp.strftime(format_str)
[docs] def get_node_summary(node): """Return a multi line string with a pretty formatted summary of a Node. :param node: a Node instance :return: a string summary of the node """ from plumpy import ProcessState from aiida.orm import ProcessNode table_headers = ['Property', 'Value'] table = [] if isinstance(node, ProcessNode): table.append(['type', node.process_label]) try: process_state = ProcessState(node.process_state) except (AttributeError, ValueError): pass else: process_state_string = process_state.value.capitalize() if process_state == ProcessState.FINISHED and node.exit_message: table.append(['state', f'{process_state_string} [{node.exit_status}] {node.exit_message}']) elif process_state == ProcessState.FINISHED: table.append(['state', f'{process_state_string} [{node.exit_status}]']) elif process_state == ProcessState.EXCEPTED: table.append(['state', f'{process_state_string} <{node.exception}>']) else: table.append(['state', process_state_string]) else: table.append(['type', node.__class__.__name__]) table.append(['pk', str(node.pk)]) table.append(['uuid', str(node.uuid)]) table.append(['label', node.label]) table.append(['description', node.description]) table.append(['ctime', node.ctime]) table.append(['mtime', node.mtime]) try: computer = node.computer except AttributeError: pass else: if computer is not None: table.append(['computer', f'[{node.computer.pk}] {node.computer.label}']) return tabulate(table, headers=table_headers)
[docs] def get_node_info(node, include_summary=True): """Return a multi line string of information about the given node, such as the incoming and outcoming links. :param include_summary: boolean, if True, also include a summary of node properties :return: a string summary of the node including a description of all its links and log messages """ from aiida import orm from aiida.common.links import LinkType if include_summary: result = get_node_summary(node) else: result = '' nodes_caller = node.base.links.get_incoming(link_type=(LinkType.CALL_CALC, LinkType.CALL_WORK)) nodes_called = node.base.links.get_outgoing(link_type=(LinkType.CALL_CALC, LinkType.CALL_WORK)) nodes_input = node.base.links.get_incoming(link_type=(LinkType.INPUT_CALC, LinkType.INPUT_WORK)) nodes_output = node.base.links.get_outgoing(link_type=(LinkType.CREATE, LinkType.RETURN)) if nodes_input: result += f"\n{format_nested_links(nodes_input.nested(), headers=['Inputs', 'PK', 'Type'])}" if nodes_output: result += f"\n{format_nested_links(nodes_output.nested(), headers=['Outputs', 'PK', 'Type'])}" if nodes_caller: links = sorted(nodes_caller.all(), key=lambda x: x.node.ctime) result += f"\n{format_flat_links(links, headers=['Caller', 'PK', 'Type'])}" if nodes_called: links = sorted(nodes_called.all(), key=lambda x: x.node.ctime) result += f"\n{format_flat_links(links, headers=['Called', 'PK', 'Type'])}" log_messages = orm.Log.collection.get_logs_for(node) if log_messages: table = [] table_headers = ['Log messages'] table.append([f'There are {len(log_messages)} log messages for this calculation']) table.append([f"Run 'verdi process report {node.pk}' to see them"]) result += f'\n\n{tabulate(table, headers=table_headers)}' return result
[docs] def get_calcjob_report(calcjob): """Return a multi line string representation of the log messages and output of a given calcjob :param calcjob: the calcjob node :return: a string representation of the log messages and scheduler output """ from aiida import orm from aiida.common.datastructures import CalcJobState log_messages = orm.Log.collection.get_logs_for(calcjob) scheduler_out = calcjob.get_scheduler_stdout() scheduler_err = calcjob.get_scheduler_stderr() calcjob_state = calcjob.get_state() scheduler_state = calcjob.get_scheduler_state() report = [] if calcjob_state == CalcJobState.WITHSCHEDULER: state_string = f"{calcjob_state}, scheduler state: {scheduler_state if scheduler_state else '(unknown)'}" else: state_string = f'{calcjob_state}' label_string = f' [{calcjob.label}]' if calcjob.label else '' report.append(f'*** {calcjob.pk}{label_string}: {state_string}') if scheduler_out is None: report.append('*** Scheduler output: N/A') elif scheduler_out: report.append(f'*** Scheduler output:\n{scheduler_out}') else: report.append('*** (empty scheduler output file)') if scheduler_err is None: report.append('*** Scheduler errors: N/A') elif scheduler_err: report.append(f'*** Scheduler errors:\n{scheduler_err}') else: report.append('*** (empty scheduler errors file)') if log_messages: report.append(f'*** {len(log_messages)} LOG MESSAGES:') else: report.append('*** 0 LOG MESSAGES') for log in log_messages: report.append(f'+-> {log.levelname} at {log.time}') for message in log.message.splitlines(): report.append(f' | {message}') return '\n'.join(report)
[docs] def get_process_function_report(node): """Return a multi line string representation of the log messages and output of a given process function node :param node: the node :return: a string representation of the log messages """ from aiida import orm report = [] for log in orm.Log.collection.get_logs_for(node): report.append(f'{log.time:%Y-%m-%d %H:%M:%S} [{log.pk}]: {log.message}') return '\n'.join(report)
[docs] def get_workchain_report(node: 'WorkChainNode', levelname, indent_size=4, max_depth=None): """Return a multi line string representation of the log messages and output of a given workchain :param node: the workchain node :return: a nested string representation of the log messages """ import itertools from aiida import orm from aiida.common.log import LOG_LEVELS def get_report_messages(uuid, depth, levelname): """Return list of log messages with given levelname and their depth for a node with a given uuid.""" node_id = orm.load_node(uuid).pk filters = {'dbnode_id': node_id} entries = orm.Log.collection.find(filters) entries = [entry for entry in entries if LOG_LEVELS[entry.levelname] >= LOG_LEVELS[levelname]] return [(_, depth) for _ in entries] def get_subtree(uuid, level=0): """Get a nested tree of work calculation nodes and their nesting level starting from this uuid. The result is a list of uuid of these nodes. """ builder = orm.QueryBuilder(backend=node.backend) builder.append(cls=orm.WorkChainNode, filters={'uuid': uuid}, tag='workcalculation') builder.append( cls=orm.WorkChainNode, project=['uuid'], # In the future, we should specify here the type of link # for now, CALL links are the only ones allowing calc-calc # (we here really want instead to follow CALL links) with_incoming='workcalculation', tag='subworkchains', ) result = builder.all(flat=True) # This will return a single flat list of tuples, where the first element # corresponds to the WorkChain pk and the second element is an integer # that represents its level of nesting within the chain return [(uuid, level)] + list(itertools.chain(*[get_subtree(subuuid, level=level + 1) for subuuid in result])) workchain_tree = get_subtree(node.uuid) if max_depth: report_list = [ get_report_messages(uuid, depth, levelname) for uuid, depth in workchain_tree if depth < max_depth ] else: report_list = [get_report_messages(uuid, depth, levelname) for uuid, depth in workchain_tree] reports = list(itertools.chain(*report_list)) reports.sort(key=lambda r: r[0].time) if not reports: return 'No log messages recorded for this entry' log_ids = [entry[0].pk for entry in reports] levelnames = [len(entry[0].levelname) for entry in reports] width_id = len(str(max(log_ids))) width_levelname = max(levelnames) report = [] for entry, depth in reports: line = '{time:%Y-%m-%d %H:%M:%S} [{id:<{width_id}} | {levelname:>{width_levelname}}]:{indent} {message}'.format( id=entry.pk, levelname=entry.levelname, message=entry.message, time=entry.time, width_id=width_id, width_levelname=width_levelname, indent=' ' * (depth * indent_size), ) report.append(line) return '\n'.join(report)