programing tip

PowerShell에서 SQL Server 쿼리를 어떻게 실행합니까?

itbloger 2020. 6. 17. 19:00
반응형

PowerShell에서 SQL Server 쿼리를 어떻게 실행합니까?


로컬 컴퓨터에서 Powershell을 사용하여 SQL Server에서 임의 쿼리를 실행하는 방법이 있습니까?


스톡 .net 및 PowerShell (추가 SQL 도구가 설치되어 있지 않음) 로이 작업을 수행 해야하는 다른 사람들을 위해 다음과 같은 기능을 사용합니다.

function Invoke-SQL {
    param(
        [string] $dataSource = ".\SQLEXPRESS",
        [string] $database = "MasterData",
        [string] $sqlCommand = $(throw "Please specify a query.")
      )

    $connectionString = "Data Source=$dataSource; " +
            "Integrated Security=SSPI; " +
            "Initial Catalog=$database"

    $connection = new-object system.data.SqlClient.SQLConnection($connectionString)
    $command = new-object system.data.sqlclient.sqlcommand($sqlCommand,$connection)
    $connection.Open()

    $adapter = New-Object System.Data.sqlclient.sqlDataAdapter $command
    $dataset = New-Object System.Data.DataSet
    $adapter.Fill($dataSet) | Out-Null

    $connection.Close()
    $dataSet.Tables

}

나는 이것을 오랫동안 사용하여 누가 어떤 부분을 썼는지 알지 못하지만 이것은 다른 예제에서 추출되었지만 명확하고 간단하게 추가 종속성이나 기능없이 필요한 것을 단순화했습니다.

나는 이것을 자주 사용하고 공유하여 이것을 GitHub 의 스크립트 모듈로 바 꾸었 으므로 이제 모듈 디렉토리로 가서 실행할 수 git clone https://github.com/ChrisMagnuson/InvokeSQL있으며 그 시점부터 invoke-sql을 사용할 때 자동으로로드됩니다 (가정을 가정 할 때) powershell v3 이상 사용).


Invoke-Sqlcmdcmdlet을 사용할 수 있습니다

Invoke-Sqlcmd -Query "SELECT GETDATE() AS TimeOfQuery;" -ServerInstance "MyComputer\MyInstance"

http://technet.microsoft.com/en-us/library/cc281720.aspx


이 블로그 에서 찾은 예는 다음과 같습니다 .

$cn2 = new-object system.data.SqlClient.SQLConnection("Data Source=machine1;Integrated Security=SSPI;Initial Catalog=master");
$cmd = new-object system.data.sqlclient.sqlcommand("dbcc freeproccache", $cn2);
$cn2.Open();
if ($cmd.ExecuteNonQuery() -ne -1)
{
    echo "Failed";
}
$cn2.Close();

아마도 당신은 다른 TSQL 문장을 대체 할 수 dbcc freeproccache있습니다.


이 함수는 쿼리 결과를 powershell 객체의 배열로 반환하므로 필터에서 사용하고 열에 쉽게 액세스 할 수 있습니다.

function sql($sqlText, $database = "master", $server = ".")
{
    $connection = new-object System.Data.SqlClient.SQLConnection("Data Source=$server;Integrated Security=SSPI;Initial Catalog=$database");
    $cmd = new-object System.Data.SqlClient.SqlCommand($sqlText, $connection);

    $connection.Open();
    $reader = $cmd.ExecuteReader()

    $results = @()
    while ($reader.Read())
    {
        $row = @{}
        for ($i = 0; $i -lt $reader.FieldCount; $i++)
        {
            $row[$reader.GetName($i)] = $reader.GetValue($i)
        }
        $results += new-object psobject -property $row            
    }
    $connection.Close();

    $results
}

Invoke-Sqlcmd -Query "sp_who" -ServerInstance . -QueryTimeout 3

당신이 그것을하고 싶은 경우 로컬 컴퓨터 대신 SQL 서버의 맥락에서 다음 나는 다음을 사용합니다. 우리 회사에서 사용하는 것입니다.

$ServerName = "_ServerName_"
$DatabaseName = "_DatabaseName_"
$Query = "SELECT * FROM Table WHERE Column = ''"

#Timeout parameters
$QueryTimeout = 120
$ConnectionTimeout = 30

#Action of connecting to the Database and executing the query and returning results if there were any.
$conn=New-Object System.Data.SqlClient.SQLConnection
$ConnectionString = "Server={0};Database={1};Integrated Security=True;Connect Timeout={2}" -f $ServerName,$DatabaseName,$ConnectionTimeout
$conn.ConnectionString=$ConnectionString
$conn.Open()
$cmd=New-Object system.Data.SqlClient.SqlCommand($Query,$conn)
$cmd.CommandTimeout=$QueryTimeout
$ds=New-Object system.Data.DataSet
$da=New-Object system.Data.SqlClient.SqlDataAdapter($cmd)
[void]$da.fill($ds)
$conn.Close()
$ds.Tables

$ ServerName , $ DatabaseName$ Query 변수를 입력하기 만하면 됩니다.

I am not sure how we originally found this out, but there is something very similar here.


There isn't a built-in "PowerShell" way of running a SQL query. If you have the SQL Server tools installed, you'll get an Invoke-SqlCmd cmdlet.

Because PowerShell is built on .NET, you can use the ADO.NET API to run your queries.

참고URL : https://stackoverflow.com/questions/8423541/how-do-you-run-a-sql-server-query-from-powershell

반응형