0

我想从 Python 脚本创建一个 RAR 文件。我需要与 Rar.exe 通信,因为我只想要多卷存档集中的第一个 RAR 卷,仅此而已。确保在每卷后都会询问该-vp开关。Create next volume ? [Y]es, [N]o, [A]ll第一次出现这个问题时,我想回答“否”。我该如何做到这一点?

我一直在阅读并尝试了很多东西,我发现这样的事情可以用pexpect来完成。我一直在尝试两种不同的 Windows 端口:wexpectwinpexpect。结果是我的脚本会挂起。没有创建 RAR 文件。这是我的代码:

import wexpect
import sys

rarexe = "C:\Program Files\WinRAR\Rar.exe"
args = ['a', '-vp', '-v2000000b', 'only_first.rar', 'a_big_file.ext']

child = wexpect.spawn(rarexe, args)
child.logfile = sys.stdout
index = child.expect(["Create next volume ? [Y]es, [N]o, [A]ll", 
        wexpect.EOF, wexpect.TIMEOUT], timeout=10)
if index == 0:
     child.sendline("N")
else:
     print('error')

也欢迎其他方法。

4

2 回答 2

0

我遇到了同样的问题,因为网络上有几个(错误的)版本的 wexpect。

查看我的变体,它是一个实例的副本,它对我有用。

这可以使用安装

pip install wexpect

于 2019-04-29T13:09:10.313 回答
0

我的问题的答案有两个部分。

正如 betontalpfa 所指出的,我必须使用他的 wexpect 版本。它可以轻松安装:

pip install wexpect

Pexpectexpect_exact文档解释说它在列表中使用纯字符串匹配而不是编译的正则表达式模式。这意味着必须正确转义参数或必须使用方法而不是. 它给了我这个工作代码:expect_exactexpect

import wexpect
import sys

rarexe = "C:\Program Files\WinRAR\Rar.exe"
args = ['a', '-vp', '-v2000000b', 'only_first.rar', 'a_big_file.ext']

child = wexpect.spawn(rarexe, args)
# child.logfile = sys.stdout
rar_prompts = [
        "Create next volume \? \[Y\]es, \[N\]o, \[A\]ll",
        "\[Y\]es, \[N\]o, \[A\]ll, n\[E\]ver, \[R\]ename, \[Q\]uit",
        wexpect.EOF, wexpect.TIMEOUT]
index = child.expect(rar_prompts, timeout=8)

while index < 2:
        # print(child.before)
        if index == 0:
                print("No next volume")
                child.sendline("N")
        elif index == 1:
                print("Overwriting existing volume")
                child.sendline("Y")
        index = child.expect(rar_prompts, timeout=8)
else:
        print('Index: %d' % index)
        if index == 2:
                print("Success!")
        else:
                print("Time out!")

输出给出:

Overwriting existing volume
No next volume
Index: 2
Success!
于 2019-08-15T22:07:34.017 回答