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

Python log.warn函数代码示例

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

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



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

示例1: _create_image_from_ebs

 def _create_image_from_ebs(self, size=15):
     log.info("Creating new EBS AMI...")
     imgid = self.ec2.create_image(self.host.id, self.name, self.description)
     img = self.ec2.get_image(imgid)
     log.info("New EBS AMI created: %s" % imgid)
     root_dev = self.host.root_device_name
     if root_dev in self.host.block_device_mapping:
         log.info("Fetching block device mapping for %s" % imgid, extra=dict(__nonewline__=True))
         s = Spinner()
         try:
             s.start()
             while root_dev not in img.block_device_mapping:
                 img = self.ec2.get_image(imgid)
                 time.sleep(5)
         finally:
             s.stop()
         snapshot_id = img.block_device_mapping[root_dev].snapshot_id
         snap = self.ec2.get_snapshot(snapshot_id)
         self.ec2.wait_for_snapshot(snap)
     else:
         log.warn("Unable to find root device - cant wait for snapshot")
     log.info("Waiting for %s to become available..." % imgid, extra=dict(__nonewline__=True))
     s = Spinner()
     try:
         s.start()
         while img.state == "pending":
             time.sleep(15)
             if img.update() == "failed":
                 raise exception.AWSError("EBS image creation failed for %s" % imgid)
     finally:
         s.stop()
     return imgid
开发者ID:lstewart-git,项目名称:StarCluster,代码行数:32,代码来源:image.py


示例2: _eval_add_node

 def _eval_add_node(self):
     """
     This function inspects the current state of the SGE queue and decides
     whether or not to add nodes to the cluster. Returns the number of nodes
     to add.
     """
     num_nodes = len(self._cluster.nodes)
     if num_nodes >= self.max_nodes:
         log.info("Not adding nodes: already at or above maximum (%d)" %
                  self.max_nodes)
         return
     queued_jobs = self.stat.get_queued_jobs()
     if not queued_jobs and num_nodes >= self.min_nodes:
         log.info("Not adding nodes: at or above minimum nodes "
                  "and no queued jobs...")
         return
     total_slots = self.stat.count_total_slots()
     if not self.has_cluster_stabilized() and total_slots > 0:
         return
     running_jobs = self.stat.get_running_jobs()
     used_slots = sum([int(j['slots']) for j in running_jobs])
     qw_slots = sum([int(j['slots']) for j in queued_jobs])
     slots_per_host = self.stat.slots_per_host()
     avail_slots = total_slots - used_slots
     need_to_add = 0
     if num_nodes < self.min_nodes:
         log.info("Adding node: below minimum (%d)" % self.min_nodes)
         need_to_add = self.min_nodes - num_nodes
     elif total_slots == 0:
         # no slots, add one now
         need_to_add = 1
     elif qw_slots > avail_slots:
         log.info("Queued jobs need more slots (%d) than available (%d)" %
                  (qw_slots, avail_slots))
         oldest_job_dt = self.stat.oldest_queued_job_age()
         now = self.get_remote_time()
         age_delta = now - oldest_job_dt
         if age_delta.seconds > self.longest_allowed_queue_time:
             log.info("A job has been waiting for %d seconds "
                      "longer than max: %d" %
                      (age_delta.seconds, self.longest_allowed_queue_time))
             if slots_per_host != 0:
                 need_to_add = qw_slots / slots_per_host
             else:
                 need_to_add = 1
         else:
             log.info("No queued jobs older than %d seconds" %
                      self.longest_allowed_queue_time)
     max_add = self.max_nodes - len(self._cluster.running_nodes)
     need_to_add = min(self.add_nodes_per_iteration, need_to_add, max_add)
     if need_to_add > 0:
         log.warn("Adding %d nodes at %s" %
                  (need_to_add, str(utils.get_utc_now())))
         try:
             self._cluster.add_nodes(need_to_add)
             self.__last_cluster_mod_time = utils.get_utc_now()
             log.info("Done adding nodes at %s" %
                      str(self.__last_cluster_mod_time))
         except Exception:
             log.error("Failed to add new host", exc_info=True)
开发者ID:ricrogz,项目名称:StarCluster,代码行数:60,代码来源:__init__.py


示例3: _eval_remove_node

 def _eval_remove_node(self):
     """
     This function uses the sge stats to decide whether or not to
     remove a node from the cluster.
     """
     qlen = len(self.stat.get_queued_jobs())
     if qlen != 0:
         return
     if not self.has_cluster_stabilized():
         return
     num_nodes = len(self._cluster.nodes)
     if num_nodes <= self.min_nodes:
         log.info("Not removing nodes: already at or below minimum (%d)"
                  % self.min_nodes)
         return
     max_remove = num_nodes - self.min_nodes
     log.info("Looking for nodes to remove...")
     remove_nodes = self._find_nodes_for_removal(max_remove=max_remove)
     if not remove_nodes:
         log.info("No nodes can be removed at this time")
     for node in remove_nodes:
         if node.update() != "running":
             log.error("Node %s is already dead - not removing" %
                       node.alias)
             continue
         log.warn("Removing %s: %s (%s)" %
                  (node.alias, node.id, node.dns_name))
         try:
             self._cluster.remove_node(node)
             self.__last_cluster_mod_time = utils.get_utc_now()
         except Exception:
             log.error("Failed to remove node %s" % node.alias,
                       exc_info=True)
开发者ID:ricrogz,项目名称:StarCluster,代码行数:33,代码来源:__init__.py


示例4: copy_remote_file_to_nodes

    def copy_remote_file_to_nodes(self, remote_file, nodes, dest=None):
        """
        Copies a remote file from this Node instance to another Node instance
        without passwordless ssh between the two.

        dest - path to store the data in on the node (defaults to remote_file)
        """
        if not dest:
            dest = remote_file
        rf = self.ssh.remote_file(remote_file, 'r')
        sts = rf.stat()
        mode = stat.S_IMODE(sts.st_mode)
        uid = sts.st_uid
        gid = sts.st_gid
        rf.close()
        with tempfile.NamedTemporaryFile(
                prefix=os.path.basename(remote_file) + "_") as f:
            self.ssh.get(remote_file, f.name)
            for node in nodes:
                if self.id == node.id and remote_file == dest:
                    log.warn("src and destination are the same: %s, skipping" %
                             remote_file)
                    continue
                node.ssh.put(f.name, dest)
                nrf = node.ssh.remote_file(dest, 'a')
                nrf.chown(uid, gid)
                nrf.chmod(mode)
                nrf.close()
开发者ID:cariaso,项目名称:StarCluster,代码行数:28,代码来源:node.py


示例5: execute

 def execute(self, args):
     if not args:
         self.parser.error("please specify a cluster")
     for cluster_name in args:
         cl = self.cm.get_cluster(cluster_name)
         is_ebs = cl.is_ebs_cluster()
         if not self.opts.confirm:
             action = "Terminate"
             if is_ebs:
                 action = "Stop EBS"
                 if cl.spot_bid:
                     action = "Terminate Spot EBS"
             resp = raw_input("%s cluster %s (y/n)? " %
                              (action, cluster_name))
             if resp not in ['y', 'Y', 'yes']:
                 log.info("Aborting...")
                 continue
         cl.stop_cluster()
         if is_ebs and cl._nodes:
             log.warn(("All EBS-backed nodes in '%s' are now in a " + \
                       "'stopped' state") % cluster_name)
             log.warn("You can restart this cluster by passing -x " + \
                      "to the 'start' command")
             log.warn("Use the 'terminate' command to *completely* " + \
                      "terminate this cluster")
             log.warn("NOTE: Unless EBS-backed nodes are in a " + \
                      "'running' or 'terminated'")
             log.warn("state, you are charged for the EBS volumes " + \
                      "backing the nodes.")
开发者ID:agua,项目名称:StarCluster,代码行数:29,代码来源:stop.py


示例6: copy_remote_file_to_nodes

    def copy_remote_file_to_nodes(self, remote_file, nodes, dest=None):
        """
        Copies a remote file from this Node instance to another Node instance
        without passwordless ssh between the two.

        dest - path to store the data in on the node (defaults to remote_file)
        """
        if not dest:
            dest = remote_file
        rf = self.ssh.remote_file(remote_file, 'r')
        contents = rf.read()
        sts = rf.stat()
        mode = stat.S_IMODE(sts.st_mode)
        uid = sts.st_uid
        gid = sts.st_gid
        rf.close()
        for node in nodes:
            if self.id == node.id and remote_file == dest:
                log.warn("src and destination are the same: %s, skipping" %
                         remote_file)
                continue
            nrf = node.ssh.remote_file(dest, 'w')
            nrf.write(contents)
            nrf.chown(uid, gid)
            nrf.chmod(mode)
            nrf.close()
开发者ID:ZhuJiahui,项目名称:StarCluster,代码行数:26,代码来源:node.py


示例7: run

    def run(self, nodes, master, user, user_shell, volumes):
        self._master = master
        self._new_security_group = master.cluster_groups[0].id


        log.info("Configuring RAID")

        # do a suitable check for lvm2
        needs_lvm2 = True
        if needs_lvm2:
            try:
                node.ssh.execute("echo 'APT::Periodic::Enable \"0\";' >> /etc/apt/apt.conf.d/10periodic")
            except Exception, e:
                print e
                log.warn(e)

            # Ubuntu 16 has a very stupid new default
            # https://github.com/geerlingguy/packer-ubuntu-1604/issues/3#issue-154560190
            try:
                log.info("killing any running apt-get")
                node.ssh.execute("killall apt-get")
                node.ssh.execute("dpkg --configure -a")
                node.ssh.execute("apt-get update")
                node.ssh.execute("apt-get upgrade")
                log.info("clean kill")
            except Exception, e:
                log.info("not a clean kill")
                print e
                log.warn(e)
开发者ID:cariaso,项目名称:StarCluster,代码行数:29,代码来源:raid.py


示例8: _validate_zone

 def _validate_zone(self, zone):
     z = self.ec2.get_zone_or_none(zone)
     if not z:
         raise exception.ValidationError(
             'zone %s does not exist' % zone)
     if z.state != 'available':
         log.warn('zone %s is not available at this time' % zone)
     return True
开发者ID:godber,项目名称:StarCluster,代码行数:8,代码来源:volume.py


示例9: _get_ipcluster_plugin

 def _get_ipcluster_plugin(self, node):
     ipyversion = self._get_ipy_version(node)
     if ipyversion < '0.11':
         if not ipyversion.startswith('0.10'):
             log.warn("Trying unsupported IPython version %s" % ipyversion)
         return IPCluster10()
     else:
         return IPCluster11(self.enable_notebook, self.notebook_passwd)
开发者ID:00gavin,项目名称:StarCluster,代码行数:8,代码来源:ipcluster.py


示例10: _validate_zone

 def _validate_zone(self):
     availability_zone = self.availability_zone
     if availability_zone:
         zone = self.ec2.get_zone(availability_zone)
         if not zone:
             raise exception.ClusterValidationError("availability_zone = %s does not exist" % availability_zone)
         if zone.state != "available":
             log.warn("The availability_zone = %s " % zone + "is not available at this time")
     return True
开发者ID:samof76,项目名称:StarCluster,代码行数:9,代码来源:cluster.py


示例11: _has_all_required_settings

 def _has_all_required_settings(self):
     has_all_required = True
     for opt in self.__cluster_settings:
         requirements = self.__cluster_settings[opt]
         name = opt
         required = requirements[1]
         if required and self.get(name.lower()) is None:
             log.warn("Missing required setting %s" % name)
             has_all_required = False
     return has_all_required
开发者ID:samof76,项目名称:StarCluster,代码行数:10,代码来源:cluster.py


示例12: __init__

    def __init__(self,
                 host,
                 username = None,
                 password = None,
                 private_key = None,
                 private_key_pass = None,
                 port = 22,
                 timeout=30,
                 ):
        self._timeout = timeout
        self._sftp_live = False
        self._sftp = None
        if not username:
            username = os.environ['LOGNAME']

        # Log to a temporary file.
        templog = tempfile.mkstemp('.txt', 'ssh-')[1]
        paramiko.util.log_to_file(templog)

        # Begin the SSH transport.
        self._transport_live = False
        try:
            sock = self._get_socket(host, port)
            self._transport = paramiko.Transport(sock)
            self._transport.banner_timeout = self._timeout
        except socket.error:
            raise exception.SSHConnectionError(host, port)
        self._transport_live = True
        # Authenticate the transport.
        if password:
            # Using Password.
            try:
                self._transport.connect(username = username, password = password)
            except paramiko.AuthenticationException:
                raise exception.SSHAuthException(username,host)
        elif private_key:
            # Use Private Key.
            pkey = None
            log.debug('private key specified')
            if private_key.endswith('rsa') or private_key.count('rsa'):
                pkey = self._load_rsa_key(private_key, private_key_pass)
            elif private_key.endswith('dsa') or private_key.count('dsa'):
                pkey = self._load_dsa_key(private_key, private_key_pass)
            else:
                log.warn("specified key does not end in either rsa or dsa, trying both")
                pkey = self._load_rsa_key(private_key, private_key_pass)
                if pkey is None:
                    pkey = self._load_dsa_key(private_key, private_key_pass)
            try:
                self._transport.connect(username = username, pkey = pkey)
            except paramiko.AuthenticationException:
                raise exception.SSHAuthException(username, host)
            except paramiko.SSHException,e:
                msg = e.args[0]
                raise exception.SSHError(msg)
开发者ID:fcr,项目名称:StarCluster,代码行数:55,代码来源:ssh.py


示例13: _eval_add_node

    def _eval_add_node(self):
        """
        This function uses the metrics available to it to decide whether to
        add a new node to the cluster or not. It isn't able to add a node yet.
        TODO: See if the recent jobs have taken more than 5 minutes (how
        long it takes to start an instance)
        """
        if len(self.stat.hosts) >= self.max_nodes:
            log.info("Not adding nodes: already at or above maximum (%d)" %
                     self.max_nodes)
            return
        need_to_add = 0
	total_slots_required=0 
	qjobs =self.stat.get_queued_jobs()
	for q in qjobs:
		total_slots_required =  total_slots_required +int(q['slots']) 
        qlen = len(self.stat.get_queued_jobs())
        sph = self.stat.slots_per_host()
        ts = self.stat.count_total_slots()
        num_exec_hosts = len(self.stat.hosts)
        #calculate estimated time to completion
        ettc = 0
        if num_exec_hosts > 0:
            #calculate job duration
            avg_duration = self.stat.avg_job_duration()
            ettc = avg_duration * total_slots_required / num_exec_hosts
        if total_slots_required > ts:
            if not self.has_cluster_stabilized():
                return
            #there are more jobs queued than will be consumed with one
            #cycle of job processing from all nodes
            oldest_job_dt = self.stat.oldest_queued_job_age()
            now = self.get_remote_time()
            age_delta = now - oldest_job_dt
            if age_delta.seconds > self.longest_allowed_queue_time:
                log.info("A job has been waiting for %d sec, longer than "
                         "max %d" % (age_delta.seconds,
                                     self.longest_allowed_queue_time))
                need_to_add = total_slots_required / sph if sph != 0 else 1
                if 0 < ettc < 600 and not self.stat.on_first_job():
                    log.warn("There is a possibility that the job queue is"
                             " shorter than 10 minutes in duration")
        max_add = self.max_nodes - len(self._cluster.running_nodes)
        need_to_add = min(self.add_nodes_per_iteration, need_to_add, max_add)
        if need_to_add > 0:
            log.warn("Adding %d nodes at %s" %
                     (need_to_add, str(datetime.datetime.utcnow())))
            try:
                self._cluster.add_nodes(need_to_add)
                self.__last_cluster_mod_time = datetime.datetime.utcnow()
                log.info("Done adding nodes at %s" %
                         str(datetime.datetime.utcnow()))
            except Exception:
                log.error("Failed to add new host")
                log.debug(traceback.format_exc())
开发者ID:aaravindanarun,项目名称:random_bits,代码行数:55,代码来源:balancers.py


示例14: _eval_add_node

 def _eval_add_node(self):
     """
     This function uses the metrics available to it to decide whether to
     add a new node to the cluster or not. It isn't able to add a node yet.
     TODO: See if the recent jobs have taken more than 5 minutes (how
     long it takes to start an instance)
     """
     need_to_add = 0
     if len(self.stat.hosts) >= self.max_nodes:
         log.info("Won't add another host, currently at max (%d)." % \
                self.max_nodes)
         return 0
     qlen = len(self.stat.get_queued_jobs())
     sph = self.stat.slots_per_host()
     ts = self.stat.count_total_slots()
     #calculate job duration
     avg_duration = self.stat.avg_job_duration()
     #calculate estimated time to completion
     ettc = avg_duration * qlen / len(self.stat.hosts)
     if qlen > ts:
         now = datetime.datetime.utcnow()
         if (now - self.__last_cluster_mod_time).seconds < \
         self.stabilization_time:
             log.info("Cluster change made less than %d seconds ago (%s)."
                     % (self.stabilization_time,
                        self.__last_cluster_mod_time))
             log.info("Not changing cluster size until cluster stabilizes.")
             return 0
         #there are more jobs queued than will be consumed with one
         #cycle of job processing from all nodes
         oldest_job_dt = self.stat.oldest_queued_job_age()
         now = self.get_remote_time()
         age_delta = now - oldest_job_dt
         if age_delta.seconds > self.longest_allowed_queue_time:
             log.info("A job has been waiting for %d sec, longer than " \
                      "max %d." % (age_delta.seconds,
                         self.longest_allowed_queue_time))
             need_to_add = qlen / sph
             if ettc < 600 and not self.stat.on_first_job():
                 log.warn("There is a possibility that the job queue is" + \
                          " shorter than 10 minutes in duration.")
                 #need_to_add = 0
     if need_to_add > 0:
         need_to_add = min(self.add_nodes_per_iteration, need_to_add)
         log.info("*** ADDING %d NODES." % need_to_add)
         try:
             self._cluster.add_nodes(need_to_add)
         except Exception:
             log.error("Failed to add new host.")
             log.debug(traceback.format_exc())
             return -1
         self.__last_cluster_mod_time = datetime.datetime.utcnow()
         log.info("Done adding nodes.")
     return need_to_add
开发者ID:godber,项目名称:StarCluster,代码行数:54,代码来源:__init__.py


示例15: get_qatime

 def get_qatime(self, now):
     """
     this function takes the lookback window and creates a string
     representation of the past few hours, to feed to qacct to
     limit the data set qacct returns.
     """
     if self.lookback_window > 24 or self.lookback_window < 1:
         log.warn("Lookback window %d out of range (1-24). Not recommended."
                  % self.lookback_window)
     now = now - datetime.timedelta(hours=self.lookback_window)
     str = now.strftime("%Y%m%d%H%M")
     return str
开发者ID:godber,项目名称:StarCluster,代码行数:12,代码来源:__init__.py


示例16: shell

 def shell(self, user=None, forward_x11=False, forward_agent=False,
           command=None):
     """
     Attempts to launch an interactive shell by first trying the system's
     ssh client. If the system does not have the ssh command it falls back
     to a pure-python ssh shell.
     """
     if self.update() != 'running':
         try:
             alias = self.alias
         except exception.BaseException:
             alias = None
         label = 'instance'
         if alias == "master":
             label = "master"
             alias = "node"
         elif alias:
             label = "node"
         instance_id = alias or self.id
         raise exception.InstanceNotRunning(instance_id, self.state,
                                            label=label)
     user = user or self.user
     if utils.has_required(['ssh']):
         log.debug("Using native OpenSSH client")
         sshopts = '-i %s' % self.key_location
         if forward_x11:
             sshopts += ' -Y'
         if forward_agent:
             sshopts += ' -A'
         ssh_cmd = static.SSH_TEMPLATE % dict(opts=sshopts, user=user,
                                              host=self.dns_name)
         if command:
             command = "'source /etc/profile && %s'" % command
             ssh_cmd = ' '.join([ssh_cmd, command])
         log.debug("ssh_cmd: %s" % ssh_cmd)
         return subprocess.call(ssh_cmd, shell=True)
     else:
         log.debug("Using Pure-Python SSH client")
         if forward_x11:
             log.warn("X11 Forwarding not available in Python SSH client")
         if forward_agent:
             log.warn("Authentication agent forwarding not available in " +
                      "Python SSH client")
         if command:
             orig_user = self.ssh.get_current_user()
             self.ssh.switch_user(user)
             self.ssh.execute(command, silent=False)
             self.ssh.switch_user(orig_user)
             return self.ssh.get_last_status()
         self.ssh.interactive_shell(user=user)
开发者ID:ZhuJiahui,项目名称:StarCluster,代码行数:50,代码来源:node.py


示例17: get_settings_from_env

 def get_settings_from_env(self, settings):
     """
     Returns AWS credentials defined in the user's shell
     environment.
     """
     found = {}
     for key in settings:
         if key.upper() in os.environ:
             log.warn("Setting '%s' from environment..." % key.upper())
             found[key] = os.environ.get(key.upper())
         elif key in os.environ:
             log.warn("Setting '%s' from environment..." % key)
             found[key] = os.environ.get(key)
     return found
开发者ID:ricrogz,项目名称:StarCluster,代码行数:14,代码来源:config.py


示例18: root_device_name

 def root_device_name(self):
     root_dev = self.instance.root_device_name
     bmap = self.block_device_mapping
     if bmap and root_dev not in bmap and self.is_ebs_backed():
         # Hack for misconfigured AMIs (e.g. CentOS 6.3 Marketplace) These
         # AMIs have root device name set to /dev/sda1 but no /dev/sda1 in
         # block device map - only /dev/sda. These AMIs somehow magically
         # work so check if /dev/sda exists and return that instead to
         # prevent detach_external_volumes() from trying to detach the root
         # volume on these AMIs.
         log.warn("Root device %s is not in the block device map" %
                  root_dev)
         log.warn("This means the AMI was registered with either "
                  "an incorrect root device name or an incorrect block "
                  "device mapping")
         sda, sda1 = '/dev/sda', '/dev/sda1'
         if root_dev == sda1:
             log.info("Searching for possible root device: %s" % sda)
             if sda in self.block_device_mapping:
                 log.warn("Found '%s' - assuming its the real root device" %
                          sda)
                 root_dev = sda
             else:
                 log.warn("Device %s isn't in the block device map either" %
                          sda)
     return root_dev
开发者ID:ZhuJiahui,项目名称:StarCluster,代码行数:26,代码来源:node.py


示例19: _warn_about_volume_hosts

 def _warn_about_volume_hosts(self):
     sg = self.cluster_group
     vol_hosts = filter(lambda x: x.state in ['running', 'pending'],
                        sg.instances())
     vol_hosts = map(lambda x: x.id, vol_hosts)
     if vol_hosts:
         log.warn("There are still volume hosts running: %s" % \
                  ', '.join(vol_hosts))
         log.warn(("Run 'starcluster terminate %s' to terminate *all* " + \
                  "volume host instances once they're no longer needed") % \
                  static.VOLUME_GROUP_NAME)
     else:
         log.info("No active volume hosts found. Run 'starcluster " + \
                  "terminate %(g)s' to remove the '%(g)s' group" % \
                  {'g': static.VOLUME_GROUP_NAME})
开发者ID:godber,项目名称:StarCluster,代码行数:15,代码来源:volume.py


示例20: _add_to_known_hosts

 def _add_to_known_hosts(self, node):
     log.info("Configuring local known_hosts file")
     user_home = os.path.expanduser("~")
     khosts = os.path.join(user_home, ".ssh", "known_hosts")
     if not os.path.isfile(khosts):
         log.warn("Unable to configure known_hosts: file does not exist")
         return
     contents = open(khosts).read()
     if node.dns_name not in contents:
         server_pkey = node.ssh.get_server_public_key()
         khostsf = open(khosts, "a")
         if contents[-1] != "\n":
             khostsf.write("\n")
         name_entry = "%s,%s" % (node.dns_name, node.ip_address)
         khostsf.write(" ".join([name_entry, server_pkey.get_name(), base64.b64encode(str(server_pkey)), "\n"]))
         khostsf.close()
开发者ID:aojs53,项目名称:StarCluster-OpenStack-Port,代码行数:16,代码来源:shell.py



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


鲜花

握手

雷人

路过

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

请发表评论

全部评论

专题导读
上一篇:
Python starflyer.redirect函数代码示例发布时间:2022-05-27
下一篇:
Python log.info函数代码示例发布时间:2022-05-27
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

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

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

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