0

我有一些 python 代码可能会导致除以 0,但它在 python (3.2) 解释器中正确运行。但是,如果我尝试使用 mod_wsgi 运行它,它只会挂起而不会出现错误,并且不会提供请求。

解释器中的警告(输出正确):pathwayAnalysis.py:30: RuntimeWarning: divide by zero encountered in double_scalars

有谁知道使用 mod_wsgi 运行它的正确方法是什么?

代码如下。差异和大小都是长度为 2 的 numpy 浮点数组。任何一个浮点数都difference可能为 0(但不能同时为 0)。在此之前添加difference += 0.0001使其正常运行,但不是一个好的解决方案,因为输出不准确:

if abs(difference[0] / difference[1]) > (size[0] / size[1]):
    ratio = abs(size[0] / difference[0])
else: ratio = abs(size[1] / difference[1])
for i in range(len(base)):
    result.append(base[i] + difference[i] * ratio/2)
return array(result)

执行以下操作不起作用:

try:
    cond = abs(difference[0] / difference[1]) > (size[0] / size[1])
except RuntimeWarning:
    cond = True
# hangs before this point
if cond:
    '''as above'''

一些测试代码(使用任一difference定义):

def application(environ, start_response):
    from numpy import array

    size = array([10., 10.])

    difference = array([115., 0.]) # hangs
    difference = array([115., 10.]) # returns page with text 'Yes.'

    if abs(difference[0]/difference[1]) > (size[0]/size[1]):
        output = 'Yes.'
    else:
        output = 'No.'

    status = '200 OK'

    response_headers = [('Content-type', 'text/plain'),\
        ('Content-Length', str(len(output)))]
    start_response(status, response_headers)

    return [output]
4

1 回答 1

1

一些使用 C 扩展模块的 Python 第三方包,包括 numpy,只能在 Python 主解释器中工作,不能在子解释器中使用,因为 mod_wsgi 默认使用。结果可能是线程死锁、不正确的行为或进程崩溃。这些在以下内容中有详细说明:

http://code.google.com/p/modwsgi/wiki/ApplicationIssues#Python_Simplified_GIL_State_API

解决方法是强制 WSGI 应用程序在进程的主解释器中运行,使用:

WSGIApplicationGroup %{GLOBAL}

如果在同一台服务器上运行多个 WSGI 应用程序,您可能希望开始使用守护程序模式进行调查,因为某些框架不允许多个实例在同一个解释器中运行。Django就是这种情况。因此使用守护进程模式,这样每个进程都在自己的进程中,并强制每个进程在各自的守护进程模式进程组的主解释器中运行。

于 2012-07-29T21:02:50.310 回答