Access database (.accdb), open/read/write - see MS Access database (.accdb), open/read/write
bulk copy – aka: SqlBulkCopy – see also insert statement, convert from an object into, insert values into SQL Server database
$usersToDelete
=
@("bob",
"sam",
"charlie")
$table
=
"usersADDeleted"
$deleted
=
@()
foreach
($user
in
$usersToDelete) {
$userToDelete
=
Get-ADUser
$user
-Properties samAccountName,
displayName,
SID,
ObjectGUID,
distinguishedName,
whenCreated
$userToDelete
|
Remove-ADUser
-Confirm:$fals
# remove user from AD
#
if user properties are null, set to empty string or the command to populate
$columns below will fail which means the bulk copy will fail
$userToDelete.displayName
=
$userToDelete.displayName
??
""
$deleted
+=
New-Object
-TypeName PSObject
-Property
@{
samAccountName
=
$userToDelete.samAccountName
displayName
=
$userToDelete.displayName
SID
=
$userToDelete.SID.ToString()
ObjectGUID
=
[System.Guid]$userToDelete.ObjectGUID # make sure datatype is correct for SQL
distinguishedName
=
$userToDelete.distinguishedName
whenCreated
=
$userToDelete.whenCreated
deleted
=
[DateTime]::Now
}
}
# SqlBulkCopy
copy below expects columns in $deleted to be in the same order as encountered
on SQL table; order is arbitrary from New-Object above
$deleted
=
$deleted
|
select samAccountName,
displayName,
SID,
ObjectGUID,
distinguishedName,
whenCreated,
deleted
# convert the $deleted array to a DataTable which is required for SqlBulkCopy
$dataTable
=
New-Object
Data.DataTable
$columns
=
$deleted[0].PSObject.Properties
|
%
{New-Object
Data.DataColumn $_.Name,
$_.Value.GetType()}
$dataTable.Columns.AddRange($columns)
$deleted
|
%
{
$row
=
$dataTable.NewRow()
$_.PSObject.Properties
|
%
{$row[$_.Name
]
=
$_.Value}
$dataTable.Rows.Add($row)
}
# Define the server and database
$dbServerName
=
"SQLserver"
$database
=
"SysAdmin"
$ConnectionString
=
"Server=$dbServerName;Database=$database;Integrated Security=True;MultipleActiveResultSets=True;TrustServerCertificate=True;"
$connection
=
New-Object
Data.SqlClient.SqlConnection($connectionString)
$connection.Open()
# set up SqlBulkCopy
$bulkCopy
=
New-Object
Data.SqlClient.SqlBulkCopy($connection)
$bulkCopy.DestinationTableName
=
$table
try
{
$bulkCopy.WriteToServer($dataTable)
}
catch
{
Write-Host
$_.Exception.Message
-ForegroundColor Red
}
finally
{
$connection.Close()
}
Above works OK if the table has no key or other field that is auto-incremented. If the table has such a key, then must do things a little differently:
# Create the DataTable.
Extra parameter to fetch the data type - which we need to accommodate auto-increment field.
This only works with PS 7, not 5.5
$dataTable
=
New-ObjectSystem.Data.DataTable
$columns
=
$deleted[0].PSObject.Properties
|
% {
$column
=
New-Object
Data.DataColumn $_.Name,
([System.Type]::GetType($_.Value.GetType().FullName))
$dataTable.Columns.Add($column)
}
# Add the rows to the DataTable
$dataTable.Columns.AddRange($columns)
$deleted
|
%
{
$row
=
$dataTable.NewRow()
$_.PSObject.Properties
|
?
{$_.Name
-ne
"logUsersADID"}
|
%
{$row[$_.Name]
=
$_.Value}
$dataTable.Rows.Add($row)
}
# Print DataTable column names to verify column order,
spelling and case in DataTable matches SQL table when troubleshooting
#
$dataTable.Columns | ForEach-Object { Write-Output $_.ColumnName }
# Create the destination connection
$connection
=
New-ObjectSystem.Data.SqlClient.SqlConnection($connectionString)
$connection.Open()
# Create the SqlBulkCopy object
$bulkCopy
=
New-ObjectSystem.Data.SqlClient.SqlBulkCopy($connection)
# Set the destination table name
$bulkCopy.DestinationTableName
=
$table
# Set up the column mappings dynamically, suppress output to console with
"$null =""
foreach
($column
in
$dataTable.Columns) {$null
=
$bulkCopy.ColumnMappings.Add($column.ColumnName,
$column.ColumnName)}
# Perform the bulk copy using the DataTable
$bulkCopy.WriteToServer($dataTable)
In the case above, extra steps include
- get the type when creating columns
- explicitly exclude
logUsersADID
field when building the rows - Set up the column mappings dynamically for bulkcopy
connect to SQL Server database twice
Useful if we want a progress bar. You can’t just read in the records and get a count of how many records you have like you can when reading in from a CSV file. Instead, you must first execute a command to get the count, kill the connection, and then re-establish connection with the actual select statement.
# conntect to DB
$ConnectionString
=
"Server=Skynet;Database=SysAdmin;Integrated
Security=True;MultipleActiveResultSets=True"
$SqlConnection
=
New-Object
System.Data.SqlClient.SqlConnection
$SqlConnection.ConnectionString
=
$ConnectionString
$SqlConnection.Open()
##################################################################
# open database reader 1st time to get records count
##################################################################
#
break SQL into two parts so I can use the 2nd "from where" part again later below
# so I don't have to remember to copy & paste the
"from where" in both places
$SQLSelectCount
=
"select count(*)"
$SQLFromWhere
=
"from servers
where (Role like '%sql%' or ServerName like '%sql%')"
$SQLReadcount
=
"$SQLSelectCount
$SQLFromWhere"
$reader
=
New-Object
System.Data.SqlClient.sqlCommand
$reader.connection
=
$SqlConnection
$reader.CommandText
=
$SQLReadcount
$dr
=
$reader.ExecuteReader()
$dr.Read()
$countCharacter
=
$dr.GetValue(0)
[int]$count
=
[convert]::ToInt32($countCharacter,
10)
Write-Host
"$count records to go through"
-ForegroundColor DarkCyan
$dr.close
|
Out-Null
$reader.close
|
Out-Null
##################################################################
# open
database reader again to read actual records
##################################################################
$reader
=
New-Object
System.Data.SqlClient.sqlCommand
$reader.connection
=
$SqlConnection
$SQLSelectRows
=
"select
ServerName, ServerID, SQLEdition, SQLVersion"
$SQLFromWhere
=
"from servers
where (Role like '%sql%' or ServerName like '%sql%')"
$SQLReadRecords
=
"$SQLSelectRows
$SQLFromWhere"
$reader.CommandText
=
$SQLReadRecords
$dr
=
$reader.ExecuteReader()
##################################################################
# open 2nd database connection to populate records
##################################################################
$cmd
=
New-Object
System.Data.SqlClient.sqlCommand
$cmd.connection
=
$SqlConnection
$records
=
@()
# Initialize an empty array to store custom objects
$i=0
while
($dr.Read()
-and
$i
-le
5)
{
$i++;
$percentTxt
=
($i/$count).ToString("P")
$record
=
New-Object
PSObject
# Create a custom object with properties dynamically
# Iterate through the fields and add them to the object
for
($j
=
0;
$j
-lt
$dr.FieldCount; $j++) {
$fieldName
=
$dr.GetName($j)
$fieldValue
=
$dr[$j]
$record
|
Add-Member
-MemberType NoteProperty
-Name
$fieldName
-Value
$fieldValue
}
$records
+=
$record
# Add the custom object to the array
# display the first two fields
$fieldName1
=
$record.PSObject.Properties
|
select
-First
1
|
%
{$_.Name};
$fieldValue1
=
$record.$fieldName1
$fieldName2
=
$record.PSObject.Properties
|
select
-Skip
1
-First
1
|
%
{$_.Name};
$fieldValue2
=
$record.$fieldName2
Write-Host
"$i
of
$($count)
($percentTxt):
$($fieldName1)
=
$($fieldValue1),
$($fieldName2)
=
$($fieldValue2)"
-ForegroundColor Green
}
$records
| ogv
$dr.close
|
Out-Null
$reader.close
|
Out-Null
$SqlConnection.Dispose()
I suppose we could just create two separate readers and not mess with all this. But I think this is cleaner and more clear that we’re getting the count ahead of time and we’ll never need that data reader again in the program once we capture that little bit of info into a variable ahead of time. We shouldn’t need a whole new reader just to get the count of records satisfying the same “from” and “where”; it’s really essentially the same query. Also, I often end up changing the “where” clause and this way I only have to remember to change it once.
Windows Integrated
# conntect to DB
$ConnectionString
=
"Server=Skynet;Database=SysAdmin;Integrated
Security=True;MultipleActiveResultSets=True"
$SqlConnection
=
New-Object
System.Data.SqlClient.SqlConnection
$SqlConnection.ConnectionString
=
$ConnectionString
$SqlConnection.Open()
SQL user
$SqlConnection
=
New-Object
System.Data.SqlClient.SqlConnection
$ConnectionString
=
"Server=someserver;Database=somedb;User
Id=someuser;Password=yourpwd"
$SqlConnection.ConnectionString
=
$ConnectionString
connectivity to remote server – see test network connectivity to PCs/server
how many records before reading records returned, know - see connect to SQL Server database twice
insert statement, convert from an object into – see also bulk copy
$tableName
=
"DeleteLog"
$fieldNames
=
@($toDelete.PSObject.Properties.Name)
# Get all property names
$fields
=
$fieldNames
-join
", "
$valuesArray
=
@()
$fieldNames
|
%
{$valuesArray
+=
"'$($toDelete.$_)'"}
# Enclose values in single quotes
$values
=
$valuesArray
-join
","
$insertQuery
=
"INSERT INTO $tableName
($fields) VALUES ($values)"
insert values into SQL Server database – see also bulk copy
Start by opening a database connection
$server
=
"yourServer\mssql2019"
$database
=
"yourDatabase"
$table
=
"yourTable"
$ConnectionString
=
"Server=$server;Database=$database;Integrated Security=True;MultipleActiveResultSets=True"
try
{
$SqlConnection
=
New-Object
System.Data.SqlClient.SqlConnection
$SqlConnection.ConnectionString
=
$ConnectionString
$cmd
=
New-Object
System.Data.SqlClient.sqlCommand
$cmd.connection
=
$SqlConnection
$cmd.Connection.Open()
}
catch
[System.Exception]
{
Write-Host
$_.Exception.Message -ForegroundColor Yellow
}
Normally the following might now be done inside a loop (not shown here)
If we don’t clear the parameters now using .Parameters.Clear()
immediately below
from when we set them during an earlier iteration of the loop further below,
the system will complain because it thinks we’re trying to add the same field again from that earlier iteration
(after the 1st iteration, anyway.) Trying to clear using $null
won’t work
$cmd.Parameters.Clear()
Now start to compose the insert command. We’re inserting 4 fields.
$cmd.CommandText
=
"insert into
$table
(fileName, location,system,URL) values (@fileName,@location,@system,@URL)"
The "old" way we might have done this
was just to put the values we wanted inserted
directly into "values" part of the statement above.
But using the "@" above and then filling in those
parameters below helps us avoid problems with embedded single quotes
and are more secure with regard to SQL injection attacks
The | Out-Null
statements at the end of each
.Parameters.Add()
commands below prevents a whole bunch
of annoying verbiage from going to your console
$cmd.Parameters.Add("@fileName",$attachment) |
Out-Null
$cmd.Parameters.Add("@location",$location) |
Out-Null
$cmd.Parameters.Add("@system",$system) |
Out-Null
$cmd.Parameters.Add("@URL",$link) |
Out-Null
Now that we’ve properly cued up our insert statement, try to run it:
try
{
$cmd.ExecuteNonQuery() |
Out-Null
}
catch
[System.Data.SqlClient.SqlException]
{
Write-Host
"Problem: $($_.Exception.Message)"
-ForegroundColor Red
}
catch [System.Exception]
{
# A generic error occurred somewhere in the try area.
Write-Host
"Some other error occurred: $($_.Exception.Message)" -ForegroundColor Red
}
Once we’re done with our loop, close the database connection
$cmd.Connection.Close()
Install-Module sqlserver
This requires you to know the instance name to begin with. Usually, it’s just the computer name. It returns some basic info like version.
Get-SqlInstance -ServerInstance "MagicKindom"
Invoke-Sqlcmd not recognized - see Install-Module sqlserver
log into SQL Server database, can't using non-integrated security - make sure your connection string includes, ";Trusted_Connection = yes"
MS Access database (.accdb), open/read/write
$mytemp
= [environment]::getfolderpath("mydocuments")
$filename
=
"$mytemp\companies.accdb"
$conn = New-Object System.Data.OleDb.OleDbConnection("Provider=Microsoft.ACE.OLEDB.16.0;Data
Source=$filename;Persist Security
Info=False")
$conn.Open()
# read
$cmd=$conn.CreateCommand()
$cmd.CommandText="Select company.* from company;"
"connection is: $($conn.State)"
$rdr
=
$cmd.ExecuteReader()
$dt
=
New-Object
System.Data.Datatable
$dt.Load($rdr)
$dt
# write
$cmd2
=
$conn.CreateCommand()
$cmd2.CommandText
="INSERT into Company (CompanyName)
values('Jumbotron')"
$cmd2.ExecuteNonQuery()
$conn.Close()
"connection is: $($conn.State)"
null, check if a field in a record which contains a string is null
infuriatingly, this does not work:
if ($null -eq $record.employeeType -or $record.employeeType -eq "") {
wierdly, this does work:
if ("'$($record.employeeType)'" -eq "''") {
So, better stick with this:
if ([string]::IsNullOrEmpty($record.employeeType)) {
object, convert into an insert statement – see insert statement, convert from an object into
ODBC entry, create
Add-OdbcDsn -Name "'SysAdmin'" -DriverName "SQL Server" -DsnType "System" -SetPropertyValue @("Server=DEV1\MSSQL2012", "Trusted_Connection=Yes", "Database=SysAdmin")
or first make sure the driver has been installed
If
($OdbcDriver.Name
-eq
"ODBC Driver 17 for SQL Server")
# Only continue if this specific SQL ODBC driver is installed
{Add-OdbcDsn
-Name
"NetSuiteODBC17d"
-DriverNameriver 17 for SQL Server"
-Platform
64-bit -DsnType System -SetPropertyValue
@("Server=flamboozl.database.windows.net",
"Authentication=ActiveDirectoryPassword",
"Database=flambuuzl",
"Description=flambuuzl using ODBC version 17",
"Encrypt=Yes",
"TrustServerCertificate=No")}
password for SQL Server database doesn’t work using non-integrated security - make sure your connection string includes, ";Trusted_Connection = yes"
port 1433 open to server?
Test-NetConnection -ComputerName vSQL5 -Port 1433
progress bar - see connect to SQL Server database twice
read from Azure DB
$database
=
"SourceOfAll"
$ServerInstance
=
"sourceOfAll.database.windows.net"
$Username
=
"readerGuy"
$password
=
"yuulNeverGess!"
$query
=
"select FirstName,
LastName, DisplayName, UserPrincipalName
from
users
where domain = jupiter.com"
$results
=
Invoke-Sqlcmd
-ServerInstance
$ServerInstance
-Database
$database
-Username
$Username
-Password
$Password
-Query
$query
foreach
($result
in
$results) {
"$($result.DisplayName)"
}
almost the same for insert, update; just different SQL
record count before reading records returned - see connect to SQL Server database twice
SQL command, execute from PowerShell
Invoke-Sqlcmd -ServerInstance "One-Ring" -Database "SysAdmin" - HostName"One-Ring" -ApplicationName "ReadWrite" -ApplicationIntent ReadWrite -Query "select HOST_NAME() AS HostName, APP_NAME() AS ApplicationIntent, @@SERVERNAME AS ServerName"
SQL command, execute from command line
sqlcmd -S One-Ring -U sauron
The command line will ask you the password. You can optionally specify the password (not recommended, but sometimes is the only way to work):
sqlcmd -S One-Ring -U sauron -P Mypwd$%KillElves
This is great if you already have database credentials. But what if you want to run using Windows Authentication? supposedly, you can invoke a remote session and run the SQL command all in one command:
runas /user: mordor\sauron sqlcmd.exe -S One-Ring
But Ive never got it to run all as one command. Instead, I first run as:
runas.exe /user:mordor\sauron cmd.exe
Now at local command prompt, connect to remote server (“One-Ring” in this case):
C:\WINDOWS\system32>sqlcmd -S One-Ring
Which opens up a separate DOS-like command prompt where I can begin issuing commands:
1>
PRINT SUSER_NAME();
2>
GO
returns:
mordor\sauron
I can change database from default master:
1>
use SysAdmin
2> go
returns:
Changed database context to 'SysAdmin'.
now I can finally run something useful:
1> select count(*) as howMany from servers where (Role like '%orc%' or ServerName like '%orc%')
2> go
returns:
howMany
-----------
55
when done, exit:
1> exit
SQL Server database, can't connect to using non-integrated security - make sure your connection string includes, ";Trusted_Connection = yes"
SQL, execute - see also here and here for arrays
$SqlConnection
=
New-Object
System.Data.SqlClient.SqlConnection
$ConnectionString
=
"Server=someserver;Database=somedb;User
Id=someuser;Password=yourpwd"
$SqlConnection.ConnectionString
=
$ConnectionString
try
{
$sqlConnection.Open()
}
catch
[System.Data.SqlClient.SqlException]
{
Write-Host
"Problem connecting to database"
write-host
$_.Exception.ToString()
#write-host $_.Exception.state
exit
}
$sqlCommand
=
$sqlConnection.CreateCommand()
$SQLStr
=
"select * from table"
$sqlCommand.CommandText
=
$SQLStr
$dr
=
$sqlCommand.ExecuteReader()
$SqlConnection.Close()
$DataSet.Tables[0]
if you then want to loop through the recordset returned:
while
($dr.Read())
{
$firstFieldValue
=
$dr.GetValue(0)
$secondFieldValue
=
$dr.GetValue(1)
}
This is all well and good for select statements. But for update and inserts, need something else:
$updateSQL = "update table set somefield = 3"
$sqlCommand.CommandText
=
$updateSQL
$sqlCommand.ExecuteNonQuery()
Startup Programs, Generate a List
Get-CimInstance Win32_StartupCommand | Select-Object Name, command, Location, User | ogv
Set up connection, reference server and database
Import-Module
SQLServer
# Import the SQL Server module
# May need to import the SQL Server Management Objects (SMO) assembly
Add-Type
-AssemblyName
"Microsoft.SqlServer.Smo,
Version=17.100.13.0, Culture=neutral, PublicKeyToken=89845dcd8080cc91"
$serverName
=
"DispicableMe"
# Define the server and database
$server
=
New-Object Microsoft.SqlServer.Management.Smo.Server($serverName)
# Create a connection to the server
$databaseName
=
"gru"
$tableName
=
"minions"
$db
=
$server.Databases[$databaseName]
# Reference the database
Simple table with just one column
if
($null
-ne
$db.Tables[$tableName]) {$db.Tables["MyTable"].Rename("MyTableOld")}
# If table already exists, rename it
$table
=
New-Object
Microsoft.SqlServer.Management.Smo.Table($db,
"MyTable")
# Define the table
$column
=
New-Object
Microsoft.SqlServer.Management.Smo.Column($table,
"MyColumn",
[Microsoft.SqlServer.Management.Smo.DataType]::NVarChar(50))
# Define a column
$table.Columns.Add($column)
# Add the column to the table
$table.Create()
# Create the table
More columns
# Initialize first array with alternating elements,
each destined for its own array.
# With each user property’s name adjacent to its data type,
# this makes it easy to add, delete, change field order.
$userPropertiesWithDataTypes
=
@(
"uSNCreated",
[Microsoft.SqlServer.Management.Smo.DataType]::Int,
"name",
[Microsoft.SqlServer.Management.Smo.DataType]::NVarChar(50),
"ObjectGUID",
[Microsoft.SqlServer.Management.Smo.DataType]::UniqueIdentifier,
"Created",
[Microsoft.SqlServer.Management.Smo.DataType]::DateTime,
"Info",
[Microsoft.SqlServer.Management.Smo.DataType]::NVarChar(4000)
)
# Initialize empty arrays the two halves of the first array above
$userProperties
=
@()
$propertyDataTypes
=
@()
# Split the first array into two arrays: one for
user property names and the other for each propertys data type
foreach
($userPropertyWithDataType
in
$userPropertiesWithDataTypes) {
if
($userPropertyWithDataType
-is
[string]) {
$userProperties
+=
$userPropertyWithDataType
# Add to the user properties array
} else
{
$propertyDataTypes
+=
$userPropertyWithDataType
# Add to the data types array
}
}
# bonus 3rd array which pre-pends an “@”
to the first array which we'll use later for parameters
$propertyNames
=
$userProperties
|
%
{
"@$_"
}
create table with many columns as specified above
# Create the table and add columns
$table
=
New-Object
Microsoft.SqlServer.Management.Smo.Table($db,
$tableName)
for
($j
=
0;
$j
-lt
$userProperties.Length;
$j++) {
$column
=
New-Object
Microsoft.SqlServer.Management.Smo.Column($table,
$userProperties[$j],
$propertyDataTypes[$j])
$table.Columns.Add($column)
}
#Save the changes
$table.Create()
populate table
$ConnectionString
=
"Server=$serverName;Database=$databaseName;Integrated Security=True;MultipleActiveResultSets=True"
try
{
$SqlConnection
=
New-Object
System.Data.SqlClient.SqlConnection
$SqlConnection.ConnectionString
=
$ConnectionString
$cmd
=
New-Object
System.Data.SqlClient.sqlCommand
$cmd.connection
=
$SqlConnection
$cmd.Connection.Open()
}
catch
[System.Exception]
{
Write-Host
$_.Exception.Message
-ForegroundColor Yellow
}
$insertErrors=@()
#Insert data into SQL Server table
$i=0;
$count
=
$usersHC.Count
foreach
($user
in
$usersHC) {
$i++;
$percentTxt
=
($i/$count).ToString("P")
Write-Host
"$i
of
$($count)
($percentTxt):
$($user.SamAccountName)
-
$($user.DisplayName)"
-ForegroundColor Green
$cmd.Parameters.Clear()
$cmd.CommandText
=
"INSERT INTO $tableName
($($userProperties
-join
",")) VALUES ($($propertyNames
-join ","))"
#Write-Host
"$i $($cmd.CommandText )" -ForegroundColor Green
# Add parameters dynamically
for
($j
=
0;
$j
-lt
$propertyNames.Length;
$j++) {
$thisUserProperty
=
$userProperties[$j]
$parameter
=
$cmd.Parameters.AddWithValue($propertyNames[$j],
$thisUserProperty)
$propertyDataType
=
$propertyDataTypes[$j]
# Handle special data types
switch
($propertyDataType) {
"uniqueidentifier"
{$parameter.Value
=
$user.$thisUserProperty}
"nvarchar"
{
if
($thisUserProperty
-eq
"SID") {
$parameter.Value
=
$user.SID.ToString() # Set the SID
}
elseif
($thisUserProperty
-eq
"OU") {
$OU
=
GetOUfromDistinguishedName ($user.DistinguishedName)
$parameter.Value
=
$OU
}
else
{
if
($null
-eq
$user.$thisUserProperty) {
$parameter.Value
=
[DBNull]::Value
}
else
{
$parameter.Value
=
$user.$thisUserProperty
}
}
}
"datetime"
{
if
($null
-eq
$user.$thisUserProperty) {
$parameter.Value
=
[DBNull]::Value
}
else
{
$parameter.Value
=
$user.$thisUserProperty
}
}
"int"
{
if
($null
-eq
$user.$thisUserProperty) {
$parameter.Value
=
[System.DBNull]::Value
}
else{
$parameter.Value
=
$user.$thisUserProperty
}
}
default
{
if
($null
-eq
$user.$thisUserProperty) {
$parameter.Value
=
[DBNull]::Value
}
else
{
$parameter.Value
=
$user.$thisUserProperty
}
}
}
}
try
{
$cmd.ExecuteNonQuery()
|
Out-Null
}
catch
[System.Data.SqlClient.SqlException]{
Write-Host
"Problem:
$($_.Exception.Message)"
-ForegroundColor Red
$insertErrors
+=
New-Object
-TypeName PSObject
-Property
@{
SamAccountName
=
$user.SamAccountName
DisplayName=
$user.DisplayName
Error
=
$_.Exception.Message
}
}
catch
[System.Exception]{Write-Host
"Some other error occurred:
$($_.Exception.Message)"
-ForegroundColor Red}
# A generic error
occurred somewhere in the try area.
}
$cmd.Connection.Close()
test network connectivity to PCs/server
Test-NetConnection -ComputerName "MutantNinjaTurtles" -Port 1433
will try to communicate with server over port 1433 (SQL Server)
total record count before reading records returned – see connect to SQL Server database twice