SQL Server 2014 With Powershell v5 Cookbook - Sample Chapter
SQL Server 2014 With Powershell v5 Cookbook - Sample Chapter
P U B L I S H I N G
pl
e
a n s w e r s
t o
c o m m o n
p r o b l e m s
$ 59.99 US
38.99 UK
Sa
Q u i c k
Donabel Santos
ee
Donabel Santos
P U B L I S H I N G
Preface
PowerShell is a powerful and flexible task automation platform and scripting language from
Microsoft. Many Microsoft applications, such as Windows Server, Microsoft Exchange, and
Microsoft SharePoint now ship with PowerShell cmdlets that can be used for automated and
streamlined integration. SQL Server database professionals can also leverage PowerShell to
simplify database tasks using built-in cmdlets, the improved SQLPS module, the flexible SQL
Server Management Objects (SMO), or by leveraging any of the readily available .NET classes.
SQL Server 2014 with PowerShell V5 Cookbook, provides easy-to-follow, practical examples
for the busy database professional. There are over 150 recipes in this book, and you're
guaranteed to find one that you can use right away!
You start off with basic topics to get you going with SQL Server and PowerShell scripts
and progress into more advanced topics to help you manage and administer your
SQL Server databases.
The first few chapters demonstrate how to work with SQL Server settings and objects,
including exploring objects, creating databases, configuring server settings, and performing
inventories. The book then dives deep into more administration topics such as backup and
restore, managing security, and configuring AlwaysOn. Additional development and Business
Intelligence (BI)-specific topics are also explored, including how to work with SQL Server
Integration Services (SSIS), SQL Server Reporting Services (SSRS), and SQL Server Analysis
Services (SSAS).
A short PowerShell primer is also provided as a supplement in the Appendix, which the
database professional can use as a refresher or occasional reference material. Packed with
more than 150 practical, ready-to-use scripts, SQL Server 2014 with PowerShell V5 Cookbook
will be your go-to reference in automating and managing SQL Server.
Preface
Preface
Chapter 9, SQL Server Development, provides snippets and guidance on how you can work
with XML, XSL, JSON, binary data, files in FileTable, and CLR assemblies with SQL Server
and PowerShell.
Chapter 10, Business Intelligence, covers how PowerShell can help you automate and
manage any BI-related tasks, including how to manage and execute SQL Server Integration
Services (SSIS) packages, list and download SQL Server Reporting Services (SSRS) reports,
and backup and restore SQL Server Analysis Services (SSAS) cubes.
Chapter 11, Helpful PowerShell Snippets, covers a variety of recipes that are not SQL
Server-specific, but you may find them useful when working with SQL Server and PowerShell.
Recipes include snippets for creating files that use timestamps, using Invoke-Expression,
compressing files, reading event logs, embedding C# code, extracting data from a web
service, and exporting a list of processes to CSV or XML.
Appendix A, PowerShell Primer, offers a brief primer on PowerShell fundamentals for
the SQL Server professional. This chapter includes sections on how to run PowerShell
scripts, understand PowerShell syntax, and convert scripts into functions to make them
more reusable.
Appendix B, Creating a SQL Server VM, provides a step-by-step tutorial on how to create and
configure the virtual machine that was used for this book.
Getting Started
with SQL Server and
PowerShell
In this chapter, we will cover:
Introduction
If you have been working with Microsoft products, or have been managing or developing on
the Microsoft platform, you might be familiar with PowerShell. If not, I can predict that you are
bound to encounter it sooner than later. Since you are holding this book, my prediction just
came true.
Running as an administrator
Most of our recipes will perform possible queries and changes in your SQL Server instance
or Windows Server. This will require elevated privileges both on your database side and in
the PowerShell side. To ensure you can run the recipes in this book without getting access
errors, you will need to execute the console or the ISE as administrator. One way to do this is
by right-clicking on the PowerShell icon in your task bar and selecting to run either program
as administrator.
Chapter 1
You can confirm that you've launched either program as administrator by checking the title
bar. You should see Administrator added to your title bar.
Execution Policy
The Execution Policy settings in PowerShell determine what is allowed or not allowed to be
run in PowerShell.
See Execution Policy section in, Appendix A, PowerShell Primer, for further
explanation of different execution policies.
For security reasons, PowerShell will not run automatically unless it is authorized in the
settings. This is to prevent scripts from different sources, for example, the ones downloaded
from the Internet, from potentially running malicious or destructive code.
Running scripts
If you save your PowerShell code in a file, you need to ensure it has a .ps1 extension.
Otherwise, PowerShell will not run it. Unlike traditional scripts, you cannot run a PowerShell
script by double clicking the file. Instead, you can run this script from the PowerShell console
simply by calling the name. For example, if you have a script called myscript.ps1 located in
the C:\Scripts directory, you can provide the full path to the file to invoke it:
PS C:\> C:\Scripts\myscript.ps1
You can also change your directory to where the script is saved, and invoke it like this (notice
there is a dot and backslash in front of the file):
PS C:\Scripts> .\myscript.ps1
If the file or path to the file has spaces, then you will need to enclose the full path and file
name in single or double quotes. Before PowerShell v3, you would need to use the call (&)
operator prior to the script name. From PowerShell v3 onwards, you do not need to specify the
call operator anymore, but it will still work if you do:
PS C:\Scripts> & '.\my script.ps1'
If you want to retain the variables and functions included in the script in memory, so that
it's available in your session globally, then you will need to dot source the script. Dot source
means prepending the filename, or path to the file, with a dot and a space:
PS C:\Scripts> . .\myscript.ps1
PS C:\Scripts> . '.\my script.ps1'
Chapter 1
You can check that the change was made by using the $PSVersionTable variable.
You should now see the PSVersion value reverted to the value you provided to
the Version parameter:
Line continuation
Understanding how line continuation works in PowerShell will be crucial when working with
the recipes in this book.
You will encounter a line of PowerShell code that may be wider than the width of the page you
are reading. For example, consider the following code:
#create your SQL Server SMO instance
$server = New-Object -TypeName
Microsoft.SqlServer.Management.Smo.Server -ArgumentList
$instanceName
The preceding code, which creates a SQL Server instance, is meant to be written in a single
line (no line breaks), otherwise it will not execute. However, to make the line more readable,
some snippets may be broken into multiple lines as long as the line continuation character, a
backtick (`), is provided at the end of the line just before the carriage return. Check out the
following code:
$server = New-Object `
-TypeName `
Microsoft.SqlServer.Management.Smo.Server `
-ArgumentList $instanceName
Adding the line breaks cleans up the code a little bit and makes it more readable. But do you
see the backtick at the end of each line? You probably have to squint to see it. It's probably
not obvious that the backtick is the last character before the carriage return.
5
For this book, I will try to avoid backticks for line continuation. Please assume that a long line
of code in the recipes, although wrapping in your page, should be written as just a single line.
You can also confirm the syntax by downloading the code from the Packt Publishing website.
Where possible, I will break down the code into more readable chunks without using the
backtick. For example, consider a long line of code like this:
$server.Databases | Get-Member -MemberType "Property" | WhereObject Definition -Like "*Smo*"
The preceding line can be rewritten into multiple lines using the pipe (|) operator at the end of
each line:
$server.Databases |
Get-Member -MemberType "Property" |
Where-Object Definition -Like "*Smo*"
If I have to use the backtick, I will call your attention to it in the code comments.
PowerShell modules
Modules are a way to extend PowerShell. Modules can add cmdlets and providers, and load
functions, variables, aliases and other tools to your session.
For our recipes, we will use the SQLPS module a lot. To load this module, you can use the
Import-Module cmdlet:
Import-Module SQLPS
Note that running this command will change your current working directory to:
PS SQLSERVER:>
Chapter 1
How to do it...
If you want to use your current machine without creating a separate VM, as illustrated in
Create a SQL Server VM section in Appendix B, follow these steps to prepare your machine:
1. Install SQL Server 2014 on your current operating systemeither Windows 7 or
Windows Server 2012 R2. A list of supported operating systems for SQL Server 2014
is available at http://msdn.microsoft.com/en-us/library/ms143506.
aspx.
2. Microsoft provides really good documentation (both MSDN and TechNet) on how to
install SQL Server, and the different ways you can install SQL Server. I encourage you
to read the installation tutorial, as well as the installation notes that come with your
software (https://msdn.microsoft.com/en-us/library/ms143219.aspx)
3. Install PowerShell v5. At the time of writing this book, only the Windows
Management Framework (WMF) 5.0 Production Preview was available. You can
download it from http://www.microsoft.com/en-us/download/details.
aspx?id=48729. The installation instructions are also bundled in the download.
At the time of writing this book, WMF 5.0 Production Preview can be installed on
Windows 7 SP1, Windows 8.1 Pro/Enterprise, Windows Server 2008 R2, Windows
Server 2012, and Windows Server 2012 R2.
4. By the time this book is in your hands, PowerShell v5 might be available and be
bundled in the newer Microsoft operating systems. This download includes, as stated
in the download page, updates to Windows PowerShell, Desired State Configuration
(DSC) of Windows PowerShell and Windows PowerShell ISE. It also includes Package
Management and Network Switch cmdlets.
5. If you are planning to use the console, set the execution policy to RemoteSigned in
the console. This setting will enable us to run the scripts presented in this book.
1. Right-click on Windows PowerShell on your taskbar and choose Run as
Administrator.
2. Set execution policy to RemoteSigned by executing the following on
the console:
Set-ExecutionPolicy RemoteSigned
6. If you are planning to use the PowerShell Integrated Scripting Environment (ISE), set
the execution policy to RemoteSigned. We will be using the improved ISE in many
samples in this book.
1. Right-click on Windows PowerShell on your taskbar and choose Run ISE as
Administrator.
2. Set the execution policy to RemoteSigned by executing the following on the
script editor:
Set-ExecutionPolicy RemoteSigned
7
See also
Keep up to date with PowerShell news, articles, tips, and tricks from the PowerShell
team blog at http://blogs.msdn.com/b/powershell/.
Check out the SQL Server PowerShell documentation on MSDN at https://msdn.
microsoft.com/en-us/library/hh245198.aspx
Getting ready
Get your SQL Server binaries ready. If you have it burned on a DVD, place your copy in the DVD
drive. If you have it as an ISO or image file, mount the files now.
You will also need to identify the service accounts you want to use for the SQL Server services
you want to install, as well as the locations for all the files that SQL Server will save on your
system. In order to perform a completely automated install, the following script will need to
be adjusted to use the default service account credentials, or specify the usernames and
passwords within the $command variable.
In this exercise, we will generate a configuration (.ini) first, and then use this for
the installation.
How to do it...
The steps to install a standalone SQL Server instance are as follows:
1. Generate the configuration file using the following steps:
1. Load your SQL Server install disk or image and launch the setup.exe file.
2. Go through the Wizard and enter all the configuration values.
3. Once you get to the Ready to Install screen, note the Configuration
file path:
Chapter 1
6. Change the location of the $configfile variable to the location where you saved
your .ini file. Change the location of the executable as well. In the preceding script,
the executable is in the D:\ directory.
7.
How it works...
SQL Server can be installed different ways:
Using Wizard: You may choose to install SQL Server using the wizard-driven GUI
approach, which starts by double-clicking on the setup.exe file that comes with
your SQL Server binary (https://technet.microsoft.com/en-us/library/
ms143219.aspx).
Via command prompt: You can also install SQL Server using the command prompt by
invoking setup.exe from the command prompt, and providing all the configuration
values in the proper setup parameters (https://technet.microsoft.com/enus/library/ms144259.aspx).
Via configuration file: You can install SQL Server still by using the setup executable,
but instead of providing all the values in the command prompt, use a configuration
file that will host all the configuration values. Visit https://technet.microsoft.
com/en-us/library/dd239405.aspx for more information.
Via SysPrep: Install SQL Server using SysPrep. It is Microsoft's system preparation
tool that allows administrators to deploy an image to multiple servers and/or
workstations. Visit https://technet.microsoft.com/en-us/library/
ee210664.aspx for more information.
10
Chapter 1
In the recipe, we went with the third option and installed SQL Server using a configuration
file. We are simply going to wrap a few components in PowerShell. You might be asking, "Why
not script the whole process in PowerShell instead of using the executable and configuration
file?" The answer is, we can do so, and there may be cases where that's the best approach.
However, for simple and straightforward installations, it will be easiest to reuse as much of
SQL Server's robust, tried-and-true installation process and wrap it inside PowerShell.
The SQL Server configuration file, which has the .ini extension, is a text file that contains
installation parameter key-value pairs based on your entries and selections within the wizard.
The format you will find in the file looks like this:
;comment or description
PARAMETERNAME = "value"
Some of the common parameters that will be specified in the configuration file include
the following:
Parameter
ACTION
Description
This is required to start the installation. It
accepts only a single value of Install.
IACCEPTSQLSERVERLICENSETERMS
UPDATEENABLED
FEATURES
INSTANCENAME
AGTSVCACCOUNT
AGTSVCSTARTUPTYPE
SQLCOLLATION
SQLSVCACCOUNT
SQLSYSADMINACCOUNTS
TCPENABLED
11
You can create the .ini file from scratch, but it would be best to at least start with
the configuration file you get with the wizard. From here, you can adjust and provide
additional settings.
Once we've finalized the .ini file, the next step is to compose the actual command that
needs to be executed. In the following code, we are simply creating a string that contains the
path to the setup.exe and passing in a single parameter for the ConfigurationFile:
$command = "D:\setup.exe /ConfigurationFile=$($configfile)"
Alternatively, you can also dynamically build the contents .ini file using PowerShell and then
pass this configuration file to setup.exe, just like how we built $command previously.
Once the command string is ready, we can use the Invoke-Expression PowerShell cmdlet
to run the expression contained by the $command variable:
Invoke-Expression -Command $command
Instead of using the .ini file, you can also dynamically build all the parameters in a long
string based on specific conditions or cases. You can take advantage of PowerShell's logic
operators and other constructs when you do this. You should be able to compose the
complete command and use Invoke-Expression to perform the actual installation:
$command = 'D:\setup.exe /ACTION=Install /Q /INSTANCENAME="SQL01"
/IACCEPTSQLSERVERLICENSETERMS /FEATURES=SQLENGINE,REPLICATION
SQLSYSADMINACCOUNTS="QUERYWORKS\Administrator"'
There's more...
You can also take advantage of Desired State Configuration (DSC), which was introduced in
PowerShell v4 and works with Windows Server 2012 R2, to install SQL Server.
DSC is a set of language extensions that will allow you to specify a desired state, or a set
of ideal configurations, for your servers. This simplifies the configuration of new SQL Server
instances, because all you have to do is to identify the desired state for your SQL Server
installations and reuse the script for every deployment.
These are the simplified steps to take advantage of DSC:
1. Write a configuration script.
2. Run the configuration script to create a Management Object Framework (MOF).
3. Copy the MOF to the server you're installing SQL Server to. After the installation, at
some point, you will want your server to pull the updated MOF automatically.
4. Apply the configuration to the target server and start the installation process.
12
Chapter 1
The PowerShell team made the xSqlPs PowerShell module available, which is currently
an experimental module, in the Technet Script Center (https://gallery.technet.
microsoft.com/scriptcenter/xSqlps-PowerShell-Module-aed9426c).
Here is a description of the xSqlPs module from the site:
The xSqlPs module is a part of the Windows PowerShell Desired State Configuration
resource kit, which is a collection of DSC resources produced by the PowerShell
team. This module contains the xSqlServerInstall, xSqlHAService, xSqlHAEndpoint,
xSqlHAGroup, and xWaitForSqlHAGroup resources.
To install SQL Server, you will need to work with xSqlServerInstall. The PowerShell team has
provided an excellent tutorial on how to use this DSC resource. This is a good starting script
for a SQL Server Enterprise installation, and you can adjust it as needed. By the time this book
is in your hands, the scripts in the module may have already been updated, or moved from an
experimental to stable state. Please note that these scripts are also provided as is, with no
support or warranty from Microsoft.
If you are looking for a good tutorial on DSC, check out the Microsoft Virtual
Academy site (http://www.microsoftvirtualacademy.com/
liveevents/getting-started-with-powershell-desiredstate-configuration-dsc).
13
Getting ready
There are a few ways to install SMO:
If you are installing SQL Server 2014 or already have SQL Server 2014, SMO can be
installed by installing Client Tools SDK. Get your install disk or image ready.
If you want just SMO installed without installing SQL Server, download the SQL Server
Feature 2014 Pack.
How to do it...
If you are installing SQL Server or already have SQL Server, perform the following steps:
1. Load up your SQL Server install disk or image, and launch the setup.exe file.
2. Select New SQL Server standalone installation or add features to an
existing installation.
3. Choose your installation type and click on Next.
4. In the Feature Selection window, make sure you select Client Tools SDK.
14
Chapter 1
If you are not installing SQL Server, you must install SMO using the SQL Server Feature Pack
on the machine you are using SMO with. The steps are as follows:
1. Open your web browser. Go to your favorite search engine and search for SQL Server
2014 Feature Pack.
2. Download the package.
3. Double-click on the SharedManagementObjects.msi to install.
There's more...
By default, the SMO assemblies in SQL Server 2014 will be installed in <SQL Server
Install Directory>\120\SDK\Assemblies. This is shown in the following screenshot:
15
Getting ready
In this recipe, we assume you have already installed SMO on your machine.
How to do it...
To load SMO assemblies via the SQLPS module, perform the following steps:
1. Open up your PowerShell console, PowerShell ISE, or your favorite PowerShell Editor.
2. Type the import-module command as follows:
Import-Module SQLPS
3. Confirm that the module is loaded by running the following. This should give the name
of the module if it is loaded:
Get-Module
How it works...
The way to load SMO assemblies has changed between different versions of PowerShell
and SQL Server. Before the SQLPS module and in PowerShell v1, loading assemblies
could be done explicitly using the Load() or LoadWithPartialName() methods. The
LoadWithPartialName() accepts the partial name of the assembly and loads from the
application directory or the Global Assembly Cache (GAC):
[void][Reflection.Assembly]::LoadWithPartialName("Microsoft.SqlSer
ver.Smo")
Although you may still see LoadWithPartialName() in some older scripts, this method is
now obsolete and should not be used with any new development.
The method Load() requires the fully qualified name of the assembly:
[void][Reflection.Assembly]::Load("Microsoft.SqlServer.Smo,
Version=9.0.242.0, Culture=neutral,
PublicKeyToken=89845dcd8080cc91")
16
Chapter 1
In PowerShell v2, assemblies can be added by using Add-Type:
Add-Type -AssemblyName "Microsoft.SqlServer.Smo"
When the SQLPS module was shipped with SQL Server 2012, loading these assemblies
one by one became unnecessary, as long as the SQLPS module is loaded using the
following code:
Import-Module SQLPS
There may be cases where you will still want to load specific DLL versions if you are
dealing with specific SQL Server versions. Alternatively, you might want to load only
specific assemblies without loading the whole SQLPS module. In this case, the
Add-Type command is still the viable method of bringing the assemblies in.
There's more...
When you import the SQLPS module, you might see an error about conflicting or
unapproved verbs:
WARNING: The names of some imported commands from the module SQLPS
include unapproved verbs that might make them less discoverable. To find
the commands with unapproved verbs, run the Import-Module command
again with the Verbose parameter.
For a list of approved verbs, type Get-Verb.
This means there are some cmdlets that do not conform to the PowerShell naming
convention, but the module and its containing cmdlets are still all loaded into your host.
To suppress this warning, import the SQLPS module with the DisableNameChecking
parameter.
Learn how to load SMO assemblies using PowerShell from the
MSDN at https://msdn.microsoft.com/en-us/library/
hh245202(v=sql.120).aspx.
See also
17
Getting ready
To follow this recipe, you should log in to SQL Server 2014 Management Studio.
How to do it...
In this recipe, we will navigate the SQL Server PowerShell hierarchy by launching a PowerShell
session from SQL Server Management Studio:
1. Right-click on your instance node.
2. Click on Start PowerShell.
18
Chapter 1
Note that this will launch a PowerShell session and load the SQLPS module. This
window looks similar to a command prompt, with a prompt set to the SQL Server
object you launched this window from. In the following screenshot, ROGUE refers to
the name of my local machine:
Note the starting path in this window. The screen now shows how you could get to the
default instance if you were to navigate using the PowerShell console or ISE:
PS SQLSERVER:\SQL\<SQL instance name>\DEFAULT>
3. Type dir. This should give you a list of all objects directly accessible from the current
server instance; in our case, from the default SQL Server instance ROGUE. Note that
dir is an alias for the cmdlet Get-ChildItem.
19
4. While our PowerShell window is open, let's explore the SQL Server PSDrive or the
SQL Server data store which PowerShell treats as a series of items. Type cd \.
This will change the path to the root of the current drive, which is our SQL
Server PSDrive.
5. Type dir. This will list all items accessible from the root SQL Server PSDrive.
You should see something similar to the following screen:
20
Chapter 1
8. Click on Start PowerShell. Note that this will launch another PowerShell session with
a path that points to the database you right-clicked from:
Note the starting path of this window is different from the starting path where
you first launched PowerShell in the earlier steps. If you type dir from this location,
you will see all items that are under the AdventureWorks2014 database.
21
How it works...
When PowerShell is launched through SSMS, a context-sensitive PowerShell session is
created and it automatically loads the SQLPS module. This will be evident in the prompt,
which by default shows the current path of the object from which the Start PowerShell
menu item was clicked from.
22
Chapter 1
The SQLPS module was not always loaded when PowerShell was launched from SSMS. With
SQL Server 2008/2008 R2 it was shipped with a SQLPS utility, which is also referred to as a
mini shell. When you started PowerShell from SSMS, it was not a full PowerShell console that
was launched. It was a constrained, closed shell preloaded with SQL Server extensions was
loaded. This shell was meant to be used for SQL Server only, which proved to be quite limiting
because DBAs and developers often need to load additional snapins and modules in order to
integrate SQL Server with other systems through PowerShell. At that time, the alternative way
was to launch a full-fledged PowerShell session and depending on your PowerShell version,
either load snapins or load the SQLPS module.
Since SQL Server 2012, the original constrained mini shell has been deprecated. When you
launch a PowerShell session from SSMS in SQL Server 2012 onwards, what is launched is the
full-fledged PowerShell console, with the updated SQLPS module loaded by default.
Once the SQLPS module is loaded, SQL Server becomes exposed as a PowerShell Drive
(PSDrive), which allows traversing of objects as if they are folders and files. Familiar
commands for traversing directories are supported in this provider, such as dir or ls. Note
that these familiar commands are often just aliases to the real cmdlet name, in this case,
Get-ChildItem.
When you launch PowerShell from SSMS, you can immediately start navigating the SQL Server
PowerShell hierarchy.
Getting ready
Launch PowerShell ISE as administrator. If you prefer the console, you can also launch that
instead, but ensure you are running it as administrator.
How to do it...
In this recipe, we will explore SQL-related cmdlets and modules:
1. To find out how many SQL-related cmdlets are in your system, type the following in
your PowerShell editor and run:
#how many commands from modules that
#have SQL in the name
(Get-Command -Module "*SQL*" CommandType Cmdlet).Count
23
3. To see which of these modules are loaded in your PowerShell session, type the
following in your editor and run:
Get-Module -Name "*SQL*"
If you have already used any of the cmdlets in the previous step, then you should see
both SQLPS and SQLASCMDLETS. Otherwise, you will need to load these modules
before you can use them.
4. To explicitly load these modules, type the following and run:
Import-Module -Name "SQLPS"
How it works...
At the core of PowerShell, we have cmdlets. A cmdlet (pronounced commandlet) is defined
in MSDN as lightweight command that is used in the Windows PowerShell environment. It
can be a compiled, reusable .NET code or an advanced function, or it can be a workflow that
typically performs a very specific task. All cmdlets follow the verb-noun naming notation.
PowerShell ships with many cmdlets. In addition, many applications now also ship with their
own cmdlets. For example, SharePoint has a fair number of PowerShell cmdlets that help with
installation, configuration, and administration of the farm, sites, and everything in between. A
list of cmdlets for SharePoint 2013 can be found at https://technet.microsoft.com/
en-us/library/ff678226.aspx.
A legacy way of extending PowerShell is by registering additional snapins. A Snapin is a binary,
or a DLL, that can contain a cmdlet. You can create your own snapin by building your own .NET
source, compiling, and registering the snapin. You will always need to register snapins before
you can use them. Snapins are a popular way of extending PowerShell.
The following table summarizes common tasks with snapins:
Task
List loaded Snapins
Syntax
Get-PSSnapin
Get-PSSnapin -Registered
Add-PSSnapin
24
"SnapinName"
Chapter 1
Since PowerShell v2, modules are introduced as the improved and preferred method of
extending PowerShell. A module is a package that can contain cmdlets, providers, functions,
variables, and aliases. In PowerShell v2, modules are not loaded by default, so required
modules need to be explicitly imported.
Common tasks with modules are summarized in the following table:
Task
List loaded Modules
Syntax
Get-Module
Get-Module -ListAvailable
One of the improved features of PowerShell v3 onwards is support for autoloading modules.
You do not need to always explicitly load modules before using the contained cmdlets. Using
the cmdlets in your script is enough to trigger PowerShell to load the module that contains it.
SQL Server 2014 modules are located at PowerShell | Modules in the install directory.
There's more...
You can get a list of SQLPS and SQLASCMDLETS by running the following command:
Get-Command -CommandType Cmdlet -Module SQLPS,SQLASCMDLETS|
Select-Object Name, Module |
Sort-Object Module, Name |
Format-Table -AutoSize
Name
---Add-RoleMember
Backup-ASDatabase
Invoke-ASCmd
Invoke-ProcessCube
Invoke-ProcessDimension
ModuleName
---------SQLASCMDLETS
SQLASCMDLETS
SQLASCMDLETS
SQLASCMDLETS
SQLASCMDLETS
25
26
Invoke-ProcessPartition
Merge-Partition
New-RestoreFolder
New-RestoreLocation
Remove-RoleMember
Restore-ASDatabase
Add-SqlAvailabilityDatabase
Add-SqlAvailabilityGroupListenerStaticIp
Add-SqlFirewallRule
Backup-SqlDatabase
Convert-UrnToPath
Decode-SqlName
Disable-SqlAlwaysOn
Enable-SqlAlwaysOn
Encode-SqlName
Get-SqlCredential
Get-SqlDatabase
Get-SqlInstance
Get-SqlSmartAdmin
Invoke-PolicyEvaluation
Invoke-Sqlcmd
Join-SqlAvailabilityGroup
New-SqlAvailabilityGroup
New-SqlAvailabilityGroupListener
New-SqlAvailabilityReplica
New-SqlBackupEncryptionOption
New-SqlCredential
New-SqlHADREndpoint
Remove-SqlAvailabilityDatabase
Remove-SqlAvailabilityGroup
Remove-SqlAvailabilityReplica
Remove-SqlCredential
Remove-SqlFirewallRule
Restore-SqlDatabase
Resume-SqlAvailabilityDatabase
Set-SqlAuthenticationMode
Set-SqlAvailabilityGroup
Set-SqlAvailabilityGroupListener
Set-SqlAvailabilityReplica
Set-SqlCredential
SQLASCMDLETS
SQLASCMDLETS
SQLASCMDLETS
SQLASCMDLETS
SQLASCMDLETS
SQLASCMDLETS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
Chapter 1
Cmdlet
Cmdlet
Cmdlet
Cmdlet
Cmdlet
Cmdlet
Cmdlet
Cmdlet
Cmdlet
Cmdlet
Cmdlet
Set-SqlHADREndpoint
Set-SqlNetworkConfiguration
Set-SqlSmartAdmin
Start-SqlInstance
Stop-SqlInstance
Suspend-SqlAvailabilityDatabase
Switch-SqlAvailabilityGroup
Test-SqlAvailabilityGroup
Test-SqlAvailabilityReplica
Test-SqlDatabaseReplicaState
Test-SqlSmartAdmin
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
SQLPS
To learn more about these cmdlets, use the Get-Help cmdlet. For example, here's the
command to learn more about Invoke-Sqlcmd:
Get-Help
Get-Help
Get-Help
Get-Help
Invoke-Sqlcmd
Invoke-Sqlcmd -Detailed
Invoke-Sqlcmd -Examples
Invoke-Sqlcmd -Full
You can also check out the MSDN article on SQL Server Database Engine Cmdlets at
http://msdn.microsoft.com/en-us/library/cc281847.aspx.
When you load the SQLPS module, several assemblies are loaded into your host.
To get a list of SQLServer-related assemblies loaded with the SQLPS module, use the following
script, which will work in both PowerShell v2 and v3:
Import-Module SQLPS DisableNameChecking
[AppDomain]::CurrentDomain.GetAssemblies() |
Where-Object {$_.FullName -match "SqlServer" } |
Select-Object FullName
If you want to run on v3 or newer versions, you can take advantage of the simplified syntax:
Import-Module SQLPS DisableNameChecking
[AppDomain]::CurrentDomain.GetAssemblies() |
Where-Object FullName -Match "SqlServer" |
Select-Object FullName
27
Getting ready
Open up your PowerShell console, PowerShell ISE, or your favorite PowerShell editor.
You will need to note what your instance name is. If you have a default instance, you can
use your machine name. If you have a named instance, the format will be <machine
name>\<instance name>.
How to do it...
If you are connecting to your instance using Windows authentication and using your current
Windows login, the steps are as follows:
1. Import the SQLPS module:
#import SQLPS module
Import-Module SQLPS DisableNameChecking
$VerbosePreference = "SilentlyContinue"
28
Chapter 1
2. Store your instance name in a variable:
#create a variable for your instance name
$instanceName = "localhost"
3. If you are connecting to your instance using Windows authentication from the
account you are logged in as:
#create your server instance
$server = New-Object -TypeName
Microsoft.SqlServer.Management.Smo.Server -ArgumentList
$instanceName
If you are connecting using SQL Authentication, you will need to know the username
and password that you will use to authenticate. In this case, you will need to add the
following code, which will set the connection to mixed mode and prompt for the
username and password:
#set connection to mixed mode
$server.ConnectionContext.set_LoginSecure($false)
#set the login name
#of course we don't want to hardcode credentials here
#so we will prompt the user
#note password is passed as a SecureString type
$credentials = Get-Credential
#remove leading backslash in username
$login = $credentials.UserName $server.ConnectionContext.set_
Login($login)
$server.ConnectionContext.set_SecurePassword($credentials.Password)
#check connection string
#note though that this outputs your password in clear text
$server.ConnectionContext.ConnectionString
Write-Verbose "Connected to $($server.Name)"
Write-Verbose "Logged in as $($server.ConnectionContext. Login)"
How it works...
Before you can access or manipulate SQL Server programmatically, you will often need to
create references to its objects. At the most basic level is the server.
29
However, if you need to connect using a SQL login, you will need to set the
ConnectionContext.LoginSecure property of the SMO Server class setting to false:
#set connection to mixed mode
#note that this authentication will fail if mixed mode
#is not enabled in SQL Server
$server.ConnectionContext.set_LoginSecure($false)
You will also need to explicitly set the username and the password. The best way to
accomplish this is to prompt the user for the credentials:
#prompt
$credentials = Get-Credential
The Get-Credential cmdlet will display a popup window that will capture the login and
password entered by the user:
$login = $credentials.UserName
Once we have the login, we can pass it to the set_Login method. The password is already
a SecureString type, which means it is encrypted. This is the data type required by the
set_SecurePassword method, so no further conversion is needed. The commands are
as follows:
$server.ConnectionContext.set_Login($login)
$server.ConnectionContext.set_SecurePassword($credentials.Password
)
Should you want to hardcode the username and just prompt for the password, you can also
do this:
$login = "belle"
#prompt
$credentials = Get-Credential Credential $login
In the script, you will also notice that we are using Write-Verbose instead of Write-Host
to display our results. This is because we want to control the output without always going back
to our script and removing the Write-Host command.
30
Chapter 1
By default, the script will not display any output, that is, the $VerbosePreference special
variable is set to SilentlyContinue. If you want to run the script in verbose mode,
you simply need to add this in the beginning of your script:
$VerbosePreference = "Continue"
When you are done, you just need to change the value to SilentlyContinue:
$VerbosePreference = "SilentlyContinue"
See also
Getting ready
Open up your PowerShell console, PowerShell ISE, or your favorite PowerShell editor.
You will also need to note what your instance name is. If you have a default instance, you
can use your machine name. If you have a named instance, the format will be <machine
name>\<instance name>.
How to do it...
In this recipe, we will start exploring the hierarchy of objects with SMO:
1. Import the SQLPS module as follows:
Import-Module SQLPS -DisableNameChecking
If you are using PowerShell v2, you will have to change the
Where-Object cmdlet usage to use the curly braces {} and
the $_ variable:
Where-Object {$_.Definition -like "Smo*" }
5. To check out the tables, you can type and execute the following:
$server.Databases["AdventureWorks2014"].Tables |
Get-Member -MemberType "Property" |
Where-Object Definition -Like "*Smo*"
How it works...
SMO contains a hierarchy of objects. At the very top there is a server object, which in turn
contains objects such as Databases, Configuration, SqlMail, LoginCollection,
and so on. These objects in turn contain other objects, for example, Databases is a
collection that contains Database objects, and a Database contains Tables.
You can check out the SMO Object Model Diagram from the MSDN at
https://msdn.microsoft.com/en-ca/library/ms162209.aspx.
One way to navigate through the hierarchy is by creating a server instance first. From here, you
can use Get-Member to figure out which properties belong to that object. Once you find out,
you can start creating additional variables for the member objects and then use Get-Member
on them. Lather, rinse, and repeat.
See also
32
www.PacktPub.com
Stay Connected: