Bootstrap

shell中expect的几种常用用法

#!/bin/sh

/usr/bin/expect << EOF
---插入expect语法
---spawn 建立一个新的ssh连接
spawn ssh -i /root/.ssh/key [email protected]
expect { 
    "*yes/no" { send "yes\r"; exp_continue }
    "*#" { send "\r" } //使用该句处理,不等待上一句expect的超时
}
---发送想要执行在新建立的ssh连接中进行的操作,例如
send "ssh -i /root/.ssh/key -p 10026 root@localhost\r"
---匹配的ssh执行返回的内容
---Connection refused是连接失败的情况,例如10026端口没有打开
---后面这里判断成连接成功的情况,或者可以写ssh连接成功后的bash全名,如root@debian:~#
expect -re "Connection refused|root@debian:~#"

if { \$expect_out(0,string) == "Connection refused" } {
    send "操作A\r"
    exit 1
} elseif { \$expect_out(0,string) == "root@debian:~#" } {
    send "操作B\r"
    exit 2
} else {
    send "操作C\r"
    exit 3
}
EOF
  1. expect -re接收返回值并做解析判断(需要注意的是括号的位置必须一致)
    expect -re "A|B"
    
    if { \$expect_out(0,string) == "A" } {
        send "操作A\r"
        exit 1
    } elseif { \$expect_out(0,string) == "B" } {
        send "操作B\r"
        exit 2
    } else {
        send "操作C\r"
        exit 3
    }
    
    需要注意的是,expect匹配是会匹配到上一个send的内容的
    如:你想判断某个文件是否成功下载了
    send "if \[ -f \"file\" \];then echo \"OK\";else echo \"ERROR\";fi
    expect -re "OK|ERROR"
    这样是不可以的,因为expect会把你send的内容也进行匹配,即使输出的是ERROR,也会匹配成OK
  2. 在使用ssh登录时会经常需要输入yes/no或者密码的这种情况,但有时只要一次输入过了,第二次重新连接就不需要输入了,这时候又不想等待expect的超时,可以如下:
    spawn ssh -i /root/.ssh/key [email protected]
    expect { 
        "*yes/no" { send "yes\r"; exp_continue }
        "*#" { send "\r" } //使用该句处理,不等待expect的超时
    }

;