0

出于某种原因,我需要从 django 视图中检出源代码文件夹,为此我使用“Popen”。

一切正常,使用 django runserver 时效果很好

但是,在我将代码部署到 apache2 + wsgi 后,Popen 无法正常工作。它总是在命令实际完成之前返回。它也不会抛出错误,它只是抛出不完整的输出,我检查了签出的文件夹,它们也不完整。

整个 svn check out 过程大约需要 5-6 秒,标准输出相当大(大约 3000 个字符)。

我知道有一个 pysvn 库,但似乎很难在过时的 ubuntu 服务器上安装它。

基本上这是我现在唯一被卡住的事情。

我用来调用结帐的代码如下:

def run_cmd(argument_list, output_file = None):
    print "arguments", argument_list
    p = subprocess.Popen(argument_list, stdout=subprocess.PIPE)

    content = ""
    while True:
        line = p.stdout.read(50)

        if not line:
            break

        content += line

    if output_file:
        fout = file(output_file, "w")
        fout.write(content)
        fout.close()

    return content


output = run_cmd(["/usr/bin/svn", "--ignore-externals", "co", svn_url, src_folder] )

以下是一些可能有用的信息:

  1. 要签出的文件数量:大约 3000
  2. 签出所需时间:大约 5-6 秒(仅基于文件的 SVN 位置)
  3. 蟒蛇版本:2.6.4
  4. django 版本:1.1.2
  5. mod wsgi 版本:3.3

我已经坚持了几个小时,非常感谢任何提示!

谢谢。

4

1 回答 1

1

好的,今天又挣扎了3个小时。我终于解决了这个问题。

这是发生了什么,wsgi & popen 实际上很好,真正的问题是一些用于签出的源代码文件实际上有特殊字符,并且会破坏 svn 签出过程(出现以下错误)

svn:无法将字符串从“UTF-8”转换为本机编码

wsgi 和控制台对 LC_LANG 有不同的值,这就解释了 runserver 和 wsgi 之间的不同行为。

最后,我通过修改'/etc/apache2/envars'的文件解决了这个问题,并取消了以下行的注释:

. /etc/default/locale

请注意,您必须通过 'apache2ctl stop' 和 'apache2ctl start' 而不是 'apache2ctl restart' 重新启动服务器,才能使设置生效。

我实际上使用pexpect来找出问题,但后来又回到了 Popen,因为明显的延迟问题。

这是我的 run_cmd 的最终代码,希望它可以在将来对其他人有所帮助:

def run_cmd(argument_list, output_file = None):
    print "arguments", argument_list


    #command = " ".join(argument_list)
    #content = pexpect.run(command)
    #if output_file:
        #fout = file(output_file, "w")
        #fout.write(content)
        #fout.close
    #return content

    p = subprocess.Popen(argument_list, bufsize=50, stderr=subprocess.STDOUT, stdout=subprocess.PIPE) #showed error message as well

    content = ""
    while True:
        line = p.stdout.read(50)

        if not line:
            break

        content += line

    #raise Exception(content)   #for debug

    if output_file:
        fout = file(output_file, "w")
        fout.write(content)
        fout.close()

    return content
于 2012-07-21T09:39:19.863 回答