import std.stdio : write, writeln;
void main(string[] args)
{
    if(args.length > 1)
    {
        foreach(arg; args[1 .. $-1])
        {
            write(arg, ' ');
        }
        write(args[$-1]);
    }
    writeln();
}
if(args.length > 1)ifNow things get a bit more interesting. As with many supposedly "simple" command line tools, the devil is in the options. Take a look here to peruse a normal list of options for echo. Let's make a start with the "-n" option. If you pass the argument "-n", before any non-option arguments (anything other than "-n" for us at the moment), echo will not print a newline at the end of it's output. In order to achieve this, we're going to introduce an preliminary loop to detect the option and a boolean variable
writeNewlineimport std.stdio : write, writeln;
void main(string[] args)
{
    args = args[1 .. $];
    bool writeNewline = true;
    
    size_t i = 0;
    foreach(arg; args)
    {
        if(arg == "-n")
        {
            writeNewline = false;
            ++i;
        }
        else
        {
            break;
        }
    }
    args = args[i .. $];
    
    if(args.length > 0)
    {
        write(args[0]);
        foreach(arg; args[1 .. $])
        {
            write(' ', arg);
        }
    }
    if(writeNewline)
    {
        writeln();
    }
}
argsargs = args[1 .. $];writeNewlinebool writeNewline = true;trueif(arg == "-n")writeNewLine = false;break;size_t i = 0;++i;argsargs = args[i .. $];Just like last time, here's a more functional flavoured fancy version.
import std.algorithm : find, joiner;
import std.functional : not;
import std.stdio : write;
enum n = 0b1;
ubyte flags;
void main(string[] args)
{
    args[1 .. $]
        .find!(not!option)()
        .joiner(" ")
        .write(flags & n ? "" : "\n");
}
bool option(string arg)
{
    switch(arg)
    {
        case "-n":
            flags |= n;
            return true;
        default:
            return false;
    }
}
findfindoptionnot!optionoptionnot!optionjoinerubyte flags;|=&P.S. Apologies for the long wait for this post, thesis writing is taking up all my time!
*D has built-in string comparison, so we can write things
someString == "blahblah";size_tRange find(alias pred, Range)(Range haystack)