我首先承认我是一个Powershell(和编码)菜鸟。我偶然发现了一些脚本,但我对任何能力都没有任何要求。我希望一些经验丰富的人能让我走上正轨。
我试图从多个XML文件中提取特定的元素数据,这些文件将用于填充另一个XML文件。我从中提取数据的文件是发票,我想抓住发票号和时间戳并将这些值放入清单中。清单结构如下
<?xml version="1.0" encoding="utf-8"?>
<Manifest>
<Invoice>
<InvoiceID></InvoiceID>
<Timestamp></Timestamp>
</Invoice>
</Manifest>
我从中提取的XML位于将保存清单的目录的子目录中。为简单起见,发票中的元素名称与清单中的相应元素相同。清单的文件夹结构是&#34; C:\Projects\Powershell\Manifest\Manifest.xml
&#34;对于发票而言,它是&#34; C:\Projects\Powershell\Manifest\Invoices\*.xml
&#34;。
使用以下代码,我可以从元素中获取数据&#34; InvoiceID
&#34;和&#34; Timestamp
&#34;仅子目录中的第一个 XML&#34; \Invoices
&#34;。但是,代码会为每个Invoice文件创建一个条目;它只是用第一个文件中的值填充每个元素。 (例如,如果我在&#34; \Invoices
&#34;目录中有三个Invoice XML文件,我会得到以下结果:<Invoice>
复杂元素的三个实例,每个实例都填充了在第一个文件中找到了InvoiceID
和Timestamp
。所以它计算文件并输出相应数量的元素,它只是没有得到除了第一个以外的任何数据。)
以下是代码:
$files = Get-ChildItem "C:\Projects\Powershell\Manifest\Invoices\*.xml"
$xmlData = @"
<Invoice>
<InvoiceId>$InvID</InvoiceId>
<Timestamp>$Timestamp</Timestamp>
</Invoice>
"@
$Manifest = "C:\Projects\Powershell\Manifest\Manifest.xml"
ForEach ($file in $files) {
$xmldoc = [xml](Get-Content $file)
$InvID = $xmldoc.Manifest.Invoice.InvoiceID
$Timestamp = $xmldoc.Manifest.Invoice.Timestamp
ForEach ($xml in $xmldoc)
{
Add-Content $Manifest $xmlData
}}
一旦我弄明白这件事,我可以处理正确格式化输出文件的结束标记。
我知道我必须错误地循环,但在阅读完之后直到我的大脑受伤,我终于求助于提问。我有什么明显的遗漏/混乱?
答案 0 :(得分:2)
"..."
和@"<newline>...<newline>"@
字符串中的字符串插值(扩展)立即发生 ,其中引用的变量包含的值获取使用。
因此,相同的字符串 - 其值在循环之前确定 - 在foreach
循环的每次迭代中输出。
您的用例需要一个模板方法,其中字符串插值延迟,需要按需调用 < em> then-current 变量值,使用$ExecutionContext.InvokeCommand.ExpandString()
:
# Define the *template* string as a *literal* - with *single* quotes.
$xmlData = @'
<Invoice>
<InvoiceId>$InvID</InvoiceId>
<Timestamp>$Timestamp</Timestamp>
</Invoice>
'@
# ...
# ForEach ($file in $files) { ...
# Perform interpolation *on demand* with $ExecutionContext.InvokeCommand.ExpandString()
Add-Content $Manifest -Value $ExecutionContext.InvokeCommand.ExpandString($xmlData)
# }
一个简单的例子:
# Define a template string, *single-quoted*, with *literal contents*:
# - '$InvID' is simply literally part of the string, not a variable reference (yet).
# - Ditto for $((Get-Date).TimeOfDay)
$strTempl = 'Invoice ID $InvID extracted at $((Get-Date).TimeOfDay).'
# Echo the template string as-is - unexpanded - ...
$strTempl
# ... and expand it on demand
$InvID = 1
$ExecutionContext.InvokeCommand.ExpandString($strTempl)
# ... and again, after assigning a different value to $InvID
$InvID = 2
$ExecutionContext.InvokeCommand.ExpandString($strTempl)
以上结果如下:
Invoice ID $InvID extracted at $((Get-Date).TimeOfDay). # template literal
Invoice ID 1 extracted at 11:38:12.2719300. # first on-demand expansion
Invoice ID 2 extracted at 11:38:12.2766010. # second on-demand expnsion