Koncept : Najčešće postavljana pitanja o Powershell-u.
Možete koristiti ovu listu na različite načine :
- Da prekopirate komande u skriptu
- Da brzo vidite sintaksu određene komande
- Da poboljšate svoje tehničko znanje
- Da otkrijete nove komande
- Da se pripremite za razgovor za posao
Ažurirano |
13. jula 2015.
|
Autor | powershell-guru.com |
Izvor | serbian.powershell-guru.com |
Kategorija |
75
|
Pitanja |
610
|
System
Kako da utvrdim svoju verziju PowerShell-a?
1 2 3 4 5 6 7 8 9 |
# via Powershell $PSVersionTable.PSVersion.Major # via Registry (Get-ItemProperty -Path 'HKLM:\SOFTWARE\Microsoft\PowerShell\1\PowerShellEngine').PowerShellVersion # Versions 1 and 2 (Get-ItemProperty -Path 'HKLM:\SOFTWARE\Microsoft\PowerShell\3\PowerShellEngine').PowerShellVersion # Versions 3 and 4 # via Remote Invoke-Command -ComputerName $computer -ScriptBlock { $PSVersionTable.PSVersion.Major } |
Kako pokrenuti PowerShell u drugoj verziji za nazadnu kompatibilnost?
powershell.exe -Version 2.0
Kako zahtevati minimalnu PowerShell verziju (3.0 i veću) u PowerShell skripti?
#Requires -Version 3.0
Kako zahtevati administrativne privilegije za PowerShell skriptu?
1 2 3 4 5 |
# Solution 1 #Requires -RunAsAdministrator # Solution 2 [bool]((whoami.exe /all) -match 'S-1-16-12288') |
Kako proveriti parametre za PowerShell skriptu?
help -Name .\Get-ExchangeEnvironmentReport.ps1 -Full
Kako dobiti informacije o trenutnom korisniku sa PowerShell-om?
[Security.Principal.WindowsIdentity]::GetCurrent()
Kako kreirati, izmeniti, i ponovo pokrenuti profil sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 |
# Create New-Item -Type file -Force $profile # Edit psEdit $profile ise $profile # Reload (without restarting Powershell) & $profile .$profile |
Kako napraviti pauzu od 5 sekundi/minuta u PowerShell skripti?
Start-Sleep -Seconds 5
Start-Sleep -Seconds 300 # 5 minutes
Kako dobiti poslednje vreme boot-ovanja sa PowerShell-om?
(Get-CimInstance -ClassName win32_operatingsystem).LastBootUpTime
Kako dobiti ubrzavače tipa sa PowerShell-om?
1 |
[PSObject].Assembly.GetType('System.Management.Automation.TypeAccelerators')::Get.GetEnumerator() | Select-Object -Property @{Name='Key'; Expression={$_.Key}},@{name='Value'; Expression={$_.Value}} | Sort-Object -Property Key | Format-Table -AutoSize |
Kako izlistati startne programe sa PowerShell-om?
1 |
Get-WmiObject -Class Win32_StartupCommand | Sort-Object -Property Caption | Format-Table -Property Caption, Command, User -AutoSize |
Kako deinstalirati aplikaciju sa PowerShell-om?
1 2 |
$application = Get-WmiObject -Query "SELECT * FROM Win32_Product WHERE Name LIKE 'HP Recovery Manager'" $application.Uninstall() |
Kako napraviti screenshot celog desktop-a, ili aktivnog prozora sa PowerShell-om?
Take-ScreenShot -Screen -File 'C:\scripts\screenshot.png' -Imagetype JPEG
Repository : Take-ScreenShot
Kako dobiti brojač poruka za MSMQ redove sa PowerShell-om?
1 |
Get-WmiObject -Class Win32_PerfRawData_MSMQ_MSMQQueue -ComputerName $computer | Format-Table -Property Name, MessagesInQueue -AutoSize |
Kako postaviti politiku pogubljenja sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 |
# Restricted - No scripts can be run. Windows PowerShell can be used only in interactive mode. Set-ExecutionPolicy -ExecutionPolicy Restricted # AllSigned - Only scripts signed by a trusted publisher can be run. Set-ExecutionPolicy -ExecutionPolicy AllSigned # RemoteSigned - Downloaded scripts must be signed by a trusted publisher before they can be run. Set-ExecutionPolicy -ExecutionPolicy RemoteSigned # Unrestricted - No restrictions - All Windows PowerShell scripts can be run. Set-ExecutionPolicy -ExecutionPolicy Unrestricted |
Kako kreirati prečicu sa PowerShell-om?
1 2 3 4 |
$shell = New-Object -ComObject WScript.Shell $shortcut = $shell.Createshortcut("$HOME\Desktop\Procexp.lnk") $shortcut.TargetPath = 'C:\SysinternalsSuite\procexp.exe' $shortcut.Save() |
Kako zakačiti ili ukloniti program u taskbar-u sa PowerShell-om?
1 2 3 4 |
$shell = New-Object -ComObject shell.application $program = $shell.Namespace($env:windir).Parsename('notepad.exe') $program.Invokeverb('TaskbarPin') $program.Invokeverb('TaskbarUnpin') |
Kako otvoriti Windows Explorer sa PowerShell-om?
[Diagnostics.Process]::Start('explorer.exe')
Invoke-Item -Path C:\Windows\explorer.exe
Kako napraviti listu za drajvere uređaja sa PowerShell-om?
Get-WmiObject -Class Win32_PnPSignedDriver
Get-WindowsDriver -Online -All
driverquery.exe
Kako kreirati GUID sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 |
# Empty GUID [GUID]::Empty 00000000-0000-0000-0000-000000000000 # New GUID (lower case by default) [GUID]::NewGuid() 7049b4a9-e4bc-4008-a683-067934bd39cf # New GUID (upper case) $guid = ([GUID]::NewGuid()).ToString().ToUpper() DD7F5A7B-F46B-49D0-B8A1-D8D1360D2E27 # New GUID with a specific value [GUID]('bc4ad3d3-d704-4bd0-843f-d607fbbc4cd7') bc4ad3d3-d704-4bd0-843f-d607fbbc4cd7 # New GUID (Powershell v5) New-Guid cdcaa4d9-c85f-40d7-afd9-32f003afa130 |
Kako dobiti lokaciju privremenog direktorijuma za trenutnog korisnika sa PowerShell-om?
[System.IO.Path]::GetTempPath()
Kako pridružiti putanju i ćerku putanju u jednu putanju sa PowerShell-om?
Join-Path -Path C:\ -ChildPath \windows
Kako napraviti listu svih cmdlets komandi “Get-*” sa PowerShell-om?
Get-Command -Verb Get
Kako napraviti listu specijalnih sistemskih fascikli sa PowerShell-om?
1 |
[System.Enum]::GetNames([System.Environment+SpecialFolder]) | ForEach-Object -Process { $_ + " [System.Environment]::GetFolderPath($_)" } |
Kako organizovati ISO / VHD fajlove sa PowerShell-om?
Mount-DiskImage 'D:\ISO\file.iso' # ISO
Mount-DiskImage 'D:\VHD\file.vhd' # VHD
Kako proveriti .NET Framework verzije instalirane uz pomoć PowerShell-a?
1 |
Get-ChildItem -Path 'HKLM:\SOFTWARE\Microsoft\NET Framework Setup\NDP' -Recurse | Get-ItemProperty -Name Version -EA 0 | Where-Object -FilterScript { $_.PSChildName -match '^(?!S)\p{L}' } | Select-Object -Property PSChildName, Version |
Kako proveriti da li je .NET Framework verzija 4.5 instalirana sa PowerShell-om?
(Get-ItemProperty -Path 'HKLM:\Software\Microsoft\NET Framework Setup\NDP\v4\Full' -EA 0).Version -like '4.5*'
Kako pokrenuti i zaustaviti prepisku (kreirati zapis Windows PowerShell sesije) sa PowerShell-om?
Start-Transcript -Path 'C:\scripts\transcript.txt
Stop-Transcript
Kako promeniti trenutni direktorijum u određenu lokaciju sa PowerShell-om?
Set-Location -Path 'C:\scripts'
Kako očistiti ekran sa PowerShell-om?
Clear-Host
cls # Alias
Kako promeniti rezoluciju ekrana sa PowerShell-om?
Set-DisplayResolution -Width 1280 -Height 1024 -Force # Windows 2012
Kako podesiti “ceo ekran” prozor sa PowerShell-om?
mode.com 300
Kako dobiti dimenzije (širina i visina) slike sa PowerShell-om?
1 2 3 4 5 6 7 |
$picture = New-Object -ComObject Wia.ImageFile $picture.LoadFile('C:\screenshot.jpg') [PSCustomObject] @{ Width = $picture.Width Height = $picture.Height } |
Kako dobiti serijski broj Windows proizvoda sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 |
function Get-WindowsKey { ## function to retrieve the Windows Product Key from any PC ## by Jakob Bindslet (jakob@bindslet.dk) param ($targets = '.') $hklm = 2147483650 $regPath = 'Software\Microsoft\Windows NT\CurrentVersion' $regValue = 'DigitalProductId' Foreach ($target in $targets) { $productKey = $null $win32os = $null $wmi = [WMIClass]"\\$target\root\default:stdRegProv" $data = $wmi.GetBinaryValue($hklm,$regPath,$regValue) $binArray = ($data.uValue)[52..66] $charsArray = 'B', 'C', 'D', 'F', 'G', 'H', 'J', 'K', 'M', 'P', 'Q', 'R', 'T', 'V', 'W', 'X', 'Y', '2', '3', '4', '6', '7', '8', '9' ## decrypt base24 encoded binary data For ($i = 24; $i -ge 0; $i--) { $k = 0 For ($j = 14; $j -ge 0; $j--) { $k = $k * 256 -bxor $binArray[$j] $binArray[$j] = [math]::truncate($k / 24) $k = $k % 24 } $productKey = $charsArray[$k] + $productKey If (($i % 5 -eq 0) -and ($i -ne 0)) { $productKey = '-' + $productKey } } $win32os = Get-WmiObject -Class Win32_OperatingSystem -ComputerName $target $obj = New-Object -TypeName Object $obj | Add-Member -MemberType Noteproperty -Name Computer -Value $target $obj | Add-Member -MemberType Noteproperty -Name Caption -Value $win32os.Caption $obj | Add-Member -MemberType Noteproperty -Name CSDVersion -Value $win32os.CSDVersion $obj | Add-Member -MemberType Noteproperty -Name OSArch -Value $win32os.OSArchitecture $obj | Add-Member -MemberType Noteproperty -Name BuildNumber -Value $win32os.BuildNumber $obj | Add-Member -MemberType Noteproperty -Name RegisteredTo -Value $win32os.RegisteredUser $obj | Add-Member -MemberType Noteproperty -Name ProductID -Value $win32os.SerialNumber $obj | Add-Member -MemberType Noteproperty -Name ProductKey -Value $productKey $obj } } |
Perfmon
Kako dobiti trenutno “% Vreme Procesora” (prosečno) u poslednjih 5 sekundi (10 puta) sa PowerShell-om?
(Get-Counter '\Processor(_total)\% Processor Time' -SampleInterval 5 -MaxSamples 10).CounterSamples.CookedValue
Assemblies
Kako pokrenuti sklopove sa PowerShell-om?
1 2 3 4 5 6 |
Add-Type -AssemblyName 'System.Windows.Forms' Add-Type -Path 'C:\Windows\Microsoft.Net\assembly\GAC_MSIL\System.Windows.Forms\v4.0_4.0.0.0__b77a5c561934e089\System.Windows.Forms.dll' # Deprecated [System.Reflection.Assembly]::LoadFrom('C:\Windows\Microsoft.Net\assembly\GAC_MSIL\System.Windows.Forms\v4.0_4.0.0.0__b77a5c561934e089\System.Windows.Forms.dll') |
Kako proveriti trenutne .NET sklopove pokrenute sa PowerShell-om?
1 2 3 4 5 |
# Check All [System.AppDomain]::CurrentDomain.GetAssemblies() # Check specific one [System.AppDomain]::CurrentDomain.GetAssemblies() | Where-Object -FilterScript { $_.FullName -like '*forms*' } |
Kako naći GSK (Globalno Skladište Keš-a) sa PowerShell-om?
1 |
(New-Object -TypeName Regex -ArgumentList '(?<=file:///)(.*)(?=\/GAC)', 'IgnoreCase').Match(([PSObject].Assembly.Evidence | Where-Object -FilterScript { $_.Value -ne $null }).Value).Value -replace '/', '\' |
Clipboard
Kako kopirati rezultate na clipboard sa PowerShell-om?
1 |
Get-Process | clip.exe |
Kako naći sadržaj clipboard-a sa PowerShell-om?
Add-Type -AssemblyName PresentationCore
[Windows.Clipboard]::GetText()
Hotfixes
Kako naći popravke instalirane sa PowerShell-om?
Get-HotFix -ComputerName $computer
Kako naći instalirane popravke pre / posle određenog datuma sa PowerShell-om?
Get-HotFix | Where-Object -FilterScript { $_.InstalledOn -lt ([DateTime]'01/01/2015') } # Before 01/01/2015
Get-HotFix | Where-Object -FilterScript {$_.InstalledOn -gt ([DateTime]'01/01/2015')} # After 01/01/2015
Kako proveriti da li je popravka instalirana sa PowerShell-om?
Get-HotFix -Id KB2965142
Kako naći popravke instalirane na daljinskom kompjuteru sa PowerShell-om?
Get-HotFix -ComputerName $computer
Pagefile
Kako dobiti Pagefile informaciju sa PowerShell-om?
Get-WmiObject -Class Win32_PageFileusage | Select-Object -Property Name, CurrentUsage, AllocatedBaseSize, PeakUsage, InstallDate
Kako dobiti preporučenu veličinu (MB) za Pagefile sa PowerShell-om?
[Math]::Truncate(((Get-WmiObject -Class Win32_ComputerSystem).TotalPhysicalMemory) / 1MB) * 1.5
Kako kreirati Pagefile (4096 MB) na (D:) disku sa PowerShell-om?
1 2 3 4 5 |
Set-WmiInstance -Class Win32_PageFileSetting -Arguments @{ Name = 'D:\pagefile.sys' InitialSize = 4096 MaximumSize = 4096 } |
Kako obrisati Pagefile na (C:) disku sa PowerShell-om?
1 2 3 4 5 |
$privileges = Get-WmiObject -Class Win32_computersystem -EnableAllPrivileges $privileges.AutomaticManagedPagefile = $false $privileges.Put() $pagefile = Get-WmiObject -Query "select * from Win32_PageFileSetting where name='c:\\pagefile.sys'" $pagefile.Delete() # Reboot required |
Maintenance
Kako proveriti fragmentaciju diska sa PowerShell-om?
1 |
$drive = Get-WmiObject -Class Win32_Volume -Filter "DriveLetter = 'c:'" $defragReport = $drive.DefragAnalysis() $defragReport.DefragAnalysis |
Kako proveriti slobodan prostor na diskovima sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 |
Get-WmiObject -Class Win32_logicaldisk | Format-Table -Property @{ Name = 'Drive' Expression = {$_.DeviceID} }, @{ Name = 'Total size (GB)' Expression = {[decimal]('{0:N0}' -f($_.Size/1gb))} }, @{ Name = 'Free space(GB)' Expression = {[decimal]('{0:N0}'-f($_.Freespace/1gb))} }, @{ Name = 'Free (%)' Expression = {'{0,6:P0}' -f(($_.Freespace/1gb) / ($_.size/1gb))} } -AutoSize |
Files
Kako otvoriti fajl sa PowerShell-om?
Invoke-Item -Path 'C:\scripts\file.txt'
.'C:\scripts\file.txt'
Kako pročitati fajl sa PowerShell-om?
Get-Content -Path 'C:\scripts\file.txt'
gc "C:\scripts\file.txt" # Alias
Kako zapisati učinak na fajl sa PowerShell-om?
1 2 3 |
'Line1', 'Line2', 'Line3' | Out-File -FilePath 'C:\scripts\file.txt' -Encoding ascii 'Line1', 'Line2', 'Line3' | Add-Content -Path file.txt 'Line1', 'Line2', 'Line3' > file.txt |
Kako dobiti puno ime trenutne fajl skripte sa PowerShell-om?
$MyInvocation.MyCommand.Path
Kako kompresovati / upakovati fajlove sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 |
### COMPRESS ONE FILE ### # Powershell v5 Compress-Archive -Path $fileSource -DestinationPath $fileDestination ### COMPRESS ONE FOLDER ### # Compress the folder 'R:\temp\zip\FolderToCompress' and created the file compressedFile.zip Add-Type -AssemblyName 'System.IO.Compression.Filesystem' [System.IO.Compression.ZipFile]::CreateFromDirectory($folderSource,$fileDestination) # Powershell v5 Compress-Archive -Path $folderSource -DestinationPath $fileDestination |
Kako da dekompresovati / raspakovati fajlove sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 |
### UNCOMPRESS ONE FILE ### # Powershell v5 Expand-Archive -Path $fileSource -DestinationPath $folderDestination ### UNCOMPRESS ONE FOLDER ### # Compress the folder 'R:\temp\zip\FolderToCompress' and created the file compressedFile.zip Add-Type -AssemblyName 'System.IO.Compression.Filesystem' [System.IO.Compression.ZipFile]::ExtractToDirectory($fileSource, $folderDestination) |
Kako videti fajlove u ZIP arhivi sa PowerShell-om?
Add-Type -AssemblyName 'System.IO.Compression.Filesystem'
[System.IO.Compression.ZipFile]::OpenRead($fileZIP)
Kako prikazati veličinu fajla u KB sa PowerShell-om?
(Get-ChildItem -Path .\winsrv.dll).Length /1KB
(Get-ChildItem -Path .\winsrv.dll).Length /1MB
(Get-ChildItem -Path .\winsrv.dll).Length /1GB
Kako pronaći fajlove veće ili manje od 1-og GB sa PowerShell-om?
1 2 3 4 5 |
# Larger than 1 GB Get-ChildItem -Path C:\ -Recurse -ErrorVariable $errorsSearch | Where-Object -FilterScript {$_.Length -gt 1GB} # Less than 1 GB Get-ChildItem -Path C:\ -Recurse -ErrorVariable $errorsSearch | Where-Object -FilterScript {$_.Length -lt 1GB} |
Kako prikazati ime fajla bez nastavaka sa PowerShell-om?
[System.IO.Path]::GetFileNameWithoutExtension('C:\Windows\system32\calc.exe') # Return calc
Kako prikazati nastavak fajla sa PowerShell-om?
[System.IO.Path]::GetExtension('C:\scripts\file.txt') # Return .txt
Kako naći verziju fajla sa PowerShell-om?
1 2 |
(Get-Item -Path C:\Windows\System32\calc.exe).VersionInfo.FileVersion [System.Diagnostics.FileVersionInfo]::GetVersionInfo('C:\Windows\system32\calc.exe').FileVersion |
Kako naći hash fajla sa PowerShell-om?
(Get-FileHash $file).Hash
Kako doći do MD5 / SHA1 checksum fajla sa PowerShell-om?
Get-FileHash $file -Algorithm MD5
Get-FileHash $file -Algorithm SHA1
Kako prikazati skrivene fajlove sa PowerShell-om?
1 2 3 4 5 |
# Display only hidden files Get-ChildItem -Hidden -File # Display all files (including hidden files) Get-ChildItem -Force -File |
Kako proveriti da li fajl ima nastavak sa PowerShell-om?
1 |
[System.IO.Path]::HasExtension('C:\hiberfil.sys') |
Kako podesiti fajl kao “Samo za čitanje” sa PowerShell-om?
Set-ItemProperty -Path .\file.txt -Name IsReadOnly -Value $true
Kako promeniti atribut “PoslednjeVremeZapisa” na prošlu nedelju za fajl sa PowerShell-om?
Set-ItemProperty -Path .\file.txt -Name LastWriteTime -Value ((Get-Date).AddDays(-7))
If not working, use Nirsoft tool: BulkFileChanger.
Kako kreirati novi fajl sa PowerShell-om?
New-Item -ItemType File -Path 'C:\scripts\file.txt' -Value 'FirstLine'
Kako preimenovati fajl sa PowerShell-om?
Rename-Item -Path 'C:\scripts\file.txt' -NewName 'C:\scripts\powershellguru2.txt'
Kako preimenovati velike delove / serije više fajlova sa PowerShell-om?
Get-ChildItem -Path C:\scripts\txt | Rename-Item -NewName { $_.Name -replace ' ', '_' }
Kako obrisati fajl sa PowerShell-om?
Remove-Item -Path 'C:\scripts\file.txt'
Kako prikazati 10 poslednjih linija fajla sa PowerShell-om?
Get-Content -Path 'C:\scripts\log.txt' -Tail 10
Kako odblokirati nekoliko fajlova u fascikli sa PowerShell-om?
Get-ChildItem -Path 'C:\scripts\Modules' | Unblock-File
Kako ukloniti prazne linije iz fajla sa PowerShell-om?
(Get-Content -Path file.txt) | Where-Object -FilterScript {$_.Trim() -ne '' } | Set-Content -Path file.txt
Kako proveriti da li fajl postoji sa PowerShell-om?
1 |
Test-Path -Path 'C:\Windows\notepad.exe' # Return True |
Kako doći do najnovieg / najstarijeg kreiranog fajl-a u fascikli sa PowerShell-om?
1 2 |
Get-ChildItem | Sort-Object -Property CreationTime | Select-Object -Last 1 # Newest Get-ChildItem | Sort-Object -Property CreationTime | Select-Object -First 1 # Oldest |
Kako ukloniti duplirane linije iz fajl-a sa PowerShell-om?
1 2 |
Get-Content -Path .\file.txt | Select-Object -Unique # Display Get-Content -Path .\file.txt | Select-Object -Unique | Set-Content -Path .\testing.txt # Save |
Kako naći fajlove kreirane nakon ili pre jednog meseca u fascikli sa PowerShell-om?
1 2 3 |
$1MonthAgo = (Get-Date).AddMonths(-1) Get-ChildItem | ?{$_.LastWriteTime -lt $1MonthAgo} | Select-Object LastWriteTime,Name,DirectoryName # More Get-ChildItem | ?{$_.LastWriteTime -gt $1MonthAgo} | Select-Object LastWriteTime,Name,DirectoryName # Less |
Kako naći fajlove kreirane nakon ili pre jedne godine u fascikli sa PowerShell-om?
1 2 3 |
$1YearAgo = (Get-Date).AddYears(-1) Get-ChildItem | ?{$_.LastWriteTime -lt $1YearAgo} | Select-Object LastWriteTime,Name,DirectoryName # More Get-ChildItem | ?{$_.LastWriteTime -gt $1YearAgo} | Select-Object LastWriteTime,Name,DirectoryName # Less |
Kako izdvojiti vrednost promenljive u fajl sa PowerShell-om?
Set-Content -Path file.txt -Value $variable
Kako izračunati broj fajlova (*.txt) u fascikli sa PowerShell-om?
1 2 3 |
[System.IO.Directory]::GetFiles('C:\scripts', '*.txt').Count (Get-ChildItem -Path 'C:\scripts' -Filter *.txt).Count (Get-ChildItem -Path 'C:\scripts' -Filter *.txt -Recurse).Count # Recursive |
Kako pretražiti niz unutar više fajlova sa PowerShell-om?
Select-String -Path 'C:\*.txt' -Pattern 'Test'
Kako prikazati prvu / poslednju liniju fajl-a sa PowerShell-om?
1 2 3 4 5 6 7 8 9 |
'Line1', 'Line2', 'Line3' | Out-File -FilePath file.txt # First Line Get-Content -Path .\file.txt | Select-Object -First 1 # Returns Line1 (Get-Content -Path .\file.txt)[0] # Returns Line1 # Last Line Get-Content -Path .\file.txt | Select-Object -Last 1 # Returns Line3 (Get-Content -Path .\file.txt)[-1] # Returns Line3 |
Kako prikazati određen broj linija fajl-a sa PowerShell-om?
1 2 3 |
'Line1', 'Line2', 'Line3' | Out-File -FilePath file.txt Get-Content -Path .\file.txt | Select-Object -Index 0 # Returns Line1 Get-Content -Path .\file.txt | Select-Object -Index 2 # Returns Line3 |
Kako izračunati broj linija u fajl-u sa PowerShell-om?
1 2 |
'Line1', 'Line2', 'Line3' | Out-File -FilePath file.txt (Get-Content -Path .\file.txt | Measure-Object -Line).Lines # Returns 3 |
Kako izračunati broj karaktera i reči u fajlu sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 |
'Test', 'Powershell', 'Test Powershell' | Out-File -FilePath file.txt # Words (Return 4) (Get-Content -Path .\file.txt | Measure-Object -Word).Words # Characters (Return 23) (Get-Content -Path .\file.txt | Measure-Object -Character).Characters # Characters and ignore whitespaces (Return 22) (Get-Content -Path .\file.txt | Measure-Object -Character -IgnoreWhiteSpace).Characters |
Kako preuzeti fajl sa PowerShell-om?
Invoke-WebRequest -Uri 'http://www.nirsoft.net/utils/searchmyfiles.zip' -OutFile 'C:\tools\searchmyfiles.zip'
Kako prikazati punu putanju fajl-a sa PowerShell-om?
Resolve-Path -Path .\script.ps1 # Return C:\Scripts\script.ps1
Copy
Kako kopirati jedan dokument u fasciklu sa PowerShell-om?
Copy-Item -Path 'C:\source\file.txt' -Destination 'C:\destination'
Kako kopirati jedan dokument u više fascikli sa PowerShell-om?
1 2 |
$destination = 'C:\destination\Folder1', 'C:\destination\Folder2' $destination | Copy-Item -Path 'C:\source\file.txt' -Recurse -Destination {$_} |
Kako kopirati više fajlova u jednu fasciklu sa PowerShell-om?
Get-ChildItem -Path 'C:\source' -Filter *.txt | Copy-Item -Destination 'C:\destination'
Active Directory
Domain & Forest
Kako naći Globalni Katalog servera u Aktivnom Direktorijumu sa PowerShell-om?
[System.DirectoryServices.ActiveDirectory.Forest]::GetCurrentForest().GlobalCatalogs
Kako naći sajtove u Aktivnom Direktorijumu sa PowerShell-om?
[System.DirectoryServices.ActiveDirectory.Forest]::GetCurrentForest().Sites
Kako naći trenutni kontrolor domena sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 |
(Get-ADDomainController).HostName # Solution 1 $env:LOGONSERVER # Solution 2 [System.Environment]::GetEnvironmentVariable('logonserver') # Solution 3 nltest.exe /dsgetdc:domain.com |
Kako naći sve kontrolore u domenu sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 |
# Solution 1 Get-ADDomainController -Filter * | ForEach-Object -Process {$_.Name} # Solution 2 Get-ADGroupMember 'Domain Controllers' | ForEach-Object -Process {$_.Name} # Solution 3 Get-ADComputer -LDAPFilter '(&(objectCategory=computer)(userAccountControl:1.2.840.113556.1.4.803:=8192))' | ForEach-Object -Process {$_.Name} # Solution 4 [System.DirectoryServices.ActiveDirectory.Domain]::GetCurrentDomain() | ForEach-Object -Process {$_.DomainControllers} | ForEach-Object -Process {$_.Name} |
Kako naći AD repliku neuspeha sa PowerShell-om?
Get-ADReplicationFailure dc02.domain.com # Windows 8 and 2012
Kako naći životni vek nadgrobnog spomenika za šumu u Aktivnom Direktorijumu sa PowerShell-om?
1 |
(Get-ADObject -Identity "cn=Directory Service,cn=Windows NT,cn=Services,$(([adsi]('LDAP://RootDSE')).configurationNamingContext)" -Properties tombstonelifetime).tombstonelifetime |
Kako naći detalje šume / domena u Aktivnom Direktorijumu sa PowerShell-om?
1 2 |
Get-ADDomain domain.com Get-ADForest domain.com |
Kako naći putanju do sačuvanih “Obrisanih Predmeta” u Aktivnom Direktorijumu sa PowerShell-om?
(Get-ADDomain).DeletedObjectsContainer
Kako omogućiti funkciju AD kontejnera u Aktivnom Direktorijumu sa PowerShell-om?
1 |
Enable-ADOptionalFeature -Identity 'CN=Recycle Bin Feature,CN=Optional Features,CN=Directory Service,CN=Windows NT,CN=Services,CN=Configuration,DC=domain,DC=com' -Scope ForestOrConfigurationSet -Target 'domain.com' |
Kako obnoviti AD Nalog iz kontejnera u Aktivnom Direktorijumu sa PowerShell-om?
Get-ADObject -Filter 'samaccountname -eq "powershellguru"' -IncludeDeletedObjects | Restore-ADObject
Kako naći FSMO uloge sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 |
# Solution 1 Get-ADForest | Format-List -Property SchemaMaster, DomainNamingMaster Get-ADDomain | Format-List -Property PDCEmulator, RIDMaster, InfrastructureMaster # Solution 2 netdom query fsmo # Solution 3 [System.DirectoryServices.ActiveDirectory.Forest]::GetCurrentForest().SchemaRoleOwner [System.DirectoryServices.ActiveDirectory.Forest]::GetCurrentForest().NamingRoleOwner [System.DirectoryServices.ActiveDirectory.Domain]::GetCurrentDomain().InfrastructureRoleOwner [System.DirectoryServices.ActiveDirectory.Domain]::GetCurrentDomain().PdcRoleOwner [System.DirectoryServices.ActiveDirectory.Domain]::GetCurrentDomain().RidRoleOwner |
Kako se povezati na određeni kontrolor domena sa PowerShell-om?
Get-ADUser -Identity $user -Server 'serverDC01'
Kako doći do trenutnog servera za logovanje sa PowerShell-om?
1 2 |
($env:LOGONSERVER).Substring(2) ([System.Environment]::GetEnvironmentVariable('logonserver')).Substring(2) |
Kako obaviti “gpupdate” na kompjuteru sa PowerShell-om?
Invoke-GPUpdate -Computer $computer -Force -RandomDelayInMinutes 0 # Windows 2012
Groups
Kako kreirati novu grupu u Aktivnom Direktorijumu sa PowerShell-om?
1 |
New-ADGroup -Name 'Powershell Guru' -SamAccountName powershellguru -GroupCategory Security -GroupScope Global -DisplayName 'Powershell Guru' -Path 'OU=MyOU,DC=domain,DC=com' -Description 'My account' |
Kako ukloniti grupu u Aktivnom Direktorijumu sa PowerShell-om?
Remove-ADGroup -Identity 'PowershellGuru'
Kako dodati korisnika u grupu u Aktivnom Direktorijumu sa PowerShell-om?
Add-ADGroupMember "Powershell Guru" -Members powershellguru
Kako ukloniti korisnika iz grupe u Aktivnom Direktorijumu sa PowerShell-om?
Remove-ADGroupMember 'Powershell Guru' -Members powershellguru
Kako naći prazne grupe (bez članova) u Aktivnom Direktorijumu sa PowerShell-om?
Get-ADGroup -Filter * -Properties Members | Where-Object -FilterScript {-not $_.Members}
Kako izbrojati prazne grupe (bez članova) u Aktivnom Direktorijumu sa PowerShell-om?
(Get-ADGroup -Filter * -Properties Members | Where-Object -FilterScript {-not $_.Members}).Count
Kako naći članove grupe u Aktivnom Direktorijumu sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 |
# Solution 1 Get-ADGroupMember 'Powershell Guru' | ForEach-Object -Process {$_.DistinguishedName} Get-ADGroupMember 'Powershell Guru' | ForEach-Object -Process {$_.Samaccountname} # Solution 2 Get-ADGroup 'Powershell Guru' -Properties Members | Select-Object -Property Members -ExpandProperty Members | Sort-Object # Solution 3 function Get-ADGroupMemberFast { [CmdletBinding()] Param ( [Parameter(Mandatory = $true)] [string]$GroupName ) $de = New-Object -TypeName System.DirectoryServices.DirectoryEntry $ds = New-Object -TypeName System.DirectoryServices.DirectorySearcher $ds.SearchRoot = $de $ds.Filter = "(cn=$group)" $null = $ds.PropertiesToLoad.Add('member') $result = $ds.FindOne() if($result) { $account = $result.GetDirectoryEntry() $account.Properties['member'] | ForEach-Object -Process {$_} } } Get-ADGroupMemberFast -GroupName 'Powershell Guru' |
Kako naći članove grupe sa povratničkim članovima u Aktivnom Direktorijumu sa PowerShell-om?
1 2 |
Get-ADGroupMember 'Powershell Guru' -Recursive | ForEach-Object -Process {$_.DistinguishedName} Get-ADGroupMember 'Powershell Guru' -Recursive | ForEach-Object -Process {$_.SamAccountName} |
1 2 |
(Get-ADGroupMember 'Powershell Guru' | ForEach-Object -Process {$_.Samaccountname}).Count (Get-ADGroupMember 'Powershell Guru' -Recursive | ForEach-Object -Process {$_.Samaccountname}).Count |
Users
Kako koristiti džoker u filteru “Get-ADUser” u Aktivnom Direktorijumu sa PowerShell-om?
1 2 3 4 5 6 7 8 9 |
# Filter (Get-ADUser -SearchBase 'OU=myOU,DC=domain,DC=com' -Filter {name -like '*vip*'} -Properties Name).Name # LDAPFilter (Get-ADUser -SearchBase 'OU=myOU,DC=domain,DC=com' -LDAPFilter '(name=*vip*)' -Properties Name).Name # With a variable $user = '*vip*' (Get-ADUser -SearchBase 'OU=myOU,DC=domain,DC=com' -Filter {name -like $user} -Properties Name).Name |
Kako pomeriti korisnika u drugi OU u Aktivnom Direktorijumu sa PowerShell-om?
Move-ADObject -Identity $dn -TargetPath 'OU=myOU,DC=domain,DC=com'
Kako naći sve članove koji su (Ugneždeni) za korisnika sa PowerShell-om?
Get-ADGroup -LDAPFilter "(member:1.2.840.113556.1.4.1941:=$($dn))"
Kako naći članove (kratko ime / okrnjeno) za korisnika sa PowerShell-om?
(Get-ADUser $user -Properties MemberOf).MemberOf | ForEach-Object -Process {($_ -split ',')[0].Substring(3)} | Sort-Object
1 2 |
Set-ADUser $samAccountName -DisplayName 'DisplayName' -GivenName 'Test' -Surname 'Powershell' -DisplayName 'Test Powershell' Rename-ADObject $dn -NewName 'Test Powershell' #FullName |
Kako promeniti Opis, Kancelarijski i (Tele) broj telefona za korisnika u Aktivnom Direktorijumu sa PowerShell-om?
Set-ADUser $samAccountName -Description 'IT Consultant' -Office 'Building B' -OfficePhone '12345'
1 2 3 4 5 |
# 31/12/2015 Set-ADAccountExpiration $samAccountName -DateTime '01/01/2016' # Never Clear-ADAccountExpiration $samAccountName |
Kako otključati korisnički nalog u Aktivnom Direktorijumu sa PowerShell-om?
Unlock-ADAccount $samAccountName
Kako omogućiti / onemogućiti korisnički nalog u Aktivnom Direktorijumu sa PowerShell-om?
1 2 |
Disable-ADAccount $samAccountName Enable-ADAccount $samAccountName |
Kako ukloniti korisnički nalog u Aktivnom Direktorijumu sa PowerShell-om?
Remove-ADUser $samAccountName
Kako resetovati lozinku za jedan nalog korisnika u Aktivnom Direktorijumu sa PowerShell-om?
1 2 3 4 5 6 7 |
# Solution 1 : ask password $password = Read-Host -Prompt 'New Password' -AsSecureString # Solution 2 : specify password $password = ConvertTo-SecureString -String 'Q>9xYMw<3?' -AsPlainText -Force Get-ADUser -Filter "samaccountname -like 'helpdeskagent*'" | Set-ADAccountPassword -NewPassword $newpwd -Reset -PassThru | Set-ADuser -ChangePasswordAtLogon $true |
1 2 3 4 5 6 7 |
# Solution 1 : ask password $password = Read-Host -Prompt 'New Password' -AsSecureString # Solution 2 : specify password $password = ConvertTo-SecureString -String 'Q>9xYMw<3?' -AsPlainText -Force Get-ADUser -Filter "samaccountname -like 'helpdeskagent*'" | Set-ADAccountPassword -NewPassword $newpwd -Reset -PassThru | Set-ADuser -ChangePasswordAtLogon $true |
Kako naći vlasnika fajla u Aktivnom Direktorijumu sa PowerShell-om?
1 2 3 |
$user = New-Object -TypeName System.Security.Principal.NTAccount -ArgumentList (Get-Acl -Path 'userFile.txt').Owner $sid = $user.Translate([System.Security.Principal.SecurityIdentifier]).Value Get-ADUser $sid |
Kako pronaći OJ (Organizacionu Jedinicu) za korisnika u Aktivnom Direktorijumu sa PowerShell-om?
[regex]::match("$((Get-ADUser $user -Properties DistinguishedName).DistinguishedName)",'(?=OU=)(.*\n?)').value
Kako pronaći onemogućene naloge korisnika u Aktivnom Direktorijumu sa PowerShell-om?
1 2 |
Search-ADAccount -AccountDisabled Get-ADUser -Filter {Enabled -ne $true} |
Kako pronaći istekle naloge korisnika u Aktivnom Direktorijumu sa PowerShell-om?
Search-ADAccount -AccountExpired
Kako pronaći zaključane naloge korisnika u Aktivnom Direktorijumu sa PowerShell-om?
Search-ADAccount -LockedOut
Kako pronaći SID korisničkog naloga u Aktivnom Direktorijumu sa PowerShell-om?
(Get-ADUser $user -Properties SID).SID.Value
Kako promeniti korisničko ime u SID u Aktivnom Direktorijumu sa PowerShell-om?
1 2 |
$user = New-Object -TypeName System.Security.Principal.NTAccount -ArgumentList ('DOMAIN', 'user') $SID = ($user.Translate([System.Security.Principal.SecurityIdentifier])).Value |
Kako promeniti SID u korisničko ime u Aktivnom Direktorijumu sa PowerShell-om?
1 2 |
$SID = New-Object -TypeName System.Security.Principal.SecurityIdentifier -ArgumentList ('SID') $user = ($SID.Translate( [System.Security.Principal.NTAccount])).Value |
Kako podeliti različito ime korisničkog naloga u Aktivnom Direktorijumu sa PowerShell-om?
1 2 3 |
$dn = 'CN=Powershell Test,OU=TEST,DC=domain,DC=com' $dn.Split(',')[0] # Returns "CN=Powershell Test" $dn.Split(',')[0].Split('=')[1] # Returns "Powershell Test" |
Kako pronaći datum kreiranja / promene korisničkog naloga u Aktivnom Direktorijumu sa PowerShell-om?
Get-ADUser -Identity $user -Properties whenChanged, whenCreated | Format-List -Property whenChanged, whenCreated
1 2 3 |
$schema = [DirectoryServices.ActiveDirectory.ActiveDirectorySchema]::GetCurrentSchema() $schema.FindClass('user').mandatoryproperties | Format-Table $schema.FindClass('user').optionalproperties | Format-Table |
Kako pronaći LDAP putanju za korisnika u Aktivnom Direktorijumu sa PowerShell-om?
1 2 3 4 |
$searcher = New-Object -TypeName DirectoryServices.DirectorySearcher -ArgumentList ([ADSI]'') $searcher.Filter = "(&(objectClass=user)(sAMAccountName= $user))" $searcher = $searcher.FindOne() $pathLDAP = $searcher.Path |
Kako promeniti UI (uobičajeno Ime) za korisnika u Aktivnom Direktorijumu sa PowerShell-om?
Rename-ADObject $((Get-ADUser $user -Properties DistinguishedName).DistinguishedName) -NewName 'Test Powershell'
1 2 |
$dn = (Get-ADUser $user -Properties DistinguishedName).DistinguishedName $parent = $dn.Split(',',2)[1] |
Kako pronaći vlasnika korisnika (koji je kreirao nalog) u Aktivnom Direktorijumu sa PowerShell-om?
1 2 |
$dn = (Get-ADUser $user -Properties DistinguishedName).DistinguishedName $owner = (Get-Acl -Path "AD:$dn").Owner |
Kako promeniti PwdLastSet atribut za korisnika u Aktivnom Direktorijumu sa PowerShell-om?
1 2 3 4 5 |
# Solution 1 [DateTime]::FromFileTime((Get-ADUser $user -Properties pwdLastSet).pwdLastSet) # Solution 2 w32tm /ntte 130787549514737594 |
Computers
Kako testirati bezbedni kanal između lokalnog kompjutera i domena sa PowerShell-om?
Test-ComputerSecureChannel
Kako popraviti bezbedni kanal između lokalnog kompjutera i domena sa PowerShell-om?
Test-ComputerSecureChannel -Repair
Kako onemogućiti nalog kompjutera u Aktivnom Direktorijumu sa PowerShell-om?
Disable-ADAccount $computer
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 |
Get-ADComputer -Filter 'OperatingSystem -eq "CentOS"' Get-ADComputer -Filter 'OperatingSystem -eq "GNU/Linux"' Get-ADComputer -Filter 'OperatingSystem -eq "Linux"' Get-ADComputer -Filter 'OperatingSystem -eq "Mac OS X"' Get-ADComputer -Filter 'OperatingSystem -eq "OnTap"' Get-ADComputer -Filter 'OperatingSystem -eq "Red Hat Enterprise Linux Server"' Get-ADComputer -Filter 'OperatingSystem -eq "redhat-linux-gnu"' Get-ADComputer -Filter 'OperatingSystem -eq "Samba"' Get-ADComputer -Filter 'OperatingSystem -eq "Ubuntu"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows NT"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows 2000 Professional"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows 2000 Server"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows XP Professional"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows Server 2003"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows Vista™ Business"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows Vista™ Enterprise"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows Vista™ Entreprise"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows 7 Enterprise"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows 7 Professional"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows 7 Ultimate"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows Server 2008 R2 Enterprise"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows Server 2008 R2 Standard"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows Server® 2008 Enterprise"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows 8 Enterprise"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows 8.1 Enterprise"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows Server 2012 R2 Standard"' Get-ADComputer -Filter 'OperatingSystem -eq "Windows Server 2012 Standard"' |
Organizational Unit (OU)
Kako kreirati Organizacionu Jedinicu (OJ) u Aktivnom Direktorijumu sa PowerShell-om?
New-ADOrganizationalUnit -Name 'TEST' -Path 'DC=domain,DC=com'
Kako pronaći detalje Organizacione Jedinice (OJ) u Aktivnom Direktorijumu sa PowerShell-om?
Get-ADOrganizationalUnit 'OU=TEST,DC=domain,DC=com' -Properties *
Kako promeniti opis za Organizacionu jedinicu (OJ) u Aktivnom Direktorijumu sa PowerShell-om?
Set-ADOrganizationalUnit 'OU=TEST,DC=domain,DC=com' -Description 'My description'
1 2 3 4 5 |
# Protection ON Set-ADOrganizationalUnit 'OU=TEST,DC=domain,DC=com' -ProtectedFromAccidentalDeletion $true # Protection OFF Set-ADOrganizationalUnit 'OU=TEST,DC=domain,DC=com' -ProtectedFromAccidentalDeletion $false |
1 |
Get-ADOrganizationalUnit -Filter * -Property ProtectedFromAccidentalDeletion | Where-Object -FilterScript { $_.ProtectedFromAccidentalDeletion -eq $false } | Set-ADOrganizationalUnit -ProtectedFromAccidentalDeletion $true |
1 2 |
Set-ADOrganizationalUnit 'OU=TEST,DC=domain,DC=com' -ProtectedFromAccidentalDeletion $false Remove-ADOrganizationalUnit 'OU=TEST,DC=domain,DC=com' |
1 2 |
$parent = $dn.Split(',',2)[1] $parent = (Get-ADOrganizationalUnit $parent -Properties CanonicalName).CanonicalName |
Kako napraviti spisak praznih Organizacionih Jedinica (OJ-a) sa PowerShell-om?
1 2 3 4 5 |
# Solution 1 Get-ADOrganizationalUnit -Filter * -Property 'msDS-Approx-Immed-Subordinates' | Where-Object -FilterScript {$_.'msDS-Approx-Immed-Subordinates' -eq 0} # Solution 2 ([adsisearcher]'(objectclass=organizationalunit)').FindAll() | Where-Object -FilterScript { (([adsi]$_.Path).PSbase.Children | Measure-Object).Count -eq 0 } |
Kako naći menadžera grupe sa PowerShell-om?
(Get-ADGroup $dn -Properties Managedby).Managedby
Regex (Regular Expression)
Kako izdvojiti IP adresu v4 (80.80.228.8) sa Regex-om u PowerShell-u?
$example = 'The IP address is 80.80.228.8'
$ip = [regex]::match($example,'\b\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}\b').value
Kako izdvojiti MAC adresu (C0-D9-62-39-61-2D) uz pomoć separatora “-” sa Regex-om u PowerShell-u?
$example = 'The MAC address is C0-D9-62-39-61-2D'
$mac = [regex]::match($example,'([0-9A-F]{2}[-]){5}([0-9A-F]{2})').value
Kako izdvojiti MAC adresu (C0:D9:62:39:61:2D) uz pomoć separatora “:” sa Regex-om u PowerShell-u?
$example = 'The MAC address is C0:D9:62:39:61:2D'
$mac = [regex]::match($example,'((\d|([a-f]|[A-F])){2}:){5}(\d|([a-f]|[A-F])){2}').value
Kako izdvojiti datum (10/02/2015) sa Regex-om u PowerShell-u?
$example = 'The date is 10/02/2015'
$date = [regex]::match($example,'(\d{2}\/\d{2}\/\d{4})').value
Kako izdvojiti URL (www.powershell-guru.com) sa Regex-om u PowerShell-u?
$example = 'The URL is www.powershell-guru.com'
$url = [regex]::match($example,'[a-z]+[:.].*?(?=\s)').value
Kako izdvojiti email (user@domain.com) sa Regex-om u PowerShell-u?
$example = 'The email is user@domain.com'
$email = [regex]::match($example,'(?i)\b[A-Z0-9._%+-]+@[A-Z0-9.-]+\.[A-Z]{2,4}\b').value
Kako izdvojiti “guru” iz primera niza sa Regex-om sa PowerShell-u?
$example = 'www.powershell-guru.com'
[regex]::match($example,'(?<=-)(.*\n?)(?=.com)').value
Kako izdvojiti “guru.com” iz primera niza sa Regex-om sa PowerShell-u?
$example = 'www.powershell-guru.com'
[regex]::match($example,'(?<=-)(.*\n?)(?<=.)').value
Kako izdvojiti “powershell-guru.com” iz primera niza sa Regex-om u PowerShell-u?
$example = 'www.powershell-guru.com'
[regex]::match($example,'(?<=www.)(.*\n?)').value
Kako izdvojiti “123” iz primera niza sa Regex-om u PowerShell-u?
$example = 'Powershell123'
[regex]::match($example,'(\d+)').value
Kako izdvojiti “$” (znak dolar) iz primera niza sa Regex-om u PowerShell-u?
$example = 'Powershell`$123'
[regex]::match($example,'(\$)').value
Kako zameniti karakter (* .com) sa drugim (* .fr) u nizu sa Regex-om u PowerShell-u?
$example = 'www.powershell-guru.com'
[regex]::Replace($example, '.com','.fr')
Kako otpustiti niz sa Regex-om u PowerShell-u?
[regex]::Escape('\\server\share')
Memory
Kako prisiliti kolekciju memorije sakupljačem smeća sa PowerShell-om?
[System.GC]::Collect()
[System.GC]::WaitForPendingFinalizers()
Kako dobiti RAM veličinu kompjutera sa PowerShell-om?
1 2 3 4 5 6 7 8 |
# Solution 1 Get-CimInstance -ClassName 'cim_physicalmemory' | ForEach-Object -Process {$_.Capacity /1GB} # Solution 2 (Get-WmiObject -Class Win32_ComputerSystem).TotalPhysicalMemory /1GB # Solution 3 (systeminfo.exe | Select-String -Pattern 'Total Physical Memory:').ToString().Split(':')[1].Trim() |
Date
Kako dobiti sadašnji datum sa PowerShell-om?
Get-Date
[Datetime]::Now
Kako pokazati datum u različitim formatima sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 |
### DATETIME ### Get-Date -Format D : Tuesday, June 30, 2015 Get-Date -Format f : Tuesday, June 30, 2015 3:22 PM Get-Date -Format F : Tuesday, June 30, 2015 3:22:58 PM Get-Date -Format g : 6/30/2015 3:23 PM Get-Date -Format G : 6/30/2015 3:23:30 PM Get-Date -DisplayHint Date : Tuesday, June 30, 2015 Get-Date -DisplayHint DateTime : Tuesday, June 30, 2015 3:31:21 PM ### DATE ### Get-Date -Format d : 6/30/2015 Get-Date -Format yyyyMMdd : 20150630 Get-Date -UFormat '%d%m%Y' : 30062015 Get-Date -UFormat '%m%d%Y' : 06302015 Get-Date -UFormat '%Y%m%d' : 20150630 Get-Date -UFormat '%d.%m.%Y' : 30.06.2015 Get-Date -UFormat '%m.%d.%Y' : 06.30.2015 Get-Date -UFormat '%Y.%m.%d' : 2015.06.30 Get-Date -UFormat '%d-%m-%Y' : 30-06-2015 Get-Date -UFormat '%m-%d-%Y' : 06-30-2015 Get-Date -UFormat '%Y-%m-%d' : 2015-06-30 Get-Date -UFormat '%d/%m/%Y' : 30/06/2015 Get-Date -UFormat '%m/%d/%Y' : 06/30/2015 Get-Date -UFormat '%Y/%m/%d' : 2015/06/30 ### HOUR ### Get-Date -Format t : 3:23 PM Get-Date -Format T : 3:23:30 PM Get-Date -Format HH : 15 (Hour) Get-Date -Format mm : 28 (Minute) Get-Date -Format ss : 30 (Seconds) Get-Date -DisplayHint Time : 3:23:30 PM ### DAY ### Get-Date -Format dddd : Tuesday Get-Date -Format ddd : Tue Get-Date -Format dd : 30 ### MONTH ### Get-Date -Format MMMM : June Get-Date -Format MMM : Jun Get-Date -Format MM : 06 ### YEAR ### Get-Date -Format yyyy : 2015 |
Kako promeniti datum (DatumVreme) u datum (Niz) sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 |
# Solution 1 $datetimeToString = '{0:MM/dd/yy}' -f (Get-Date '07/15/2015') # Solution 2 $datetimeToString = (Get-Date '07/15/2015').ToShortDateString() # Check $datetimeToString 07/15/15 $datetimeToString.GetType().Name String |
Kako promeniti datum (Niz) u datum (DatumVreme) sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 |
# Solution 1 $stringToDatetime = '07/15/2015' | Get-Date $stringToDatetime = '07-15-2015' | Get-Date # Solution 2 [Datetime]::ParseExact('07/15/2015', 'MM/dd/yyyy', $null) # Solution 3 $stringToDatetime = [Datetime]'7/15/2015' # Check $stringToDatetime Wednesday, July 15, 2015 12:00:00 AM $stringToDatetime.GetType().Name Datetime |
Kako izračunati razliku (broj Dana, Sati, Minuta ili Sekundi) između dva datuma sa PowerShell-om?
(New-TimeSpan -Start $dateStart -End $dateEnd).Days
(New-TimeSpan -Start $dateStart -End $dateEnd).Hours
(New-TimeSpan -Start $dateStart -End $dateEnd).Minutes
(New-TimeSpan -Start $dateStart -End $dateEnd).Seconds
Kako uporediti dva datuma sa PowerShell-om?
(Get-Date 2015-01-01) -lt (Get-Date 2015-01-30) # True
(Get-Date 2015-01-01) -gt (Get-Date 2015-01-30) # False
Kako grupisati niz datuma kao “DatumVreme” sa PowerShell-om?
$arrayDate | Sort-Object -Property {$_ -as [Datetime]}
Kako pokrenuti i zaustaviti štopericu sa PowerShell-om?
$chrono = [Diagnostics.Stopwatch]::StartNew()
$chrono.Stop()
$chrono
Kako dobiti trenutni dan u nedelji sa PowerShell-om?
(Get-Date).DayOfWeek #Sunday
Kako dobiti jučerašnji datum sa PowerShell-om?
(Get-Date).AddDays(-1)
Kako dobiti broj dana u mesecu (u Februaru 2015 godine) sa PowerShell-om?
[DateTime]::DaysInMonth(2015, 2)
Kako znati koja je prestupna godina sa PowerShell-om?
[DateTime]::IsLeapYear(2015)
Kako napraviti listu vremenskih zona sa PowerShell-om?
[System.TimeZoneInfo]::GetSystemTimeZones()
Networking
Kako kodirati (u ASCII format) i dekodirati URL sa PowerShell-om?
1 2 3 4 5 6 7 8 9 |
# Encode $url = 'http://www.powershell-guru.com' $encoded = [System.Web.HttpUtility]::UrlEncode($url) # Decode $decoded = [System.Web.HttpUtility]::UrlDecode($encoded) # Encoded : http%3a%2f%2fwww.powershell-guru.com # Decoded : http://www.powershell-guru.com |
Koji su ekvivalenti komandi matične mreže sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 |
# ipconfig Get-NetIPConfiguration Get-NetIPAddress # ping Test-NetConnection # tracert Test-NetConnection -TraceRoute # route Get-NetRoute # nslookup Resolve-DnsName # Windows 8.1 & Windows 2012 ([System.Net.Dns]::GetHostEntry($IP)).Hostname # IP > PC ([System.Net.Dns]::GetHostAddresses($computer)).IPAddressToString # PC > IP |
Kako dobiti IP adrese sa PowerShell-om?
Get-NetIPAddress # Windows 8.1 & Windows 2012
Get-NetIPConfiguration # Windows 8.1 & Windows 2012
Kako onemogućiti IP adresu v6 (IPv6) sa PowerShell-om?
1 |
New-ItemProperty -Path 'HKLM:\SYSTEM\CurrentControlSet\Services\Tcpip6\Parameters' -Name 'DisabledComponents' -Value '0xFFFFFFFF' -PropertyType"DWORD" # Reboot required |
Kako potvrditi IP adresu v4 (IPv4) sa PowerShell-om?
if([ipaddress]'10.0.0.1'){'validated'}
Kako naći spoljnu IP adresu sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 |
# Solution 1 (Invoke-WebRequest -Uri 'myexternalip.com/raw').Content (iwr -Uri 'myexternalip.com/raw').Content # Alias # Solution 2 $webClient = New-Object -TypeName System.Net.WebClient $webClient.DownloadString('http://myexternalip.com/raw') # Solution 3 while ($true) { Write-Output -InputObject "$(Get-Date) - $((Invoke-WebRequest -Uri 'http://myexternalip.com/raw' -Method Get).Content)" Start-Sleep -Seconds 300 } |
Kako naći Hostname iz IP adrese sa PowerShell-om?
([System.Net.Dns]::GetHostEntry($IP)).Hostname
Kako naći IP adresu iz Hostname-a sa PowerShell-om?
([System.Net.Dns]::GetHostAddresses($computer)).IPAddressToString
Kako naći FQDN iz Hostname-a sa PowerShell-om?
[System.Net.Dns]::GetHostByName($computer).HostName
Kako naći konfiguraciju mreže (Ip, Subnet, Gateway i DNS) sa PowerShell-om?
1 |
Get-WmiObject -Class Win32_NetworkAdapterConfiguration | Format-Table -Property Description, IpAddress, IPSubnet, DefaultIPGateway, DNSServerSearchOrder |
Kako naći MAC adresu sa PowerShell-om?
Get-CimInstance win32_networkadapterconfiguration | Select-Object -Property Description, Macaddress
Get-WmiObject -Class win32_networkadapterconfiguration | Select-Object -Property Description, Macaddress
Kako pingovati kompjuter sa PowerShell-om?
1 2 3 4 5 6 |
# Solution 1 Test-Connection -ComputerName $computer -Quiet # Returns True / False # Solution 2 $ping = New-Object -TypeName System.Net.Networkinformation.Ping $ping.Send($computer) |
Kako proveriti da li je kompjuter povezan na internet sa PowerShell-om?
1 |
[Activator]::CreateInstance([Type]::GetTypeFromCLSID([Guid]'{DCB00C01-570F-4A9B-8D69-199FDBA5723B}')).IsConnectedToInternet |
Kako obaviti “koje” pretragu za web sajt sa PowerShell-om?
$whois = New-WebServiceProxy 'http://www.webservicex.net/whois.asmx?WSDL'
$whois.GetWhoIs('powershell-guru.com')
Kako naći detalje javne IP (Geolokacije) sa PowerShell-om?
1 2 |
$externalIP = (Invoke-WebRequest -Uri 'myexternalip.com/raw').Content $detailsIP = ([xml](Invoke-WebRequest -Uri "http://freegeoip.net/xml/$externalIP" -UseBasicParsing).Content).Response |
Kako proveriti da li je port otvoren / zatvoren sa PowerShell-om?
New-Object -TypeName Net.Sockets.TcpClient -ArgumentList $computer, 135
Kako obaviti “tracert” sa PowerShell-om?
Test-NetConnection www.google.com -TraceRoute
Kako otkloniti konekciju profila kućne mreže sa PowerShell-om?
Get-NetAdapter | Format-Table -Property Name, InterfaceDescription, ifIndex -AutoSize # Windows 8.1
Set-NetConnectionProfile -InterfaceIndex 6 -NetworkCategory Private
Kako prikazati TCP port veze sa PowerShell-om?
netstat.exe -ano
Get-NetTCPConnection #Windows 8 and 2012
Kako skratiti dugi URL u kratak URL sa PowerShell-om?
$url = 'www.powershell-guru.com'
$tiny = Invoke-RestMethod -Uri "http://tinyurl.com/api-create.php?url=$url"
Kako naći proxy podešavanja sa PowerShell-om?
Get-ItemProperty -Path HKCU:"Software\Microsoft\Windows\CurrentVersion\Internet Settings"
DNS
Kako proveriti DNS keš na lokalnom kompjuteru sa PowerShell-om?
ipconfig.exe /displaydns
Get-DnsClientCache #Windows 8 and 2012
Kako očistiti DNS keš na lokalnom kompjuteru sa PowerShell-om?
ipconfig.exe /flushdns
Start-Process -FilePath ipconfig -ArgumentList /flushdns -WindowStyle Hidden
Clear-DnsClientCache #Windows 8 and 2012
Kako očistiti DNS keš na udaljenim kompjuterima sa PowerShell-om?
Invoke-Command -ScriptBlock {Clear-DnsClientCache} -ComputerName computer01, computer02
Kako čitati Host fajl sa PowerShell-om?
Get-Content -Path 'C:\Windows\system32\drivers\etc\hosts'
Password
Kako proizvesti nasumičnu lozinku sa PowerShell-om?
[Reflection.Assembly]::LoadWithPartialName('System.Web')
[System.Web.Security.Membership]::GeneratePassword(30,2)
Kako promeniti lokalnu lozinku administratora na daljinskom serveru sa PowerShell-om?
$admin = [ADSI]('WinNT://server01/administrator,user')
$admin.SetPassword($password)
$admin.SetInfo()
Kako naći datum isticanja lozinke naloga u Aktivnom Direktorijumu sa PowerShell-om?
1 2 3 4 5 6 7 8 |
# Solution 1 [DateTime]::FromFileTime((Get-ADUser -Identity $user -Properties 'msDS-UserPasswordExpiryTimeComputed').'msDS-UserPasswordExpiryTimeComputed') # Solution 2 Get-Date -Date ((Get-ADUser $user -Properties 'msDS-UserPasswordExpiryTimeComputed' | Select-Object -Property @{ Name = 'ExpiryDate' Expression = {[DateTime]::FromFileTime($_.'msDS-UserPasswordExpiryTimeComputed')} }).ExpiryDate)-Format 'F' |
Printers
Kako izlistati sve štampače za određeni server sa PowerShell-om?
Get-WmiObject -Query 'Select * From Win32_Printer' -ComputerName $computer
Kako izlistati sve portove za određeni server sa PowerShell-om?
Get-WmiObject -Class Win32_TCPIPPrinterPort -Namespace 'root\CIMV2' -ComputerName $computer
Kako promeniti komentar / lokaciju štampača sa PowerShell-om?
1 2 3 4 |
$printer = Get-WmiObject -Class win32_printer -Filter "Name='HP Deskjet 2540 series'" $printer.Location = 'Germany' $printer.Comment = 'Printer - Test' $printer.Put() |
Kako očistiti (otkazati sve poslove) sa štampača sa PowerShell-om?
$printer = Get-WmiObject -Class win32_printer -Filter "Name='HP Deskjet 2540 series'"
$printer.CancelAllJobs()
Kako odštampati test stranicu za štampač sa PowerShell-om?
$printer = Get-WmiObject -Class win32_printer -Filter "Name='HP Deskjet 2540 series'"
$printer.PrintTestPage()
Kako dobiti odštampane redove za štampače sa PowerShell-om?
1 2 3 4 |
Get-WmiObject -Class Win32_PerfFormattedData_Spooler_PrintQueue | Select-Object -Property Name, @{ Expression = {$_.jobs} Label = 'Current Jobs' } | Format-Table -AutoSize |
Regedit
Read
Kako napraviti listu prihvaćenih registara sa PowerShell-om?
Get-ChildItem -Path Registry::
Kako dobiti vrednosti registara i tipove vrednosti sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 |
function Get-RegistryValue { Param ( [Parameter(Mandatory = $true)] [string]$RegistryKey ) $key = Get-Item -Path "Registry::$RegistryKey" $key.GetValueNames() | Sort-Object | ForEach-Object -Process { $name = $_ $type = $key.GetValueKind($name) switch ($type) { 'String' {'REG_SZ'} 'Binary' {'REG_BINARY'} 'Dword' {'REG_DWORD'} 'Qword' {'REG_QWORD'} 'MultiString' {'REG_MULTI_SZ'} 'ExpandString'{'REG_EXPAND_SZ'} Default {$null} } [PSCustomObject]@{ Name = $name Type = $type Data = $key.GetValue($name) } } } |
Kako napraviti listu potključeva registarskih brojeva sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 |
#HKEY_CLASSES_ROOT New-PSDrive -PSProvider Registry -Root HKEY_CLASSES_ROOT -Name HKCR Get-ChildItem -Path 'HKCR:\' #HKEY_CURRENT_USER Get-ChildItem -Path 'HKCU:\Software' Get-ChildItem -Path Registry::HKEY_CURRENT_USER #HKEY_LOCAL_MACHINE Get-ChildItem -Path 'HKLM:\SYSTEM' Get-ChildItem -Path Registry::HKEY_LOCAL_MACHINE #HKEY_USERS New-PSDrive -PSProvider Registry -Root HKEY_USERS -Name HKU Get-ChildItem -Path 'HKU:\' #HKEY_CURRENT_CONFIG New-PSDrive -PSProvider Registry -Root HKEY_CURRENT_CONFIG -Name HKCC Get-ChildItem -Path 'HKCC:\' |
Kako napraviti listu potključeva registarskih brojeva na povratnički način sa PowerShell-om?
Get-ChildItem -Path 'HKLM:\SYSTEM' -Recurse -ErrorAction SilentlyContinue
Kako naći potključeve sa određenim imenom sa PowerShell-om?
Get-ChildItem -Path 'HKLM:\SOFTWARE' -Include *Plugin* -Recurse -ErrorAction SilentlyContinue
Kako vratiti samo ime registarskih potključeva sa PowerShell-om?
(Get-ChildItem -Path 'HKLM:\SYSTEM').Name # Return HKEY_LOCAL_MACHINE\SYSTEM\ControlSet
Get-ChildItem -Path 'HKLM:\SYSTEM' -Name # Return ControlSet
Kako napraviti listu registarskih vrednosti sa PowerShell-om?
Get-ItemProperty -Path 'HKLM:\SOFTWARE\Microsoft\Windows NT\CurrentVersion'
Kako pročitati određenu registarsku vrednost sa PowerShell-om?
(Get-ItemProperty -Path 'HKLM:\SOFTWARE\Microsoft\Windows NT\CurrentVersion').ProductName
Kako pročitati određenu registarsku vrednost na daljinskom kompjuteru sa PowerShell-om?
1 2 3 4 5 |
$hostname = $computer $openRegedit = [Microsoft.Win32.RegistryKey]::OpenRemoteBaseKey('LocalMachine', $hostname) $openKey = $openRegedit.OpenSubKey('SOFTWARE\\Microsoft\\Windows NT\\CurrentVersion') $keyValue = $openKey.GetValue('ProductName') $keyValue |
Write
Kako kreirati novi registarski ključ sa PowerShell-om?
New-Item -Path 'HKCU:\Software\MyApplication'
Kako kreirati registarsku vrednost sa PowerShell-om?
New-ItemProperty -Path 'HKCU:\Software\MyApplication' -Name 'Version' -Value '1.0'
Kako modifikovati postojeću registarsku vrednost sa PowerShell-om?
Set-ItemProperty -Path 'HKCU:\Software\MyApplication' -Name 'Version' -Value '2.0'
Delete
Kako obrisati registarsku vrednost sa PowerShell-om?
Remove-ItemProperty -Path 'HKCU:\Software\MyApplication' -Name 'Version'
Kako obrisati registarski ključ kod PowerShell-om?
Remove-Item -Path 'HKCU:\Software\MyApplication' -Force
Test
Kako testirati da li registarski ključ postoji sa PowerShell-om?
Test-Path -Path 'HKCU:\Software\MyApplication'
Kako testirati da li vrednost registra postoji sa PowerShell-om?
(Get-Item -Path 'HKCU:\Software\MyApplication').GetValueNames() -contains 'Version'
Strings
Kako ukloniti karaktere belog-prostora sa početka niza sa PowerShell-om?
$string = ' PowershellGuru'
$string = $string.TrimStart()
Kako ukloniti karaktere belog-prostora sa kraja niza sa PowerShell-om?
$string = 'PowershellGuru '
$string = $string.TrimEnd()
Kako ukloniti karaktere belog-prostora (sa početka i kraja) niza sa PowerShell-om?
$string = ' PowershellGuru '
$string = $string.Trim()
Kako promeniti niz u velika slova sa PowerShell-om?
$string = 'powershellguru'
$string = $string.ToUpper()
Kako promeniti niz u mala slova sa PowerShell-om?
$string = 'POWERSHELLGURU'
$string = $string.ToLower()
Kako izabrati pod-niz “PowerShell” iz niza “PowerShellGuru” sa PowerShell-om?
$string.Substring(0,10)
Kako izabrati pod-niz “Guru” iz niza “PowerShellGuru” sa PowerShell-om?
$string.Substring(10)
Kako izabrati broj “123”iz “PowerShell123Guru” sa PowerShell-om?
$string = 'Powershell123Guru'
[regex]::match($string,'(\d+)').value
Kako dobiti indeks baziran na nuli “Guru” iz niza “PowerShellGuru” sa PowerShell-om?
$string.IndexOf('Guru') # 10
Kako proveriti da li je niz nevažeći ili prazan sa PowerShell-om?
$string = $null
$string = ''
[string]::IsNullOrEmpty($string)
Kako proveriti da li je niz je nevažeći, prazan, ili sadrži samo karaktere belog-prostora sa PowerShell-om?
$string = $null
$string = ''
$string = ' '
[string]::IsNullOrWhiteSpace($string)
Kako proveriti da li niz sadrži određeno slovo sa PowerShell-om?
$string = 'PowershellGuru'
$string.Contains('s')
[regex]::match($string,'s').Success
Kako vratiti dužinu niza sa PowerShell-om?
$string.Length
Kako povezati dva niza sa PowerShell-om?
1 2 3 4 5 6 7 |
# Solution 1 $string1 + $string2 # Solution 2 $string1 = 'Powershell' $string2 = 'Guru' [string]::Concat($string1,$string2) |
Kako uklopiti jednu ili nekoliko zagrada “[ ]” u niz sa PowerShell-om?
$string = '[PowershellGuru]'
$string -match '\[' # Only 1
$string -match '\[(.*)\]' # Several
Kako uklopiti jednu ili nekoliko zagrada “( )” u niz sa PowerShell-om?
$string = '(PowershellGuru)'
$string -match '\(' # Only 1
$string -match '\((.*)\)' # Several
Kako uklopiti jednu ili nekoliko uvijenih zagrada “{ }” u niz sa PowerShell-om?
$string = '{PowershellGuru}'
$string -match '\{' # Only 1
$string -match '\{(.*)\}' # Several
Kako uklopiti jednu ili nekoliko ugaonih zagrada “< >” u niz sa PowerShell-om?
$string = ''
$string -match '\<' # Only 1
$string -match "\<(.*)\>" # Several
Kako uklopiti bilo koje malo slovo (abc) u niz sa PowerShell-om?
$string = 'POWERSHELLGURU'
$string -cmatch "^[a-z]*$" #False
Kako uklopiti bilo koje veliko slovo (ABC) u niz sa PowerShell-om?
$string = 'powershellguru'
$string -cmatch "^[A-Z]*$" #False
Kako uklopiti “[p” (p malo slovo) u niz sa PowerShell-om?
$string = '[powershellGuru]'
$string -cmatch '\[[a-z]\w+' #True
Kako uklopiti “[P” (P veliko slovo) u niz sa PowerShell-om?
$string = '[PowershellGuru]'
$string -cmatch '\[[A-Z]\w+' #True
Kako zameniti liniju drugom linijom sa PowerShell-om?
$a = 'Line A'
$b = 'Line B'
$a = $a -replace $a, $b
Kako preobratiti divizionu operaciju u niz (procenat) sa PowerShell-om?
(1/2).ToString('P')
Kako grupisati nizove koji sadrže brojeve sa PowerShell-om?
1 |
'string-10', 'string-2', 'string-23', 'string-30' | Sort-Object -Property {$_ -replace '[\d]'}, {$_ -replace '[a-zA-Z\p{P}]'-as [int]} |
Kako izabrati poslednju reč iz rečenice sa PowerShell-om?
$sentence = 'My name is Test Powershell'
$sentence.Split(' ')[-1] # Returns Powershell
Kako doći do najduže reči rečenice sa PowerShell-om?
$sentence = 'My name is Test Powershell'
$sentence.Split(' ') | Sort-Object -Property Length | Select-Object -Last 1 # Returns Powershell
Kako izbrojati koliko puta je niz prisutan u rečenici sa PowerShell-om?
$sentence = 'test test test Powershell'
[regex]::Matches($sentence, 'test').Count # Returns 3
Kako kopirati svaki karakter u nizu u red karaktera sa PowerShell-om?
1 2 3 4 5 6 7 |
$name = 'test' $name.ToCharArray() s t e v e |
Kako promeniti prvo slovo u veliko slovo u nizu sa PowerShell-om?
1 2 |
$name = 'test' $name.Substring(0,1).ToUpper() + $name.Substring(1) |
Kako postaviti (levo ili desno) niz sa PowerShell-om?
1 2 3 4 5 6 7 |
# With whitespaces $padRight = 'test'.PadRight(25) $padLeft = 'test'.PadLeft(25) # With characters $padRight = 'test'.PadRight(25,'.') # Return test.................... $padLeft = 'test'.PadLeft(25,'.') # Return ....................test |
Kako kodirati i dekodirati niz u Base64 sa PowerShell-om?
1 2 3 4 5 6 7 8 9 10 |
# Encode $string = [System.Text.Encoding]::UTF8.GetBytes('test') $encoded = [System.Convert]::ToBase64String($string) # Decode $string = [System.Convert]::FromBase64String($encoded) $decoded = [System.Text.Encoding]::UTF8.GetString($string) # Encoded : c3RldmU= # Decoded : test |
Kako promeniti broj (u i iz) binarnog sa PowerShell-om?
1 2 3 4 5 |
# Base 10 to Base 2 [System.Convert]::ToString(255,2) # Base 2 to Base 10 [System.Convert]::ToInt32('11111111',2) |
Kako vratiti samo poslednju glavnu fasciklu u putanji sa PowerShell-om?
1 2 |
$path = 'C:\Folder1\Folder2\Folder3\file.txt' Split-Path -Path (Split-Path -Path $path -Parent) -Leaf # Return Folder3 |
Kako vratiti samo poslednju stavku na putanju sa PowerShell-om?
1 2 |
$path = 'C:\Folder1\Folder2\Folder3\file.txt' Split-Path -Path $path -Leaf # Return file.txt |
Math
Kako napraviti spisak metoda System.Math klase sa PowerShell-om?
[System.Math] | Get-Member -Static -MemberType Method
Kako vratiti apsolutnu vrednost sa PowerShell-om?
[Math]::Abs(-12) #Returns 12
[Math]::Abs(-12.5) # Returns 12.5
Kako vratiti ugao čiji sinus je određeni broj sa PowerShell-om?
[Math]::ASin(1) #Returns 1,5707963267949
Kako vratiti plafonsku vrednost sa PowerShell-om?
[Math]::Ceiling(1.4) #Returns 2
[Math]::Ceiling(1.9) #Returns 2
Kako vratiti podnu vrednost sa PowerShell-om?
[Math]::Floor(1.4) #Returns 1
[Math]::Floor(1.9) #Returns 1
Kako vratiti osnovni (baza e) logaritam na određenog broja sa PowerShell-om?
[Math]::Log(4) #Returns 1,38629436111989
Kako vratiti logaritam baze 10 određenog broja sa PowerShell-om?
[Math]::Log10(4) #Returns 0,602059991327962
Kako vratiti maksimalno dve vrednosti sa PowerShell-om?
[Math]::Max(2,4) #Returns 4
[Math]::Max(-2,-4) #Returns -2
Kako vratiti minimalno dve vrednosti sa PowerShell-om?
[Math]::Min(2,4) #Returns 2
[Math]::Max(-2,-4) #Returns -4
Kako vratiti broj povećan na određenu vrednost sa PowerShell-om?
[Math]::Pow(2,4) #Returns 16
Kako vratiti decimalnu vrednost na najbližu integralnu vrednost sa PowerShell-om?
[Math]::Round(3.111,2) #Returns 3,11
[Math]::Round(3.999,2) #Returns 4
Kako vratiti integralni deo određenog decimalnog broja sa PowerShell-om?
[Math]::Truncate(3.111) #Returns 3
[Math]::Truncate(3.999) #Returns 3
Kako vratiti kvadratni koren određenog broja sa PowerShell-om?
[Math]::Sqrt(16) #Returns 4
Kako vratiti PI konstantu sa PowerShell-om?
[Math]::Pi #Returns 3,14159265358979
Kako vratiti osnovnu bazu logaritma (konstanta e) sa PowerShell-om?
[Math]::E #Returns 2,71828182845905
Kako proveriti da li je broj jednak ili drugačiji sa PowerShell-om?
[bool]($number%2)
Hashtables
Kako kreirati prazan hashtable sa PowerShell-om?
$hashtable = @{}
$hashtable = New-Object -TypeName System.Collections.Hashtable
Kako kreirati hashtable sa predmetima sa PowerShell-om?
1 2 3 4 5 |
$hashtable = @{ 'Key1' = 'Value1' 'Key2' = 'Value2' 'Key3' = 'Value3' } |
Kako kreirati hashtable grupisan ključem/imenom (naručen rečnik) sa predmetima sa PowerShell-om?
1 2 3 4 5 6 7 |
$hashtable = [ordered]@{ 'Key1' = 'Value1' 'Key2' = 'Value2' 'Key3' = 'Value3' } $hashtable | Get-Member # System.Collections.Specialized.OrderedDictionary |
Kako dodati predmete (par ključnih vrednosti) u hashtable sa PowerShell-om?
$hashtable.Add('Key4', 'Value4')
Kako dobiti određenu vrednost hashtable-a sa PowerShell-om?
1 2 3 4 5 6 |
# Returns only Value $hashtable.Key1 $hashtable.Get_Item('Key1') # Returns Key and Value $hashtable.GetEnumerator() | Where-Object{$_.Name -eq 'Key1'} |
Kako dobiti minimalnu vrednost hashtable-a sa PowerShell-om?
1 2 3 4 5 6 7 8 |
$hashtable = @{ 'Key1' = '1' 'Key2' = '2' 'Key3' = '3' } $hashtable.GetEnumerator() | Sort-Object -Property Value | Select-Object -First 1 $hashtable.GetEnumerator() | Sort-Object -Property Value -Descending | Select-Object -Last 1 |
Kako dobiti maksimalnu vrednost hashtable-a sa PowerShell-om?
1 2 3 4 5 6 7 8 |
$hashtable = @{ 'Key1' = '1' 'Key2' = '2' 'Key3' = '3' } $hashtable.GetEnumerator() | Sort-Object -Property Value -Descending | Select-Object -First 1 $hashtable.GetEnumerator() | Sort-Object -Property Value | Select-Object -Last 1 |
Kako modifikovati predmete u hashtable-u sa PowerShell-om?
$hashtable.Set_Item('Key1', 'Value1Updated')
Kako ukloniti predmete u hashtable-u sa PowerShell-om?
$hashtable.Remove('Key1')
Kako očistiti hashtable sa PowerShell-om?
$hashtable.Clear()
Kako proveriti prisustvo određenog ključa/vrednosti u hashtable-u sa PowerShell-om?
$hashtable.ContainsKey('Key3')
$hashtable.ContainsValue('Value3')
Kako grupisati pod ključ/vrednost u hashtable-u sa PowerShell-om?
$hashtable.GetEnumerator() | Sort-Object -Property Name
$hashtable.GetEnumerator() | Sort-Object -Property Value -Descending
Arrays
Kako kreirati prazan red sa PowerShell-om?
$array = @()
$array = [System.Collections.ArrayList]@()
Kako kreirati red sa predmetima sa PowerShell-om?
$array = @('A', 'B', 'C')
$array = 'A', 'B', 'C'
$array = 'a,b,c'.Split(',')
$array = .{$args} a b c
$array = echo a b c
Kako dodati predmete u red sa PowerShell-om?
$array += 'D'
[void]$array.Add('D')
Kako modifikovati predmet u redu sa PowerShell-om?
$array[0] = 'Z' # 1st item[0]
Kako proveriti veličinu reda sa PowerShell-om?
$array = 'A', 'B', 'C'
$array.Length # Returns 3
Kako povratiti jedan predmet / nekoliko / sve predmete u red sa PowerShell-om?
$array = @('A', 'B', 'C')
$array[0] # One item (A)
$array[0] + $array[2] # Several items (A,C)
$array # All items (A,B,C)
Kako ukloniti prazne predmete u redu sa PowerShell-om?
$array = @('A', 'B', 'C', '')
$array = $array.Split('',[System.StringSplitOptions]::RemoveEmptyEntries) | Sort-Object # A,B,C
Kako proveriti da li predmet postoji u redu sa PowerShell-om?
$array = @('A', 'B', 'C')
'A' | ForEach-Object -Process {$array.Contains($_)} # Returns True
'D' | ForEach-Object -Process {$array.Contains($_)} # Returns False
Kako naći indeksni broj predmeta u redu sa PowerShell-om?
$array = @('A', 'B', 'C')
[array]::IndexOf($array,'A') # Returns 0
Kako promeniti redosled predmeta u redu sa PowerShell-om?
$array = @('A', 'B', 'C')
[array]::Reverse($array) # C,B,A
Kako generisati slučajni predmet iz reda sa PowerShell-om?
$array | Get-Random
Kako grupisati red na uzlazni / silazni način sa PowerShell-om?
$array = @('A', 'B', 'C')
$array | Sort-Object # A,B,C
$array | Sort-Object -Descending # C,B,A
Kako izračunati broj predmeta u redu sa PowerShell-om?
$array.Count
Kako dodati red u drugi red sa PowerShell-om?
$array1 = 'A', 'B', 'C'
$array2 = 'D', 'E', 'F'
$array3 = $array1 + $array2 # A,B,C,D,E,F
Kako naći duplikate iz reda sa PowerShell-om?
$array = 'A', 'B', 'C', 'C'
($array | Group-Object | Where-Object -FilterScript {$_.Count -gt 1}).Values # Returns C