我需要从一个目录中导入50,000个Word文档(.doc
和.docx
)到SQL Server 2016数据库表中,以便可以使用全文本索引,然后搜索文档的内容
由于这是一项一次性的任务,并且不再需要数据库,所以我不关心性能或使用FILESTREAM
或FileTables的参数。
我刚刚用一个表创建了一个数据库:
CREATE TABLE [dbo].[MyDocument]
(
[ID] INT IDENTITY(1,1) NOT NULL,
[DocumentName] NVARCHAR(255) NOT NULL,
[Extension] NCHAR(10) NOT NULL,
[DocumentContent] VARBINARY(MAX) NOT NULL,
CONSTRAINT [PK_MyDocument] PRIMARY KEY CLUSTERED ([ID] ASC)
)
现在,我正在寻找一种将文档放入表中的方法。在线上有很多使用OPENROWSET
将单个文档导入到SQL Server数据库表中的示例,但是它们要求我为文件指定一个名称,显然这对我的要求没有用。
我不敢相信没有一个有据可查的简单方法可以做到这一点,但是经过几个小时的搜索却没有发现任何东西,这开始让我怀疑这是否可能,但是可以肯定是吗?
有人可以给我一个T-SQL的示例片段,用于将多个文件导入数据库吗?还是建议其他方式可以实现?
答案 0 :(得分:1)
下面是一个PowerShell脚本,用于使用参数化查询以及FileStream
参数值将指定文件夹中的所有“ .docx”文件导入,以将文件内容流式传输到数据库,而不是将整个文件内容加载到客户端记忆。
# import all documents in specified directory using file stream parameter
try {
$timer = [System.Diagnostics.Stopwatch]::StartNew()
$insertQuery = @"
INSERT INTO dbo.MyDocument (DocumentName, Extension, DocumentContent)
VALUES(@DocumentName, @Extension, @DocumentContent);
"@
$connection = New-Object System.Data.SqlClient.SqlConnection("Data Source=.;Initial Catalog=YourDatabase;Integrated Security=SSPI")
$command = New-Object System.Data.SqlClient.SqlCommand($insertQuery, $connection)
$documentNameParameter = $command.Parameters.Add("@DocumentName", [System.Data.SqlDbType]::NVarChar, 255)
$documentExtensionParameter = $command.Parameters.Add("@Extension", [System.Data.SqlDbType]::NVarChar, 10)
$documentContentParameter = $command.Parameters.Add("@DocumentContent", [System.Data.SqlDbType]::VarBinary, -1)
$connection.Open()
$filesToImport = Get-ChildItem "E:\DocumentsToImport\*.docx"
$importedFileCount = 0
foreach($fileToImport in $filesToImport) {
$documentContentStream = [System.IO.File]::Open($fileToImport.FullName, [System.IO.FileMode]::Open)
$documentNameParameter.Value = [System.IO.Path]::GetFileNameWithoutExtension($fileToImport.FullName)
$documentExtensionParameter.Value = [System.IO.Path]::GetExtension($fileToImport.Name)
$documentContentParameter.Value = $documentContentStream
[void]$command.ExecuteNonQuery()
$documentContentStream.Close()
$importedFileCount += 1
}
$connection.Close()
$timer.Stop()
Write-Host "$importedFileCount files imported. Duration $($timer.Elapsed)."
}
catch {
throw
}