#ifndef FOLLY_MAPUTIL_H_
#define FOLLY_MAPUTIL_H_
+#include <folly/Conv.h>
+#include <folly/Optional.h>
+
namespace folly {
/**
return (pos != map.end() ? pos->second : dflt);
}
+/**
+ * Given a map and a key, return the value corresponding to the key in the map,
+ * or throw an exception of the specified type.
+ */
+template <class E = std::out_of_range, class Map>
+typename Map::mapped_type get_or_throw(
+ const Map& map, const typename Map::key_type& key,
+ const std::string& exceptionStrPrefix = std::string()) {
+ auto pos = map.find(key);
+ if (pos != map.end()) {
+ return pos->second;
+ }
+ throw E(folly::to<std::string>(exceptionStrPrefix, key));
+}
+
+/**
+ * Given a map and a key, return a Optional<V> if the key exists and None if the
+ * key does not exist in the map.
+ */
+template <class Map>
+folly::Optional<typename Map::mapped_type> get_optional(
+ const Map& map, const typename Map::key_type& key) {
+ auto pos = map.find(key);
+ if (pos != map.end()) {
+ return folly::Optional<typename Map::mapped_type>(pos->second);
+ } else {
+ return folly::none;
+ }
+}
+
/**
* Given a map and a key, return a reference to the value corresponding to the
* key in the map, or the given default reference if the key doesn't exist in
EXPECT_EQ(0, get_default(m, 3));
}
+TEST(MapUtil, get_or_throw) {
+ std::map<int, int> m;
+ m[1] = 2;
+ EXPECT_EQ(2, get_or_throw(m, 1));
+ EXPECT_THROW(get_or_throw(m, 2), std::out_of_range);
+}
+
+TEST(MapUtil, get_or_throw_specified) {
+ std::map<int, int> m;
+ m[1] = 2;
+ EXPECT_EQ(2, get_or_throw<std::runtime_error>(m, 1));
+ EXPECT_THROW(get_or_throw<std::runtime_error>(m, 2), std::runtime_error);
+}
+
+TEST(MapUtil, get_optional) {
+ std::map<int, int> m;
+ m[1] = 2;
+ EXPECT_TRUE(get_optional(m, 1));
+ EXPECT_EQ(2, get_optional(m, 1).value());
+ EXPECT_FALSE(get_optional(m, 2));
+}
+
TEST(MapUtil, get_ref_default) {
std::map<int, int> m;
m[1] = 2;