我需要从.txt.pgp
下载一些sftp
个文件。我已经尝试 npm ssh2
,ssh2-sftp-client
和node-ssh
但没有成功。
我到目前为止最接近的是使用sftp.readdir
(ssh2
)或sftp.list
(ssh2-sftp-client
)远程文件夹中的文件列表。
我已尝试pipe
和fs.createWriteStream
以及sftp.fastGet
,但我的本地计算机上没有保存文件。
const conn = new Client();
conn.on('ready', () => {
console.log('Client :: ready');
conn.sftp((err, sftp) => {
if (err) throw err;
sftp.readdir('out', (err, list) => {
if (err) throw err;
list.forEach(item => {
console.log(item.filename);
const fileName = item.filename;
sftp.fastGet(fileName, fileName, {}, downloadError => {
if(downloadError) throw downloadError;
console.log("Succesfully uploaded");
});
})
conn.end();
});
});
}).connect(config);
或
const Client = require('ssh2-sftp-client');
const sftp = new Client();
sftp.connect(config).then(() => {
return sftp.list('out');
})
.then(files => {
// console.log(files);
if (files.length > 0) {
console.log('got list of files!');
}
files.map(file => {
const fileName = file.name;
sftp.get(fileName)
.then(() => {
fs.writeFile(fileName);
});
})
})
.then(() => {
sftp.end();
}).catch((err) => {
console.log(err);
});
答案 0 :(得分:2)
关于第一次尝试(使用ssh2
模块),我可以看到三个问题:
conn.end()
,这几乎肯定会导致SSH会话在完成文件下载之前关闭。sftp.fastGet()
函数提供指向远程文件的正确路径。在代码的前面,您使用远程目录参数sftp.readdir()
调用'out'
,该参数返回相对于远程目录的文件列表。 (要点是:您需要在远程目录前添加文件名才能创建正确的限定路径。)error
,因此我怀疑您没有得到有用的错误消息来帮助进行故障排除。尝试类似的东西:
const Client = require('ssh2').Client;
const conn = new Client();
const sshOpt = someFunctionThatPopulatesSshOptions();
const remoteDir = 'out';
conn.on('ready', () => {
conn.sftp((err, sftp) => {
if (err) throw err;
sftp.readdir(remoteDir, (err, list) => {
if (err) throw err;
let count = list.length;
list.forEach(item => {
let remoteFile = remoteDir + '/' + item.filename;
let localFile = '/tmp/' + item.filename;
console.log('Downloading ' + remoteFile);
sftp.fastGet(remoteFile, localFile, (err) => {
if (err) throw err;
console.log('Downloaded to ' + localFile);
count--;
if (count <= 0) {
conn.end();
}
});
});
});
});
});
conn.on('error', (err) => {
console.error('SSH connection stream problem');
throw err;
});
conn.connect(sshOpt);
这应该解决我提到的所有问题。具体来说:
count
变量来确保仅在下载所有文件后关闭SSH会话。 (我知道那不漂亮。)remoteDir
放在所有远程文件下载的前面。error
流中的conn
事件。