Wdt Open Source Project (2024)

Wdt Open Source Project (1)WDT Warp speed Data Transfer

Wdt Open Source Project (2)

Wdt Open Source Project (3)

Design philosophy/Overview

Goal:Lowest possible total transfer time - to be only hardware limited(disc or network bandwidth not latency) and as efficient as possible(low CPU/memory/resources utilization)

We keep dependencies minimal in order to maximize portabilityand ensure a small binary size. As a bonus, this also minimizes compile time.

We aren't using exceptions for performance reasons and because using exceptionswould make it harder to reason about the control flow of the library.We also believe the WDT library is easier to integrate as a result.Our philosophy is to write moderately structured and encapsulated C codeas opposed to using every feature of C++.

We try to minimize the number of system calls, which is one of the reasonswe are using blocking thread IOs. We can maximize system throughput becauseat any given point some threads are reading while others are writing, and datais buffered on both paths - keeping each subsystem busy while minimizingkernel to userspace switches.

Terminology

WDT uses "Mbytes" everywhere in its output as 1024*1024 bytes = 1048576 bytes(technically this should be the new mebibyte (MiB) standard but it feltMbytes is be more in line with what other tools are using, clearer, easierto read and matching what a traditional "megabyte" used to mean in historicalmemory units where the address lines are binary and thus power of two and notof ten)

Example

While WDT is primarily a library, we also have a small command line toolwhich we use for tests and which is useful by itself. Here is a quick example:

Receiver side: (starts the server indicating destination directory)[ldemailly@devbig074]$ wdt -directory /data/users/ldemailly/transfer1Sender side: (discover and sends all files in a directory tree to destination)[root@dev443]$ wdt -directory /usr/bin -destination devbig074.prn2[=================================================] 100% 588.8 Mbytes/sI0720 21:48:08.446014 3245296 Sender.cpp:314] Total sender time = 2.68699seconds (0.00640992 dirTime). Transfer summary : Transfer status = OK. Numberof files transferred = 1887. Data Mbytes = 1582.08. Header Kbytes = 62.083(0.00383215% overhead). Total bytes = 1658999858. Wasted bytes due tofailure = 0 (0% overhead). Total sender throughput = 588.816 Mbytes/sec(590.224 Mbytes/sec pure transf rate)

Note that in this simple example with lots of small files (/usr/bin froma linux distribution), but not much data (~1.5Gbyte), the maximumspeed isn't as good as it would with more data (as there is still a TCP rampup time even though it's faster because of parallelization) like when we useit in our production use cases.

Performance/Results

In an internal use at Facebook to transfer RocksDB snapshot between hostswe are able to transfer data at a throttled 600 Mbytes/sec even acrosslong distance, high latency links (e.g. Sweden to Oregon). That's 3x the speedof the previous highly optimized HTTP-based solution and with less strain on thesystem. When not throttling, we are able to easily saturate a 40 Gbit/s NIC andget near theoretical link speed (above 4 Gbytes/sec).

We have so far optimized WDT for servers with fast IOs - in particular flashcard or in-memory read/writes. If you use disks throughput won't be as good,but we do plan on optimizing for disks as well in the future.

Dependencies

CMake for building WDT - See build/BUILD.md

gflags (google flags library) but only for the command line, the librarydoesn't depend on that

gtest (google testing) but only for tests

glog (google logging library) - use W*LOG macros so everything logged by WDTis always prefixed by "wdt>" which helps when embedded in another service

Parts of Facebook's Folly open source library (as set in the CMakefile)Mostly conv, threadlocal and checksum support.

For encryption, the crypto lib part of openssl-1.x

You can build and embed wdt as a library with as little as a C++11 compilerand glog - and you could macro away glog or replace it by printing to stderr ifneeded.

Code layout

Directories

  • top levelMain WDT classes and Wdt command line source, CMakeLists.txt

  • util/Utilities used for implementing the main objects

  • test/Tests files and scripts

  • build/Build related scripts and files and utils

  • fbonly/Stuff specific to facebook/ (not in open source version)

  • bench/Benchmark generation tools

Main files

  • CMakeLists.txt, .travis.yml, build/BUILD.md,travis_linux.sh,travis_osx.shBuild definition file - use CMake to generate a Makefile or a project file foryour favorite IDE - details in build/BUILD.md

  • wdtCmdline.cpp

Main program which allows to have a server or client process to exercisethe library (for end 2 end test as well as a standalone utility)

  • wcp.sh

A script to use wdt like scp for single big files - pending splitting supportinside wdt proper the script does the splitting for you. install as "wcp".

  • WdtOptions.{h|cpp}

To specify the behavior of wdt. If wdt is used as a library, then thecaller get the mutable object of options and set different options accordingly.When wdt is run in a standalone mode, behavior is changed through gflags inwdtCmdLine.cpp

  • WdtThread.{h|cpp}Common functionality and settings between SenderThread and ReceiverThread.Both of these kind of threads inherit from this base class.

  • WdtBase.{h|cpp}

Common functionality and settings between Sender and Receiver

  • WdtResourceController.{h|cpp}

Optional factory for Sender/Receiver with limit on number being created.

Producing/Sending

  • ByteSource.h

Interface for a data element to be sent/transferred

  • FileByteSource.{h|cpp}

Implementation/concrete subclass of ByteSource for a file identified as arelative path from a root dir. The identifier (path) sent remotely isthe relative path

  • SourceQueue.h

Interface for producing next ByteSource to be sent

  • DirectorySourceQueue.{h|cpp}

Concrete implementation of SourceQueue producing all the files in a givendirectory, sorted by decreasing size (as they are discovered, you can startpulling from the queue even before all the files are found, it will returnthe current largest file)

  • ThreadTransferHistory.{h|cpp}

Every thread maintains a transfer history so that when a connection breaksit can talk to the receiver to find out up to where in the history has beensent. This class encapsulates all the logic for that bookkeeping

  • SenderThread.{h|cpp}

Implements the functionality of one sender thread, which binds to a certain portand sends files over.

  • Sender.{h|cpp}

Spawns multiple SenderThread threads and sends the data across to receiver

Consuming / Receiving

  • FileCreator.{h|cpp}

Creates file and directories necessary for said file (mkdir -p like)

  • ReceiverThread.{h|cpp}

Implements the functionality of the receiver threads, responsible for listening ona port and receiving files over the network.

  • Receiver.{h|cpp}

Parent receiver class that spawns multiple ReceiverThread threads and receivesdata from a remote host

Low level building blocks

  • ServerSocket.{h|.cpp}

Encapsulate a server socket listening on a port and giving a file descriptorto be used to communicate with the client

  • ClientSocket.{h|cpp}

Client socket wrapper - connection to a server port -> fd

  • Protocol.{h|cpp}

Decodes/Encodes meta information needed to interpret the data stream:the id (file path) and size (byte length of the data)

  • SocketUtils.{h|cpp}

Common socket related utilities (both client/server, sender/receiver side use)

  • Throttler.{h|cpp}

Throttling code

  • ErrorCodes.h

Header file for error codes

  • Reporting.{h|cpp}

Class representing transfer stats and reports

Future development/extensibility

The current implementation works well and has high efficiency.It is also extensible by implementing different byte sources both in andout. But inserting processing units isn't as easy.

For that we plan on restructuring the code to use a Zero copy stream/bufferpipeline: To maintain efficiency, the best overall total transfer time andtime to first byte we can see WDT's internal architecture as chainable units

[Disk/flash/Storage IO] -> [Compression] -> [Protocol handling]-> [Encryption] -> [Network IO]

And the reverse chain on the receiving/writing endThe trick is the data is variable length input and some units can change lengthand we need to process things by blocksConstraints/Design:

  • No locking / contention when possible
  • (Hard) Limits on memory used
  • Minimal number of copies/moving memory around
  • Still works the same for simpleread file fd -> control -> write socked fd current basic implementation

Possible Solution(?) API:

  • Double linked list of Units
  • read/pull from left (pull() ?)
  • push to the right (push() ?)
  • end of stream from left
  • propagate last bytes to right

Can still be fully synchronous / blocking, works thanks to eof handling(synchronous gives us lock free/single thread - internally a unit isfree to use parallelization like the compression stage is likely to want/need)

Another thing we touched on is processing chunks out of order - by changingheader to be ( fileid, offset, size ) instead of ( filename, size )and assuming everything is following in 1 continuous block (will also helpthe use case of small number of large files/chunks) : mmap'inthe target/destination fileThe issue then is who creates it in what order - similar to the directorycreation problem - we could use a meta info channel to avoid locking/contentionbut that requires synchronization

We want things to work with even up to 1 second latency without incurringa 1 second delay before we send the first payload byte

Submitting diffs/making changes

See CONTRIBUTING.md

Please run the tests

CTEST_OUTPUT_ON_FAILURE=1 make test

And ideally also the manual tests (integration/porting upcoming)

wdt_e2e_test.shwdt_download_resumption_test.shwdt_network_test.shwdt_max_send_test.sh

(facebook only:)Make sure to do the following, before "arc diff":

 (cd wdt ; ./build/clangformat.sh ) # if you changed the minor version of the protocol (in CMakeLists.txt) # run (cd wdt ; ./build/version_update.tcl ) to sync with fbcode's WdtConfig.h fbconfig --clang --sanitize=address -r wdt fbmake runtests --run-disabled --extended-tests # Optionally: opt build fbmake runtests_opt fbmake opt # Sender max speed test wdt/test/wdt_max_send_test.sh # Check buck build buck build wdt/... # Debug a specific test with full output even on success: buck test wdt:xxx -- --run-disabled --extended-tests --print-passing-details\ --print-long-results

and check the output of the last step to make sure one of the 3 runs isstill above 20,000 Mbytes/sec (you may need to make sure you/dev/shm is mostly empty to get the best memory throughput, as wellas not having a ton of random processes running during the test)

Also :

  • Update this file
  • Make sure your diff has a task
  • Put (relevant) log output of sender/receiver in the diff test plan or comment
  • Depending on the changes
    • Perf: wdt/wdt_e2e_test.sh has a mix of ~ > 700 files, > 8 Gbytes/sec
    • do run remote network tests (wdt/wdt_remote_test.sh)
    • do run profiler and check profile results (wdt/fbonly/wdt_prof.sh)80k small files at > 1.6 Gbyte/sec

Open Source Agenda is not affiliated with "Wdt" Project. README Source: facebookarchive/wdt

Wdt Open Source Project (2024)

References

Top Articles
Latest Posts
Article information

Author: Geoffrey Lueilwitz

Last Updated:

Views: 5549

Rating: 5 / 5 (80 voted)

Reviews: 95% of readers found this page helpful

Author information

Name: Geoffrey Lueilwitz

Birthday: 1997-03-23

Address: 74183 Thomas Course, Port Micheal, OK 55446-1529

Phone: +13408645881558

Job: Global Representative

Hobby: Sailing, Vehicle restoration, Rowing, Ghost hunting, Scrapbooking, Rugby, Board sports

Introduction: My name is Geoffrey Lueilwitz, I am a zealous, encouraging, sparkling, enchanting, graceful, faithful, nice person who loves writing and wants to share my knowledge and understanding with you.