TCL中的FIFO文件

时间:2015-03-11 11:25:41

标签: tcl hang fifo mkfifo gunzip

我需要在命名管道中解压缩文件返回它:

proc unzip_file_if_needed { fileName } {
    if { [file extension $fileName] != ".gz" } {
        return $fileName;
    }
    set tmpDir [fileutil::tempdir]
    set tmpFileName [ file join $tmpDir [ pid ] ]
    if { [file exists $tmpFileName ] } {
        file delete $tmpFileName
    }
    exec mkfifo $tmpFileName
    exec gunzip -c $fileName > $tmpFileName &
    return $tmpFileName
}

它坚持下去 exec gunzip -c $fileName > $tmpFileName &

2 个答案:

答案 0 :(得分:2)

问题是内核将在open()系统调用中阻塞,直到fifo以相反的方向打开,并且Tcl在分叉之前在父进程中创建重定向(因为这样可以更可靠正常情况下的错误处理)。您需要的目的是将O_NONBLOCK标记传递到open()系统调用,但exec命令不会让您控制它。所以需要一些技巧!

set fd [open $tmpFileName {WRONLY NONBLOCK}]
exec gunzip -c $fileName >@$fd &
close $fd

这可以通过手工执行open我们想要的标志(Tcl将它们映射到没有O_前缀),然后将该描述符传递给子进程。请注意,由于这是我们正在设置的管道的写入端,我们必须以WRONLY模式打开(这是open … w在封面下会做的事情,减去一些不适用于此处的旗帜,以及我们想要的魔法NONBLOCK

答案 1 :(得分:0)

我用这种方式解决了这个问题:

proc unzip_file_if_needed { fileName } {
    if { [file extension $fileName] != ".gz" } {
        return $fileName;
    }
    set tmpDir [fileutil::tempdir]
    set pId [pid]
    set tmpFileName [ file join $tmpDir pId ]
    set unzipCmd [ file join $tmpDir [ append pId "cmd.sh" ] ]
    if { [file exists $tmpFileName ] } {
        file delete $tmpFileName
    }

    if { [file exists $unzipCmd ] } {
        file delete $unzipCmd
    }

    set cmdDesc [open $unzipCmd { CREAT EXCL RDWR} 0777]
    puts $cmdDesc "\#!\/bin\/bash\n gunzip -c \$1 > \$2"
    close $cmdDesc

    exec mkfifo $tmpFileName
    exec $unzipCmd $fileName $tmpFileName >&@1 &

    return $tmpFileName
}