• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

Python wok_log.info函数代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了Python中wok.utils.wok_log.info函数的典型用法代码示例。如果您正苦于以下问题:Python info函数的具体用法?Python info怎么用?Python info使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。



在下文中一共展示了info函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。

示例1: add_lun

def add_lun(adapter, port, lun_id):
    """
    Add a LUN to system
    :param adapter: HBA adapter id
    :param port: Remote port wwpn
    :param lun_id: Id of the given LUN
    """

    port_dir = '/sys/bus/ccw/drivers/zfcp/' + adapter + '/' + port + '/'
    lun_dir = port_dir + lun_id

    wok_log.info("Adding LUN, %s", lun_dir)

    if os.path.exists(lun_dir):
        # LUN already present on the system, nothing to add.
        return
    else:
        try:
            with open(port_dir + 'unit_add', "w") as txt_file:
                txt_file.write(lun_id)

            for _ in range(4):
                # Don't wait for udev queue to completely flush.
                # Wait for the relavant entry for this LUN is created in sysfs
                run_command([udevadm, "settle", "--exit-if-exists=" + lun_dir])
                if os.path.exists(lun_dir):
                    break
        except Exception as e:
            wok_log.error("Unable to add LUN, %s", lun_dir)
            raise OperationFailed("GS390XSTG00003", {'err': e.message})
开发者ID:pawankg,项目名称:gingers390x,代码行数:30,代码来源:utils.py


示例2: get_disk_used_by

def get_disk_used_by(objstore, conn, path):
    try:
        with objstore as session:
            try:
                used_by = session.get("storagevolume", path)["used_by"]
            except (KeyError, NotFoundError):
                wok_log.info("Volume %s not found in obj store." % path)
                used_by = []
                # try to find this volume in existing vm
                vms_list = VMsModel.get_vms(conn)
                for vm in vms_list:
                    dom = VMModel.get_vm(vm, conn)
                    storages = get_vm_disks(dom)
                    for disk in storages.keys():
                        d_info = get_vm_disk_info(dom, disk)
                        if path == d_info["path"]:
                            used_by.append(vm)
                try:
                    session.store("storagevolume", path, {"used_by": used_by}, get_kimchi_version())
                except Exception as e:
                    # Let the exception be raised. If we allow disks'
                    #   used_by to be out of sync, data corruption could
                    #   occour if a disk is added to two guests
                    #   unknowingly.
                    wok_log.error("Unable to store storage volume id in" " objectstore due error: %s", e.message)
                    raise OperationFailed("KCHVOL0017E", {"err": e.message})
    except Exception as e:
        # This exception is going to catch errors returned by 'with',
        # specially ones generated by 'session.store'. It is outside
        # to avoid conflict with the __exit__ function of 'with'
        raise OperationFailed("KCHVOL0017E", {"err": e.message})
    return used_by
开发者ID:madhawa,项目名称:kimchi,代码行数:32,代码来源:diskutils.py


示例3: doUpdate

    def doUpdate(self, cb, params):
        """
        Execute the update
        """
        swupdateLock.acquire()
        wok_log.info('doUpdate - swupdate lock acquired')
        # reset messages
        cb('')

        if params is not None:
            cmd = self._pkg_mnger.update_cmd['specific'] + params
        else:
            cmd = self._pkg_mnger.update_cmd['all']

        proc = subprocess.Popen(cmd, stdout=subprocess.PIPE,
                                stderr=subprocess.PIPE,
                                preexec_fn=self.preUpdate)
        msgs = []
        while proc.poll() is None:
            msgs.append(proc.stdout.readline())
            cb(''.join(msgs))
            time.sleep(0.5)

        # read the final output lines
        msgs.extend(proc.stdout.readlines())

        retcode = proc.poll()

        swupdateLock.release()
        wok_log.info('doUpdate - swupdate lock released')
        if retcode == 0:
            return cb(''.join(msgs), True)

        msgs.extend(proc.stderr.readlines())
        return cb(''.join(msgs), False)
开发者ID:pvital,项目名称:gingerbase,代码行数:35,代码来源:swupdate.py


示例4: get_console

    def get_console(self):
        """
        Opens a console to this guest and returns a reference to it.
        Note: If another instance (eg: virsh) has an existing console opened
        to this guest, this code will steal that console.
        """
        # guest must be in a running state to get its console
        counter = 10
        while not self.is_running():
            wok_log.info('[%s] Guest %s is not running, waiting for it',
                         self._proc_name, self._name)

            counter -= 1
            if counter <= 0:
                return None

            time.sleep(1)

        # attach a stream in the guest console so we can read from/write to it
        if self._stream is None:
            wok_log.info('[%s] Opening the console for guest %s',
                         self._proc_name, self._name)
            self._stream = self._libvirt.newStream(libvirt.VIR_STREAM_NONBLOCK)
            self._guest.openConsole(None,
                                    self._stream,
                                    libvirt.VIR_DOMAIN_CONSOLE_FORCE |
                                    libvirt.VIR_DOMAIN_CONSOLE_SAFE)
        return self._stream
开发者ID:Pojen-Huang,项目名称:kimchi,代码行数:28,代码来源:serialconsole.py


示例5: sosreport_generate

    def sosreport_generate(cb, name):
        def log_error(e):
            wok_log = logging.getLogger('Model')
            wok_log.warning('Exception in generating debug file: %s', e)
        try:
            # Sosreport collection
            sosreport_file = sosreport_collection(name)
            md5_report_file = sosreport_file + '.md5'
            report_file_extension = '.' + sosreport_file.split('.', 1)[1]
            path = config.get_debugreports_path()
            sosreport_target = os.path.join(path,
                                            name + report_file_extension)
            msg = 'Moving debug report file "%s" to "%s"' \
                  % (sosreport_file, sosreport_target)
            wok_log.info(msg)
            shutil.move(sosreport_file, sosreport_target)
            delete_the_sosreport_md5_file(md5_report_file)
            cb('OK', True)
            return

        except WokException as e:
            log_error(e)
            raise

        except OSError as e:
            log_error(e)
            raise

        except Exception, e:
            # No need to call cb to update the task status here.
            # The task object will catch the exception raised here
            # and update the task status there
            log_error(e)
            raise OperationFailed("GGBDR0005E", {'name': name, 'err': e})
开发者ID:open-power-host-os,项目名称:gingerbase,代码行数:34,代码来源:debugreports.py


示例6: get_list

 def get_list(self, _configured=None):
     """
     :param _configured: True will list only the network devices
     which are configured. znetconf -c will be used
     False will list only network devices which are not configured yet.
     znetconf -u will be used
     If not given then it will fetch both the list of devices.
     :return: network OSA device info list.
     """
     wok_log.info('Fetching network devices. _configured '
                  '= %s' % _configured)
     if _configured is None:
         devices = _get_configured_devices()
         devices.extend(_get_unconfigured_devices())
     elif _configured in ['True', 'true']:
         devices = _get_configured_devices()
     elif _configured in ['False', 'false']:
         devices = _get_unconfigured_devices()
     else:
         wok_log.error("Invalid _configured given. _configured: %s"
                       % _configured)
         raise InvalidParameter("GS390XINVTYPE",
                                {'supported_type': 'True/False'})
     wok_log.info('Successfully retrieved network devices')
     return devices
开发者ID:pawankg,项目名称:gingers390x,代码行数:25,代码来源:nwdevices.py


示例7: commit

 def commit(self, name):
     command = ['update_flash', '-c']
     output, error, rc = run_command(command)
     if rc:
         raise OperationFailed('GINFW0005E', {'rc': rc})
     # update_flash returns a message on success, so log it.
     wok_log.info(output)
开发者ID:atreyeemukhopadhyay,项目名称:ginger,代码行数:7,代码来源:firmware.py


示例8: _form_cfg_options_attr

def _form_cfg_options_attr(portno, options):
    """
    method to form OPTIONS attribute of ifcfg file

    Example: OPTIONS="layer2=1 portno=0 buffer_count=128"

    valid OPTIONS attribute includes options like
    layer2, portno, buffercount etc
    this method focus on replacing only portno with given port
    """
    wok_log.info('In _form_cfg_options_attr(%s, %s) method'
                 % (portno, options))
    # use 0 port by default if portno is not provided
    portno = portno if isinstance(portno, int) else 0
    if options and not options.isspace():
        if re.match(r'^[\"\'][^\"\']*[\"\']$', options):
            # valid OPTIONS value will be enclosed by
            # either single or double quotes
            if re.search(r'portno=\d', options):
                return re.sub(r'portno=\d', 'portno=%s' % portno, options)
            else:
                return options.rstrip(options[-1]) \
                          + 'portno=%s' % portno + options[0]
    wok_log.info('End of _form_cfg_options_attr(%s, %s) method'
                 % (portno, options))
    return '"layer2=1 portno=%s"' % portno
开发者ID:kimchi-project,项目名称:gingers390x,代码行数:26,代码来源:nwdevices.py


示例9: remove_user_from_group

def remove_user_from_group(user, group):
    """
    method to remove user from group
    :param user: user name
    :param group: group name
    """
    wok_log.info('in remove_user_from_group() method')
    if not isinstance(user, str) or not user.strip():
        wok_log.error('user name is not non-empty string. name: %s' % user)
        raise InvalidParameter('GINUSER0010E',
                               {'user': user, 'err': 'see log for details'})
    if not isinstance(group, str) or not group.strip():
        wok_log.error('group name is not non-empty string. '
                      'group name %s' % group)
        raise InvalidParameter('GINUSER0010E',
                               {'user': user, 'err': 'see log for details'})
    try:
        adm = libuser.admin()
        grpobj = adm.lookupGroupByName(group)
        # Remove all ocurrences
        members = set(grpobj.get('gr_mem'))
        if user in members:
            members = set(grpobj.get('gr_mem')) - set([user])
            grpobj.set('gr_mem', list(members))
            adm.modifyGroup(grpobj)
    except Exception as e:
        raise OperationFailed('GINUSER0021E', {'user': user, 'group': group,
                                               'err': e.__str__()})
    wok_log.info('end of remove_user_from_group() method')
开发者ID:macressler,项目名称:ginger,代码行数:29,代码来源:users.py


示例10: _bring_online

def _bring_online(interface, osa_portno=None):
    """
    method to configure network device

    :param interface: network device id
    :return: None
    """
    wok_log.info('Configuring network device %s with port number %s'
                 % (interface, osa_portno))
    # form command as per osa_port
    command = [ZNETCONF_CMD, '-a', interface, '-o', 'portno=%s' % osa_portno]\
        if isinstance(osa_portno, int) else [ZNETCONF_CMD, '-a', interface]
    out, err, rc = run_command(command)
    # znetconf command gives non zero rc if the osa port is not available
    # for the adapter, but configures the triplet with default port(port 0)
    if rc:
        if 'Failed to configure portno' in err:
            # if failed to configure port, port 0 is used by default
            osa_portno = '0'
        else:
            # raise exception for errors excluding port configuration
            err = ','.join(line.strip() for line in err.splitlines())
            wok_log.error('failed to configure network device %s. '
                          'Error: %s' % (interface, err))
            raise OperationFailed('GS390XIONW001E', {'device': interface,
                                                     'error': err})
    wok_log.info("Configured network device %s "
                 "successfully" % interface)
    return osa_portno
开发者ID:kimchi-project,项目名称:gingers390x,代码行数:29,代码来源:nwdevices.py


示例11: _unpersist_interface

def _unpersist_interface(interface):
    """
    method to unpersist network device by removing
    ifcfg file of corresponding network device from
    /etc/sysconfig/network-scripts/ directory

    :param interface: network device id
    :return: None
    """
    wok_log.info('un persisting network device %s' % interface)
    ifcfg_file_path = '/' + ifcfg_path.replace('<deviceid>', interface)
    if isinstance(ifcfg_file_path, unicode):
        ifcfg_file_path = ifcfg_file_path.encode('utf-8')
    try:
        if os.path.isfile(ifcfg_file_path):
            os.remove(ifcfg_file_path)
    except Exception as e:
        wok_log.error('Failed to remove file %s. Error: %s'
                      % (ifcfg_file_path, e.message))
        raise OperationFailed('GS390XIONW004E',
                              {'ifcfg_file_path': ifcfg_file_path,
                               'device': interface,
                               'error': e.message})
    wok_log.info('successfully removed ifcfg file %s to unpersist '
                 'network device %s' % (ifcfg_file_path, interface))
开发者ID:kimchi-project,项目名称:gingers390x,代码行数:25,代码来源:nwdevices.py


示例12: _event_devices

    def _event_devices(self, conn, dom, alias, opaque):
        """
        Callback to handle add/remove devices event
        """
        if opaque._cb is None:
            wok_log.error('opaque must be valid')
            return

        wok_log.info('Device %s removed successfully' % alias)

        # Re-attach device to host if it's not managed mode
        if not opaque._managed:
            try:
                dev = conn.get().nodeDeviceLookupByName(alias)
                dev.reAttach()
            except libvirt.libvirtError as e:
                wok_log.error(
                    'Unable to attach device %s back to host. Error: %s', alias, str(
                        e)
                )
        else:
            wok_log.info(
                "Device %s was attached in 'managed' mode. "
                'Skipping re-attach().' % alias
            )

        opaque._cb('OK', True)
开发者ID:alinefm,项目名称:kimchi,代码行数:27,代码来源:vmhostdevs.py


示例13: upgrade_objectstore_data

def upgrade_objectstore_data(item, old_uri, new_uri):
    """
        Upgrade the value of a given JSON's item of all Template and VM entries
        of the objectstore from old_uri to new_uri.
    """
    total = 0
    try:
        conn = sqlite3.connect(config.get_object_store(), timeout=10)
        cursor = conn.cursor()
        sql = "SELECT id, json FROM objects WHERE type='template' OR type='vm'"
        cursor.execute(sql)
        for row in cursor.fetchall():
            # execute update here
            template = json.loads(row[1])
            path = template[item] if item in template else 'none'
            if path.startswith(old_uri):
                template[item] = new_uri + path
                sql = 'UPDATE objects SET json=?, version=? WHERE id=?'
                cursor.execute(
                    sql, (json.dumps(template),
                          config.get_kimchi_version(), row[0])
                )
                conn.commit()
                total += 1
    except sqlite3.Error as e:
        if conn:
            conn.rollback()
        wok_log.error('Error while upgrading objectstore data: %s', e.args[0])
        raise OperationFailed('KCHUTILS0006E')
    finally:
        if conn:
            conn.close()
        wok_log.info("%d '%s' entries upgraded in objectstore.", total, item)
开发者ID:alinefm,项目名称:kimchi,代码行数:33,代码来源:utils.py


示例14: _validate_device

def _validate_device(interface):
    """
    validate the device id. Valid device Ids should have
    <single digitnumber>.<single digitnumber>.<4 digit hexadecimalnumber>
    or <4 digit hexadecimal number>
    :param interface: device id
    """
    wok_log.info('Validating network interface %s' % interface)
    pattern_with_dot = r'^\d\.\d\.[0-9a-fA-F]{4}$'
    if interface and not str(interface).isspace():
        interface = str(interface).strip()
        if ENCCW in interface:
            interface = interface.strip(ENCCW)
        out = re.search(pattern_with_dot, interface)
        if out is None:
            wok_log.error("Invalid interface id. interface: %s" % interface)
            raise InvalidParameter("GS390XINVINPUT",
                                   {'reason': 'invalid interface id: %s'
                                              % interface})
        wok_log.info('Successfully validated network interface')
    else:
        wok_log.error("interface id is empty. interface: %s" % interface)
        raise InvalidParameter("GS390XINVINPUT",
                               {'reason': 'device id is required. '
                                          'device id: %s' % interface})
开发者ID:pawankg,项目名称:gingers390x,代码行数:25,代码来源:nwdevices.py


示例15: create_group

def create_group(groupname):
    """
    method to create user group
    :param groupname: non-empty string
    :return: group id(gid)
    """
    wok_log.info('in create_group() method. group name: %s' % groupname)
    if not isinstance(groupname, str) or not groupname.strip():
        wok_log.error('group name is not non-empty string. '
                      'group name %s' % groupname)
        raise InvalidParameter('GINUSER0014E',
                               {'group': groupname,
                                'err': 'see log for details'})
    adm = libuser.admin()
    if adm.lookupGroupByName(groupname):
        raise OperationFailed('GINUSER0018E', {'group': groupname})
    try:
        new_group = adm.initGroup(groupname)
        if new_group[libuser.GIDNUMBER][0] < 1000:
            new_group.set(libuser.GIDNUMBER, adm.getFirstUnusedGid(1000))
        adm.addGroup(new_group)
        wok_log.info('successfully created group. group name: %s.' % groupname)
        return new_group[libuser.GIDNUMBER][0]

    except Exception as e:
        raise OperationFailed('GINUSER0014E', {'group': groupname, 'err': e})
开发者ID:macressler,项目名称:ginger,代码行数:26,代码来源:users.py


示例16: _create_ifcfg_file

def _create_ifcfg_file(interface):
    """
    method to create ifcfg-enccw<device_id> file in
    /etc/sysconfig/network-scripts/ folder and change
    persmission of that file to 644 to be in sync with
    other files in directory

    :param interface: network device id
    :return: None
    """
    wok_log.info('creating ifcfg file for %s', interface)
    ifcfg_file_path = '/' + ifcfg_path.replace('<deviceid>', interface)
    try:
        ifcfg_file = open(ifcfg_file_path, 'w+')
        ifcfg_file.close()
        os.system('chmod 644 ' + ifcfg_file_path)
        wok_log.info('created file %s for network device %s'
                     % (ifcfg_file_path, interface))
    except Exception as e:
        wok_log.error('failed to create file %s for network device %s. '
                      'Error: %s' % (ifcfg_file_path, interface, e.__str__()))
        raise OperationFailed("GS390XIONW005E",
                              {'ifcfg_file_path': ifcfg_file_path,
                               'device': interface,
                               'error': e.__str__()})
开发者ID:pawankg,项目名称:gingers390x,代码行数:25,代码来源:nwdevices.py


示例17: delete_group

def delete_group(groupname):
    wok_log.info('in delete_group(). group name: %s' % groupname)
    if not isinstance(groupname, str) or not groupname.strip():
        wok_log.error('group name is not non-empty string. '
                      'group name %s' % groupname)
        raise InvalidParameter('GINUSER0012E',
                               {'group': groupname,
                                'err': 'see log for details'})
    adm = libuser.admin()
    group_id = int(get_group_gid(groupname))

    if group_id <= 1000:
        wok_log.error('Ignoring deletion of system group "%s" with gid %s'
                      % (groupname, group_id))
        return

    group_obj = adm.lookupGroupById(group_id)

    if not group_obj:
        wok_log.error('Could not locate group "%s" with gid %s'
                      % (groupname, group_id))
        return

    if not adm.enumerateUsersByGroup(groupname):
        # groups prepend with '%'
        if '%' + groupname in get_sudoers(admin_check=False):
            raise OperationFailed('GINUSER0017E', {'group': groupname})
        try:
            adm.deleteGroup(group_obj)
        except Exception as e:
            raise OperationFailed('GINUSER0012E',
                                  {'group': groupname, 'err': e.__str__()})

    wok_log.info('end of delete_group(). group name: %s' % groupname)
开发者ID:macressler,项目名称:ginger,代码行数:34,代码来源:users.py


示例18: update

 def update(self, name, params):
     """
     Modifies the rule.
     :param name: the existing rule.
     :param params: The dict of params for the new rule.
     :return: the new rule.
     """
     try:
         gingerAuditLock.acquire()
         if self.is_rule_exists(name):
             info = self.get_audit_rule_info(name)
             rule = RulesModel().construct_rules(params)
             if rule == name:
                 raise OperationFailed("GINAUD0034E", {"name": name})
             if info['loaded'] == 'yes':
                 RulesModel().create(params)
             if info['type'] == "Control Rule":
                 RulesModel().write_to_aucontrol_rules(rule)
             else:
                 RulesModel().write_to_audit_rules(rule)
             wok_log.info("Deleting the existing rule %s" % name)
             self.delete_rule(name)
             wok_log.info("The rule has been modified successfully.")
             return rule
         else:
             raise MissingParameter("GINAUD0010E", {"name": name})
     except MissingParameter:
         raise
     except OperationFailed:
         raise
     except Exception:
         raise OperationFailed("GINAUD0011E", {"name": name})
     finally:
         gingerAuditLock.release()
开发者ID:kimchi-project,项目名称:ginger,代码行数:34,代码来源:rules.py


示例19: lookup

 def lookup(self, name):
     """
     Gets list of all configured device info(dictionary) devices
     with name of device as key.
     If the list has the device lookup is looking for then returns
     the device info.
     Otherwise gets list of all un-configured device info devices
     with name of device as key.
     If the list has the device lookup is looking for then returns
     the device info.
     Otherwise raises InvalidParameter exception.
     :param name: name of device to lookup.
     :return: OSA device info if device found otherwise InvalidParameter
     """
     wok_log.info('Fetching attributes of network devices %s' % name)
     _validate_device(name)
     configured_devices = _get_configured_devices(key=UNIQUE_COL_NAME)
     device = configured_devices.get(name, None)
     if not device:
         unconfigured_devices = _get_unconfigured_devices(
             key=UNIQUE_COL_NAME)
         device = unconfigured_devices.get(name, None)
     if not device:
         wok_log.error('Given device is not of type OSA. Device: %s', name)
         raise InvalidParameter("GS390XINVINPUT",
                                {'reason': 'Given device is not of type '
                                           'OSA. Device: %s' % name})
     wok_log.info('Attributes of network devices %s: %s' % (name, device))
     return device
开发者ID:pawankg,项目名称:gingers390x,代码行数:29,代码来源:nwdevices.py


示例20: listen

    def listen(self):
        """Prepares the environment before starts to accept connections

        Initializes and destroy the resources needed to accept connection.
        """
        libvirt.virEventRegisterDefaultImpl()
        try:
            guest = LibvirtGuest(self._guest_name, self._uri, self.name)

        except Exception as e:
            wok_log.error(
                '[%s] Cannot open the guest %s due to %s',
                self.name,
                self._guest_name,
                str(e),
            )
            self._socket.close()
            sys.exit(1)

        except (KeyboardInterrupt, SystemExit):
            self._socket.close()
            sys.exit(1)

        console = None
        try:
            console = guest.get_console()
            if console is None:
                wok_log.error(
                    '[%s] Cannot get the console to %s', self.name, self._guest_name
                )
                return

            if not self._is_vm_listening_serial(console):
                sys.exit(1)

            self._listen(guest, console)

        # clear resources aquired when the process is killed
        except (KeyboardInterrupt, SystemExit):
            pass

        finally:
            wok_log.info(
                '[%s] Shutting down the socket server to %s console',
                self.name,
                self._guest_name,
            )
            self._socket.close()
            if os.path.exists(self._server_addr):
                os.unlink(self._server_addr)

            try:
                console.eventRemoveCallback()

            except Exception as e:
                wok_log.info(
                    '[%s] Callback is probably removed: %s', self.name, str(e))

            guest.close()
开发者ID:alinefm,项目名称:kimchi,代码行数:59,代码来源:serialconsole.py



注:本文中的wok.utils.wok_log.info函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
Python utils.xpath_get_text函数代码示例发布时间:2022-05-26
下一篇:
Python wok_log.error函数代码示例发布时间:2022-05-26
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap