2

我有一个 Powershell 脚本,它收集备份的大小并将其导出为 CSV,我想知道它是否可以添加到下一个 csv 列或 excel 中。

我一直在看文档,因为我认为它在 excel 上看起来更好,但我不能再添加一列,我总是从头开始相信它。

$today = (get-date).Date
$backup = Get-VBRBackup | where {$_.info.jobname -eq "A. ProduccionInterna.Infraestructura Backup Copy"}
if ($backup) {
$backup.GetAllStorages() | where {$_.CreationTime.Date -eq $today} | select {$_.PartialPath}, {$_.Stats.BackupSize/1GB} |
export-csv -Path C:\Users\acepero\Documents\test.csv -NoTypeInformation -Delimiter ';'
}

更新

我设法创建了一次新列,然后它给出了一个错误:

Select-Object : The property cannot be processed because the property "{$_.PartialPath}, {$_.Stats.BackupSize/1GB} , {$Session.BackupStats.DedupRatio} , 
{$Session.BackupStats.CompressRatio}" already exists.

代码现在有这种形式

$today = (get-date).Date
$backup = Get-VBRBackup | where {$_.info.jobname -eq "A. ProduccionInterna.Infraestructura Backup Copy"}
if ($backup) {
$backup.GetAllStorages() | where {$_.CreationTime.Date -eq $today} | select {$_.PartialPath}, {$_.Stats.BackupSize/1GB} , {$Session.BackupStats.DedupRatio} , {$Session.BackupStats.CompressRatio} 
(Import-Csv "C:\Users\acepero\Documents\test.csv") |
    Select-Object *, {{$_.PartialPath}, {$_.Stats.BackupSize/1GB} , {$Session.BackupStats.DedupRatio} , {$Session.BackupStats.CompressRatio}} |
Export-csv -Path C:\Users\acepero\Documents\test.csv -NoTypeInformation #-Delimiter ';' 
}
4

1 回答 1

4

当您从命令获取输出并通过 select 管道输出时,您正在创建一个输出对象,该对象具有选定的值作为属性。下面是一个使用Get-ChildItem命令的例子:

$result = Get-ChildItem C:\Temp | select Name, Length

$result 数组包含具有“长度”和“名称”NoteProperties 的对象。当您将该对象通过管道传输到 Export-CSV 时,它会为该对象具有的每个 Property/NoteProperty 创建一列。为了“向 CSV 添加列”,您需要做的就是向对象添加一个 NoteProperty。您可以使用Add-Membercmdlet 执行此操作,如下所示:

$result | Add-Member -MemberType NoteProperty -Name 'ColumnName' -Value 'ColumnValue'

小心你如何做到这一点。如果 $result 是单个对象,则此命令会将 NoteProperty/Value 对添加到该对象。如果 $result 是一个对象数组,它将将该 NoteProperty/Value 对添加到数组中保存的所有对象中。如果需要为每个对象分配不同的值,则需要遍历数组:

ForEach ($res in $result)
{
    $thisvalue = '' #Assign specific value here
    $res | Add-Member -MemberType NoteProperty -Name 'ColumnName' -Value $thisvalue
}

我希望这可以帮助你。如果是,请不要忘记接受答案。

于 2020-02-17T22:07:10.973 回答