http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/db/db_test_util.h
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/db/db_test_util.h 
b/thirdparty/rocksdb/db/db_test_util.h
deleted file mode 100644
index cd1265e..0000000
--- a/thirdparty/rocksdb/db/db_test_util.h
+++ /dev/null
@@ -1,939 +0,0 @@
-// Copyright (c) 2011-present, Facebook, Inc.  All rights reserved.
-//  This source code is licensed under both the GPLv2 (found in the
-//  COPYING file in the root directory) and Apache 2.0 License
-//  (found in the LICENSE.Apache file in the root directory).
-//
-// Copyright (c) 2011 The LevelDB Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style license that can be
-// found in the LICENSE file. See the AUTHORS file for names of contributors.
-
-#pragma once
-#ifndef __STDC_FORMAT_MACROS
-#define __STDC_FORMAT_MACROS
-#endif
-
-#include <fcntl.h>
-#include <inttypes.h>
-
-#include <algorithm>
-#include <map>
-#include <set>
-#include <string>
-#include <thread>
-#include <unordered_set>
-#include <utility>
-#include <vector>
-
-#include "db/db_impl.h"
-#include "db/dbformat.h"
-#include "env/mock_env.h"
-#include "memtable/hash_linklist_rep.h"
-#include "rocksdb/cache.h"
-#include "rocksdb/compaction_filter.h"
-#include "rocksdb/convenience.h"
-#include "rocksdb/db.h"
-#include "rocksdb/env.h"
-#include "rocksdb/filter_policy.h"
-#include "rocksdb/options.h"
-#include "rocksdb/slice.h"
-#include "rocksdb/sst_file_writer.h"
-#include "rocksdb/statistics.h"
-#include "rocksdb/table.h"
-#include "rocksdb/utilities/checkpoint.h"
-#include "table/block_based_table_factory.h"
-#include "table/mock_table.h"
-#include "table/plain_table_factory.h"
-#include "table/scoped_arena_iterator.h"
-#include "util/compression.h"
-#include "util/filename.h"
-#include "util/mutexlock.h"
-
-#include "util/string_util.h"
-#include "util/sync_point.h"
-#include "util/testharness.h"
-#include "util/testutil.h"
-#include "utilities/merge_operators.h"
-
-namespace rocksdb {
-
-namespace anon {
-class AtomicCounter {
- public:
-  explicit AtomicCounter(Env* env = NULL)
-      : env_(env), cond_count_(&mu_), count_(0) {}
-
-  void Increment() {
-    MutexLock l(&mu_);
-    count_++;
-    cond_count_.SignalAll();
-  }
-
-  int Read() {
-    MutexLock l(&mu_);
-    return count_;
-  }
-
-  bool WaitFor(int count) {
-    MutexLock l(&mu_);
-
-    uint64_t start = env_->NowMicros();
-    while (count_ < count) {
-      uint64_t now = env_->NowMicros();
-      cond_count_.TimedWait(now + /*1s*/ 1 * 1000 * 1000);
-      if (env_->NowMicros() - start > /*10s*/ 10 * 1000 * 1000) {
-        return false;
-      }
-      if (count_ < count) {
-        GTEST_LOG_(WARNING) << "WaitFor is taking more time than usual";
-      }
-    }
-
-    return true;
-  }
-
-  void Reset() {
-    MutexLock l(&mu_);
-    count_ = 0;
-    cond_count_.SignalAll();
-  }
-
- private:
-  Env* env_;
-  port::Mutex mu_;
-  port::CondVar cond_count_;
-  int count_;
-};
-
-struct OptionsOverride {
-  std::shared_ptr<const FilterPolicy> filter_policy = nullptr;
-  // These will be used only if filter_policy is set
-  bool partition_filters = false;
-  uint64_t metadata_block_size = 1024;
-  BlockBasedTableOptions::IndexType index_type =
-      BlockBasedTableOptions::IndexType::kBinarySearch;
-
-  // Used as a bit mask of individual enums in which to skip an XF test point
-  int skip_policy = 0;
-};
-
-}  // namespace anon
-
-enum SkipPolicy { kSkipNone = 0, kSkipNoSnapshot = 1, kSkipNoPrefix = 2 };
-
-// A hacky skip list mem table that triggers flush after number of entries.
-class SpecialMemTableRep : public MemTableRep {
- public:
-  explicit SpecialMemTableRep(Allocator* allocator, MemTableRep* memtable,
-                              int num_entries_flush)
-      : MemTableRep(allocator),
-        memtable_(memtable),
-        num_entries_flush_(num_entries_flush),
-        num_entries_(0) {}
-
-  virtual KeyHandle Allocate(const size_t len, char** buf) override {
-    return memtable_->Allocate(len, buf);
-  }
-
-  // Insert key into the list.
-  // REQUIRES: nothing that compares equal to key is currently in the list.
-  virtual void Insert(KeyHandle handle) override {
-    memtable_->Insert(handle);
-    num_entries_++;
-  }
-
-  // Returns true iff an entry that compares equal to key is in the list.
-  virtual bool Contains(const char* key) const override {
-    return memtable_->Contains(key);
-  }
-
-  virtual size_t ApproximateMemoryUsage() override {
-    // Return a high memory usage when number of entries exceeds the threshold
-    // to trigger a flush.
-    return (num_entries_ < num_entries_flush_) ? 0 : 1024 * 1024 * 1024;
-  }
-
-  virtual void Get(const LookupKey& k, void* callback_args,
-                   bool (*callback_func)(void* arg,
-                                         const char* entry)) override {
-    memtable_->Get(k, callback_args, callback_func);
-  }
-
-  uint64_t ApproximateNumEntries(const Slice& start_ikey,
-                                 const Slice& end_ikey) override {
-    return memtable_->ApproximateNumEntries(start_ikey, end_ikey);
-  }
-
-  virtual MemTableRep::Iterator* GetIterator(Arena* arena = nullptr) override {
-    return memtable_->GetIterator(arena);
-  }
-
-  virtual ~SpecialMemTableRep() override {}
-
- private:
-  unique_ptr<MemTableRep> memtable_;
-  int num_entries_flush_;
-  int num_entries_;
-};
-
-// The factory for the hacky skip list mem table that triggers flush after
-// number of entries exceeds a threshold.
-class SpecialSkipListFactory : public MemTableRepFactory {
- public:
-  // After number of inserts exceeds `num_entries_flush` in a mem table, 
trigger
-  // flush.
-  explicit SpecialSkipListFactory(int num_entries_flush)
-      : num_entries_flush_(num_entries_flush) {}
-
-  using MemTableRepFactory::CreateMemTableRep;
-  virtual MemTableRep* CreateMemTableRep(
-      const MemTableRep::KeyComparator& compare, Allocator* allocator,
-      const SliceTransform* transform, Logger* logger) override {
-    return new SpecialMemTableRep(
-        allocator, factory_.CreateMemTableRep(compare, allocator, transform, 
0),
-        num_entries_flush_);
-  }
-  virtual const char* Name() const override { return "SkipListFactory"; }
-
-  bool IsInsertConcurrentlySupported() const override {
-    return factory_.IsInsertConcurrentlySupported();
-  }
-
- private:
-  SkipListFactory factory_;
-  int num_entries_flush_;
-};
-
-// Special Env used to delay background operations
-class SpecialEnv : public EnvWrapper {
- public:
-  explicit SpecialEnv(Env* base);
-
-  Status NewWritableFile(const std::string& f, unique_ptr<WritableFile>* r,
-                         const EnvOptions& soptions) override {
-    class SSTableFile : public WritableFile {
-     private:
-      SpecialEnv* env_;
-      unique_ptr<WritableFile> base_;
-
-     public:
-      SSTableFile(SpecialEnv* env, unique_ptr<WritableFile>&& base)
-          : env_(env), base_(std::move(base)) {}
-      Status Append(const Slice& data) override {
-        if (env_->table_write_callback_) {
-          (*env_->table_write_callback_)();
-        }
-        if (env_->drop_writes_.load(std::memory_order_acquire)) {
-          // Drop writes on the floor
-          return Status::OK();
-        } else if (env_->no_space_.load(std::memory_order_acquire)) {
-          return Status::NoSpace("No space left on device");
-        } else {
-          env_->bytes_written_ += data.size();
-          return base_->Append(data);
-        }
-      }
-      Status PositionedAppend(const Slice& data, uint64_t offset) override {
-        if (env_->table_write_callback_) {
-          (*env_->table_write_callback_)();
-        }
-        if (env_->drop_writes_.load(std::memory_order_acquire)) {
-          // Drop writes on the floor
-          return Status::OK();
-        } else if (env_->no_space_.load(std::memory_order_acquire)) {
-          return Status::NoSpace("No space left on device");
-        } else {
-          env_->bytes_written_ += data.size();
-          return base_->PositionedAppend(data, offset);
-        }
-      }
-      Status Truncate(uint64_t size) override { return base_->Truncate(size); }
-      Status RangeSync(uint64_t offset, uint64_t nbytes) override {
-        Status s = base_->RangeSync(offset, nbytes);
-#if !(defined NDEBUG) || !defined(OS_WIN)
-        TEST_SYNC_POINT_CALLBACK("SpecialEnv::SStableFile::RangeSync", &s);
-#endif  // !(defined NDEBUG) || !defined(OS_WIN)
-        return s;
-      }
-      Status Close() override {
-// SyncPoint is not supported in Released Windows Mode.
-#if !(defined NDEBUG) || !defined(OS_WIN)
-        // Check preallocation size
-        // preallocation size is never passed to base file.
-        size_t preallocation_size = preallocation_block_size();
-        TEST_SYNC_POINT_CALLBACK("DBTestWritableFile.GetPreallocationStatus",
-                                 &preallocation_size);
-#endif  // !(defined NDEBUG) || !defined(OS_WIN)
-        Status s = base_->Close();
-#if !(defined NDEBUG) || !defined(OS_WIN)
-        TEST_SYNC_POINT_CALLBACK("SpecialEnv::SStableFile::Close", &s);
-#endif  // !(defined NDEBUG) || !defined(OS_WIN)
-        return s;
-      }
-      Status Flush() override { return base_->Flush(); }
-      Status Sync() override {
-        ++env_->sync_counter_;
-        while (env_->delay_sstable_sync_.load(std::memory_order_acquire)) {
-          env_->SleepForMicroseconds(100000);
-        }
-        Status s = base_->Sync();
-#if !(defined NDEBUG) || !defined(OS_WIN)
-        TEST_SYNC_POINT_CALLBACK("SpecialEnv::SStableFile::Sync", &s);
-#endif  // !(defined NDEBUG) || !defined(OS_WIN)
-        return s;
-      }
-      void SetIOPriority(Env::IOPriority pri) override {
-        base_->SetIOPriority(pri);
-      }
-      Env::IOPriority GetIOPriority() override {
-        return base_->GetIOPriority();
-      }
-      bool use_direct_io() const override {
-        return base_->use_direct_io();
-      }
-      Status Allocate(uint64_t offset, uint64_t len) override {
-        return base_->Allocate(offset, len);
-      }
-    };
-    class ManifestFile : public WritableFile {
-     public:
-      ManifestFile(SpecialEnv* env, unique_ptr<WritableFile>&& b)
-          : env_(env), base_(std::move(b)) {}
-      Status Append(const Slice& data) override {
-        if (env_->manifest_write_error_.load(std::memory_order_acquire)) {
-          return Status::IOError("simulated writer error");
-        } else {
-          return base_->Append(data);
-        }
-      }
-      Status Truncate(uint64_t size) override { return base_->Truncate(size); }
-      Status Close() override { return base_->Close(); }
-      Status Flush() override { return base_->Flush(); }
-      Status Sync() override {
-        ++env_->sync_counter_;
-        if (env_->manifest_sync_error_.load(std::memory_order_acquire)) {
-          return Status::IOError("simulated sync error");
-        } else {
-          return base_->Sync();
-        }
-      }
-      uint64_t GetFileSize() override { return base_->GetFileSize(); }
-
-     private:
-      SpecialEnv* env_;
-      unique_ptr<WritableFile> base_;
-    };
-    class WalFile : public WritableFile {
-     public:
-      WalFile(SpecialEnv* env, unique_ptr<WritableFile>&& b)
-          : env_(env), base_(std::move(b)) {
-        env_->num_open_wal_file_.fetch_add(1);
-      }
-      virtual ~WalFile() { env_->num_open_wal_file_.fetch_add(-1); }
-      Status Append(const Slice& data) override {
-#if !(defined NDEBUG) || !defined(OS_WIN)
-        TEST_SYNC_POINT("SpecialEnv::WalFile::Append:1");
-#endif
-        Status s;
-        if (env_->log_write_error_.load(std::memory_order_acquire)) {
-          s = Status::IOError("simulated writer error");
-        } else {
-          int slowdown =
-              env_->log_write_slowdown_.load(std::memory_order_acquire);
-          if (slowdown > 0) {
-            env_->SleepForMicroseconds(slowdown);
-          }
-          s = base_->Append(data);
-        }
-#if !(defined NDEBUG) || !defined(OS_WIN)
-        TEST_SYNC_POINT("SpecialEnv::WalFile::Append:2");
-#endif
-        return s;
-      }
-      Status Truncate(uint64_t size) override { return base_->Truncate(size); }
-      Status Close() override {
-// SyncPoint is not supported in Released Windows Mode.
-#if !(defined NDEBUG) || !defined(OS_WIN)
-        // Check preallocation size
-        // preallocation size is never passed to base file.
-        size_t preallocation_size = preallocation_block_size();
-        TEST_SYNC_POINT_CALLBACK("DBTestWalFile.GetPreallocationStatus",
-                                 &preallocation_size);
-#endif  // !(defined NDEBUG) || !defined(OS_WIN)
-
-        return base_->Close();
-      }
-      Status Flush() override { return base_->Flush(); }
-      Status Sync() override {
-        ++env_->sync_counter_;
-        return base_->Sync();
-      }
-      bool IsSyncThreadSafe() const override {
-        return env_->is_wal_sync_thread_safe_.load();
-      }
-
-     private:
-      SpecialEnv* env_;
-      unique_ptr<WritableFile> base_;
-    };
-
-    if (non_writeable_rate_.load(std::memory_order_acquire) > 0) {
-      uint32_t random_number;
-      {
-        MutexLock l(&rnd_mutex_);
-        random_number = rnd_.Uniform(100);
-      }
-      if (random_number < non_writeable_rate_.load()) {
-        return Status::IOError("simulated random write error");
-      }
-    }
-
-    new_writable_count_++;
-
-    if (non_writable_count_.load() > 0) {
-      non_writable_count_--;
-      return Status::IOError("simulated write error");
-    }
-
-    EnvOptions optimized = soptions;
-    if (strstr(f.c_str(), "MANIFEST") != nullptr ||
-        strstr(f.c_str(), "log") != nullptr) {
-      optimized.use_mmap_writes = false;
-      optimized.use_direct_writes = false;
-    }
-
-    Status s = target()->NewWritableFile(f, r, optimized);
-    if (s.ok()) {
-      if (strstr(f.c_str(), ".sst") != nullptr) {
-        r->reset(new SSTableFile(this, std::move(*r)));
-      } else if (strstr(f.c_str(), "MANIFEST") != nullptr) {
-        r->reset(new ManifestFile(this, std::move(*r)));
-      } else if (strstr(f.c_str(), "log") != nullptr) {
-        r->reset(new WalFile(this, std::move(*r)));
-      }
-    }
-    return s;
-  }
-
-  Status NewRandomAccessFile(const std::string& f,
-                             unique_ptr<RandomAccessFile>* r,
-                             const EnvOptions& soptions) override {
-    class CountingFile : public RandomAccessFile {
-     public:
-      CountingFile(unique_ptr<RandomAccessFile>&& target,
-                   anon::AtomicCounter* counter,
-                   std::atomic<size_t>* bytes_read)
-          : target_(std::move(target)),
-            counter_(counter),
-            bytes_read_(bytes_read) {}
-      virtual Status Read(uint64_t offset, size_t n, Slice* result,
-                          char* scratch) const override {
-        counter_->Increment();
-        Status s = target_->Read(offset, n, result, scratch);
-        *bytes_read_ += result->size();
-        return s;
-      }
-
-     private:
-      unique_ptr<RandomAccessFile> target_;
-      anon::AtomicCounter* counter_;
-      std::atomic<size_t>* bytes_read_;
-    };
-
-    Status s = target()->NewRandomAccessFile(f, r, soptions);
-    random_file_open_counter_++;
-    if (s.ok() && count_random_reads_) {
-      r->reset(new CountingFile(std::move(*r), &random_read_counter_,
-                                &random_read_bytes_counter_));
-    }
-    return s;
-  }
-
-  Status NewSequentialFile(const std::string& f, unique_ptr<SequentialFile>* r,
-                           const EnvOptions& soptions) override {
-    class CountingFile : public SequentialFile {
-     public:
-      CountingFile(unique_ptr<SequentialFile>&& target,
-                   anon::AtomicCounter* counter)
-          : target_(std::move(target)), counter_(counter) {}
-      virtual Status Read(size_t n, Slice* result, char* scratch) override {
-        counter_->Increment();
-        return target_->Read(n, result, scratch);
-      }
-      virtual Status Skip(uint64_t n) override { return target_->Skip(n); }
-
-     private:
-      unique_ptr<SequentialFile> target_;
-      anon::AtomicCounter* counter_;
-    };
-
-    Status s = target()->NewSequentialFile(f, r, soptions);
-    if (s.ok() && count_sequential_reads_) {
-      r->reset(new CountingFile(std::move(*r), &sequential_read_counter_));
-    }
-    return s;
-  }
-
-  virtual void SleepForMicroseconds(int micros) override {
-    sleep_counter_.Increment();
-    if (no_slowdown_ || time_elapse_only_sleep_) {
-      addon_time_.fetch_add(micros);
-    }
-    if (!no_slowdown_) {
-      target()->SleepForMicroseconds(micros);
-    }
-  }
-
-  virtual Status GetCurrentTime(int64_t* unix_time) override {
-    Status s;
-    if (!time_elapse_only_sleep_) {
-      s = target()->GetCurrentTime(unix_time);
-    }
-    if (s.ok()) {
-      *unix_time += addon_time_.load();
-    }
-    return s;
-  }
-
-  virtual uint64_t NowNanos() override {
-    return (time_elapse_only_sleep_ ? 0 : target()->NowNanos()) +
-           addon_time_.load() * 1000;
-  }
-
-  virtual uint64_t NowMicros() override {
-    return (time_elapse_only_sleep_ ? 0 : target()->NowMicros()) +
-           addon_time_.load();
-  }
-
-  virtual Status DeleteFile(const std::string& fname) override {
-    delete_count_.fetch_add(1);
-    return target()->DeleteFile(fname);
-  }
-
-  Random rnd_;
-  port::Mutex rnd_mutex_;  // Lock to pretect rnd_
-
-  // sstable Sync() calls are blocked while this pointer is non-nullptr.
-  std::atomic<bool> delay_sstable_sync_;
-
-  // Drop writes on the floor while this pointer is non-nullptr.
-  std::atomic<bool> drop_writes_;
-
-  // Simulate no-space errors while this pointer is non-nullptr.
-  std::atomic<bool> no_space_;
-
-  // Simulate non-writable file system while this pointer is non-nullptr
-  std::atomic<bool> non_writable_;
-
-  // Force sync of manifest files to fail while this pointer is non-nullptr
-  std::atomic<bool> manifest_sync_error_;
-
-  // Force write to manifest files to fail while this pointer is non-nullptr
-  std::atomic<bool> manifest_write_error_;
-
-  // Force write to log files to fail while this pointer is non-nullptr
-  std::atomic<bool> log_write_error_;
-
-  // Slow down every log write, in micro-seconds.
-  std::atomic<int> log_write_slowdown_;
-
-  // Number of WAL files that are still open for write.
-  std::atomic<int> num_open_wal_file_;
-
-  bool count_random_reads_;
-  anon::AtomicCounter random_read_counter_;
-  std::atomic<size_t> random_read_bytes_counter_;
-  std::atomic<int> random_file_open_counter_;
-
-  bool count_sequential_reads_;
-  anon::AtomicCounter sequential_read_counter_;
-
-  anon::AtomicCounter sleep_counter_;
-
-  std::atomic<int64_t> bytes_written_;
-
-  std::atomic<int> sync_counter_;
-
-  std::atomic<uint32_t> non_writeable_rate_;
-
-  std::atomic<uint32_t> new_writable_count_;
-
-  std::atomic<uint32_t> non_writable_count_;
-
-  std::function<void()>* table_write_callback_;
-
-  std::atomic<int64_t> addon_time_;
-
-  std::atomic<int> delete_count_;
-
-  bool time_elapse_only_sleep_;
-
-  bool no_slowdown_;
-
-  std::atomic<bool> is_wal_sync_thread_safe_{true};
-};
-
-#ifndef ROCKSDB_LITE
-class OnFileDeletionListener : public EventListener {
- public:
-  OnFileDeletionListener() : matched_count_(0), expected_file_name_("") {}
-
-  void SetExpectedFileName(const std::string file_name) {
-    expected_file_name_ = file_name;
-  }
-
-  void VerifyMatchedCount(size_t expected_value) {
-    ASSERT_EQ(matched_count_, expected_value);
-  }
-
-  void OnTableFileDeleted(const TableFileDeletionInfo& info) override {
-    if (expected_file_name_ != "") {
-      ASSERT_EQ(expected_file_name_, info.file_path);
-      expected_file_name_ = "";
-      matched_count_++;
-    }
-  }
-
- private:
-  size_t matched_count_;
-  std::string expected_file_name_;
-};
-#endif
-
-// A test merge operator mimics put but also fails if one of merge operands is
-// "corrupted".
-class TestPutOperator : public MergeOperator {
- public:
-  virtual bool FullMergeV2(const MergeOperationInput& merge_in,
-                           MergeOperationOutput* merge_out) const override {
-    if (merge_in.existing_value != nullptr &&
-        *(merge_in.existing_value) == "corrupted") {
-      return false;
-    }
-    for (auto value : merge_in.operand_list) {
-      if (value == "corrupted") {
-        return false;
-      }
-    }
-    merge_out->existing_operand = merge_in.operand_list.back();
-    return true;
-  }
-
-  virtual const char* Name() const override { return "TestPutOperator"; }
-};
-
-class DBTestBase : public testing::Test {
- public:
-  // Sequence of option configurations to try
-  enum OptionConfig : int {
-    kDefault = 0,
-    kBlockBasedTableWithPrefixHashIndex = 1,
-    kBlockBasedTableWithWholeKeyHashIndex = 2,
-    kPlainTableFirstBytePrefix = 3,
-    kPlainTableCappedPrefix = 4,
-    kPlainTableCappedPrefixNonMmap = 5,
-    kPlainTableAllBytesPrefix = 6,
-    kVectorRep = 7,
-    kHashLinkList = 8,
-    kHashCuckoo = 9,
-    kMergePut = 10,
-    kFilter = 11,
-    kFullFilterWithNewTableReaderForCompactions = 12,
-    kUncompressed = 13,
-    kNumLevel_3 = 14,
-    kDBLogDir = 15,
-    kWalDirAndMmapReads = 16,
-    kManifestFileSize = 17,
-    kPerfOptions = 18,
-    kHashSkipList = 19,
-    kUniversalCompaction = 20,
-    kUniversalCompactionMultiLevel = 21,
-    kCompressedBlockCache = 22,
-    kInfiniteMaxOpenFiles = 23,
-    kxxHashChecksum = 24,
-    kFIFOCompaction = 25,
-    kOptimizeFiltersForHits = 26,
-    kRowCache = 27,
-    kRecycleLogFiles = 28,
-    kConcurrentSkipList = 29,
-    kPipelinedWrite = 30,
-    kConcurrentWALWrites = 31,
-    kEnd = 32,
-    kDirectIO = 33,
-    kLevelSubcompactions = 34,
-    kUniversalSubcompactions = 35,
-    kBlockBasedTableWithIndexRestartInterval = 36,
-    kBlockBasedTableWithPartitionedIndex = 37,
-    kPartitionedFilterWithNewTableReaderForCompactions = 38,
-  };
-
- public:
-  std::string dbname_;
-  std::string alternative_wal_dir_;
-  std::string alternative_db_log_dir_;
-  MockEnv* mem_env_;
-  Env* encrypted_env_;
-  SpecialEnv* env_;
-  DB* db_;
-  std::vector<ColumnFamilyHandle*> handles_;
-
-  int option_config_;
-  Options last_options_;
-
-  // Skip some options, as they may not be applicable to a specific test.
-  // To add more skip constants, use values 4, 8, 16, etc.
-  enum OptionSkip {
-    kNoSkip = 0,
-    kSkipDeletesFilterFirst = 1,
-    kSkipUniversalCompaction = 2,
-    kSkipMergePut = 4,
-    kSkipPlainTable = 8,
-    kSkipHashIndex = 16,
-    kSkipNoSeekToLast = 32,
-    kSkipHashCuckoo = 64,
-    kSkipFIFOCompaction = 128,
-    kSkipMmapReads = 256,
-  };
-
-  explicit DBTestBase(const std::string path);
-
-  ~DBTestBase();
-
-  static std::string RandomString(Random* rnd, int len) {
-    std::string r;
-    test::RandomString(rnd, len, &r);
-    return r;
-  }
-
-  static std::string Key(int i) {
-    char buf[100];
-    snprintf(buf, sizeof(buf), "key%06d", i);
-    return std::string(buf);
-  }
-
-  static bool ShouldSkipOptions(int option_config, int skip_mask = kNoSkip);
-
-  // Switch to a fresh database with the next option configuration to
-  // test.  Return false if there are no more configurations to test.
-  bool ChangeOptions(int skip_mask = kNoSkip);
-
-  // Switch between different compaction styles.
-  bool ChangeCompactOptions();
-
-  // Switch between different WAL-realted options.
-  bool ChangeWalOptions();
-
-  // Switch between different filter policy
-  // Jump from kDefault to kFilter to kFullFilter
-  bool ChangeFilterOptions();
-
-  // Return the current option configuration.
-  Options CurrentOptions(const anon::OptionsOverride& options_override =
-                             anon::OptionsOverride()) const;
-
-  Options CurrentOptions(const Options& default_options,
-                         const anon::OptionsOverride& options_override =
-                             anon::OptionsOverride()) const;
-
-  static Options GetDefaultOptions();
-
-  Options GetOptions(int option_config,
-                     const Options& default_options = GetDefaultOptions(),
-                     const anon::OptionsOverride& options_override =
-                         anon::OptionsOverride()) const;
-
-  DBImpl* dbfull() { return reinterpret_cast<DBImpl*>(db_); }
-
-  void CreateColumnFamilies(const std::vector<std::string>& cfs,
-                            const Options& options);
-
-  void CreateAndReopenWithCF(const std::vector<std::string>& cfs,
-                             const Options& options);
-
-  void ReopenWithColumnFamilies(const std::vector<std::string>& cfs,
-                                const std::vector<Options>& options);
-
-  void ReopenWithColumnFamilies(const std::vector<std::string>& cfs,
-                                const Options& options);
-
-  Status TryReopenWithColumnFamilies(const std::vector<std::string>& cfs,
-                                     const std::vector<Options>& options);
-
-  Status TryReopenWithColumnFamilies(const std::vector<std::string>& cfs,
-                                     const Options& options);
-
-  void Reopen(const Options& options);
-
-  void Close();
-
-  void DestroyAndReopen(const Options& options);
-
-  void Destroy(const Options& options);
-
-  Status ReadOnlyReopen(const Options& options);
-
-  Status TryReopen(const Options& options);
-
-  bool IsDirectIOSupported();
-
-  bool IsMemoryMappedAccessSupported() const;
-
-  Status Flush(int cf = 0);
-
-  Status Put(const Slice& k, const Slice& v, WriteOptions wo = WriteOptions());
-
-  Status Put(int cf, const Slice& k, const Slice& v,
-             WriteOptions wo = WriteOptions());
-
-  Status Merge(const Slice& k, const Slice& v,
-               WriteOptions wo = WriteOptions());
-
-  Status Merge(int cf, const Slice& k, const Slice& v,
-               WriteOptions wo = WriteOptions());
-
-  Status Delete(const std::string& k);
-
-  Status Delete(int cf, const std::string& k);
-
-  Status SingleDelete(const std::string& k);
-
-  Status SingleDelete(int cf, const std::string& k);
-
-  std::string Get(const std::string& k, const Snapshot* snapshot = nullptr);
-
-  std::string Get(int cf, const std::string& k,
-                  const Snapshot* snapshot = nullptr);
-
-  Status Get(const std::string& k, PinnableSlice* v);
-
-  uint64_t GetNumSnapshots();
-
-  uint64_t GetTimeOldestSnapshots();
-
-  // Return a string that contains all key,value pairs in order,
-  // formatted like "(k1->v1)(k2->v2)".
-  std::string Contents(int cf = 0);
-
-  std::string AllEntriesFor(const Slice& user_key, int cf = 0);
-
-#ifndef ROCKSDB_LITE
-  int NumSortedRuns(int cf = 0);
-
-  uint64_t TotalSize(int cf = 0);
-
-  uint64_t SizeAtLevel(int level);
-
-  size_t TotalLiveFiles(int cf = 0);
-
-  size_t CountLiveFiles();
-#endif  // ROCKSDB_LITE
-
-  int NumTableFilesAtLevel(int level, int cf = 0);
-
-  double CompressionRatioAtLevel(int level, int cf = 0);
-
-  int TotalTableFiles(int cf = 0, int levels = -1);
-
-  // Return spread of files per level
-  std::string FilesPerLevel(int cf = 0);
-
-  size_t CountFiles();
-
-  uint64_t Size(const Slice& start, const Slice& limit, int cf = 0);
-
-  void Compact(int cf, const Slice& start, const Slice& limit,
-               uint32_t target_path_id);
-
-  void Compact(int cf, const Slice& start, const Slice& limit);
-
-  void Compact(const Slice& start, const Slice& limit);
-
-  // Do n memtable compactions, each of which produces an sstable
-  // covering the range [small,large].
-  void MakeTables(int n, const std::string& small, const std::string& large,
-                  int cf = 0);
-
-  // Prevent pushing of new sstables into deeper levels by adding
-  // tables that cover a specified range to all levels.
-  void FillLevels(const std::string& smallest, const std::string& largest,
-                  int cf);
-
-  void MoveFilesToLevel(int level, int cf = 0);
-
-  void DumpFileCounts(const char* label);
-
-  std::string DumpSSTableList();
-
-  void GetSstFiles(std::string path, std::vector<std::string>* files);
-
-  int GetSstFileCount(std::string path);
-
-  // this will generate non-overlapping files since it keeps increasing key_idx
-  void GenerateNewFile(Random* rnd, int* key_idx, bool nowait = false);
-
-  void GenerateNewFile(int fd, Random* rnd, int* key_idx, bool nowait = false);
-
-  static const int kNumKeysByGenerateNewRandomFile;
-  static const int KNumKeysByGenerateNewFile = 100;
-
-  void GenerateNewRandomFile(Random* rnd, bool nowait = false);
-
-  std::string IterStatus(Iterator* iter);
-
-  Options OptionsForLogIterTest();
-
-  std::string DummyString(size_t len, char c = 'a');
-
-  void VerifyIterLast(std::string expected_key, int cf = 0);
-
-  // Used to test InplaceUpdate
-
-  // If previous value is nullptr or delta is > than previous value,
-  //   sets newValue with delta
-  // If previous value is not empty,
-  //   updates previous value with 'b' string of previous value size - 1.
-  static UpdateStatus updateInPlaceSmallerSize(char* prevValue,
-                                               uint32_t* prevSize, Slice delta,
-                                               std::string* newValue);
-
-  static UpdateStatus updateInPlaceSmallerVarintSize(char* prevValue,
-                                                     uint32_t* prevSize,
-                                                     Slice delta,
-                                                     std::string* newValue);
-
-  static UpdateStatus updateInPlaceLargerSize(char* prevValue,
-                                              uint32_t* prevSize, Slice delta,
-                                              std::string* newValue);
-
-  static UpdateStatus updateInPlaceNoAction(char* prevValue, uint32_t* 
prevSize,
-                                            Slice delta, std::string* 
newValue);
-
-  // Utility method to test InplaceUpdate
-  void validateNumberOfEntries(int numValues, int cf = 0);
-
-  void CopyFile(const std::string& source, const std::string& destination,
-                uint64_t size = 0);
-
-  std::unordered_map<std::string, uint64_t> GetAllSSTFiles(
-      uint64_t* total_size = nullptr);
-
-  std::vector<std::uint64_t> ListTableFiles(Env* env, const std::string& path);
-
-  void VerifyDBFromMap(
-      std::map<std::string, std::string> true_data,
-      size_t* total_reads_res = nullptr, bool tailing_iter = false,
-      std::map<std::string, Status> status = std::map<std::string, Status>());
-
-  void VerifyDBInternal(
-      std::vector<std::pair<std::string, std::string>> true_data);
-
-#ifndef ROCKSDB_LITE
-  uint64_t GetNumberOfSstFilesForColumnFamily(DB* db,
-                                              std::string column_family_name);
-#endif  // ROCKSDB_LITE
-
-  uint64_t TestGetTickerCount(const Options& options, Tickers ticker_type) {
-    return options.statistics->getTickerCount(ticker_type);
-  }
-};
-
-}  // namespace rocksdb

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/.gitignore
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/.gitignore 
b/thirdparty/rocksdb/docs/.gitignore
deleted file mode 100644
index e48dc98..0000000
--- a/thirdparty/rocksdb/docs/.gitignore
+++ /dev/null
@@ -1,9 +0,0 @@
-.DS_STORE
-_site/
-*.swo
-*.swp
-_site
-.sass-cache
-*.psd
-*~
-

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/CNAME
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/CNAME b/thirdparty/rocksdb/docs/CNAME
deleted file mode 100644
index 827d1c0..0000000
--- a/thirdparty/rocksdb/docs/CNAME
+++ /dev/null
@@ -1 +0,0 @@
-rocksdb.org
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/CONTRIBUTING.md
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/CONTRIBUTING.md 
b/thirdparty/rocksdb/docs/CONTRIBUTING.md
deleted file mode 100644
index 2c5842f..0000000
--- a/thirdparty/rocksdb/docs/CONTRIBUTING.md
+++ /dev/null
@@ -1,115 +0,0 @@
-This provides guidance on how to contribute various content to `rocksdb.org`.
-
-## Getting started
-
-You should only have to do these one time.
-
-- Rename this file to `CONTRIBUTING.md`.
-- Rename `EXAMPLE-README-FOR-RUNNING-DOCS.md` to `README.md` (replacing the 
existing `README.md` that came with the template).
-- Rename `EXAMPLE-LICENSE` to `LICENSE`.
-- Review the [template information](./TEMPLATE-INFORMATION.md).
-- Review `./_config.yml`.
-- Make sure you update `title`, `description`, `tagline` and `gacode` (Google 
Analytics) in `./_config.yml`.
-
-## Basic Structure
-
-Most content is written in markdown. You name the file `something.md`, then 
have a header that looks like this:
-
-```
----
-docid: getting-started
-title: Getting started with ProjectName
-layout: docs
-permalink: /docs/getting-started.html
----
-```
-
-Customize these values for each document, blog post, etc.
-
-> The filename of the `.md` file doesn't actually matter; what is important is 
the `docid` being unique and the `permalink` correct and unique too).
-
-## Landing page
-
-Modify `index.md` with your new or updated content.
-
-If you want a `GridBlock` as part of your content, you can do so directly with 
HTML:
-
-```
-<div class="gridBlock">
-  <div class="blockElement twoByGridBlock alignLeft">
-    <div class="blockContent">
-      <h3>Your Features</h3>
-      <ul>
-        <li>The <a href="http://example.org/";>Example</a></li>
-        <li><a href="http://example.com";>Another Example</a></li>
-      </ul>
-    </div>
-  </div>
-
-  <div class="blockElement twoByGridBlock alignLeft">
-    <div class="blockContent">
-      <h3>More information</h3>
-      <p>
-         Stuff here
-      </p>
-    </div>
-  </div>
-</div>
-```
-
-or with a combination of changing `./_data/features.yml` and adding some 
Liquid to `index.md`, such as:
-
-```
-{% include content/gridblocks.html data_source=site.data.features 
imagealign="bottom"%}
-```
-
-## Blog
-
-To modify a blog post, edit the appopriate markdown file in `./_posts/`.
-
-Adding a new blog post is a four-step process.
-
-> Some posts have a `permalink` and `comments` in the blog post YAML header. 
You will not need these for new blog posts. These are an artifact of migrating 
the blog from Wordpress to gh-pages.
-
-1. Create your blog post in `./_posts/` in markdown (file extension `.md` or 
`.markdown`). See current posts in that folder or 
`./doc-type-examples/2016-04-07-blog-post-example.md` for an example of the 
YAML format. **If the `./_posts` directory does not exist, create it**.
-  - You can add a `<!--truncate-->` tag in the middle of your post such that 
you show only the excerpt above that tag in the main `/blog` index on your page.
-1. If you have not authored a blog post before, modify the 
`./_data/authors.yml` file with the `author` id you used in your blog post, 
along with your full name and Facebook ID to get your profile picture.
-1. [Run the site locally](./README.md) to test your changes. It will be at 
`http://127.0.0.1/blog/your-new-blog-post-title.html`
-1. Push your changes to GitHub.
-
-## Docs
-
-To modify docs, edit the appropriate markdown file in `./_docs/`.
-
-To add docs to the site....
-
-1. Add your markdown file to the `./_docs/` folder. See 
`./doc-type-examples/docs-hello-world.md` for an example of the YAML header 
format. **If the `./_docs/` directory does not exist, create it**.
-  - You can use folders in the `./_docs/` directory to organize your content 
if you want.
-1. Update `_data/nav_docs.yml` to add your new document to the navigation bar. 
Use the `docid` you put in your doc markdown in as the `id` in the 
`_data/nav_docs.yml` file.
-1. [Run the site locally](./README.md) to test your changes. It will be at 
`http://127.0.0.1/docs/your-new-doc-permalink.html`
-1. Push your changes to GitHub.
-
-## Header Bar
-
-To modify the header bar, change `./_data/nav.yml`.
-
-## Top Level Page
-
-To modify a top-level page, edit the appropriate markdown file in 
`./top-level/`
-
-If you want a top-level page (e.g., http://your-site.com/top-level.html) -- 
not in `/blog/` or `/docs/`....
-
-1. Create a markdown file in the root `./top-level/`. See 
`./doc-type-examples/top-level-example.md` for more information.
-1. If you want a visible link to that file, update `_data/nav.yml` to add a 
link to your new top-level document in the header bar.
-
-   > This is not necessary if you just want to have a page that is linked to 
from another page, but not exposed as direct link to the user.
-
-1. [Run the site locally](./README.md) to test your changes. It will be at 
`http://127.0.0.1/your-top-level-page-permalink.html`
-1. Push your changes to GitHub.
-
-## Other Changes
-
-- CSS: `./css/main.css` or `./_sass/*.scss`.
-- Images: `./static/images/[docs | posts]/....`
-- Main Blog post HTML: `./_includes/post.html`
-- Main Docs HTML: `./_includes/doc.html`

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/Gemfile
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/Gemfile b/thirdparty/rocksdb/docs/Gemfile
deleted file mode 100644
index 93dc8b0..0000000
--- a/thirdparty/rocksdb/docs/Gemfile
+++ /dev/null
@@ -1,2 +0,0 @@
-source 'https://rubygems.org'
-gem 'github-pages', '~> 104'

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/Gemfile.lock
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/Gemfile.lock 
b/thirdparty/rocksdb/docs/Gemfile.lock
deleted file mode 100644
index 346fc6c..0000000
--- a/thirdparty/rocksdb/docs/Gemfile.lock
+++ /dev/null
@@ -1,145 +0,0 @@
-GEM
-  remote: https://rubygems.org/
-  specs:
-    activesupport (4.2.7)
-      i18n (~> 0.7)
-      json (~> 1.7, >= 1.7.7)
-      minitest (~> 5.1)
-      thread_safe (~> 0.3, >= 0.3.4)
-      tzinfo (~> 1.1)
-    addressable (2.4.0)
-    coffee-script (2.4.1)
-      coffee-script-source
-      execjs
-    coffee-script-source (1.10.0)
-    colorator (1.1.0)
-    ethon (0.9.1)
-      ffi (>= 1.3.0)
-    execjs (2.7.0)
-    faraday (0.9.2)
-      multipart-post (>= 1.2, < 3)
-    ffi (1.9.14)
-    forwardable-extended (2.6.0)
-    gemoji (2.1.0)
-    github-pages (104)
-      activesupport (= 4.2.7)
-      github-pages-health-check (= 1.2.0)
-      jekyll (= 3.3.0)
-      jekyll-avatar (= 0.4.2)
-      jekyll-coffeescript (= 1.0.1)
-      jekyll-feed (= 0.8.0)
-      jekyll-gist (= 1.4.0)
-      jekyll-github-metadata (= 2.2.0)
-      jekyll-mentions (= 1.2.0)
-      jekyll-paginate (= 1.1.0)
-      jekyll-redirect-from (= 0.11.0)
-      jekyll-sass-converter (= 1.3.0)
-      jekyll-seo-tag (= 2.1.0)
-      jekyll-sitemap (= 0.12.0)
-      jekyll-swiss (= 0.4.0)
-      jemoji (= 0.7.0)
-      kramdown (= 1.11.1)
-      liquid (= 3.0.6)
-      listen (= 3.0.6)
-      mercenary (~> 0.3)
-      minima (= 2.0.0)
-      rouge (= 1.11.1)
-      terminal-table (~> 1.4)
-    github-pages-health-check (1.2.0)
-      addressable (~> 2.3)
-      net-dns (~> 0.8)
-      octokit (~> 4.0)
-      public_suffix (~> 1.4)
-      typhoeus (~> 0.7)
-    html-pipeline (2.4.2)
-      activesupport (>= 2)
-      nokogiri (>= 1.4)
-    i18n (0.7.0)
-    jekyll (3.3.0)
-      addressable (~> 2.4)
-      colorator (~> 1.0)
-      jekyll-sass-converter (~> 1.0)
-      jekyll-watch (~> 1.1)
-      kramdown (~> 1.3)
-      liquid (~> 3.0)
-      mercenary (~> 0.3.3)
-      pathutil (~> 0.9)
-      rouge (~> 1.7)
-      safe_yaml (~> 1.0)
-    jekyll-avatar (0.4.2)
-      jekyll (~> 3.0)
-    jekyll-coffeescript (1.0.1)
-      coffee-script (~> 2.2)
-    jekyll-feed (0.8.0)
-      jekyll (~> 3.3)
-    jekyll-gist (1.4.0)
-      octokit (~> 4.2)
-    jekyll-github-metadata (2.2.0)
-      jekyll (~> 3.1)
-      octokit (~> 4.0, != 4.4.0)
-    jekyll-mentions (1.2.0)
-      activesupport (~> 4.0)
-      html-pipeline (~> 2.3)
-      jekyll (~> 3.0)
-    jekyll-paginate (1.1.0)
-    jekyll-redirect-from (0.11.0)
-      jekyll (>= 2.0)
-    jekyll-sass-converter (1.3.0)
-      sass (~> 3.2)
-    jekyll-seo-tag (2.1.0)
-      jekyll (~> 3.3)
-    jekyll-sitemap (0.12.0)
-      jekyll (~> 3.3)
-    jekyll-swiss (0.4.0)
-    jekyll-watch (1.5.0)
-      listen (~> 3.0, < 3.1)
-    jemoji (0.7.0)
-      activesupport (~> 4.0)
-      gemoji (~> 2.0)
-      html-pipeline (~> 2.2)
-      jekyll (>= 3.0)
-    json (1.8.3)
-    kramdown (1.11.1)
-    liquid (3.0.6)
-    listen (3.0.6)
-      rb-fsevent (>= 0.9.3)
-      rb-inotify (>= 0.9.7)
-    mercenary (0.3.6)
-    mini_portile2 (2.1.0)
-    minima (2.0.0)
-    minitest (5.9.1)
-    multipart-post (2.0.0)
-    net-dns (0.8.0)
-    nokogiri (1.6.8.1)
-      mini_portile2 (~> 2.1.0)
-    octokit (4.4.1)
-      sawyer (~> 0.7.0, >= 0.5.3)
-    pathutil (0.14.0)
-      forwardable-extended (~> 2.6)
-    public_suffix (1.5.3)
-    rb-fsevent (0.9.8)
-    rb-inotify (0.9.7)
-      ffi (>= 0.5.0)
-    rouge (1.11.1)
-    safe_yaml (1.0.4)
-    sass (3.4.22)
-    sawyer (0.7.0)
-      addressable (>= 2.3.5, < 2.5)
-      faraday (~> 0.8, < 0.10)
-    terminal-table (1.7.3)
-      unicode-display_width (~> 1.1.1)
-    thread_safe (0.3.5)
-    typhoeus (0.8.0)
-      ethon (>= 0.8.0)
-    tzinfo (1.2.2)
-      thread_safe (~> 0.1)
-    unicode-display_width (1.1.1)
-
-PLATFORMS
-  ruby
-
-DEPENDENCIES
-  github-pages (~> 104)
-
-BUNDLED WITH
-   1.13.1

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/LICENSE-DOCUMENTATION
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/LICENSE-DOCUMENTATION 
b/thirdparty/rocksdb/docs/LICENSE-DOCUMENTATION
deleted file mode 100644
index 1f255c9..0000000
--- a/thirdparty/rocksdb/docs/LICENSE-DOCUMENTATION
+++ /dev/null
@@ -1,385 +0,0 @@
-Attribution 4.0 International
-
-=======================================================================
-
-Creative Commons Corporation ("Creative Commons") is not a law firm and
-does not provide legal services or legal advice. Distribution of
-Creative Commons public licenses does not create a lawyer-client or
-other relationship. Creative Commons makes its licenses and related
-information available on an "as-is" basis. Creative Commons gives no
-warranties regarding its licenses, any material licensed under their
-terms and conditions, or any related information. Creative Commons
-disclaims all liability for damages resulting from their use to the
-fullest extent possible.
-
-Using Creative Commons Public Licenses
-
-Creative Commons public licenses provide a standard set of terms and
-conditions that creators and other rights holders may use to share
-original works of authorship and other material subject to copyright
-and certain other rights specified in the public license below. The
-following considerations are for informational purposes only, are not
-exhaustive, and do not form part of our licenses.
-
-     Considerations for licensors: Our public licenses are
-     intended for use by those authorized to give the public
-     permission to use material in ways otherwise restricted by
-     copyright and certain other rights. Our licenses are
-     irrevocable. Licensors should read and understand the terms
-     and conditions of the license they choose before applying it.
-     Licensors should also secure all rights necessary before
-     applying our licenses so that the public can reuse the
-     material as expected. Licensors should clearly mark any
-     material not subject to the license. This includes other CC-
-     licensed material, or material used under an exception or
-     limitation to copyright. More considerations for licensors:
-  wiki.creativecommons.org/Considerations_for_licensors
-
-     Considerations for the public: By using one of our public
-     licenses, a licensor grants the public permission to use the
-     licensed material under specified terms and conditions. If
-     the licensor's permission is not necessary for any reason--for
-     example, because of any applicable exception or limitation to
-     copyright--then that use is not regulated by the license. Our
-     licenses grant only permissions under copyright and certain
-     other rights that a licensor has authority to grant. Use of
-     the licensed material may still be restricted for other
-     reasons, including because others have copyright or other
-     rights in the material. A licensor may make special requests,
-     such as asking that all changes be marked or described.
-     Although not required by our licenses, you are encouraged to
-     respect those requests where reasonable. More_considerations
-     for the public:
-  wiki.creativecommons.org/Considerations_for_licensees
-
-=======================================================================
-
-Creative Commons Attribution 4.0 International Public License
-
-By exercising the Licensed Rights (defined below), You accept and agree
-to be bound by the terms and conditions of this Creative Commons
-Attribution 4.0 International Public License ("Public License"). To the
-extent this Public License may be interpreted as a contract, You are
-granted the Licensed Rights in consideration of Your acceptance of
-these terms and conditions, and the Licensor grants You such rights in
-consideration of benefits the Licensor receives from making the
-Licensed Material available under these terms and conditions.
-
-Section 1 -- Definitions.
-
-  a. Adapted Material means material subject to Copyright and Similar
-     Rights that is derived from or based upon the Licensed Material
-     and in which the Licensed Material is translated, altered,
-     arranged, transformed, or otherwise modified in a manner requiring
-     permission under the Copyright and Similar Rights held by the
-     Licensor. For purposes of this Public License, where the Licensed
-     Material is a musical work, performance, or sound recording,
-     Adapted Material is always produced where the Licensed Material is
-     synched in timed relation with a moving image.
-
-b. Adapter's License means the license You apply to Your Copyright
-   and Similar Rights in Your contributions to Adapted Material in
-   accordance with the terms and conditions of this Public License.
-
-c. Copyright and Similar Rights means copyright and/or similar rights
-   closely related to copyright including, without limitation,
-   performance, broadcast, sound recording, and Sui Generis Database
-   Rights, without regard to how the rights are labeled or
-   categorized. For purposes of this Public License, the rights
-   specified in Section 2(b)(1)-(2) are not Copyright and Similar
-   Rights.
-
-d. Effective Technological Measures means those measures that, in the
-   absence of proper authority, may not be circumvented under laws
-   fulfilling obligations under Article 11 of the WIPO Copyright
-   Treaty adopted on December 20, 1996, and/or similar international
-   agreements.
-
-e. Exceptions and Limitations means fair use, fair dealing, and/or
-   any other exception or limitation to Copyright and Similar Rights
-   that applies to Your use of the Licensed Material.
-
-f. Licensed Material means the artistic or literary work, database,
-   or other material to which the Licensor applied this Public
-   License.
-
-g. Licensed Rights means the rights granted to You subject to the
-   terms and conditions of this Public License, which are limited to
-   all Copyright and Similar Rights that apply to Your use of the
-   Licensed Material and that the Licensor has authority to license.
-
-h. Licensor means the individual(s) or entity(ies) granting rights
-   under this Public License.
-
-i. Share means to provide material to the public by any means or
-   process that requires permission under the Licensed Rights, such
-   as reproduction, public display, public performance, distribution,
-   dissemination, communication, or importation, and to make material
-   available to the public including in ways that members of the
-   public may access the material from a place and at a time
-   individually chosen by them.
-
-j. Sui Generis Database Rights means rights other than copyright
-   resulting from Directive 96/9/EC of the European Parliament and of
-   the Council of 11 March 1996 on the legal protection of databases,
-   as amended and/or succeeded, as well as other essentially
-   equivalent rights anywhere in the world.
-
-k. You means the individual or entity exercising the Licensed Rights
-   under this Public License. Your has a corresponding meaning.
-
-Section 2 -- Scope.
-
-a. License grant.
-
-     1. Subject to the terms and conditions of this Public License,
-        the Licensor hereby grants You a worldwide, royalty-free,
-        non-sublicensable, non-exclusive, irrevocable license to
-        exercise the Licensed Rights in the Licensed Material to:
-
-          a. reproduce and Share the Licensed Material, in whole or
-             in part; and
-
-          b. produce, reproduce, and Share Adapted Material.
-
-     2. Exceptions and Limitations. For the avoidance of doubt, where
-        Exceptions and Limitations apply to Your use, this Public
-        License does not apply, and You do not need to comply with
-        its terms and conditions.
-
-     3. Term. The term of this Public License is specified in Section
-        6(a).
-
-     4. Media and formats; technical modifications allowed. The
-        Licensor authorizes You to exercise the Licensed Rights in
-        all media and formats whether now known or hereafter created,
-        and to make technical modifications necessary to do so. The
-        Licensor waives and/or agrees not to assert any right or
-        authority to forbid You from making technical modifications
-        necessary to exercise the Licensed Rights, including
-        technical modifications necessary to circumvent Effective
-        Technological Measures. For purposes of this Public License,
-        simply making modifications authorized by this Section 2(a)
-        (4) never produces Adapted Material.
-
-     5. Downstream recipients.
-
-          a. Offer from the Licensor -- Licensed Material. Every
-             recipient of the Licensed Material automatically
-             receives an offer from the Licensor to exercise the
-             Licensed Rights under the terms and conditions of this
-             Public License.
-
-          b. No downstream restrictions. You may not offer or impose
-             any additional or different terms or conditions on, or
-             apply any Effective Technological Measures to, the
-             Licensed Material if doing so restricts exercise of the
-             Licensed Rights by any recipient of the Licensed
-             Material.
-
-     6. No endorsement. Nothing in this Public License constitutes or
-        may be construed as permission to assert or imply that You
-        are, or that Your use of the Licensed Material is, connected
-        with, or sponsored, endorsed, or granted official status by,
-        the Licensor or others designated to receive attribution as
-        provided in Section 3(a)(1)(A)(i).
-
-b. Other rights.
-
-     1. Moral rights, such as the right of integrity, are not
-        licensed under this Public License, nor are publicity,
-        privacy, and/or other similar personality rights; however, to
-        the extent possible, the Licensor waives and/or agrees not to
-        assert any such rights held by the Licensor to the limited
-        extent necessary to allow You to exercise the Licensed
-        Rights, but not otherwise.
-
-     2. Patent and trademark rights are not licensed under this
-        Public License.
-
-     3. To the extent possible, the Licensor waives any right to
-        collect royalties from You for the exercise of the Licensed
-        Rights, whether directly or through a collecting society
-        under any voluntary or waivable statutory or compulsory
-        licensing scheme. In all other cases the Licensor expressly
-        reserves any right to collect such royalties.
-
-Section 3 -- License Conditions.
-
-Your exercise of the Licensed Rights is expressly made subject to the
-following conditions.
-
-a. Attribution.
-
-     1. If You Share the Licensed Material (including in modified
-        form), You must:
-
-          a. retain the following if it is supplied by the Licensor
-             with the Licensed Material:
-
-               i. identification of the creator(s) of the Licensed
-                  Material and any others designated to receive
-                  attribution, in any reasonable manner requested by
-                  the Licensor (including by pseudonym if
-                  designated);
-
-              ii. a copyright notice;
-
-             iii. a notice that refers to this Public License;
-
-              iv. a notice that refers to the disclaimer of
-                  warranties;
-
-               v. a URI or hyperlink to the Licensed Material to the
-                  extent reasonably practicable;
-
-          b. indicate if You modified the Licensed Material and
-             retain an indication of any previous modifications; and
-
-          c. indicate the Licensed Material is licensed under this
-             Public License, and include the text of, or the URI or
-             hyperlink to, this Public License.
-
-     2. You may satisfy the conditions in Section 3(a)(1) in any
-        reasonable manner based on the medium, means, and context in
-        which You Share the Licensed Material. For example, it may be
-        reasonable to satisfy the conditions by providing a URI or
-        hyperlink to a resource that includes the required
-        information.
-
-     3. If requested by the Licensor, You must remove any of the
-        information required by Section 3(a)(1)(A) to the extent
-        reasonably practicable.
-
-     4. If You Share Adapted Material You produce, the Adapter's
-        License You apply must not prevent recipients of the Adapted
-        Material from complying with this Public License.
-
-Section 4 -- Sui Generis Database Rights.
-
-Where the Licensed Rights include Sui Generis Database Rights that
-apply to Your use of the Licensed Material:
-
-a. for the avoidance of doubt, Section 2(a)(1) grants You the right
-   to extract, reuse, reproduce, and Share all or a substantial
-   portion of the contents of the database;
-
-b. if You include all or a substantial portion of the database
-   contents in a database in which You have Sui Generis Database
-   Rights, then the database in which You have Sui Generis Database
-   Rights (but not its individual contents) is Adapted Material; and
-
-c. You must comply with the conditions in Section 3(a) if You Share
-   all or a substantial portion of the contents of the database.
-
-For the avoidance of doubt, this Section 4 supplements and does not
-replace Your obligations under this Public License where the Licensed
-Rights include other Copyright and Similar Rights.
-
-Section 5 -- Disclaimer of Warranties and Limitation of Liability.
-
-a. UNLESS OTHERWISE SEPARATELY UNDERTAKEN BY THE LICENSOR, TO THE
-   EXTENT POSSIBLE, THE LICENSOR OFFERS THE LICENSED MATERIAL AS-IS
-   AND AS-AVAILABLE, AND MAKES NO REPRESENTATIONS OR WARRANTIES OF
-   ANY KIND CONCERNING THE LICENSED MATERIAL, WHETHER EXPRESS,
-   IMPLIED, STATUTORY, OR OTHER. THIS INCLUDES, WITHOUT LIMITATION,
-   WARRANTIES OF TITLE, MERCHANTABILITY, FITNESS FOR A PARTICULAR
-   PURPOSE, NON-INFRINGEMENT, ABSENCE OF LATENT OR OTHER DEFECTS,
-   ACCURACY, OR THE PRESENCE OR ABSENCE OF ERRORS, WHETHER OR NOT
-   KNOWN OR DISCOVERABLE. WHERE DISCLAIMERS OF WARRANTIES ARE NOT
-   ALLOWED IN FULL OR IN PART, THIS DISCLAIMER MAY NOT APPLY TO YOU.
-
-b. TO THE EXTENT POSSIBLE, IN NO EVENT WILL THE LICENSOR BE LIABLE
-   TO YOU ON ANY LEGAL THEORY (INCLUDING, WITHOUT LIMITATION,
-   NEGLIGENCE) OR OTHERWISE FOR ANY DIRECT, SPECIAL, INDIRECT,
-   INCIDENTAL, CONSEQUENTIAL, PUNITIVE, EXEMPLARY, OR OTHER LOSSES,
-   COSTS, EXPENSES, OR DAMAGES ARISING OUT OF THIS PUBLIC LICENSE OR
-   USE OF THE LICENSED MATERIAL, EVEN IF THE LICENSOR HAS BEEN
-   ADVISED OF THE POSSIBILITY OF SUCH LOSSES, COSTS, EXPENSES, OR
-   DAMAGES. WHERE A LIMITATION OF LIABILITY IS NOT ALLOWED IN FULL OR
-   IN PART, THIS LIMITATION MAY NOT APPLY TO YOU.
-
-c. The disclaimer of warranties and limitation of liability provided
-   above shall be interpreted in a manner that, to the extent
-   possible, most closely approximates an absolute disclaimer and
-   waiver of all liability.
-
-Section 6 -- Term and Termination.
-
-a. This Public License applies for the term of the Copyright and
-   Similar Rights licensed here. However, if You fail to comply with
-   this Public License, then Your rights under this Public License
-   terminate automatically.
-
-b. Where Your right to use the Licensed Material has terminated under
-   Section 6(a), it reinstates:
-
-     1. automatically as of the date the violation is cured, provided
-        it is cured within 30 days of Your discovery of the
-        violation; or
-
-     2. upon express reinstatement by the Licensor.
-
-   For the avoidance of doubt, this Section 6(b) does not affect any
-   right the Licensor may have to seek remedies for Your violations
-   of this Public License.
-
-c. For the avoidance of doubt, the Licensor may also offer the
-   Licensed Material under separate terms or conditions or stop
-   distributing the Licensed Material at any time; however, doing so
-   will not terminate this Public License.
-
-d. Sections 1, 5, 6, 7, and 8 survive termination of this Public
-   License.
-
-Section 7 -- Other Terms and Conditions.
-
-a. The Licensor shall not be bound by any additional or different
-   terms or conditions communicated by You unless expressly agreed.
-
-b. Any arrangements, understandings, or agreements regarding the
-   Licensed Material not stated herein are separate from and
-   independent of the terms and conditions of this Public License.
-
-Section 8 -- Interpretation.
-
-a. For the avoidance of doubt, this Public License does not, and
-   shall not be interpreted to, reduce, limit, restrict, or impose
-   conditions on any use of the Licensed Material that could lawfully
-   be made without permission under this Public License.
-
-b. To the extent possible, if any provision of this Public License is
-   deemed unenforceable, it shall be automatically reformed to the
-   minimum extent necessary to make it enforceable. If the provision
-   cannot be reformed, it shall be severed from this Public License
-   without affecting the enforceability of the remaining terms and
-   conditions.
-
-c. No term or condition of this Public License will be waived and no
-   failure to comply consented to unless expressly agreed to by the
-   Licensor.
-
-d. Nothing in this Public License constitutes or may be interpreted
-   as a limitation upon, or waiver of, any privileges and immunities
-   that apply to the Licensor or You, including from the legal
-   processes of any jurisdiction or authority.
-
-=======================================================================
-
-Creative Commons is not a party to its public licenses.
-Notwithstanding, Creative Commons may elect to apply one of its public
-licenses to material it publishes and in those instances will be
-considered the "Licensor." Except for the limited purpose of indicating
-that material is shared under a Creative Commons public license or as
-otherwise permitted by the Creative Commons policies published at
-creativecommons.org/policies, Creative Commons does not authorize the
-use of the trademark "Creative Commons" or any other trademark or logo
-of Creative Commons without its prior written consent including,
-without limitation, in connection with any unauthorized modifications
-to any of its public licenses or any other arrangements,
-understandings, or agreements concerning use of licensed material. For
-the avoidance of doubt, this paragraph does not form part of the public
-licenses.
-
-Creative Commons may be contacted at creativecommons.org.
-

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/README.md
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/README.md 
b/thirdparty/rocksdb/docs/README.md
deleted file mode 100644
index 0ae8978..0000000
--- a/thirdparty/rocksdb/docs/README.md
+++ /dev/null
@@ -1,80 +0,0 @@
-## User Documentation for rocksdb.org
-
-This directory will contain the user and feature documentation for RocksDB. 
The documentation will be hosted on GitHub pages.
-
-### Contributing
-
-See [CONTRIBUTING.md](./CONTRIBUTING.md) for details on how to add or modify 
content.
-
-### Run the Site Locally
-
-The requirements for running a GitHub pages site locally is described in 
[GitHub 
help](https://help.github.com/articles/setting-up-your-github-pages-site-locally-with-jekyll/#requirements).
 The steps below summarize these steps.
-
-> If you have run the site before, you can start with step 1 and then move on 
to step 5.
-
-1. Ensure that you are in the `/docs` directory in your local RocksDB clone 
(i.e., the same directory where this `README.md` exists). The below RubyGems 
commands, etc. must be run from there.
-
-1. Make sure you have Ruby and [RubyGems](https://rubygems.org/) installed.
-
-   > Ruby >= 2.2 is required for the gems. On the latest versions of Mac OS X, 
Ruby 2.0 is the
-   > default. Use `brew install ruby` (or your preferred upgrade mechanism) to 
install a newer
-   > version of Ruby for your Mac OS X system.
-
-1. Make sure you have [Bundler](http://bundler.io/) installed.
-
-    ```
-    # may require sudo
-    gem install bundler
-    ```
-1. Install the project's dependencies
-
-    ```
-    # run this in the 'docs' directory
-    bundle install
-    ```
-
-    > If you get an error when installing `nokogiri`, you may be running into 
the problem described
-    > in [this nokogiri 
issue](https://github.com/sparklemotion/nokogiri/issues/1483). You can
-    > either `brew uninstall xz` (and then `brew install xz` after the bundle 
is installed) or
-    > `xcode-select --install` (although this may not work if you have already 
installed command
-    > line tools).
-
-1. Run Jekyll's server.
-
-    - On first runs or for structural changes to the documentation (e.g., new 
sidebar menu item), do a full build.
-
-    ```
-    bundle exec jekyll serve
-    ```
-
-    - For content changes only, you can use `--incremental` for faster builds.
-
-    ```
-    bundle exec jekyll serve --incremental
-    ```
-
-    > We use `bundle exec` instead of running straight `jekyll` because 
`bundle exec` will always use the version of Jekyll from our `Gemfile`. Just 
running `jekyll` will use the system version and may not necessarily be 
compatible.
-
-    - To run using an actual IP address, you can use `--host=0.0.0.0`
-
-    ```
-    bundle exec jekyll serve --host=0.0.0.0
-    ```
-
-    This will allow you to use the IP address associated with your machine in 
the URL. That way you could share it with other people.
-
-    e.g., on a Mac, you can your IP address with something like `ifconfig | 
grep "inet " | grep -v 127.0.0.1`.    
-
-1. Either of commands in the previous step will serve up the site on your 
local device at http://127.0.0.1:4000/ or http://localhost:4000.
-
-### Updating the Bundle
-
-The site depends on Github Pages and the installed bundle is based on the 
`github-pages` gem.
-Occasionally that gem might get updated with new or changed functionality. If 
that is the case,
-you can run:
-
-```
-bundle update
-```
-
-to get the latest packages for the installation.

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/TEMPLATE-INFORMATION.md
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/TEMPLATE-INFORMATION.md 
b/thirdparty/rocksdb/docs/TEMPLATE-INFORMATION.md
deleted file mode 100644
index 9175bc0..0000000
--- a/thirdparty/rocksdb/docs/TEMPLATE-INFORMATION.md
+++ /dev/null
@@ -1,17 +0,0 @@
-## Template Details
-
-First, go through `_config.yml` and adjust the available settings to your 
project's standard. When you make changes here, you'll have to kill the `jekyll 
serve` instance and restart it to see those changes, but that's only the case 
with the config file.
-
-Next, update some image assets - you'll want to update `favicon.png`, 
`logo.svg`, and `og_image.png` (used for Like button stories and Shares on 
Facbeook) in the `static` folder with your own logos.
-
-Next, if you're going to have docs on your site, keep the `_docs` and `docs` 
folders, if not, you can safely remove them (or you can safely leave them and 
not include them in your navigation - Jekyll renders all of this before a 
client views the site anyway, so there's no performance hit from just leaving 
it there for a future expansion).
-
-Same thing with a blog section, either keep or delete the `_posts` and `blog` 
folders.
-
-You can customize your homepage in three parts - the first in the homepage 
header, which is mostly automatically derived from the elements you insert into 
your config file. However, you can also specify a series of 'promotional' 
elements in `_data/promo.yml`. You can read that file for more information.
-
-The second place for your homepage is in `index.md` which contains the bulk of 
the main content below the header. This is all markdown if you want, but you 
can use HTML and Jekyll's template tags (called Liquid) in there too. Checkout 
this folder's index.md for an example of one common template tag that we use on 
our sites called gridblocks.
-
-The third and last place is in the `_data/powered_by.yml` and 
`_data/powered_by_highlight.yml` files. Both these files combine to create a 
section on the homepage that is intended to show a list of companies or apps 
that are using your project. The `powered_by_highlight` file is a list of 
curated companies/apps that you want to show as a highlight at the top of this 
section, including their logos in whatever format you want. The `powered_by` 
file is a more open list that is just text links to the companies/apps and can 
be updated via Pull Request by the community. If you don't want these sections 
on your homepage, just empty out both files and leave them blank.
-
-The last thing you'll want to do is setup your top level navigation bar. You 
can do this by editing `nav.yml` and keeping the existing title/href/category 
structure used there. Although the nav is responsive and fairly flexible 
design-wise, no more than 5 or 6 nav items is recommended.

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_config.yml
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_config.yml 
b/thirdparty/rocksdb/docs/_config.yml
deleted file mode 100644
index 2e5cee0..0000000
--- a/thirdparty/rocksdb/docs/_config.yml
+++ /dev/null
@@ -1,85 +0,0 @@
-# Site settings
-permalink: /blog/:year/:month/:day/:title.html
-title: RocksDB
-tagline: A persistent key-value store for fast storage environments
-description: >
-  RocksDB is an embeddable persistent key-value store for fast storage.
-fbappid: "1615782811974223"
-gacode: "UA-49459723-1"
-# baseurl determines the subpath of your site. For example if you're using an
-# organisation.github.io/reponame/ basic site URL, then baseurl would be set
-# as "/reponame" but leave blank if you have a top-level domain URL as it is
-# now set to "" by default as discussed in:
-# http://jekyllrb.com/news/2016/10/06/jekyll-3-3-is-here/
-baseurl: ""
-
-# the base hostname & protocol for your site
-# If baseurl is set, then the absolute url for your site would be url/baseurl
-# This was also be set to the right thing automatically for local development
-# https://github.com/blog/2277-what-s-new-in-github-pages-with-jekyll-3-3
-# http://jekyllrb.com/news/2016/10/06/jekyll-3-3-is-here/
-url: "http://rocksdb.org";
-
-# Note: There are new filters in Jekyll 3.3 to help with absolute and relative 
urls
-# absolute_url
-# relative_url
-# So you will see these used throughout the Jekyll code in this template.
-# no more need for | prepend: site.url | prepend: site.baseurl
-# http://jekyllrb.com/news/2016/10/06/jekyll-3-3-is-here/
-#https://github.com/blog/2277-what-s-new-in-github-pages-with-jekyll-3-3
-
-# The GitHub repo for your project
-ghrepo: "facebook/rocksdb"
-
-# Use these color settings to determine your colour scheme for the site.
-color:
-  # primary should be a vivid color that reflects the project's brand
-  primary: "#2a2a2a"
-  # secondary should be a subtle light or dark color used on page backgrounds
-  secondary: "#f9f9f9"
-  # Use the following to specify whether the previous two colours are 'light'
-  # or 'dark' and therefore what colors can be overlaid on them
-  primary-overlay: "dark"
-  secondary-overlay: "light"
-
-#Uncomment this if you want to enable Algolia doc search with your own values
-#searchconfig:
-#  apikey: ""
-#  indexname: ""
-
-# Blog posts are builtin to Jekyll by default, with the `_posts` directory.
-# Here you can specify other types of documentation. The names here are `docs`
-# and `top-level`. This means their content will be in `_docs` and 
`_top-level`.
-# The permalink format is also given.
-# http://ben.balter.com/2015/02/20/jekyll-collections/
-collections:
-  docs:
-    output: true
-    permalink: /docs/:name/
-  top-level:
-    output: true
-    permalink: :name.html
-
-# DO NOT ADJUST BELOW THIS LINE UNLESS YOU KNOW WHAT YOU ARE CHANGING
-
-markdown: kramdown
-kramdown:
-  input: GFM
-  syntax_highlighter: rouge
-
-  syntax_highlighter_opts:
-    css_class: 'rougeHighlight'
-    span:
-      line_numbers: false
-    block:
-      line_numbers: true
-      start_line: 1
-
-sass:
-  style: :compressed
-
-redcarpet:
-  extensions: [with_toc_data]
-
-gems:
-  - jekyll-redirect-from

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_data/authors.yml
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_data/authors.yml 
b/thirdparty/rocksdb/docs/_data/authors.yml
deleted file mode 100644
index b3ed49e..0000000
--- a/thirdparty/rocksdb/docs/_data/authors.yml
+++ /dev/null
@@ -1,62 +0,0 @@
-icanadi:
-  full_name: Igor Canadi
-  fbid: 706165749
-
-xjin:
-  full_name: Xing Jin
-  fbid: 100000739847320
-
-leijin:
-  full_name: Lei Jin
-  fbid: 634570164
-
-yhciang:
-  full_name: Yueh-Hsuan Chiang
-  fbid: 1619020986
-
-radheshyam:
-  full_name: Radheshyam Balasundaram
-  fbid: 800837305
-
-zagfox:
-  full_name: Feng Zhu
-  fbid: 100006493823622
-
-lgalanis:
-  full_name: Leonidas Galanis
-  fbid: 8649950
-
-sdong:
-  full_name: Siying Dong
-  fbid: 9805119
-
-dmitrism:
-  full_name: Dmitri Smirnov
-
-rven2:
-  full_name: Venkatesh Radhakrishnan
-  fbid: 100008352697325
-
-yiwu:
-  full_name: Yi Wu
-  fbid: 100000476362039
-
-maysamyabandeh:
-  full_name: Maysam Yabandeh
-  fbid: 100003482360101
-
-IslamAbdelRahman:
-  full_name: Islam AbdelRahman
-  fbid: 642759407
-
-ajkr:
-  full_name: Andrew Kryczka
-  fbid: 100010829806660
-
-sagar0:
-  full_name: Sagar Vemuri
-  fbid: 2419111
-
-lightmark:
-  full_name: Aaron Gao
-  fbid: 1351549072

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_data/features.yml
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_data/features.yml 
b/thirdparty/rocksdb/docs/_data/features.yml
deleted file mode 100644
index d692c18..0000000
--- a/thirdparty/rocksdb/docs/_data/features.yml
+++ /dev/null
@@ -1,19 +0,0 @@
-- title: High Performance
-  text: |
-        RocksDB uses a log structured database engine, written entirely in 
C++, for maximum performance. Keys and values are just arbitrarily-sized byte 
streams.
-  image: images/promo-performance.svg
-
-- title: Optimized for Fast Storage
-  text: |
-        RocksDB is optimized for fast, low latency storage such as flash 
drives and high-speed disk drives. RocksDB exploits the full potential of high 
read/write rates offered by flash or RAM.
-  image: images/promo-flash.svg
-
-- title: Adaptable
-  text: |
-        RocksDB is adaptable to different workloads. From database storage 
engines such as [MyRocks](https://github.com/facebook/mysql-5.6) to 
[application data 
caching](http://techblog.netflix.com/2016/05/application-data-caching-using-ssds.html)
 to embedded workloads, RocksDB can be used for a variety of data needs.
-  image: images/promo-adapt.svg
-
-- title: Basic and Advanced Database Operations
-  text: |
-        RocksDB provides basic operations such as opening and closing a 
database, reading and writing to more advanced operations such as merging and 
compaction filters.
-  image: images/promo-operations.svg

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_data/nav.yml
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_data/nav.yml 
b/thirdparty/rocksdb/docs/_data/nav.yml
deleted file mode 100644
index 108de02..0000000
--- a/thirdparty/rocksdb/docs/_data/nav.yml
+++ /dev/null
@@ -1,30 +0,0 @@
-- title: Docs
-  href: /docs/
-  category: docs
-
-- title: GitHub
-  href: https://github.com/facebook/rocksdb/
-  category: external
-
-- title: API (C++)
-  href: https://github.com/facebook/rocksdb/tree/master/include/rocksdb
-  category: external
-
-- title: API (Java)
-  href: 
https://github.com/facebook/rocksdb/tree/master/java/src/main/java/org/rocksdb
-  category: external
-
-- title: Support
-  href: /support.html
-  category: support
-
-- title: Blog
-  href: /blog/
-  category: blog
-
-- title: Facebook
-  href: https://www.facebook.com/groups/rocksdb.dev/
-  category: external
-
-# Use external for external links not associated with the paths of the current 
site.
-# If a category is external, site urls, for example, are not prepended to the 
href, etc..

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_data/nav_docs.yml
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_data/nav_docs.yml 
b/thirdparty/rocksdb/docs/_data/nav_docs.yml
deleted file mode 100644
index 8cdfd2d..0000000
--- a/thirdparty/rocksdb/docs/_data/nav_docs.yml
+++ /dev/null
@@ -1,3 +0,0 @@
-- title: Quick Start
-  items:
-  - id: getting-started

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_data/powered_by.yml
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_data/powered_by.yml 
b/thirdparty/rocksdb/docs/_data/powered_by.yml
deleted file mode 100644
index a780cfe..0000000
--- a/thirdparty/rocksdb/docs/_data/powered_by.yml
+++ /dev/null
@@ -1 +0,0 @@
-# Fill in later if desired

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_data/powered_by_highlight.yml
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_data/powered_by_highlight.yml 
b/thirdparty/rocksdb/docs/_data/powered_by_highlight.yml
deleted file mode 100644
index a780cfe..0000000
--- a/thirdparty/rocksdb/docs/_data/powered_by_highlight.yml
+++ /dev/null
@@ -1 +0,0 @@
-# Fill in later if desired

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_data/promo.yml
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_data/promo.yml 
b/thirdparty/rocksdb/docs/_data/promo.yml
deleted file mode 100644
index 9a72aa8..0000000
--- a/thirdparty/rocksdb/docs/_data/promo.yml
+++ /dev/null
@@ -1,6 +0,0 @@
-# This file determines the list of promotional elements added to the header of 
\
-# your site's homepage. Full list of plugins are shown
-
-- type: button
-  href: docs/getting-started.html
-  text: Get Started

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_docs/faq.md
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_docs/faq.md 
b/thirdparty/rocksdb/docs/_docs/faq.md
deleted file mode 100644
index 0887a09..0000000
--- a/thirdparty/rocksdb/docs/_docs/faq.md
+++ /dev/null
@@ -1,48 +0,0 @@
----
-docid: support-faq
-title: FAQ
-layout: docs
-permalink: /docs/support/faq.html
----
-
-Here is an ever-growing list of frequently asked questions around RocksDB
-
-## What is RocksDB?
-
-RocksDB is an embeddable persistent key-value store for fast storage. RocksDB 
can also be the foundation for a client-server database but our current focus 
is on embedded workloads.
-
-RocksDB builds on [LevelDB](https://code.google.com/p/leveldb/) to be scalable 
to run on servers with many CPU cores, to efficiently use fast storage, to 
support IO-bound, in-memory and write-once workloads, and to be flexible to 
allow for innovation.
-
-For the latest details, watch [Mark Callaghan’s and Igor Canadi’s talk at 
CMU on 
10/2015](https://scs.hosted.panopto.com/Panopto/Pages/Viewer.aspx?id=f4e0eb37-ae18-468f-9248-cb73edad3e56).
 [Dhruba Borthakur’s introductory 
talk](https://github.com/facebook/rocksdb/blob/gh-pages-old/intro.pdf?raw=true) 
from the Data @ Scale 2013 conference provides some perspective about how 
RocksDB has evolved.
-
-## How does performance compare?
-
-We benchmarked LevelDB and found that it was unsuitable for our server 
workloads. The [benchmark 
results](http://leveldb.googlecode.com/svn/trunk/doc/benchmark.html) look 
awesome at first sight, but we quickly realized that those results were for a 
database whose size was smaller than the size of RAM on the test machine – 
where the entire database could fit in the OS page cache. When we performed the 
same benchmarks on a database that was at least 5 times larger than main 
memory, the performance results were dismal.
-
-By contrast, we’ve published the [RocksDB benchmark 
results](https://github.com/facebook/rocksdb/wiki/Performance-Benchmarks) for 
server side workloads on Flash. We also measured the performance of LevelDB on 
these server-workload benchmarks and found that RocksDB solidly outperforms 
LevelDB for these IO bound workloads. We found that LevelDB’s single-threaded 
compaction process was insufficient to drive server workloads. We saw frequent 
write-stalls with LevelDB that caused 99-percentile latency to be tremendously 
large. We found that mmap-ing a file into the OS cache introduced performance 
bottlenecks for reads. We could not make LevelDB consume all the IOs offered by 
the underlying Flash storage.
-
-## What is RocksDB suitable for?
-
-RocksDB can be used by applications that need low latency database accesses. 
Possibilities include:
-
-* A user-facing application that stores the viewing history and state of users 
of a website.
-* A spam detection application that needs fast access to big data sets.
-* A graph-search query that needs to scan a data set in realtime.
-* A cache data from Hadoop, thereby allowing applications to query Hadoop data 
in realtime.
-* A message-queue that supports a high number of inserts and deletes.
-
-## How big is RocksDB adoption?
-
-RocksDB is an embedded storage engine that is used in a number of backend 
systems at Facebook. In the Facebook newsfeed’s backend, it replaced another 
internal storage engine called Centrifuge and is one of the many components 
used. ZippyDB, a distributed key value store service used by Facebook products 
relies RocksDB. Details on ZippyDB are in [Muthu Annamalai’s talk at 
Data@Scale in Seattle](https://youtu.be/DfiN7pG0D0k). Dragon, a distributed 
graph query engine part of the social graph infrastructure, is using RocksDB to 
store data. Parse has been running [MongoDB on RocksDB in 
production](http://blog.parse.com/announcements/mongodb-rocksdb-parse/) since 
early 2015.
-
-RocksDB is proving to be a useful component for a lot of other groups in the 
industry. For a list of projects currently using RocksDB, take a look at our 
USERS.md list on github.
-
-## How good is RocksDB as a database storage engine?
-
-Our engineering team at Facebook firmly believes that RocksDB has great 
potential as storage engine for databases. It has been proven in production 
with MongoDB: [MongoRocks](https://github.com/mongodb-partners/mongo-rocks) is 
the RocksDB based storage engine for MongoDB.
-
-[MyRocks](https://code.facebook.com/posts/190251048047090/myrocks-a-space-and-write-optimized-mysql-database/)
 is the RocksDB based storage engine for MySQL. Using RocksDB we have managed 
to achieve 2x better compression and 10x less write amplification for our 
benchmarks compared to our existing MySQL setup. Given our current results, 
work is currently underway to develop MyRocks into a production ready solution 
for web-scale MySQL workloads. Follow along on 
[GitHub](https://github.com/facebook/mysql-5.6)!
-
-## Why is RocksDB open sourced?
-
-We are open sourcing this project on 
[GitHub](http://github.com/facebook/rocksdb) because we think it will be useful 
beyond Facebook. We are hoping that software programmers and database 
developers will use, enhance, and customize RocksDB for their use-cases. We 
would also like to engage with the academic community on topics related to 
efficiency for modern database algorithms.

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_docs/getting-started.md
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_docs/getting-started.md 
b/thirdparty/rocksdb/docs/_docs/getting-started.md
deleted file mode 100644
index 8b01dfe..0000000
--- a/thirdparty/rocksdb/docs/_docs/getting-started.md
+++ /dev/null
@@ -1,78 +0,0 @@
----
-docid: getting-started
-title: Getting started
-layout: docs
-permalink: /docs/getting-started.html
----
-
-## Overview
-
-The RocksDB library provides a persistent key value store. Keys and values are 
arbitrary byte arrays. The keys are ordered within the key value store 
according to a user-specified comparator function.
-
-The library is maintained by the Facebook Database Engineering Team, and is 
based on [LevelDB](https://github.com/google/leveldb), by Sanjay Ghemawat and 
Jeff Dean at Google.
-
-This overview gives some simple examples of how RocksDB is used. For the story 
of why RocksDB was created in the first place, see [Dhruba Borthakur’s 
introductory 
talk](https://github.com/facebook/rocksdb/blob/gh-pages-old/intro.pdf?raw=true) 
from the Data @ Scale 2013 conference.
-
-## Opening A Database
-
-A rocksdb database has a name which corresponds to a file system directory. 
All of the contents of database are stored in this directory. The following 
example shows how to open a database, creating it if necessary:
-
-```c++
-#include <assert>
-#include "rocksdb/db.h"
-
-rocksdb::DB* db;
-rocksdb::Options options;
-options.create_if_missing = true;
-rocksdb::Status status =
-  rocksdb::DB::Open(options, "/tmp/testdb", &db);
-assert(status.ok());
-...
-```
-
-If you want to raise an error if the database already exists, add the 
following line before the rocksdb::DB::Open call:
-
-```c++
-options.error_if_exists = true;
-```
-
-## Status
-
-You may have noticed the `rocksdb::Status` type above. Values of this type are 
returned by most functions in RocksDB that may encounter
-an error. You can check if such a result is ok, and also print an associated 
error message:
-
-```c++
-rocksdb::Status s = ...;
-if (!s.ok()) cerr << s.ToString() << endl;
-```
-
-## Closing A Database
-
-When you are done with a database, just delete the database object. For 
example:
-
-```c++
-/* open the db as described above */
-/* do something with db */
-delete db;
-```
-
-## Reads And Writes
-
-The database provides Put, Delete, and Get methods to modify/query the 
database. For example, the following code moves the value stored under `key1` 
to `key2`.
-
-```c++
-std::string value;
-rocksdb::Status s = db->Get(rocksdb::ReadOptions(), key1, &value);
-if (s.ok()) s = db->Put(rocksdb::WriteOptions(), key2, value);
-if (s.ok()) s = db->Delete(rocksdb::WriteOptions(), key1);
-```
-
-## Further documentation
-
-These are just simple examples of how RocksDB is used. The full documentation 
is currently on the [GitHub wiki](https://github.com/facebook/rocksdb/wiki).
-
-Here are some specific details about the RocksDB implementation:
-
-- [Architecture 
Guide](https://github.com/facebook/rocksdb/wiki/Rocksdb-Architecture-Guide)
-- [Format of an immutable Table 
file](https://github.com/facebook/rocksdb/wiki/Rocksdb-Table-Format)
-- [Format of a log 
file](https://github.com/facebook/rocksdb/wiki/Write-Ahead-Log-File-Format)

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_includes/blog_pagination.html
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_includes/blog_pagination.html 
b/thirdparty/rocksdb/docs/_includes/blog_pagination.html
deleted file mode 100644
index 6a1f334..0000000
--- a/thirdparty/rocksdb/docs/_includes/blog_pagination.html
+++ /dev/null
@@ -1,28 +0,0 @@
-<!-- Pagination links - copied from http://jekyllrb.com/docs/pagination/ -->
-{% if paginator.total_pages > 1 %}
-<br />
-<div class="pagination">
-  {% if paginator.previous_page %}
-    <a href="{{ paginator.previous_page_path | replace: '//', '/' }}">&laquo; 
Prev</a>
-  {% else %}
-    <span>&laquo; Prev</span>
-  {% endif %}
-
-  {% for page in (1..paginator.total_pages) %}
-    {% if page == paginator.page %}
-      <em>{{ page }}</em>
-    {% elsif page == 1 %}
-      <a href="{{ '/blog' }}">{{ page }}</a>
-    {% else %}
-      <a href="{{ site.paginate_path | replace: '//', '/' | replace: ':num', 
page }}">{{ page }}</a>
-    {% endif %}
-  {% endfor %}
-
-  {% if paginator.next_page %}
-    <a href="{{ paginator.next_page_path | replace: '//', '/' }}">Next 
&raquo;</a>
-  {% else %}
-    <span>Next &raquo;</span>
-  {% endif %}
-</div>
-<br />
-{% endif %}

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_includes/content/gridblocks.html
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_includes/content/gridblocks.html 
b/thirdparty/rocksdb/docs/_includes/content/gridblocks.html
deleted file mode 100644
index 49c5e59..0000000
--- a/thirdparty/rocksdb/docs/_includes/content/gridblocks.html
+++ /dev/null
@@ -1,5 +0,0 @@
-<div class="gridBlock">
-{% for item in {{include.data_source}} %}
-  {% include content/items/gridblock.html item=item layout=include.layout 
imagealign=include.imagealign align=include.align %}
-{% endfor %}
-</div>
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/nifi-minifi-cpp/blob/d3a13a49/thirdparty/rocksdb/docs/_includes/content/items/gridblock.html
----------------------------------------------------------------------
diff --git a/thirdparty/rocksdb/docs/_includes/content/items/gridblock.html 
b/thirdparty/rocksdb/docs/_includes/content/items/gridblock.html
deleted file mode 100644
index 58c9e7f..0000000
--- a/thirdparty/rocksdb/docs/_includes/content/items/gridblock.html
+++ /dev/null
@@ -1,37 +0,0 @@
-{% if include.layout == "fourColumn" %}
-  {% assign layout = "fourByGridBlock" %}
-{% else %}
-  {% assign layout = "twoByGridBlock" %}
-{% endif %}
-
-{% if include.imagealign == "side" %}
-  {% assign imagealign = "imageAlignSide" %}
-{% else %}
-  {% if item.image %}
-    {% assign imagealign = "imageAlignTop" %}
-  {% else %}
-    {% assign imagealign = "" %}
-  {% endif %}
-{% endif %}
-
-{% if include.align == "right" %}
-  {% assign align = "alignRight" %}
-{% elsif include.align == "center" %}
-  {% assign align = "alignCenter" %}
-{% else %}
-  {% assign align = "alignLeft" %}
-{% endif %}
-
-<div class="blockElement {{ layout }} {{ imagealign }} {{ align }}">
-  {% if item.image %}
-  <div class="blockImage">
-    <img src="/static/{{ item.image }}" alt="{{ item.title }}" title="{{ 
item.title }}" />
-  </div>
-  {% endif %}
-  <div class="blockContent">
-    <h3>{{ item.title }}</h3>
-    {% if item.text %}
-    {{ item.text | markdownify }}
-    {% endif %}
-  </div>
-</div>

Reply via email to