Reputation: 3405
I'm not really sure if what I'm looking for exists, but here it goes,
public class OptionType : IComp
{
public static readonly FIXTag Tag = 201;
public enum Types
{
Put = 'P',
Call = 'C'
}
private abstract class CharValues
{
public const char Put = '0';
public const char Call = '1';
}
public abstract class ByteValues
{
public const byte Put = (byte)CharValues.Put;
public const byte Call = (byte)CharValues.Call;
}
#region Instances
public readonly Types Type;
public readonly DataOptionType DataType;
public readonly OptionType InverseType;
public readonly char CharValue;
public readonly byte ByteValue;
private OptionType(Types Type, DataOptionType DataType, FIX.OptionType InverseType, char CharValue, byte ByteValue)
{
this.Type = Type;
this.DataType = DataType;
this.InverseType = InverseType;
this.CharValue = CharValue;
this.ByteValue = ByteValue;
if (InverseType == null)
{
this.InverseType = (Type == Types.Call)
? new OptionType(Types.Put, DataOptionType.Put, this, CharValues.Put, ByteValues.Put)
: new OptionType(Types.Call, DataOptionType.Call, this, CharValues.Call, ByteValues.Call);
}
}
public static OptionType Put = new OptionType(Types.Put, DataOptionType.Put, FIX.OptionType.Call, CharValues.Put, ByteValues.Put);
public static OptionType Call = new OptionType(Types.Call, DataOptionType.Call, FIX.OptionType.Put, CharValues.Call, ByteValues.Call);
#endregion
I basically want to be able to have the following code return true,
if (FIX.OptionType.Call == FIX.OptionType.Put.InverseType)
{
// Do Something
}
Is there some interface or something that I can implement? Is doing == the same in this instance as doing .Equals
or .CompareTo
?
Thanks in advanced!
William
I want to make sure that I am implementing all of the overloads/operators correctly - so let me know what you think -
public static bool operator== (FIX.OptionType ValueA, FIX.OptionType ValueB)
{
return (ValueA.Type != ValueB.Type) ? true : false;
}
public static bool operator!= (FIX.OptionType ValueA, FIX.OptionType ValueB)
{
return (ValueA.Type != ValueB.Type) ? true : false;
}
public override bool Equals(object obj)
{
return (obj != null && obj is FIX.OptionType && (obj as FIX.OptionType).Type == Type)
? true
: false;
}
public override int GetHashCode()
{
return (int)Type;
}
Upvotes: 1
Views: 636
Reputation: 133
You can do this : on each method you test your value to return
public class myClass
{
public static bool operator== (myClass a, myClass b)
{
bool _bResult = false;
// your code..
return _bResult;
}
public static bool operator !=(myClass a, myClass b)
{
bool _bResult = false;
// your code..
return _bResult;
}
}
You can see other sample here
Upvotes: 1
Reputation: 4546
You can use Generics. Take a look into tgis example:
public bool IsDataChanged<T>()
{
T value1 = GetValue2;
T value2 = GetValue1();
return !EqualityComparer<T>.Default.Equals(valueInDB, valueFromView);
}
And read here for some additional information.
Upvotes: 0