1

我正在尝试自动化一个将更新我的 SQL Server 2008 R2 数据库中的表的过程。

我从客户端获取 csv 格式的文件,其中包含大约 20 列数据。当文件位于特定文件夹中时,我需要将文件导入数据库中的表中。如果它在那里,我需要进行导入,然后将文件从基本文件夹移动到一个Processed文件夹。

我已经完成了导入例程来删除原始表,创建一个新表,并将数据导入表中。

我已经搜索了如何确定具有特定扩展名的特定文件夹中的文件名,但没有找到任何可以帮助我的东西。

我还尝试移动文件(独立于存储过程),我想我遗漏了一些东西。这是我尝试但没有成功的方法:

    declare @sql varchar (100)
    set @sql = 'move E:\Data\check.csv E:\Data\Processed\ /Y'
    exec master..xp_cmdshell @SQL, NO_OUTPUT 
    go

TIA

4

1 回答 1

1

我编写了以下存储过程来列出给定路径中的文件:

ALTER procedure [dbo].[usp__ListFiles_xml] (
    @path varchar(8000),
    @xmldata xml output
)
as
begin
    DECLARE @ProcName varchar(255) = OBJECT_NAME(@@PROCID);

    declare @DirLines table (
        RowNum int identity(1,1) not null,
        line varchar(8000)
    );

    declare @DirCommand varchar(8000) = 'dir /A:-D /n "'+@path+'"';

    insert into @DirLines
        exec xp_cmdshell @DirCOmmand;

    declare @DirName varchar(8000) = (select SUBSTRING(line, 15, 8000) from @DirLines where RowNum = 4);

    delete from @DirLines
    where line is null or isnumeric(LEFT(line, 2)) = 0;

    set @xmldata = (
        select substring(line, 40, 255) as FileName,
               cast(replace(substring(line, 21, 18), ',', '') as bigint) as FileSize,
               cast(left(line, 20) as DateTime) as CreationDateTime,
               @DirName as DirName
        from @DirLines
        for xml raw('Dir'), type
       )

    return;
end;  -- usp__ListFiles_xml

您可以将结果选择到表中,找到所需的文件,然后通过执行以下操作从那里继续加载:

declare @xmldata xml;

exec usp__ListFiles_xml @FileTemplate, @xmldata output;

declare @Files table (
     FileName varchar(255),
     FileSize bigint,
     CreationDateTime DateTime,
     DirName varchar(8000)
    );
insert into @Files
    select T.c.value('@FileName', 'varchar(255)') as FileName,
           T.c.value('@FileSize', 'bigint') as FileSize,
           T.c.value('@CreationDateTime', 'datetime') as CreationDateTime,
           T.c.value('@DirName', 'varchar(8000)') as DirName
    from @xmldata.nodes('Dir') as T(c);
于 2013-02-08T17:11:20.507 回答