Reputation: 2448
Why does
gci $from -Recurse | copy-item -Destination $to -Recurse -Force -Container
not behave in the same way as
copy-item $from $to -Recurse -Force
?
I think it should be the same, but somehow it's not. Why?
Upvotes: 15
Views: 47000
Reputation: 91
This works for me:
Get-ChildItem 'c:\source\' -Recurse | % {Copy-Item -Path $_.FullName -Destination 'd:\Dest\' -Force -Container }
Upvotes: 2
Reputation: 2123
You are not looping over each item in the collection of files/folders, but passing the last value to the pipe. You need to use Foreach-item or % to the Copy-Item command. From there, you also do not need the second -recurse switch as you already have every item in the GCI.
try this:
gci $from -Recurse | % {copy-item -Path $_ -Destination $to -Force -Container }
Upvotes: 22
Reputation: 1
The switches are wrong. They should be:
gci -Path $from -Recurse | copy-item -Destination $to -Force -Container
Upvotes: -1
Reputation: 1148
To loop all items, this should work:
gci -Path $from -Recurse | % { $_ | copy-item -Destination $to -Force -Container}
Just do the foreach and pipe each item again.
Upvotes: -1
Reputation: 113
Here is what worked for me
Get-ChildItem -Path .\ -Recurse -Include *.txt | %{Join-Path -Path $_.Directory -ChildPath $_.Name } | Copy-Item -Destination $to
Upvotes: 3