gpt4 book ai didi

c#循环遍历枚举的所有字段,从字符串数组中赋值

转载 作者:行者123 更新时间:2023-11-30 16:09:17 26 4
gpt4 key购买 nike

我正在为 Web 服务构建 Soap Body,并且有许多可选字段。

目前我是这样处理的:

wsSoapBody.OrderType = aMessage[(int)cardCreate.OrderType].ToString();
wsSoapBody.ActivateFlag = Convert.ToInt32(aMessage[(int)cardCreate.ActivateFlag].ToString()); //P-02925;

if (aMessage[(int)cardCreate.ShipDate].ToString() != ""){
wsSoapBody.ShipmentDate = Convert.ToDateTime(aMessage[(int)cardCreate.ShipDate].ToString()); //P-02925;
}

wsSoapBody.ShipmentMethodCard = aMessage[(int)cardCreate.ShipMethodCard].ToString();
wsSoapBody.ShipmentMethodPin = aMessage[(int)cardCreate.ShipMethodPIN].ToString();

您在这些赋值中看到的 CardCreatecardCreate 类中的一个枚举常量,定义如下:

namespace EvryCardManagement
{
class CardCreate
{
#region Variables

private DCSSCardCreateType req;
private DCSSCardCreateResponseType rsp;
private DCSSCardCreate_V3_0Service stub;

public string tokenID { get; set; }

private enum cardCreate
{
MsgType = 0,
MsgVersion = 1,
WSName = 2,
ReplyTo = 3,
SourceSystem = 4,
Timestamp = 5,
UniqueMessageID = 6,
SFDCContext = 7,
InstitutionID = 8,
CardNumber = 9,
Version = 10,
ProductID = 11,
AccountNumber = 12,
CustomerID = 13,
CustomerNumber = 14,
EmbossName1 = 15,
Expiry = 16,
FeeMonth = 17,
ChargeAccountNo = 18,
PINMethod = 19,
CardFlag = 20,
AddressTypeCard = 21,
AddressTypePIN = 22,
OrderType = 23,
ActivateFlag = 24,
ShipDate = 25,
ShipMethodCard = 26,
ShipMethodPIN = 27,
FirstName = 28,
LastName = 29,
CardAddress1 = 30,
CardAddress2 = 31,
CardAddress3 = 32,
CardAddress4 = 33,
CardAddress5 = 34,
CardAddress6 = 35,
CardPostCode = 36,
CardCity = 37,
CardCountry = 38,
PINName = 39,
PINAddress1 = 40,
PINAddress2 = 41,
PINAddress3 = 42,
PINAddress4 = 43,
PINAddress5 = 44,
PINAddress6 = 45,
PINPostCode = 46,
PINCity = 47,
PINCountry = 48,
Validfrom = 49,
Note = 50,
MakeCheckStatus = 51,
EmbossName2 = 52,
PAmount = 53,
PAmountLength = 54,
GKIndicator = 55,
CreditLimit = 56,
CardDesignNo = 57,
ExtPictureID = 58,
BulkID = 59,
AccountNo2 = 60
}

所以,与其像我一直在做的那样一个一个地完成它们,不如循环遍历 wsSoapBody(在网络服务中定义)并为每个,得到aMessage 中的相应值(定义为这样的数组 string[] aMessage)

编辑

我有下面的代码要循环,但我想分配给 wsSoapBody 但我卡住了:

foreach (cardCreate cItem in (cardCreate[])Enum.GetValues(typeof(cardCreate)))
{
}

(上述更正是由 Steve Lillis 建议的编辑,但由于冲突而被拒绝)

所以我不知道如何将值分配给每个元素,例如我想设置

wsSoapBody[cItem].value = aMessage[(int)CardCreate[cItem]` 

或者我也试过:

wsSoapBody[cItem] = aMessage[(int)cItem].ToString();

但由于缺乏知识而无法使其工作(甚至无法编译)

编辑#2:

我还查看了 GetNames,因为我可能想要这些名称并尝试过:

        foreach (string name in Enum.GetNames(typeof(cardCreate)))

{
wsSoapBody[name] = aMessage[(int)name].ToString();
}

但我无法将 [] 的索引应用于类型为“DCSSCardCreateType”的表达式

谢谢

最佳答案

为什么不将值放在枚举本身上然后枚举?

例如,使用 System.ComponentModel Description 属性,我们可以将该信息添加到枚举本身,例如:

public enum cardCreate
{
[Description("General Response")]
MsgType = 0,

[Description("V2.0")]
WSName = 2,

[Description("OmegaMan")]
ReplyTo = 3,

[Description("Windows 10")]
SourceSystem = 4,
}

所以当我们调用一个特殊的方法来枚举枚举时,我们可以在其中提取该文本并在以后适本地使用它,例如:

myextensions.GetEnumValues<cardCreate>()
.Select (ceEnum => new
{
Original = ceEnum,
IndexValue = (int)ceEnum,
Text = ceEnum.GetAttributeDescription()
})

投影(选择)后动态实体将如下所示:

enter image description here

甜!现在我们在一个简单易用的实体中拥有所有信息,它提供了所有需要的信息。

什么?您需要的不仅仅是字符串描述?然后在 enum 上创建自定义属性,并根据需要返回所有项目/数据类型。为此,请参阅我的博客文章 C# Using Extended Attribute Information on Objects .


下面是上面例子中使用的扩展方法:

public static class myextensions
{
public static IEnumerable<T> GetEnumValues<T>()
{
Type type = typeof( T );

if (!type.IsEnum)
throw new Exception( string.Format("{0} is not an enum.", type.FullName ));

FieldInfo[] fields =
type.GetFields( BindingFlags.Public | BindingFlags.Static );


foreach (var item in fields)
yield return (T)item.GetValue( null );
}


/// <summary>If an attribute on an enumeration exists, this will return that
/// information</summary>
/// <param name="value">The object which has the attribute.</param>
/// <returns>The description string of the attribute or string.empty</returns>
public static string GetAttributeDescription( this object value )
{
string retVal = string.Empty;
try
{
retVal = value.GetType()
.GetField( value.ToString() )
.GetCustomAttributes( typeof( DescriptionAttribute ), false )
.OfType<DescriptionAttribute>()
.First()
.Description;

}
catch (NullReferenceException)
{
//Occurs when we attempt to get description of an enum value that does not exist
}
finally
{
if (string.IsNullOrEmpty( retVal ))
retVal = "Unknown";
}

return retVal;
}

}

关于c#循环遍历枚举的所有字段,从字符串数组中赋值,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/27845097/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com