1

经过多次尝试,此代码仍然失败。我想要做的是将“cpu stats”作为 JSON 发送到服务器。问题是,仅 cpustats 就可以了 - 只有 1 个具有不同 cpupercentages 的命名元组 - 用户、空闲等。但是“percpu”返回每个 cpu 的命名元组(用户、空闲等)的列表。所以我无法将列表转换为字典。我正在尝试遍历列表,然后将每个 namedtuple 发送到服务器。(供参考 - 我使用的是 2.7.5)。该脚本运行良好,无需尝试循环和尝试/除 - 它返回“200 OK”。但是现在当我运行它时,它甚至不会返回错误,任何响应消息/状态。就好像脚本只是绕过了整个 try/except 块。只是最后的“打印 cpuStats”行按应有的方式提供。

    import psutil 
    import socket
    import time
    import sample
    import json
    import httplib
    import urllib

    serverHost = sample.host
    port = sample.port

    thisClient = socket.gethostname()
    currentTime = int(time.time())
    s = socket.socket()
    s.connect((serverHost,port))

    cpuStats = psutil.cpu_times_percent(percpu=True)
    print cpuStats
    def loop_thru_cpus():

       for i in cpuStats:

         cpuStats = cpuStats[i]
         cpuStats = json.dumps(cpuStats._asdict())

         try:

             command = 'put cpu.usr ' + str(currentTime) + " " + str(cpuStats[0]) + "host ="+  thisClient+ "/n"
             s.sendall(command)
             command = 'put cpu.nice ' + str(currentTime) + " " + str(cpuStats[1]) + "host ="+ thisClient+ "/n"
             s.sendall(command)
             command = 'put cpu.sys ' + str(currentTime) + " " + str(cpuStats[2]) + "host ="+ thisClient+ "/n"
             s.sendall(command)
             command = 'put cpu.idle ' + str(currentTime) + " " + str(cpuStats[3]) + "host ="+ thisClient+ "/n"
             s.sendall(command)

             params = urllib.urlencode({'cpuStats': cpuStats, 'thisClient': 1234})
             headers = httplib.HTTPConnection(serverHost, port)
             conn.request("POST", "", params, headers)
             response = conn.response()
         print response.status, response.reason

    except IndexError:
            break

        i = i+1

    s.close()
4

1 回答 1

1

代替:

def loop_thru_cpus():
   for i in cpuStats:
     cpuStats = cpuStats[i]
     cpuStats = json.dumps(cpuStats._asdict())   
     ...  
     i = i+1

尝试:

def loop_thru_cpus():
   for stat in cpuStats:
       stat = json.dumps(stat._asdict())     

当你说

for i in cpuStats:

i取值来自cpuStatsi在这种情况下不是整数。所以i = i+1没有意义。


cpuStats = cpuStats[i]

这可能引发了 IndexError (因为i不是整数),但由于某种原因,您没有看到引发的异常。

另请注意,您在cpuStats这里重新定义,这可能不是您想要做的。


您的代码中可能确实存在缩进错误。运行您通过cat -A显示选项卡发布的代码(如下所示^I):

             try:$
^I        $
                 command = 'put cpu.usr ' + str(currentTime) + " " + str(cpuStats[0]) + "host ="+  thisClient+ "/n"$
...
                 params = urllib.urlencode({'cpuStats': cpuStats, 'thisClient': 1234})$
...
^I         print response.status, response.reason$
$
^I    except IndexError:$
                break$

您不能在 Python 代码中混合使用制表符和空格以及缩进。使用其中一种。PEP8 样式指南(以及您在网上看到的大多数代码)使用 4 个空格。混合制表符和空格通常会导致 IndentationError,但有时您不会收到错误,而只是代码以意想不到的方式运行。因此(如果使用 4 个空格约定)请小心使用在按下 tab 键时添加 4 个空格的编辑器。

由于您没有看到 IndexError,因此您可能也没有看到本应发生的 IndentationError。你究竟是如何解决这个问题的?

于 2013-09-10T22:10:43.393 回答