Movatterモバイル変換


[0]ホーム

URL:


Jump to content
WikipediaThe Free Encyclopedia
Search

D (programming language)

From Wikipedia, the free encyclopedia
(Redirected fromD programming language)
Multi-paradigm system programming language
For other programming languages named D, seeD (disambiguation) § Computing. For other uses, seeD (disambiguation).
This articlecontainspromotional content. Please helpimprove it by removingpromotional language and inappropriateexternal links, and by adding encyclopedic text written from aneutral point of view.(January 2024) (Learn how and when to remove this message)

D
ParadigmMulti-paradigm:functional,imperative,object-oriented
Designed byWalter Bright,Andrei Alexandrescu (since 2007)
DeveloperD Language Foundation
First appeared8 December 2001; 23 years ago (2001-12-08)[1]
Stable release
2.111.0[2] Edit this on Wikidata / 1 April 2025; 7 months ago (1 April 2025)
Typing disciplineInferred,static,strong
OSFreeBSD,Linux,macOS,Windows
LicenseBoost[3][4][5]
Filename extensions.d, .di, .dd[6][7]
Websitedlang.org
Majorimplementations
DMD (reference implementation),GCC,

GDC,

LDC,SDC
Influenced by
BASIC,[8]C,C++,C#,Eiffel,[9]Java,Python,Ruby
Influenced
Genie, MiniD (since renamed Croc),Qore,Swift,[10]Vala,C++11,C++14,C++17,C++20,Go,C#, others

D, also known asdlang, is amulti-paradigmsystemprogramming language created byWalter Bright atDigital Mars and released in 2001.Andrei Alexandrescu joined the design and development effort in 2007. Though it originated as a re-engineering ofC++, D is now a very different language. As it has developed, it has drawn inspiration from otherhigh-level programming languages. Notably, it has been influenced byJava,Python,Ruby,C#, andEiffel.

The D language reference describes it as follows:

D is a general-purpose systems programming language with a C-like syntax that compiles to native code. It is statically typed and supports both automatic (garbage collected) and manual memory management. D programs are structured as modules that can be compiled separately and linked with external libraries to create native libraries or executables.[11]

Features

[edit]

D is notsource-compatible with C and C++ source code in general. However, any code that is legal in both C/C++ and D should behave in the same way.

Like C++, D hasclosures,anonymous functions,compile-time function execution,design by contract, ranges, built-in container iteration concepts, andtype inference. D's declaration, statement and expressionsyntaxes also closely match those of C++.

Unlike C++, D also implementsgarbage collection,first classarrays (std::array in C++ are technically not first class),array slicing,nested functions andlazy evaluation. D uses Java-style single inheritance withinterfaces andmixins rather than C++-stylemultiple inheritance.

D is a systems programming language. Like C++, and unlike application languages such asJava andC#, D supportslow-level programming, includinginline assembler. Inline assembler allows programmers to enter machine-specificassembly code within standard D code. System programmers use this method to access the low-level features of theprocessor that are needed to run programs that interface directly with the underlyinghardware, such asoperating systems anddevice drivers. Low-level programming is also used to write higherperformance code than would be produced by acompiler.

D supportsfunction overloading andoperator overloading. Symbols (functions,variables,classes) can be declared in any order;forward declarations are not needed.

In D, text character strings are arrays of characters, and arrays in D are bounds-checked.[12] D hasfirst class types for complex and imaginary numbers.[13]

Programming paradigms

[edit]

D supports five mainprogramming paradigms:

Imperative

[edit]

Imperative programming in D is almost identical to that in C. Functions, data, statements, declarations and expressions work just as they do in C, and the C runtime library may be accessed directly. On the other hand, unlike C, D'sforeach loop construct allows looping over a collection. D also allowsnested functions, which are functions that are declared inside another function, and which may access the enclosing function'slocal variables.

importstd.stdio;voidmain(){intmultiplier=10;intscaled(intx){returnx*multiplier;}foreach(i;0..10){writefln("Hello, world %d! scaled = %d",i,scaled(i));}}

Object-oriented

[edit]

Object-oriented programming in D is based on a singleinheritance hierarchy, with all classes derived from class Object. D does not support multiple inheritance; instead, it uses Java-styleinterfaces, which are comparable to C++'s pure abstract classes, andmixins, which separate common functionality from the inheritance hierarchy. D also allows the defining of static and final (non-virtual) methods in interfaces.

Interfaces and inheritance in D supportcovariant types for return types of overridden methods.

D supports type forwarding, as well as optional customdynamic dispatch.

Classes (and interfaces) in D can containinvariants which are automatically checked before and after entry to public methods, in accordance with thedesign by contract methodology.

Many aspects of classes (and structs) can beintrospected automatically at compile time (a form ofreflective programming (reflection) usingtype traits) and at run time (RTTI /TypeInfo), to facilitate generic code or automatic code generation (usually using compile-time techniques).

Functional

[edit]

D supportsfunctional programming features such asfunction literals,closures, recursively-immutable objects and the use ofhigher-order functions. There are two syntaxes for anonymous functions, including a multiple-statement form and a "shorthand" single-expression notation:[14]

intfunction(int)g;g=(x){returnx*x;};// longhandg=(x)=>x*x;// shorthand

There are two built-in types for function literals,function, which is simply a pointer to a stack-allocated function, anddelegate, which also includes a pointer to the relevantstack frame, the surrounding ‘environment’, which contains the current local variables. Type inference may be used with an anonymous function, in which case the compiler creates adelegate unless it can prove that an environment pointer is not necessary. Likewise, to implement a closure, the compiler places enclosed local variables on theheap only if necessary (for example, if a closure is returned by another function, and exits that function's scope). When using type inference, the compiler will also add attributes such aspure andnothrow to a function's type, if it can prove that they apply.

Other functional features such ascurrying and common higher-order functions such asmap,filter, andreduce are available through the standard library modulesstd.functional andstd.algorithm.

importstd.stdio,std.algorithm,std.range;voidmain(){int[]a1=[0,1,2,3,4,5,6,7,8,9];int[]a2=[6,7,8,9];// must be immutable to allow access from inside a pure functionimmutablepivot=5;intmySum(inta,intb)purenothrow/* pure function */{if(b<=pivot)// ref to enclosing-scopereturna+b;elsereturna;}// passing a delegate (closure)autoresult=reduce!mySum(chain(a1,a2));writeln("Result: ",result);// Result: 15// passing a delegate literalresult=reduce!((a,b)=>(b<=pivot)?a+b:a)(chain(a1,a2));writeln("Result: ",result);// Result: 15}

Alternatively, the above function compositions can be expressed using Uniform function call syntax (UFCS) for more natural left-to-right reading:

autoresult=a1.chain(a2).reduce!mySum();writeln("Result: ",result);result=a1.chain(a2).reduce!((a,b)=>(b<=pivot)?a+b:a)();writeln("Result: ",result);

Parallelism

[edit]

Parallel programming concepts are implemented in the library, and do not require extra support from the compiler. However the D type system and compiler ensure that data sharing can be detected and managed transparently.

importstd.stdio:writeln;importstd.range:iota;importstd.parallelism:parallel;voidmain(){foreach(i;iota(11).parallel){// The body of the foreach loop is executed in parallel for each iwriteln("processing ",i);}}

iota(11).parallel is equivalent tostd.parallelism.parallel(iota(11)) by using UFCS.

The same module also supportstaskPool which can be used for dynamic creation of parallel tasks, as well as map-filter-reduce and fold style operations on ranges (and arrays), which is useful when combined with functional operations.std.algorithm.map returns a lazily evaluated range rather than an array. This way, the elements are computed by each worker task in parallel automatically.

importstd.stdio:writeln;importstd.algorithm:map;importstd.range:iota;importstd.parallelism:taskPool;/* On Intel i7-3930X and gdc 9.3.0: * 5140ms using std.algorithm.reduce * 888ms using std.parallelism.taskPool.reduce * * On AMD Threadripper 2950X, and gdc 9.3.0: * 2864ms using std.algorithm.reduce * 95ms using std.parallelism.taskPool.reduce */voidmain(){autonums=iota(1.0,1_000_000_000.0);autox=taskPool.reduce!"a + b"(0.0,map!"1.0 / (a * a)"(nums));writeln("Sum: ",x);}

Concurrency

[edit]

Concurrency is fully implemented in the library, and it does not require support from the compiler. Alternative implementations and methodologies of writing concurrent code are possible. The use of D typing system does help ensure memory safety.

importstd.stdio,std.concurrency,std.variant;voidfoo(){boolcont=true;while(cont){receive(// Delegates are used to match the message type.(intmsg)=>writeln("int received: ",msg),(Tidsender){cont=false;sender.send(-1);},(Variantv)=>writeln("huh?")// Variant matches any type);}}voidmain(){autotid=spawn(&foo);// spawn a new thread running foo()foreach(i;0..10)tid.send(i);// send some integerstid.send(1.0f);// send a floattid.send("hello");// send a stringtid.send(thisTid);// send a struct (Tid)receive((intx)=>writeln("Main thread received message: ",x));}

Metaprogramming

[edit]

Metaprogramming is supported through templates, compile-time function execution,tuples, and string mixins. The following examples demonstrate some of D's compile-time features.

Templates in D can be written in a more imperative style compared to the C++ functional style for templates. This is a regular function that calculates thefactorial of a number:

ulongfactorial(ulongn){if(n<2)return1;elsereturnn*factorial(n-1);}

Here, the use ofstatic if, D's compile-time conditional construct, is demonstrated to construct a template that performs the same calculation using code that is similar to that of the function above:

templateFactorial(ulongn){staticif(n<2)enumFactorial=1;elseenumFactorial=n*Factorial!(n-1);}

In the following two examples, the template and function defined above are used to compute factorials. The types of constants need not be specified explicitly as the compilerinfers their types from the right-hand sides of assignments:

enumfact_7=Factorial!(7);

This is an example ofcompile-time function execution (CTFE). Ordinary functions may be used in constant, compile-time expressions provided they meet certain criteria:

enumfact_9=factorial(9);

Thestd.string.format function performsprintf-like data formatting (also at compile-time, through CTFE), and the "msg"pragma displays the result at compile time:

importstd.string:format;pragma(msg,format("7! = %s",fact_7));pragma(msg,format("9! = %s",fact_9));

String mixins, combined with compile-time function execution, allow for the generation of D code using string operations at compile time. This can be used to parsedomain-specific languages, which will be compiled as part of the program:

importFooToD;// hypothetical module which contains a function that parses Foo source code// and returns equivalent D codevoidmain(){mixin(fooToD(import("example.foo")));}

Memory management

[edit]

Memory is usually managed withgarbage collection, but specific objects may be finalized immediately when they go out of scope. This is what the majority of programs and libraries written in D use.

In case more control over memory layout and better performance is needed, explicit memory management is possible using theoverloaded operatornew, by callingC'smalloc and free directly, or implementing custom allocator schemes (i.e. on stack with fallback, RAII style allocation, reference counting, shared reference counting). Garbage collection can be controlled: programmers may add and exclude memory ranges from being observed by the collector, can disable and enable the collector and force either a generational or full collection cycle.[15] The manual gives many examples of how to implement different highly optimized memory management schemes for when garbage collection is inadequate in a program.[16]

In functions,struct instances are by default allocated on the stack, whileclass instances by default allocated on the heap (with only reference to the class instance being on the stack). However this can be changed for classes, for example using standard library templatestd.typecons.scoped, or by usingnew for structs and assigning to a pointer instead of a value-based variable.[17]

In functions, static arrays (of known size) are allocated on the stack. For dynamic arrays, one can use thecore.stdc.stdlib.alloca function (similar toalloca in C), to allocate memory on the stack. The returned pointer can be used (recast) into a (typed) dynamic array, by means of a slice (however resizing array, including appending must be avoided; and for obvious reasons they must not be returned from the function).[17]

Ascope keyword can be used both to annotate parts of code, but also variables and classes/structs, to indicate they should be destroyed (destructor called) immediately on scope exit. Whatever the memory is deallocated also depends on implementation and class-vs-struct differences.[18]

std.experimental.allocator contains a modular and composable allocator templates, to create custom high performance allocators for special use cases.[19]

SafeD

[edit]

SafeD[20]is the name given to the subset of D that can be guaranteed to bememory safe. Functions marked@safe are checked at compile time to ensure that they do not use any features that could result in corruption of memory, such as pointer arithmetic and unchecked casts. Any other functions called must also be marked as@safe or@trusted. Functions can be marked@trusted for the cases where the compiler cannot distinguish between safe use of a feature that is disabled in SafeD and a potential case of memory corruption.[21]

Scope lifetime safety

[edit]

Initially under the banners of DIP1000[22] and DIP25[23] (now part of the language specification[24]), D provides protections against certain ill-formed constructions involving the lifetimes of data.

The current mechanisms in place primarily deal with function parameters and stack memory however it is a stated ambition of the leadership of the programming language to provide a more thorough treatment of lifetimes within the D programming language[25] (influenced by ideas fromRust programming language).

Lifetime safety of assignments

[edit]

Within @safe code, the lifetime of an assignment involving areference type is checked to ensure that the lifetime of the assignee is longer than that of the assigned.

For example:

@safevoidtest(){inttmp=0;// #1int*rad;// #2rad=&tmp;// If the order of the declarations of #1 and #2 is reversed, this fails.{intbad=45;// The lifetime of "bad" only extends to the scope in which it is defined.*rad=bad;// This is valid.rad=&bad;// The lifetime of rad is longer than bad, hence this is not valid.}}

Function parameter lifetime annotations within @safe code

[edit]

When applied to function parameter which are either of pointer type or references, the keywordsreturn andscope constrain the lifetime and use of that parameter.

The language standard dictates the following behaviour:[26]

Storage ClassBehaviour (and constraints to) of a parameter with the storage class
scopeReferences in the parameter cannot be escaped. Ignored for parameters with no references
returnParameter may be returned (or, in case ofvoid functions: copied to the first parameter), but otherwise does not escape from the function. Such copies are required not to outlive the argument(s) they were derived from. Ignored for parameters with no references

An annotated example is given below.

@safe:int*gp;voidthorin(scopeint*);voidgloin(int*);int*balin(returnscopeint*p,scopeint*q,int*r){gp=p;// Error, p escapes to global variable gp.gp=q;// Error, q escapes to global variable gp.gp=r;// OK.thorin(p);// OK, p does not escape thorin().thorin(q);// OK.thorin(r);// OK.gloin(p);// Error, p escapes gloin().gloin(q);// Error, q escapes gloin().gloin(r);// OK that r escapes gloin().returnp;// OK.returnq;// Error, cannot return 'scope' q.returnr;// OK.}

Interaction with other systems

[edit]

C'sapplication binary interface (ABI) is supported, as well as all of C's fundamental and derived types, enabling direct access to existing C code and libraries. Dbindings are available for many popular C libraries. Additionally, C's standardlibrary is part of standard D.

On Microsoft Windows, D can accessComponent Object Model (COM) code.

As long as memory management is properly taken care of, many other languages can be mixed with D in a single binary. For example, the GDC compiler allows to link and intermix C, C++, and other supported language codes such as Objective-C. D code (functions) can also be marked as using C, C++, Pascal ABIs, and thus be passed to the libraries written in these languages ascallbacks. Similarly data can be interchanged between the codes written in these languages in both ways. This usually restricts use to primitive types, pointers, some forms of arrays,unions, structs, and only some types of function pointers.

Because many other programming languages often provide the C API for writing extensions or running the interpreter of the languages, D can interface directly with these languages as well, using standard C bindings (with a thin D interface file). For example, there are bi-directional bindings for languages likePython,[27]Lua[28][29] and other languages, often using compile-time code generation and compile-time type reflection methods.

Interaction with C++ code

[edit]

For D code marked asextern(C++), the following features are specified:

  • The name mangling conventions shall match those of C++ on the target.
  • For function calls, the ABI shall be equivalent.
  • The vtable shall be matched up to single inheritance (the only level supported by the D language specification).

C++ namespaces are used via the syntaxextern(C++, namespace) wherenamespace is the name of the C++ namespace.

An example of C++ interoperation
[edit]

The C++ side

importstd;classBase{public:virtualvoidprint3i(inta,intb,intc)=0;};classDerived:publicBase{public:intfield;Derived(intfield):field(field){}voidprint3i(inta,intb,intc){std::println("a = {}",a);std::println("b = {}",b);std::println("c = {}",c);}intmul(intfactor);};intDerived::mul(intfactor){returnfield*factor;}Derived*createInstance(inti){returnnewDerived(i);}voiddeleteInstance(Derived*&d){deleted;d=0;}

The D side

extern(C++){abstractclassBase{voidprint3i(inta,intb,intc);}classDerived:Base{intfield;@disablethis();overridevoidprint3i(inta,intb,intc);finalintmul(intfactor);}DerivedcreateInstance(inti);voiddeleteInstance(refDerivedd);}voidmain(){importstd.stdio;autod1=createInstance(5);writeln(d1.field);writeln(d1.mul(4));Baseb1=d1;b1.print3i(1,2,3);deleteInstance(d1);assert(d1isnull);autod2=createInstance(42);writeln(d2.field);deleteInstance(d2);assert(d2isnull);}

Better C

[edit]

The D programming language has an official subset known as "Better C".[30] This subset forbids access to D features requiring use of runtime libraries other than that of C.

Enabled via the compiler flags "-betterC" on DMD and LDC, and "-fno-druntime" on GDC,Better C may only call into D code compiled under the same flag (and linked code other than D) but code compiled without theBetter C option may call into code compiled with it: this will, however, lead to slightly different behaviours due to differences in how C and D handle asserts.

Features included in Better C

[edit]
  • Unrestricted use of compile-time features (for example, D's dynamic allocation features can be used at compile time to pre-allocate D data)
  • Full metaprogramming facilities
  • Nested functions, nested structs, delegates and lambdas
  • Member functions, constructors, destructors, operating overloading, etc.
  • The full module system
  • Array slicing, and array bounds checking
  • RAII
  • scope(exit)
  • Memory safety protections
  • Interfacing with C++
  • COM classes and C++ classes
  • assert failures are directed to the C runtime library
  • switch with strings
  • final switch
  • unittest blocks
  • printf format validation

Features excluded from Better C

[edit]
  • Garbage collection
  • TypeInfo and ModuleInfo
  • Built-in threading (e.g.core.thread)
  • Dynamic arrays (though slices of static arrays work) and associative arrays
  • Exceptions
  • synchronized andcore.sync
  • Static module constructors or destructors

History

[edit]

Walter Bright started working on a new language in 1999. D was first released in December 2001[1] and reached version 1.0 in January 2007.[31] The first version of the language (D1) concentrated on the imperative, object oriented and metaprogramming paradigms,[32] similar to C++.

Some members of the D community dissatisfied with Phobos, D's officialruntime andstandard library, created an alternative runtime and standard library named Tango. The first public Tango announcement came within days of D 1.0's release.[33] Tango adopted a different programming style, embracing OOP and high modularity. Being a community-led project, Tango was more open to contributions, which allowed it to progress faster than the official standard library. At that time, Tango and Phobos were incompatible due to different runtime support APIs (the garbage collector, threading support, etc.). This made it impossible to use both libraries in the same project. The existence of two libraries, both widely in use, has led to significant dispute due to some packages using Phobos and others using Tango.[34]

In June 2007, the first version of D2 was released.[35] The beginning of D2's development signaled D1's stabilization. The first version of the language has been placed in maintenance, only receiving corrections and implementation bugfixes. D2 introducedbreaking changes to the language, beginning with its first experimentalconst system. D2 later added numerous other language features, such asclosures,purity, and support for the functional and concurrent programming paradigms. D2 also solved standard library problems by separating the runtime from the standard library. The completion of a D2 Tango port was announced in February 2012.[36]

The release ofAndrei Alexandrescu's bookThe D Programming Language on 12 June 2010, marked the stabilization of D2, which today is commonly referred to as just "D".

In January 2011, D development moved from a bugtracker / patch-submission basis toGitHub. This has led to a significant increase in contributions to the compiler, runtime and standard library.[37]

In December 2011, Andrei Alexandrescu announced that D1, the first version of the language, would be discontinued on 31 December 2012.[38] The final D1 release, D v1.076, was on 31 December 2012.[39]

Code for the official D compiler, theDigital Mars D compiler by Walter Bright, was originally released under a customlicense, qualifying assource available but not conforming to theOpen Source Definition.[40] In 2014, the compilerfront-end wasre-licensed asopen source under theBoost Software License.[3] This re-licensed code excluded the back-end, which had been partially developed atSymantec. On 7 April 2017, the whole compiler was made available under the Boost license after Symantec gave permission to re-license the back-end, too.[4][41][42][43] On 21 June 2017, the D Language was accepted for inclusion in GCC.[44]

Implementations

[edit]

Most current D implementationscompile directly intomachine code.

Production ready compilers:

  • DMD – TheDigital Mars D compiler by Walter Bright is the official D compiler; open sourced under theBoost Software License.[3][4] The DMD frontend is shared by GDC (now in GCC) and LDC, to improve compatibility between compilers. Initially the frontend was written in C++, but now most of it is written in D itself (self-hosting). The backend and machine code optimizers are based on the Symantec compiler. At first it supported only 32-bit x86, with support added for 64-bit amd64 and PowerPC by Walter Bright.
Bright said in 2020 "The biggest project is implementing the D compiler itself in 100% D".[45] The backend and almost the entire compiler was ported from C++ to D for fullbootstrapping.
  • GCC – TheGNU Compiler Collection, merged GDC[46] into GCC 9 on 29 October 2018.[47] The first working versions of GDC with GCC, based on GCC 3.3 and GCC 3.4 on 32-bit x86 on Linux and macOS[48] was released on 22 March 2004. Since then GDC has gained support for additional platforms, improved performance, and fixed bugs, while tracking upstream DMD code for the frontend and language specification.[49]
  • LDC – A compiler based on the DMD front-end that usesLLVM as its compiler back-end. The first release-quality version was published on 9 January 2009.[50] It supports version 2.0.[51]

Toy and proof-of-concept compilers:

  • D Compiler for.NET – A back-end for the D programming language 2.0 compiler.[52][53] It compiles the code toCommon Intermediate Language (CIL) bytecode rather than to machine code. The CIL can then be run via aCommon Language Infrastructure (CLI)virtual machine. The project has not been updated in years and the author indicated the project is not active anymore.
  • SDC – TheSnazzy D Compiler[54] uses a custom front-end andLLVM as its compiler back-end. It is written in D and uses a scheduler to handle symbol resolution in order to elegantly handle the compile-time features of D. This compiler currently supports a limited subset of the language.[55][56]

Using above compilers and toolchains, it is possible to compile D programs to target many different architectures, includingIA-32,amd64,AArch64,PowerPC,MIPS64,DEC Alpha,Motorola m68k,SPARC,s390,WebAssembly. The primary supported operating systems areWindows andLinux, but various compilers also supportMac OS X,FreeBSD,NetBSD,AIX,Solaris/OpenSolaris andAndroid, either as a host or target, or both.WebAssembly target (supported via LDC and LLVM) can operate in any WebAssembly environment, like modern web browser (Google Chrome,Mozilla Firefox,Microsoft Edge,Apple Safari), or dedicated Wasm virtual machines.

Development tools

[edit]

Editors andintegrated development environments (IDEs) supportingsyntax highlighting and partialcode completion for the language includeSlickEdit,Emacs,vim,SciTE,Smultron, Zeus,[57] andGeany among others.[58]

  • Dexed (formerly Coedit),[59] a D focused graphical IDE written inObject Pascal
  • Mono-D[60] is a feature rich cross-platform D focused graphical IDE based onMonoDevelop / Xamarin Studio, mainly written in C Sharp.[61]
  • Eclipse plug-ins for D include DDT[62] and Descent (dead project).[63]
  • Visual Studio integration is provided by VisualD.[64][65]
  • Visual Studio Code integration with extensions as Dlang-Vscode[66] or Code-D.[67]
  • A bundle is available forTextMate, and theCode::Blocks IDE includes partial support for the language. However, standard IDE features such ascode completion orrefactoring are not yet available, though they do work partially in Code::Blocks (due to D's similarity to C).
  • TheXcode 3 plugin "D for Xcode" enables D-based projects and development.[68]
  • KDevelop (as well as its text editor backend, Kate) autocompletion plugin is available.[69]
  • Dlang IDE is a cross-platform IDE written in D using DlangUI library.[70]

Open source D IDEs forWindows exist, some written in D, such as Poseidon,[71] D-IDE,[72] and Entice Designer.[73]

D applications can be debugged using any C/C++ debugger, likeGNU Debugger (GDB) orWinDbg, although support for various D-specific language features is extremely limited. On Windows, D programs can be debugged usingDdbg, or Microsoft debugging tools (WinDBG and Visual Studio), after having converted the debug information usingcv2pdb. TheZeroBUGSArchived 23 December 2017 at theWayback Machine debugger for Linux has experimental support for the D language. Ddbg can be used with various IDEs or from the command line; ZeroBUGS has its owngraphical user interface (GUI).

DustMite is a tool for minimizing D source code, useful when finding compiler or tests issues.[74]

dub is a popular package and build manager for D applications and libraries, and is often integrated into IDE support.[75]

Examples

[edit]
[icon]
This section is empty. You can help byadding to it.(July 2025)

Uses

[edit]

Notable organisations that use the D programming language for projects includeFacebook,[76]eBay,[77] andNetflix.[78]

D has been successfully used forAAA games,[79] language interpreters, virtual machines,[80][81] anoperating systemkernel,[82]GPU programming,[83]web development,[84][85]numerical analysis,[86]GUI applications,[87][88] apassenger information system,[89] machine learning,[90] text processing, web and application servers and research.

The North Korean hacking groupLazarus exploited CVE-2021-44228, aka "Log4Shell," to deploy threemalware families written in DLang.[91]

Critique

[edit]

The lack of agility in the development process and the difficulty of introducing changes to the D language are described in a blog post article[92] by a former contributor. The apparent frustration described there has led to theOpenD fork[93] on January 1, 2024.

See also

[edit]

References

[edit]
  1. ^ab"D Change Log to Nov 7 2005".D Programming Language 1.0. Digital Mars. Retrieved1 December 2011.
  2. ^"Change Log: 2.111.0". 1 April 2025.
  3. ^abc"dmd front end now switched to Boost license". Retrieved9 September 2014.
  4. ^abc"dmd Backend converted to Boost License". 7 April 2017. Retrieved9 April 2017.
  5. ^"D 2.0 FAQ". Retrieved11 August 2015.
  6. ^"D Programming Language - Fileinfo.com". Retrieved15 November 2020.[citation needed]
  7. ^"D Programming Language - dlang.org". Retrieved15 November 2020.[citation needed]
  8. ^"On: Show HN: A nice C string API".Hacker News. 3 December 2022. Retrieved4 December 2022.
  9. ^Alexandrescu, Andrei (2010).The D programming language (First ed.). Upper Saddle River, New Jersey: Addison-Wesley. p. 314.ISBN 978-0321635365.
  10. ^"Building assert() in Swift, Part 2: __FILE__ and __LINE__". Archived fromthe original on 6 October 2014.
  11. ^"Introduction - D Programming Language".dlang.org. Retrieved21 April 2024. This article incorporates text from thisfree content work. Licensed under BSL-1.0 (license statement/permission).
  12. ^"D Strings vs C++ Strings". Digital Mars. 2012.
  13. ^"D Complex Types and C++ std::complex".Digital Mars. 2012.Archived from the original on 13 January 2008. Retrieved4 November 2021.
  14. ^"Expressions". Digital Mars. Retrieved27 December 2012.
  15. ^"std.gc".D Programming Language 1.0. Digital Mars. Retrieved6 July 2010.
  16. ^"Memory Management".D Programming Language 2.0. Digital Mars. Retrieved17 February 2012.
  17. ^ab"Go Your Own Way (Part One: The Stack)".The D Blog. 7 July 2017. Retrieved7 May 2020.
  18. ^"Attributes - D Programming Language".dlang.org. Retrieved7 May 2020.
  19. ^"std.experimental.allocator - D Programming Language".dlang.org. Retrieved7 May 2020.
  20. ^Bartosz Milewski."SafeD – D Programming Language". Retrieved17 July 2014.
  21. ^Steven Schveighoffer (28 September 2016)."How to Write @trusted Code in D". Retrieved4 January 2018.
  22. ^"Scoped Pointers".GitHub. 3 April 2020.
  23. ^"Sealed References".
  24. ^"D Language Specification: Functions - Return Scope Parameters".
  25. ^"Ownership and Borrowing in D". 15 July 2019.
  26. ^"D Language Specification: Functions - Function Parameter Storage Classes".
  27. ^"PyD".GitHub. 7 May 2020. Retrieved7 May 2020.
  28. ^Parker, Mike."Package derelict-lua on DUB".DUB Package Registry. Retrieved7 May 2020.
  29. ^Parker, Mike."Package bindbc-lua on DUB".DUB Package Registry. Retrieved7 May 2020.
  30. ^"Better C".
  31. ^"D Change Log".D Programming Language 1.0. Digital Mars. Retrieved11 January 2012.
  32. ^"Intro".D Programming Language 1.0. Digital Mars. Retrieved1 December 2011.
  33. ^"Announcing a new library". Retrieved15 February 2012.
  34. ^"Wiki4D: Standard Lib". Retrieved6 July 2010.
  35. ^"Change Log – D Programming Language".D Programming Language 2.0. D Language Foundation. Retrieved22 November 2020.
  36. ^"Tango for D2: All user modules ported". Retrieved16 February 2012.
  37. ^Walter Bright."Re: GitHub or dsource?". Retrieved15 February 2012.
  38. ^Andrei Alexandrescu."D1 to be discontinued on December 31, 2012". Retrieved31 January 2014.
  39. ^"D Change Log".D Programming Language 1.0. Digital Mars. Retrieved31 January 2014.
  40. ^"backendlicense.txt".DMD source code. GitHub. Archived fromthe original on 22 October 2016. Retrieved5 March 2012.
  41. ^"Reddit comment by Walter Bright". 5 March 2009. Retrieved9 September 2014.
  42. ^D-Compiler-unter-freier-Lizenz on linux-magazin.de (2017, in German)
  43. ^switch backend to Boost License #6680 from Walter Bright ongithub.com
  44. ^D Language accepted for inclusion in GCC
  45. ^Bright, Walter (26 May 2020)."Re: Duff's device".Hacker News. Retrieved6 April 2025.
  46. ^"GDC".
  47. ^"GCC 9 Release Series — Changes, New Features, and Fixes - GNU Project - Free Software Foundation (FSF)".gcc.gnu.org. Retrieved7 May 2020.
  48. ^"Another front end for GCC".forum.dlang.org. Retrieved7 May 2020.
  49. ^"GCC 9 Release Series Changes, New Features, and Fixes".
  50. ^"LLVM D compiler project on GitHub".GitHub. Retrieved19 August 2016.
  51. ^"BuildInstructionsPhobosDruntimeTrunk – ldc – D Programming Language – Trac". Retrieved11 August 2015.
  52. ^"D .NET project on CodePlex". Archived fromthe original on 26 January 2018. Retrieved3 July 2010.
  53. ^Jonathan Allen (15 May 2009)."Source for the D.NET Compiler is Now Available". InfoQ. Retrieved6 July 2010.
  54. ^"Make SDC the Snazzy D compiler".GitHub. Retrieved24 September 2023.
  55. ^DConf 2014: SDC, a D Compiler as a Library by Amaury Sechet.YouTube. Retrieved8 January 2014. Archived atGhostarchive and theWayback Machine
  56. ^"deadalnix/SDC".GitHub. Retrieved8 January 2014.
  57. ^"Wiki4D: EditorSupport/ZeusForWindows". Retrieved11 August 2015.
  58. ^"Wiki4D: Editor Support". Retrieved3 July 2010.
  59. ^"Basile.B / dexed".GitLab. Retrieved29 April 2020.
  60. ^"Mono-D - D Wiki".wiki.dlang.org. Retrieved30 April 2020.
  61. ^"Mono-D – D Support for MonoDevelop". Archived fromthe original on 1 February 2012. Retrieved11 August 2015.
  62. ^"Google Project Hosting". Retrieved11 August 2015.
  63. ^"descent". Retrieved11 August 2015.
  64. ^"Visual D - D Programming Language". Retrieved11 August 2015.
  65. ^Schuetze, Rainer (17 April 2020)."rainers/visuald: Visual D - Visual Studio extension for the D programming language".github.com. Retrieved30 April 2020.
  66. ^"dlang-vscode".GitHub. Retrieved21 December 2016.
  67. ^"code-d".GitHub. Retrieved21 December 2016.
  68. ^"Michel Fortin – D for Xcode". Retrieved11 August 2015.
  69. ^"Dav1dde/lumen".GitHub. Retrieved11 August 2015.
  70. ^Michael, Parker (7 October 2016)."Project Highlight: DlangUI".The D Blog. Retrieved12 September 2024.
  71. ^"poseidon". Retrieved11 August 2015.
  72. ^"Mono-D – D Support for MonoDevelop". Retrieved11 August 2015.
  73. ^"Entice Designer – Dprogramming.com – The D programming language". Retrieved11 August 2015.
  74. ^"What is DustMite?".GitHub. Retrieved29 April 2020.
  75. ^"dlang/dub: Package and build management system for D".GitHub. Retrieved29 April 2020.
  76. ^"Under the Hood: warp, a fast C and C++ preprocessor". 28 March 2014. Retrieved4 January 2018.
  77. ^"Faster Command Line Tools in D". 24 May 2017. Retrieved4 January 2018.
  78. ^Blog, Netflix Technology (2 August 2017)."Introducing Vectorflow".Medium. Retrieved4 January 2018.
  79. ^"Quantum Break: AAA Gaming With Some D Code". Retrieved4 January 2018.
  80. ^"Higgs JavaScript Virtual Machine".GitHub. Retrieved4 January 2018.
  81. ^"A D implementation of the ECMA 262 (Javascript) programming language".GitHub. Retrieved4 January 2018.
  82. ^"Project Highlight: The PowerNex Kernel". 24 June 2016. Retrieved4 January 2018.
  83. ^"DCompute: Running D on the GPU". 30 October 2017. Retrieved4 January 2018.
  84. ^"vibe.d - a high-performance asynchronous I/O, concurrency and web application toolkit written in D". Retrieved4 January 2018.
  85. ^"Project Highlight: Diamond MVC Framework". 20 November 2017. Retrieved4 January 2018.
  86. ^"Numeric age for D: Mir GLAS is faster than OpenBLAS and Eigen". Retrieved4 January 2018.
  87. ^"On Tilix and D: An Interview with Gerald Nunn". 11 August 2017. Retrieved4 January 2018.
  88. ^"Project Highlight: DlangUI". 7 October 2016. Retrieved4 January 2018.
  89. ^"Project Highlight: Funkwerk". 28 July 2017. Retrieved4 January 2018.
  90. ^"Netflix/vectorflow".GitHub.com. Netflix, Inc. 5 May 2020. Retrieved7 May 2020.
  91. ^"Lazarus hackers drop new RAT malware using 2-year-old Log4j bug". 11 December 2023. Retrieved11 December 2023.
  92. ^"A ship carrying silverware has sailed". Retrieved6 May 2024.
  93. ^"The OpenD Programming Language". Retrieved14 May 2024.

Further reading

[edit]

External links

[edit]
Wikibooks has a book on the topic of:A Beginner's Guide to D
Wikibooks has a book on the topic of:D Programming
Features
Standard library
Implementations
Compilers
IDEs
Comparison with
other languages
Descendant
languages
Designer
International
National
Retrieved from "https://en.wikipedia.org/w/index.php?title=D_(programming_language)&oldid=1319383096"
Categories:
Hidden categories:

[8]ページ先頭

©2009-2025 Movatter.jp