0
0
PowershellHow-ToBeginner · 4 min read

How to Create a PowerShell Script: Simple Steps for Beginners

To create a PowerShell script, write your commands in a plain text file and save it with a .ps1 extension. You can then run this script in PowerShell by typing ./scriptname.ps1 after setting the execution policy if needed.
📐

Syntax

A PowerShell script is a text file containing a series of PowerShell commands. The file must be saved with a .ps1 extension. You can include variables, functions, and control flow statements inside the script.

Basic syntax parts:

  • Commands: PowerShell commands or cmdlets like Get-Process.
  • Variables: Store data using $variableName.
  • Comments: Use # to add notes that PowerShell ignores.
powershell
# This is a comment
Write-Output "Hello, PowerShell!"
$greeting = "Welcome to scripting"
Write-Output $greeting
💻

Example

This example script prints a greeting message and shows how to use a variable and a simple loop.

powershell
# Example PowerShell script
$names = @('Alice', 'Bob', 'Charlie')
Write-Output "Starting the greeting loop..."
foreach ($name in $names) {
    Write-Output "Hello, $name!"
}
Write-Output "Script finished."
Output
Starting the greeting loop... Hello, Alice! Hello, Bob! Hello, Charlie! Script finished.
⚠️

Common Pitfalls

Some common mistakes when creating PowerShell scripts include:

  • Not saving the file with a .ps1 extension.
  • Trying to run scripts without setting the execution policy, which blocks scripts by default.
  • Using incorrect variable syntax (variables must start with $).
  • Forgetting to use quotes around strings.

To fix execution policy issues, run Set-ExecutionPolicy RemoteSigned in an admin PowerShell window.

powershell
# Wrong: missing $ on variable
$name = "John"
Write-Output $name

# Right:
$name = "John"
Write-Output $name
📊

Quick Reference

Here is a quick cheat sheet for creating PowerShell scripts:

ConceptDescriptionExample
Script filePlain text file with .ps1 extensionmyscript.ps1
Run scriptExecute script in PowerShell./myscript.ps1
VariableStore data with $ prefix$name = "Alice"
CommentAdd notes with ## This is a comment
LoopRepeat actionsforeach ($item in $list) { ... }

Key Takeaways

Save your PowerShell commands in a text file with a .ps1 extension to create a script.
Run scripts by typing ./scriptname.ps1 in PowerShell after setting the execution policy if needed.
Use $ to define variables and # for comments inside your script.
Common errors include missing the .ps1 extension and not setting execution policy.
Test your script by running it in PowerShell to see the output and debug.