Document the contract of Attribute.getAndSet(...) and set(...)

Motivation:

Attribute.getAndRemove() will return the value but also remove the AttributeKey itself from the AttributeMap. This may not
what you want as you may want to keep an instance of it and just set it later again. Document the contract so the user know what to expect.

Modifications:

- Make it clear when to use AttributeKey.getAndRemove() / AttributeKey.remove() and when AttributeKey.getAndSet(null) / AttributeKey.set(null).

Result:

Less suprising behaviour.
This commit is contained in:
Norman Maurer 2015-03-04 15:23:34 +01:00
parent 216d5ee583
commit f58fd3f8c7
2 changed files with 31 additions and 8 deletions

View File

@ -43,14 +43,17 @@ public interface Attribute<T> {
T getAndSet(T value);
/**
* Atomically sets to the given value if this {@link Attribute} does not contain a value at the moment.
* Atomically sets to the given value if this {@link Attribute}'s value is {@code null}.
* If it was not possible to set the value as it contains a value it will just return the current value.
*/
T setIfAbsent(T value);
/**
* Removes this attribute from the {@link AttributeMap} and returns the old value.. Subsequent {@link #get()}
* calls will return @{code null}.
* Removes this attribute from the {@link AttributeMap} and returns the old value. Subsequent {@link #get()}
* calls will return {@code null}.
*
* If you only want to return the old value and clear the {@link Attribute} while still keep it in
* {@link AttributeMap} use {@link #getAndSet(Object)} with a value of {@code null}.
*/
T getAndRemove();
@ -61,7 +64,10 @@ public interface Attribute<T> {
boolean compareAndSet(T oldValue, T newValue);
/**
* Removes this attribute from the {@link AttributeMap}. Subsequent {@link #get()} calls will return @{code null}.
* Removes this attribute from the {@link AttributeMap}. Subsequent {@link #get()} calls will return @{code null}.
*
* If you only want to remove the value and clear the {@link Attribute} while still keep it in
* {@link AttributeMap} use {@link #set(Object)} with a value of {@code null}.
*/
void remove();
}

View File

@ -73,10 +73,27 @@ public class DefaultAttributeMapTest {
public void testSetRemove() {
AttributeKey<Integer> key = AttributeKey.valueOf("key");
map.attr(key).set(1);
assertSame(1, map.attr(key).getAndRemove());
Attribute<Integer> attr = map.attr(key);
attr.set(1);
assertSame(1, attr.getAndRemove());
map.attr(key).set(2);
assertSame(2, map.attr(key).get());
Attribute<Integer> attr2 = map.attr(key);
attr2.set(2);
assertSame(2, attr2.get());
assertNotSame(attr, attr2);
}
@Test
public void testGetAndSetWithNull() {
AttributeKey<Integer> key = AttributeKey.valueOf("key");
Attribute<Integer> attr = map.attr(key);
attr.set(1);
assertSame(1, attr.getAndSet(null));
Attribute<Integer> attr2 = map.attr(key);
attr2.set(2);
assertSame(2, attr2.get());
assertSame(attr, attr2);
}
}