Puede rodar por su cuenta (consulte el final de la respuesta para obtener una implementación más robusta que sea segura para subprocesos y admita valores predeterminados).
public class SetOnce<T>
{
private bool set;
private T value;
public T Value
{
get { return value; }
set
{
if (set) throw new AlreadySetException(value);
set = true;
this.value = value;
}
}
public static implicit operator T(SetOnce<T> toConvert)
{
return toConvert.value;
}
}
Se puede utilizar de este modo:
public class Foo
{
private readonly SetOnce<int> toBeSetOnce = new SetOnce<int>();
public int ToBeSetOnce
{
get { return toBeSetOnce; }
set { toBeSetOnce.Value = value; }
}
}
aplicación más robusta a continuación
public class SetOnce<T>
{
private readonly object syncLock = new object();
private readonly bool throwIfNotSet;
private readonly string valueName;
private bool set;
private T value;
public SetOnce(string valueName)
{
this.valueName = valueName;
throwIfGet = true;
}
public SetOnce(string valueName, T defaultValue)
{
this.valueName = valueName;
value = defaultValue;
}
public T Value
{
get
{
lock (syncLock)
{
if (!set && throwIfNotSet) throw new ValueNotSetException(valueName);
return value;
}
}
set
{
lock (syncLock)
{
if (set) throw new AlreadySetException(valueName, value);
set = true;
this.value = value;
}
}
}
public static implicit operator T(SetOnce<T> toConvert)
{
return toConvert.value;
}
}
public class NamedValueException : InvalidOperationException
{
private readonly string valueName;
public NamedValueException(string valueName, string messageFormat)
: base(string.Format(messageFormat, valueName))
{
this.valueName = valueName;
}
public string ValueName
{
get { return valueName; }
}
}
public class AlreadySetException : NamedValueException
{
private const string MESSAGE = "The value \"{0}\" has already been set.";
public AlreadySetException(string valueName)
: base(valueName, MESSAGE)
{
}
}
public class ValueNotSetException : NamedValueException
{
private const string MESSAGE = "The value \"{0}\" has not yet been set.";
public ValueNotSetException(string valueName)
: base(valueName, MESSAGE)
{
}
}
Esto huele a mí, lo siento. ¿Por qué no pasar el valor en un constructor? Además, ¿va a proporcionar retroalimentación a la persona que llama para que puedan verificar antes de establecer el valor, para asegurarse de que no se haya configurado? –
Lo ideal sería pasarlo en el constructor, pero tengo que construir el objeto durante un período de tiempo. por ejemplo, un registro proporciona información A, el siguiente registro proporciona información B y C. Una vez que tengo un conjunto completo de información, entonces uso esta información para vincular todos los registros nuevamente. Quería un mecanismo de tiempo de ejecución para verificar que solo establecí valores una vez, ¡lo que hace que sean de solo lectura! –
Y sí, ¡también huele a mí! –