views:

3843

answers:

2

Is it possible for me to see the amount of processor usage (% of maximum) that the current, python, app is using?

Scenario: My host will allow me to run my app as long as it does not consume more then X% of the CPU power, so I would like it to 'keep an eye on itself' and slowdown. So how can I know how much CPU the app is using?

Target platform is *nix, however I would like to do it on a Win host also.

+3  A: 

The resource module provides getrusage which can give you the information you need, at least for Unix-like platforms.

Note that CPU usage as a percentage is always measured over a time interval. Essentially, it is the amount of time taken by your program doing something divided by the interval time.

For example, if your application takes 2 seconds of CPU time over a 5 second period, then it can be said to be using 40% of the CPU.

Note that this calculation, as simple as it seems, can get tricky when using a multiprocessor system. If your application uses 7 seconds of CPU time in 5 seconds of wall clock time on a two-processor system, do you say it is uses 140% or 70% CPU?

Update: As gimel mentions, the os.times function also provides this information in a platform-independent way. The above calculation notes still apply, of course.

Greg Hewgill
The problem I see with this is that this is more of a measure of how much CPU time, which although may be helpful, I don't think that it is going to help with this problem, because I need to know that right now appX is using 10% of the total CPU capacity.
Unkwntech
"Right now", every process uses 100% on a single processor system - there is only one process running at any point in time, and it is the one asking for its resource consumption. Take a snapshot of the rusage every second, and then compute how much CPU you have used in the last second.
Martin v. Löwis
+8  A: 
>>> import os
>>> os.times()
(1.296875, 0.765625, 0.0, 0.0, 0.0)
>>> print os.times.__doc__
times() -> (utime, stime, cutime, cstime, elapsed_time)

Return a tuple of floating point numbers indicating process times.

From the (2.5) manual:

times( )

Return a 5-tuple of floating point numbers indicating accumulated (processor or other) times, in seconds. The items are: user time, system time, children's user time, children's system time, and elapsed real time since a fixed point in the past, in that order. See the Unix manual page times(2) or the corresponding Windows Platform API documentation. Availability: Macintosh, Unix, Windows.

gimel