我正在编写一个Powershell脚本,该脚本将从ZIP文件中提取一组数据文件,然后将它们附加到服务器。我已经编写了一个函数来处理解压,因为我需要获取所有文件以便知道我附加的是什么,所以我从函数返回:
function Unzip-Files
{
param([string]$zip_path, [string]$zip_filename, [string]$target_path, [string]$filename_pattern)
# Append a \ if the path doesn't already end with one
if (!$zip_path.EndsWith("\")) {$zip_path = $zip_path + "\"}
if (!$target_path.EndsWith("\")) {$target_path = $target_path + "\"}
# We'll need a string collection to return the files that were extracted
$extracted_file_names = New-Object System.Collections.Specialized.StringCollection
# We'll need a Shell Application for some file movement
$shell_application = New-Object -com shell.Application
# Get a handle for the target folder
$target_folder = $shell_application.NameSpace($target_path)
$zip_full_path = $zip_path + $zip_filename
if (Test-Path($zip_full_path))
{
$target_folder = $shell_application.NameSpace($target_path)
$zip_folder = $shell_application.NameSpace($zip_full_path)
foreach ($zipped_file in $zip_folder.Items() | Where {$_.Name -like $filename_pattern})
{
$extracted_file_names.Add($zipped_file.Name) | Out-Null
$target_folder.CopyHere($zipped_file, 16)
}
}
$extracted_file_names
}
然后我调用另一个函数来实际连接数据库(我已经删除了一些代码来检查数据库的存在,但是这不应该影响这里的事情):
function Attach-Database
{
param([object]$server, [string]$database_name, [object]$datafile_names)
$database = $server.Databases[$database_name]
$server.AttachDatabase($database_name, $datafile_names)
$database = $server.Databases[$database_name]
Return $database
}
但是,我一直收到一个错误,“Cannot convert argument”1,值为“System.Object[]”,用于“AttachDatabase”的类型为“System.Collections.Specialized.StringCollection”。
我试着在不同的地方显式地声明数据类型,但是这只会改变我得到错误的位置(或者类似的位置)。我还将参数声明更改为使用字符串集合,而不是不走运的对象。
我从一个字符串集合开始,最终想要使用一个字符串集合。我似乎无法让Powershell在某个时候停止尝试将其转换为泛型对象。
谢谢!