I found myself having to right a bunch of range checking code like this: [cc lang="cpp"] if (val 1.0) val = 1.0; [/cc]
so I wrote this simple function.
[cce lang="cpp"]
include
template const Type & within (const Type &lower, const Type &val, const Type &upper) { return std::min (std::max (lower, val), upper); } [/cc]
So the above code gets simplified to:
[cc lang="cpp"] val = within(0.0, val, 1.0); [/cc]
I wasn’t happy about the extra copy being created but was willing to live with it.
Then I ran across this fragment which is so similar but ended up changing the final design:
[cc lang="cpp"] if (val == 10) val = 5; [/cc]
The difference is the above check sets an arbitrary value if it wasn’t within the range instead of just assigning one of the bounds to the value. That caused me to split it into a test, within(), to handle this case and a setwithin() to handle the earlier cases.
Splitting it also let me do a minor optimization. The typical case is that being out of bounds is rather exceptional and it’d be nice to avoid doing a copy. Accordingly, setwithin() checks if the dest has the same address as the replacement value and avoids doing the assignment.
[cce lang="cpp"] template int within (const Type &lower, const Type &val, const Type &upper) { if (val < lower) return -1; if (upper < val) return 1; return 0; }
template int setwithin (const Type &lower, const Type & val, const Type & upper, Type & dest) { int res = within (lower, val, upper); switch (res) { case -1: if (&lower != &dest) dest = lower; break; case 0: if (&val != &dest) dest = val; break; case 1: if (&upper != &dest) dest = upper; break; } return res; } [/cc]