猿问

在bash管道中的ffmpeg

我有一个rmvb文件路径列表,并且想要将此文件转换为mp4文件。因此,我希望使用bash管道来处理它。该代码是


Convert() {

    ffmpeg -i "$1" -vcodec mpeg4 -sameq -acodec aac -strict experimental "$1.mp4"

}


Convert_loop(){

    while read line; do

       Convert $line

    done

}


cat list.txt | Convert_loop

但是,它仅处理第一个文件,并且管道退出。


那么,ffmpeg是否会影响bash管道?


萧十郎
浏览 498回答 3
3回答

江户川乱折腾

警告:我从来没有用过ffmpeg,但与有关程序的其他问题的工作,看起来像ssh,ffmpeg从标准输入读取实际上并没有使用它,所以在第一次调用Convert时消耗的文件列表的其余部分后read获得的第一个线。尝试这个Convert() {&nbsp; &nbsp; ffmpeg -i "$1" -vcodec mpe4 -sameq -acodec aac \&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;-strict experimental "$1.mp4" < /dev/null}这样,ffmpeg就不会从用于read命令的标准输入中“劫持”数据。

慕工程0101907

[...]for i in `cat list.txt`切勿使用以下语法:for i in $(command); do ...; done # orfor i in `command`; do ...; done此语法逐字读取命令的输出,而不是逐行读取命令的输出,这经常会导致意外的问题(例如,当行包含一些空格时,以及当您想读取诸如项之类的行时)。总会有一个更聪明的解决方案:command|while read -r; do ...; done # better general case to read command output in a loopwhile read -r; do ...; done <<< "$(command)" # alternative to the previous solutionwhile read -r; do ...; done < <(command) # another alternative to the previous solutionfor i in $DIR/*; do ...; done # instead of "for i in $(ls $DIR); do ...; donefor i in {1..10}; do ...; done # instead of "for i in $(seq 1 10); do ...; donefor (( i=1 ; i<=10 ; i++ )); do ...; done # such that the previous commandwhile read -r; do ...; done < file # instead of "cat file|while read -r; do ...; done"# dealing with xargs or find -exec sometimes...# ...我编写了一门课程,其中包含有关此主题的更多详细信息和重复出现的错误,但不幸的是,使用法语:)要回答原始问题,您可以使用类似以下内容的内容:Convert() {&nbsp; &nbsp; ffmpeg -i “$1” -vcodec mpe4 -sameq -acodec aac -strict experimental “$1.mp4”}Convert_loop(){&nbsp; &nbsp;while read -r; do&nbsp; &nbsp; &nbsp; &nbsp;Convert $REPLY&nbsp; &nbsp;done < $1}Convert_loop list.txt

宝慕林4294392

吻!=)convert() {&nbsp; &nbsp; ffmpeg -i "$1" \&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;-vcodec mpe4 \&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;-sameq -acodec aac \&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;-strict experimental "${1%.*}.mp4"}while read line; do&nbsp; &nbsp; convert "$line"done < list.txt
随时随地看视频慕课网APP
我要回答