Crie um arquivo CSV com o Powershell

0

Estou tentando exportar dados de um banco de dados do servidor SQL para um arquivo CSV usando o Powershell. Eu já tenho o script feito e foi testado e funciona, mas só precisa de um pequeno patch feito. Se não houver dados para exportar, não quero um arquivo criado, mas atualmente ele cria o arquivo.

$ConnectionString = "Data Source=SQLInstance; Database=db; Trusted_Connection=True;";
$streamWriter = New-Object System.IO.StreamWriter "\servername\someFolder\Testing.csv"
$sqlConn = New-Object System.Data.SqlClient.SqlConnection $ConnectionString
$sqlCmd = New-Object System.Data.SqlClient.SqlCommand
$sqlCmd.Connection = $sqlConn
$sqlCmd.CommandText = "SELECT * FROM db..mytable where updated = 0"
$sqlConn.Open();
$reader = $sqlCmd.ExecuteReader();

$array = @()
for ( $i = 0 ; $i -lt $reader.FieldCount; $i++ ) 
    { $array += @($i) }
$streamWriter.Write($reader.GetName(0))
for ( $i = 1; $i -lt $reader.FieldCount; $i ++) 
{ $streamWriter.Write($("," + $reader.GetName($i))) }

$streamWriter.WriteLine("")
while ($reader.Read())
{
    $fieldCount = $reader.GetValues($array);

    for ($i = 0; $i -lt $array.Length; $i++)
    {
        if ($array[$i].ToString().Contains(","))
        {
            $array[$i] = '"' + $array[$i].ToString() + '"';
        }
    }

    $newRow = [string]::Join(",", $array);

    $streamWriter.WriteLine($newRow)
}
$reader.Close();
$sqlConn.Close();
$streamWriter.Close();

Eu preciso verificar se há dados antes que o arquivo seja criado. Por favor me ajude, eu sou muito novo no PS.

    
por Manie Verster 15.02.2017 / 08:17

1 resposta

0

Você está usando o PowerShell, não precisa se preocupar com o .NET na maioria dos casos.

$ConnectionString = "Data Source=SQLInstance; Database=db; Trusted_Connection=True;";
$outfile = @()
$sqlConn = New-Object System.Data.SqlClient.SqlConnection $ConnectionString
$sqlCmd = New-Object System.Data.SqlClient.SqlCommand
$sqlCmd.Connection = $sqlConn
$sqlCmd.CommandText = "SELECT * FROM db..mytable where updated = 0"
$sqlConn.Open();
$reader = $sqlCmd.ExecuteReader();
$array = @()
for ( $i = 0 ; $i -lt $reader.FieldCount; $i++ ) 
    { $array += @($i) }
$line = $reader.GetName(0)
for ( $i = 1; $i -lt $reader.FieldCount; $i ++) 
{ $line += ($("," + $reader.GetName($i))) }

$outfile += $line
while ($reader.Read())
{
    $fieldCount = $reader.GetValues($array);

    for ($i = 0; $i -lt $array.Length; $i++)
    {
        if ($array[$i].ToString().Contains(","))
        {
            $array[$i] = '"' + $array[$i].ToString() + '"';
        }
    }

    $outfile += [string]::Join(",", $array);
}

if ($outfile.Count -gt 0)
{ $outfile | Out-File "\servername\someFolder\Testing.csv" }

Bastante simples, em vez de gravar diretamente no arquivo em cada caso (o que exige que o arquivo seja criado antecipadamente), salve tudo em uma matriz $outfile e, no final, teste se algo foi adicionado e, se for, escreva para arquivo.

    
por 21.02.2017 / 16:01