我能够/session/<sessionId>/file
通过查看 SauceLabs.com 博客文章 ( https://saucelabs.com/jobs/1a408cf60af0601f49052f66fa37812c/selenium-server.log ) 上的原始日志来确定上传文件的 JsonWireProtocol ,因此,我创建了这个函数来添加到php-webdriver-bindings库:
/**
* Send a file to your Remote WebDriver server
* This will return the local URL of the file you uploaded, which will then
* let you use sendKeys in file input elements
* @params String $value - a local or remote file to send
* @return String $resopnseValue - the local directory where the file resides on the remote server
*/
public function sendFile($value) {
$file = @file_get_contents($value);
if( $file === false ) {
return false;
}
$file = base64_encode($file);
$request = $this->requestURL . "/file";
$session = $this->curlInit($request);
$args = array( 'file' => $file );
$postargs = json_encode($args);
$this->preparePOST($session, $postargs);
$response = trim(curl_exec($session));
$responseValue = $this->extractValueFromJsonResponse($response);
return $responseValue;
}
将此添加到WebDriver.php文件中。
要使用,只需执行以下操作:
...
$file_location = $webdriver->sendFile('http://test.com/some/file.zip');
$file_input = $webdriver->findElementBy(LocatorStrategy::id, 'uploadfile');
$file_input->sendKeys(array($file_location));
我希望这将帮助其他开发人员,他们花了大约 3 个小时来寻找这个问题的答案。
更新:
由于收到此错误,我不得不更改此设置:
Expected there to be only 1 file. There were: 0
希望把它放在这里会得到谷歌的结果(我试着在谷歌上搜索错误消息,它唯一能找到的结果是对谷歌代码上源代码的引用)。
为了解决这个问题,我能够推断出您发送的文件实际上需要压缩。所以我扩充了源代码以使用 PHP 的ZipArchive库。我会将旧代码保留在最上面以保存记录,但请在此处使用新代码:
public function sendFile($value, $file_extension = '')
{
$zip = new ZipArchive();
$filename_hash = sha1(time().$value);
$zip_filename = "{$filename_hash}_zip.zip";
if( $zip->open($zip_filename, ZIPARCHIVE::CREATE) === false ) {
echo 'WebDriver sendFile $zip->open failed\n';
return false;
}
$file_data = @file_get_contents($value);
if( $file_data === false ) {
throw new Exception('WebDriver sendFile file_get_contents failed');
}
$filename = "{$filename_hash}.{$file_extension}";
if( @file_put_contents($filename, $file_data) === false ) {
throw new Exception('WebDriver sendFile file_put_contents failed');
}
$zip->addFile($filename, "{$filename_hash}.{$file_extension}");
$zip->close();
$zip_file = @file_get_contents($zip_filename);
if( $zip_file === false ) {
throw new Exception('WebDriver sendFile file_get_contents for $zip_file failed');
}
$file = base64_encode($zip_file);
$request = $this->requestURL . "/file";
$session = $this->curlInit($request);
$args = array( 'file' => $file );
$postargs = json_encode($args);
$this->preparePOST($session, $postargs);
$response = trim(curl_exec($session));
return $this->extractValueFromJsonResponse($response);
}
更新:原来,您需要在 $zip->addFile() 方法上设置两个参数。编辑了上面的代码以反映更改。