我在 C# 中有一个ExpandoObject,它已经用大量字段/属性进行了初始化,我想在 PowerShell 环境中使用这个对象。当我在 PowerShell 中检索这样的对象时,它不会按应有的方式显示所有字段/属性,而是将它们(基于 ExpandoObjects 中的底层字典结构)显示为键/值对。
就我的实现而言,这是非常有问题的,我找不到任何方法将此键/值对转换为字段/属性,就像这样的对象应该表现的那样。将 ExpandoObject 转换为 Object 也不起作用。我错过了什么吗?
在我的自定义 DLL (DataCollect.dll) 中合并函数
public static dynamic merge(dynamic obj)
{
// FIRST : Get the objects out of the table layout.
dynamic Data = retrieveObject(obj);
// SECOND : Check if we're dealing with an array or with a single object.
bool isCollect = isCollection(Data);
// THIRD : Merge objects differently depending on (bool)isCollect.
// The functions below are merge functions that make use of the ExpandoObject's
// underlying Dictionary structure to display it's internal fields/properties.
if (isCollect)
return (Object)mergeObjectCollection(Data);
else
return (Object)mergeObject(Data);
}
下面是我用来加载 C# dll 并调用合并函数的 PowerShell 脚本。
#Loads in the custom DLL created for this specific project.
[Reflection.Assembly]::LoadFrom("blablbabla/DataCollect.dll")
# Creates a new Client object that handles all communication between the PowerShell module and the
# sncdb-worker at server side.
$client = new-object blablbabla.Sender;
[blablbabla.Config]::Configure("blablbabla/blablbabla.ini")
$client.Connect();
# This functions returns a Host Machine (Virtual or Physical) in object notation to for easy post-processing
# in PowerShell.
Function SNC-GetHost($hostz = "blablbabla")
{
$obj = $client.sendMessage([blablbabla.Parser]::getHostIp($hostz));
return ([blablbabla.Merger]::merge($obj)).Value;
}
更新
我还没有找到如何正确地从 C# 到 PowerShell 的转换,但我确实发现了一个从 HashTables 在 PowerShell 中构建对象的小技巧。关键在于使用 Add-Member cmdlet,它允许您在基础对象(例如 System.Object)之上动态构建对象。
因此,我构建了一个模块,该模块从 HashTables 递归地构建对象(我使用递归方法,因为属性也可以是 HashTables(或 ExpandoObjects))。
#############################################################################
# PowerShell Module that supplements the DataCollector Library. #
# Generated on: 8/7/2012 Last update: 8/17/2012 #
#############################################################################
function HashToObject($hash)
{
# Create a placeholder object
$object = New-Object System.Object;
# Dynamically add Properties to our Placeholder object from the HashTable
$hash | foreach {
$object | Add-Member NoteProperty $_.Key $_.Value
}
# Search for collections and recursively expand these collections to
# objects again.
$object | Get-Member |
foreach {
if($_.Definition.StartsWith("System.Dynamic.ExpandoObject"))
{
Write-Host "Recursively continued on object: " -foregroundcolor DarkGreen -nonewline
Write-Host $_.Name -foregroundcolor Yellow
$object.($_.Name) = HashToObject($object.($_.Name))
}
}
return $object;
}
这确实有效,但有一些缺点。首先,它不保留我的类型信息。一切(除了集合)现在都是一个字符串,而不是 int、bool、float 等。第二个问题可能不是最好和最干净的解决方案。我更喜欢处理 C# DLL 中的所有内容,以便为 PowerShell 用户保持尽可能抽象的低级功能。
这个解决方案可能有效,但我仍然需要更好的实现。