8

データをパイプに入れるコードを書こうとしていますが、ソリューションをpython2.6+および3.xと互換性があるようにしたいと思います。例:

from __future__ import print_function

import subprocess
import sys

if(sys.version_info > (3,0)):
    print ("using python3")
    def raw_input(*prmpt):
        """in python3, input behaves like raw_input in python2"""
        return input(*prmpt)

class pipe(object):
    def __init__(self,openstr):
        self.gnuProcess=subprocess.Popen(openstr.split(),
                                         stdin=subprocess.PIPE)

    def putInPipe(self,mystr):
        print(mystr, file=self.gnuProcess.stdin)

if(__name__=="__main__"):
    print("This simple program just echoes what you say (control-d to exit)")
    p=pipe("cat -")
    while(True):
        try:
            inpt=raw_input()
        except EOFError:
            break
        print('putting in pipe:%s'%inpt)
        p.putInPipe(inpt)

上記のコードはPython2.6で動作しますが、Python 3.2では失敗します(上記のコードはほとんど2to3で生成されたものであることに注意してください。Python2.6と互換性を持たせるために少し混乱させました)。

Traceback (most recent call last):
  File "test.py", line 30, in <module>
   p.putInPipe(inpt)
  File "test.py", line 18, in putInPipe
   print(mystr, file=self.gnuProcess.stdin)
TypeError: 'str' does not support the buffer interface

ここで提案されているbytes関数(例:print(bytes(mystr、'ascii')))を試しましたが、 TypeError:'str'はバッファインターフェイスをサポートし ていませんが、機能していないようです。何か提案はありますか?

4

2 に答える 2

9

このprint関数は、引数を文字列表現に変換し、この文字列表現を指定されたファイルに出力します。文字列表現は常にstrPython2.xとPython3.xの両方のタイプです。Python 3.xでは、パイプはオブジェクトを受け入れるbytesかバッファリングするだけなので、これは機能しません。bytes(オブジェクトをに渡しても、printに変換されますstr。)

解決策は、代わりにメソッドを使用することですwrite()(そして書き込み後にフラッシュします):

self.gnuProcess.stdin.write(bytes(mystr + "\n", "ascii"))
self.gnuProcess.stdin.flush()
于 2011-05-11T14:49:34.540 に答える
0

しかし、python2はについて文句を言うでしょう

bytes("something", "ascii")

可変バイト配列を使用する場合、変更されていないpython2とpython3の両方で機能します

self.gnuProcess.stdin.write(bytearray(mystr + "\n", "ascii"))
self.gnuProcess.stdin.flush()
于 2015-03-22T15:04:37.440 に答える