PowerShellを使用してWindows 7の一部のプログラムをタスクバーに固定するにはどうすればよいですか?段階的に説明してください。
また、次のコードを変更してフォルダーをタスクバーに固定するにはどうすればよいですか?例えば
$folder = $Shell.Namespace('D:\Work')
このパスでは、example
という名前のフォルダー。
Shell.Application COMオブジェクトを使用してVerb
(タスクバーに固定)を呼び出すことができます。ここにいくつかのサンプルコードがあります:
http://gallery.technet.Microsoft.com/scriptcenter/b66434f1-4b3f-4a94-8dc3-e406eb30b75
例はやや複雑です。簡略版は次のとおりです。
$Shell = new-object -com "Shell.Application"
$folder = $Shell.Namespace('C:\Windows')
$item = $folder.Parsename('notepad.exe')
$verb = $item.Verbs() | ? {$_.Name -eq 'Pin to Tas&kbar'}
if ($verb) {$verb.DoIt()}
別の方法
$sa = new-object -c Shell.application
$pn = $sa.namespace($env:windir).parsename('notepad.exe')
$pn.invokeverb('taskbarpin')
または固定を解除
$pn.invokeverb('taskbarunpin')
注:notepad.exeは%windir%
の下にない場合があります。サーバーOSの場合、%windir%\system32
の下に存在する場合があります。
PowerShellを使用してこれを行う必要があるため、ここで他のユーザーが提供するメソッドを利用しました。これは、PowerShellモジュールに追加した私の実装です。
function Get-ComFolderItem() {
[CMDLetBinding()]
param(
[Parameter(Mandatory=$true)] $Path
)
$ShellApp = New-Object -ComObject 'Shell.Application'
$Item = Get-Item $Path -ErrorAction Stop
if ($Item -is [System.IO.FileInfo]) {
$ComFolderItem = $ShellApp.Namespace($Item.Directory.FullName).ParseName($Item.Name)
} elseif ($Item -is [System.IO.DirectoryInfo]) {
$ComFolderItem = $ShellApp.Namespace($Item.Parent.FullName).ParseName($Item.Name)
} else {
throw "Path is not a file nor a directory"
}
return $ComFolderItem
}
function Install-TaskBarPinnedItem() {
[CMDLetBinding()]
param(
[Parameter(Mandatory=$true)] [System.IO.FileInfo] $Item
)
$Pinned = Get-ComFolderItem -Path $Item
$Pinned.invokeverb('taskbarpin')
}
function Uninstall-TaskBarPinnedItem() {
[CMDLetBinding()]
param(
[Parameter(Mandatory=$true)] [System.IO.FileInfo] $Item
)
$Pinned = Get-ComFolderItem -Path $Item
$Pinned.invokeverb('taskbarunpin')
}
# The order results in a left to right ordering
$PinnedItems = @(
'C:\Program Files\Oracle\VirtualBox\VirtualBox.exe'
'C:\Program Files (x86)\Mozilla Firefox\firefox.exe'
)
# Removing each item and adding it again results in an idempotent ordering
# of the items. If order doesn't matter, there is no need to uninstall the
# item first.
foreach($Item in $PinnedItems) {
Uninstall-TaskBarPinnedItem -Item $Item
Install-TaskBarPinnedItem -Item $Item
}