Lets you use virtually any existing C# code in a functional style, the way you currently use LINQ, with little or no adaptation. This is particularly helpful for building memory-heavy or long typesafe data processing pipelines.
Pipelines and sections of pipelines built this way:
- Are easier to read and maintain
- Are typesafe
- Are multithreaded and threadsafe
- Are unit testable
- Eliminate your need to keep track of
async
code - Automatically dispose
IDiposable
objects once they are not required - Allow you apply execution settings globally without creating globally available objects
- Can be defined at multiple levels, in line with 'clean code' principles
- Can be mixed with normal C# code
Let's say we have a program that asks for a webpage, downloads it, and counts how many words it contains.
As a flow diagram:
await AskUserForWebsite -> |
| await Download -> Dispose Webclient -> SplitIntoWords -> Count -> CreateMessage -> PrintMessage
Create Web Client -> |
Let's say we had defined two methods as follows:
static int CountWords(string content) => content.Split(' ').Length;
static async Task<string> AskUserForWebsite() => ... // TODO: Prompt the user to provide a website
static Task<string> DownloadString(string location, WebClient wc) => wc.DownloadStringAsync();
await new StartPipe(AskUserForWebsite)
.SkipConnection(a=> new WebClient())
.Then(DownloadString)
.Then(CountWords)
.Then(wordCount => $"There were {wordCount} words")
.Then(Console.WriteLine)
.Run();
Notice the code below is more verbose, less readable, less pipeline-like. One also has to assign variables, dispose the WebClient
to avoid a memory leak, and use await
and ConfigureAwait
to potentially avoid deadlocks:
static async Task<string> AskUserForWebsite() => ... // TODO: Prompt the user to provide a website
static async Task CountWordsInSite()
{
string websiteAddress = await AskUserForWebsite().ConfigureAwait(false);
string websiteContent;
using(WebClient wc = new())
{
websiteContent = await wc.DownloadString(websiteAddress).ConfigureAwait(false);
}
int wordCount = CountWords(websiteContent);
string message = $"There were {wordCount} words";
Console.WriteLine(message);
}
// Call the method
await CountWordsInSite();
In practice, most uses rely on calls to only a few methods which construct the graph and run it.
In the following example, let A
,B
,C
,D
be methods, Func<T,S>
objects, Func<T,Task<S>>
objects, start points, or the result of a previous call to the extension methods listed below.
To begin building a pipelines, start with a StartPipe
.
Begin by calling AsPipelineInput()
from any value to begin a pipeline.
"input into the pipeline".AsPipelineInput()
This creates a StartPipe automatically (see below) which can be used for other functions such as Then()
.
Begin by explicitly creating a new StartPipe
, which wraps a method or value.
Once the start point exists, we can use the extension methods stated below
StartPipe<string> start = new(A); // First step will call A()
// Build the pipeline
// Run it
start.Run();
There is also PushStartPipe
which lets you provide the input value when you call Run()
.
PushStartPipe<string> start = new();
// Build the pipeline
// Run it
start.Run("This sentence is the input to the pipeline");
.Then()
passes the return
value of the previous function to the next function
A.Then(B);
A -> B
.And()
which passes the input of the last then call to the next function, effectively branching a pipeline
A.Then(B)
.And(C);
A
| -> B
| -> C
.Join()
which collects return
values from branches and feeds them all into one function
B.Join(C).Then(D);
B -> |
| --> D
C -> |
.BranchAndJoin()
which performs Then
, And
, and Join
A.BranchThenJoin(B, C).Then(D);
| -> B -> |
A -> | | --> D
| -> C -> |
For example, B and C here receive the result of A. D receives the result of B and C together.
static string A() => ...
static int B(string input) => ...
static double C(string input) => ...
static void D(int input1, double input2) => ...
await new StartPipe(A).
BranchThenJoin(B,C).
Then(D).
Run();
.SkipConnection()
which performs Then
, and Join
to the original input.
C
, here, receives the results of both A and B:
A.SkipConnection(B).Then(C);
A -> B
| |
| V
|--> C
For example, a pipeline that asks for a person's id, looks them up in the database, and prints their details:
static string GetPersonId() => Console.ReadLine();
static Task<Person> RetrievePerson(int id) => ;// TODO: Some database operation
static void PrintName(int id, Person person) => Console.WriteLine($"ID {id} Returns {person.Name}.")
await new StartPipe<string>(GetPersonName).
SkipConnection(RetrievePerson).
Then(PrintName).
Run();
Methods that form part of pipelines can be async (return Task<T>
) or otherwise (return T
).
This does not change the syntax you use to construct them.
The only await
call required is the call to Run()
.
For example, these input methods...
static string A() => ...
static int B(string input) => ...
static double C(string input) => ...
static void D(int input1, double input2) => ...
...and these...
static Task<string> A() => ...
static Task<int> B(string input) => ...
static Task<double> C(string input) => ...
static Task D(int input1, double input2) => ...
...could both be connected and run using:
await new StartPipe(A).
BranchThenJoin(B,C).
Then(D).
Run(start);
Syncronous and asyncronous code can be mixed and matched without change to the pipeline code.
Stages in the pipelines automatically dispose any returned IDisposable
the moment they are no longer required.
For example, the following code prints how many words are on example.com
StartPipe<WebClient> start = new(() => new WebClient());
start.Then(client=>client.DownloadString("https://example.com")
.Then(CountWords)
.Then(Console.WriteLine);
The WebClient
is created only when the pipeline is run, and is Disposed automatically before CountWords
is called. Running the pipeline a second time will create a new WebClient
and also Dispose that in turn.
Any IDisposable
object created within a method but not returned must still be disposed in the normal way.
So far we've seen purely linear pipelines. Pipelines, however, can branch by one stage outputting to more than one method.
While to pass a result to the next stage, we use Then()
. We can do this multiple times, or more easily by using And
.
For example, the following code counts how many words and how many numbers are in a webpage.
StartPipe<string> start = new(AskUserForWebsite);
start.Then(DownloadString)
.Then(SplitIntoWords)
.Then(CountWords)
.And(CountNumbers);
The And
call above sets up CountNumbers
to recieve the result from SplitWords()
, rather than CountWords()
.
Alternatively, we could use multiple Then operations. For example, if we wanted to branch to print how many words, and also to save to a database how many numbers we found, our code might look like:
StartPipe<string> start = new(AskUserForWebsite);
var branchPoint = start.Then(DownloadString);
branchPoint.Then(CountWords)
.Then(Console.WriteLine);
branchPoint.Then(CountNumbers)
.Then(SaveNumberCountToDatabase());
// Run the pipeline
await start.Run();
Branches can be build without a start point, then connected later.
In the code below, two static methods generate Pipeline branches that lack start points. These can be fed into an Then
or And
call to connect them to a pipeline start point.
/// <summary>
/// Constructs a pipeline branch that prints how many words are in the string
/// </summary>
static IAsPipeline<Pipeline_RightSealed<string>> CreateCountWordsPipeline()
{
return new AsyncFunc<string, string[]>(SplitIntoWords)
.Then(CountToMessage)
.Then(Console.WriteLine);
}
/// <summary>
/// Constructs a pipeline branch that calculates how many numbers are in the string and saves it to a database
/// </summary>
static IAsPipeline<Pipeline_RightSealed<string>> CreateAndSaveNumbers()
{
return new AsyncFunc<string>(FindNumbersWithRegex)
.Then(CountResult)
.Then(SaveToDB);
}
// We can use this and similar when needed
StartPipe<string> start = new(AskUserForWebsite);
start.Then(CreateCountWordsPipeline())
.And(CreateAndSaveNumbers());
start.Run();
All pipeline stages that takes in the same input are run in parallel (via standard c# tasks). For this reason, all objects created by pipeline stages must be threadsafe if they will be sent to 2+ branches via And()
, or other kinds of branching.
For example, this is OK, because And
is not used with the Dictionary:
/// <summary>
/// Calculates word counts in a string
/// </summary>
static Dictionary<string,int> GetWordCounts(string[] fullText) => ...
// We can use this and similar when needed
StartPipe<string[]> start = new(GetStrings);
start.Then(GetWordCounts)
.Then(PrintDictionary);
The following is NOT OK because Dictionary is used by two branches at the same time but is not threadsafe.
start.Then(GetWordCounts)
.Then(PrintDictionary)
.And(PrintDictionaryCount);
In such a case a threadsafe dictionary class should be used.
It is ONLY safe to modify an input when it is NOT sent to 2+ branches. In situations where it is sent to multiple branches, it should be treated as strictly ReadOnly.
This is because both branches will process the same input at the same time and so one will modify it as the other reads it. As there is no guarantee which branch will run when, your pipeline will not be threadsafe.
In other words, while this is safe:
static ConcurrentDictionary<string,int> GetWordCounts(string fullText) => ...
static ConcurrentDictionary<string,int> ChangeBadgerCounts(ConcurrentDictionary<string,int> dict)
{
dict["badger"] = 41;
return dict;
}
static int GetBadgerCount(ConcurrentDictionary<string,int> dict) => dict["badger"];
// We can use this and similar when needed
StartPipe<string[]> start = new(GetStrings);
start.Then(GetWordCounts)
.Then(ChangeBadgerCounts)
.Then(PrintDictionary);
The following is not, because the last two stages modify and read the dictionary at the same time:
// We can use this and similar when needed
StartPipe<string[]> start = new(GetStrings);
start.Then(GetWordCounts)
.Then(ChangeBadgerCounts)
.And(PrintDictionary);
Values passed between stages are disposed after the receiving stage has completed use of that input. When an IDisposable
is passed to two or more branches, it is disposed once all branches have completed.
IDisposable
inputs can be passed as outputs when NO branching is occurring. GetBadgetCounts
does this below:
static ConcurrentDictionary<string,int> GetWordCounts(string fullText) => ...
static ConcurrentDictionary<string,int> ChangeBadgerCounts(ConcurrentDictionary<string,int> dict)
{
dict["badger"] = 41;
return dict; // Return the same input
}
static int GetBadgerCount(ConcurrentDictionary<string,int> dict) => dict["badger"];
// We can use this and similar when needed
StartPipe<string[]> start = new(GetStrings);
start.Then(GetWordCounts)
.Then(ChangeBadgerCounts)
.Then(PrintDictionary);
But this should NOT be done if this is part of a branch, like so:
// We can use this and similar when needed
StartPipe<string[]> start = new(GetStrings);
start.Then(GetWordCounts)
.Then(PrintDictionary)
.And(ChangeBadgerCounts).Then(PrintDictionary)
Although this may run smoothly, this makes it difficult for the system to track the IDisposable object, so it may be disposed prematurely or not at all. It also is difficult for the programmer to understand threadsafety concerns. It's best to copy the input and pass that copy down the chain instead.
Branches can be joined so their outputs can be used together. The easiest way is to use BranchThenJoin
Original Code:
static async Task<Animal[]> GetAnimals() => ...
static int CountBadger(Animal[] anims) => anims.OfType<Badger>().Count();
static int CountRobbin(Robbin[] anims) => anims.OfType<Robbin>().Count();
static void PrintMessage(int noBadgers, int noRobbins) => Console.WriteLine($"Found {noBadgers} badgers and {noRobbins} robbins");
static async Task Pipeline()
{
Animal[] animals = await GetAnimals().ConfigureAwait(false);
int badgerCount = CountBadger(animals);
int robbinCount = CountRobbin(animals);
PrintMessage(badgerCount, robbinCount);
}
await Pipeline();
As a Fluent Pipeline
// We can use this and similar when needed
StartPipe<Animal[]> start = new(GetAnimals);
start.BranchThenJoin(CountBadger, CountRobbin)
.Then(PrintMessage)
await start.Run();
Code is cleanest and most readable when operations are abstracted to occur at the same 'level'. For example, the following:
var printBadgerCount = new StartPipe<Animal[]>(GetAnimals)
.Then(PrintBadgerCount);
is much more readable than:
var printBadgerCount = new StartPipe<Animal[]>(GetAnimals)
.Then(IdentifyHairyAnimals)
.BranchThenJoin(IdentifySnouts, IdentifyPaws, IdentifyBlackAndWhite)
.Then(LimitToHairyAnimalsWithSnoutsAndFourPawsAndCorrectColour)
.Then(a=>a.Count)
.Then(PrintBadgerCount);
It's also better designed, because the the first has two high-level operations - a data fetch and user message - while the second contains high level operations and other steps that only form part of the process of finding badgers.
This becomes clear when want to also count robbins:
var printAnimalCounts = new StartPipe<Animal[]>(GetAnimals)
.Then(PrintBadgerCount)
.And(PrintRobbinCount);
Which is possible but much more difficult in the second example. In this way, Fluent Pipelines start to enforce clean code principles.
You can create sections of pipeline in FluentPipelines then connect them later to provide easier to read code. In the example above, we'd create a method called GetCountBadgers()
which would create a pipeline that accepted Animal[]
and output an int
.
Usually, the return types of these methods are very complex due to type safety constraints, and generally not intended for human eyes. It's best to write your method using var
, then ask Visual Studio to convert that into an explicit type only as needed (such as to have a method return type).
A result might look something like
static class BadgerIdentifier
{
/// <summary>
/// Creates a section of pipeline that prints how many badgers there are
/// </summary>
ThenResult<Animal[], Pipeline_RightSealed<Animal[], int>> GetPrintCount()
{
return GetCount().Then(Console.WriteLine);
}
/// <summary>
/// Creates a section of pipeline that counts how many badgers
/// </summary>
ThenResult<Animal[], Pipeline_Open<Animal[], int>> GetCount()
{
return new AsyncMethod<Animal>(IdentifyHairyAnimals)
.BranchThenJoin(IdentifySnouts, IdentifyPaws, IdentifyBlackAndWhite)
.Then(LimitToHairyAnimalsWithSnoutsAndFourPawsAndCorrectColour)
.Then(a=>a.Count);
}
}
static class RobbinIdentifier
{
...
}
We could use these like:
StartPipe<Animal[]> getAnimals = new(GetAnimals);
getAnimals.Then(BadgerIdentifier.GetPrintCount())
.And(RobbinIdentifier.GetPrintCount());
Fluent pipelines are best for code that branches minimally. When complex branching and merging occurs you may need to split pipeline building into several steps to maintain legibility.
For example, lets say we have code that looks like the following (where letters are methods):
A --> B------------
| | |
| V V
| C ----> F
| |
| V
|-------> D ----->E
Might be written:
var stepA = new StartPipe(A);
var bToF = stepA.
Then(B).
SkipConnection(C).
Then(F);
var stepD = stepA.
Then(D).
Join(bToF).
Then(E);
Whlie this might seem let fluent than other examples, a pipeline like this is more likely to represent three stages:
- A: Data I/O
- B, C, F: Process the image
- D: Ask where to save the image to
- E: Save the image
Best practice would always be to keep these branches apart, as we have done, which means more readable code:
// Open the image
var imageInput = new StartPipe(OpenImage);
// Mask the face out
var maskTheFace = ImageInput.Then(IdentifyFace)
.SkipConnection(CreateMask)
.Then(MaskFace);
var fullPipeline = imageInput.Then(AskUserForSaveLocation)
.Join(maskTheFace)
.Then(SaveImage);
await fullPipeline.Run();
It's cleanest to make separate branches, rather than And
when using a single object for many tasks. Always make sure the object is threadsafe before doing this!
For example, if we want to create a ThreadsafeWebClient
and our pipeline will download many different items through this, then process each differently:
var getWebClient = new StartPipe<ThreadsafeWebClient>(()=>new ThreadsafeWebClient());
getWebClient.Then(GetA).Then(ProcessA).Then(Save);
getWebClient.Then(GetB).Then(ProcessB).Then(Save);
getWebClient.Then(GetC).Then(ProcessC).Then(Save);
// Run any of these branches to execute everything
await getWebClient.Run();
Alternatively, you can make methods or properties that return branches, then combine with And
[Then type] GetAndProcessA => new AsyncFunc(GetA).Then(ProcessA).Then(Save);
[Then type] GetAndProcessB => new AsyncFunc(GetB).Then(ProcessB).Then(Save);
[Then type] GetAndProcessC => new AsyncFunc(GetC).Then(ProcessB).Then(Save);
Task GetAndProcessAll() => new WebClient().
AsPipelineInput().
Then(GetAndProcessA).
And(GetAndProcessB).
And(GetAndProcessC).
Run();
This library is built for my professional use with Musink music software, medical science, AI, and data science consulting. You're welcome to use, branch and extend it, so long as you stick within the license terms, but I cannot guarantee:
- Backwards compatibility as I make changes
- Timelines for specific updates
- Help with debugging.
Where I have contributed to a product or service, the most restrictive license terms take precedence.