Nim (programming language)

Print Print
Reading time 23:39

Nim
Nim-logo.png
The Nim crown logo
ParadigmsMulti-paradigm: compiled, concurrent, Procedural, Imperative, Functional, Object-oriented
Designed byAndreas Rumpf
First appeared2008; 13 years ago (2008)
Stable release
1.4.8[1] Edit this on Wikidata / 25 May 2021; 24 days ago (25 May 2021)
Typing disciplineStatic,[2]strong,[3]inferred, structural
ScopeLexical
PlatformIA-32, x86-64
OSCross-platform[4]
LicenseMIT[5][6]
Filename extensions.nim, .nims, .nimble
Websitenim-lang.org
Influenced by
Ada, Modula-3, Lisp, C++, Object Pascal, Python, Oberon

Nim is an imperative, general-purpose, multi-paradigm, statically typed, systems, compiled programming language[7] designed and developed by Andreas Rumpf. It is designed to be "efficient, expressive, and elegant",[8] supporting metaprogramming, functional, message passing,[5]procedural, and object-oriented programming styles by providing several features such as compile time code generation, algebraic data types, a foreign function interface (FFI) with C, C++, Objective-C, and JavaScript, and supporting compiling to those same languages.

Description

Nim was created to be a language as fast as C, as expressive as Python, and as extensible as Lisp.

Nim is statically typed.[9] It supports compile-time metaprogramming features such as syntactic macros and term rewriting macros.[10] Term rewriting macros enable library implementations of common data structures, such as bignums and matrices, to be implemented efficiently, as if they were built-in language facilities.[11] Iterators are supported and can be used as first class entities,[10] as can functions, allowing for the use of functional programming methods. Object-oriented programming is supported by inheritance and multiple dispatch. Functions can be generic, they can be overloaded, and generics are further enhanced by Nim's support for type classes. Operator overloading is also supported.[10] Nim includes tunable automatic garbage collection based on deferred reference counting with cycle detection, which can also be turned off altogether.[12]

In 2014, Andrew Binstock (editor-in-chief of Dr. Dobb's Journal) said:

"[Nim] ... presents a most original design that straddles Pascal and Python and compiles to C code or JavaScript."[13]

As of April 2019, Nim compiles to C, C++, JavaScript, and Objective-C.

History

Version Release date[14]
Old version, no longer maintained: 0.10.2 2014-12-29
Old version, no longer maintained: 0.11.2 2015-05-04
Old version, no longer maintained: 0.12.0 2015-10-27
Old version, no longer maintained: 0.13.0 2016-01-18
Old version, no longer maintained: 0.14.2 2016-06-09
Old version, no longer maintained: 0.15.2 2016-10-23
Old version, no longer maintained: 0.16.0 2017-01-08
Old version, no longer maintained: 0.17.2 2017-09-07
Old version, no longer maintained: 0.18.0 2018-03-01
Old version, no longer maintained: 0.19.6 2019-05-13
Old version, no longer maintained: 0.20.2 2019-06-17
Old version, no longer maintained: 1.0.0 2019-09-23
Old version, no longer maintained: 1.0.2 2019-10-23
Old version, no longer maintained: 1.0.4 2019-11-26
Old version, no longer maintained: 1.0.6 2020-01-24
Old version, no longer maintained: 1.2.0 2020-04-03
Old version, no longer maintained: 1.2.2 2020-06-17
Old version, no longer maintained: 1.2.4 2020-06-27
Old version, no longer maintained: 1.2.6 2020-07-30
Old version, no longer maintained: 1.4.0 2020-10-16
Old version, no longer maintained: 1.4.2 2020-12-01
Old version, no longer maintained: 1.4.4 2021-02-23
Old version, no longer maintained: 1.4.6 2021-04-15
Current stable version: 1.4.8 2021-05-25
Legend:
Old version
Older version, still maintained
Latest version
Latest preview version
Future release
For each 0.x branch, only the latest point release is listed

Nim's initial development was started in 2005 by Andreas Rumpf. It was originally named Nimrod when the project was made public in 2008.[15]:4–11 The first version of the Nim compiler was written in Pascal using the Free Pascal compiler.[16] In 2008, a version of the compiler written in Nim was released.[17] The compiler is free and open-source software, and is being developed by a community of volunteers working with Andreas Rumpf.[18] The language was officially renamed from Nimrod to Nim with the release of version 0.10.2 in December 2014.[19] On September 23, 2019, version 1.0.0 of Nim was released, signifying the maturing of the language and its toolchain.

Language design

Syntax

The syntax of Nim resembles that of Python.[20] Code blocks and nesting statements are identified through use of white-space, according to the offside-rule. Many keywords are identical to their Python equivalents, which are mostly English keywords, whereas other programming languages usually use punctuation. With the goal of improving upon its influence languages, even though Nim supports indentation-based syntax like Python, it introduced additional flexibility; one may break statements with a comma or binary operator to the next line. Additionally, Nim supports user-defined operators.

Nim is almost fully style-insensitive; two identifiers are considered equal if they only differ by capitalization and underscores, as long as the first characters are identical. Historically, Nim was fully case-insensitive (meaning that capitalization and underscores of the identifiers were fully ignored).[21]

Influence

Nim was influenced by specific characteristics of existing languages, including the following:

  • Modula-3: traced vs untraced pointers
  • Object Pascal: type safe bit sets (set of char), case statement syntax, various type names and filenames in the standard library
  • Ada: subrange types, distinct type, safe variants – case objects
  • C++: operator overloading, generic programming
  • Python: Off-side rule
  • Lisp: Macro system, embrace the AST, homoiconicity
  • Oberon: export marker
  • C#: async – await, lambda macros

Uniform Function Call Syntax

Nim supports Uniform Function Call Syntax (UFCS)[22] and identifier equality, which provides a large degree of flexibility in use.

For example, each of these lines does the same call, just with different syntax:

echo "hello world"
echo("hello world")
"hello world".echo()
"hello world".echo
"hello".echo(" world")
"hello".echo " world"

Identifier equality

Except for the first letter, identifiers in Nim are compared in a case-insensitive manner, and underscores are ignored.

Example:

const useHttps = true
assert useHttps == useHttps
assert useHTTPS == useHttps
assert use_https == useHttps

Stropping

The stropping feature allows to use any name for variables or functions, even when the names which a reserved words for keywords. An example of stropping is the ability to define a variable named if, without clashing with the keyword if. Nim's implementation of this is achieved via backticks, allowing any reserved word to be used as an identifier.[23]

type Type = object
  `int`: int

let `object` = Type(`int`: 9)
assert `object` is Type
assert `object`.`int` == 9

var `var` = 42
let `let` = 8
assert `var` + `let` == 50

const `assert` = true
assert `assert`

Compiler

The Nim compiler emits fast, optimized C code by default. It defers compiling-to-object code to an external C compiler[24] to leverage existing compiler optimization and portability. Many C compilers are supported, including Clang, Microsoft Visual C++ (MSVC), MinGW, and GNU Compiler Collection (GCC). The Nim compiler can also emit C++, Objective-C, and JavaScript code to allow easy interfacing with application programming interfaces (APIs) written in those languages;[7] developers can simply write in Nim, then compile to any supported language. This also allows writing applications for iOS and Android. There is also an unofficial LLVM backend, allowing use of the Nim compiler in a stand-alone way.[25]

The Nim compiler is self-hosting, meaning it is written in the Nim language.[26] The compiler supports cross-compiling, so it is able to compile software for any of the supported operating systems, no matter the development machine. This is useful for compiling applications for embedded systems, and for uncommon and obscure computer architectures.

Compiler options

By default, the Nim compiler creates a debug build.[27] With the option -d:release a release build can be created, which is optimized for speed and contains fewer runtime checks.[27] To disable all runtime checks, the option -d:danger can be used.[27]

Memory management

Nim supports multiple memory management strategies, including the following:[28]

  • --gc:refc – This is the default GC. It's a deferred reference counting based garbage collector with a simple Mark&Sweep backup GC in order to collect cycles. Heaps are thread-local.
  • --gc:markAndSweep – Simple Mark-And-Sweep based garbage collector. Heaps are thread-local.
  • --gc:boehm – Boehm based garbage collector, it offers a shared heap.
  • --gc:goGo's garbage collector, useful for interoperability with Go. Offers a shared heap.
  • --gc:arc – Plain reference counting with move semantic optimizations, offers a shared heap. It offers deterministic performance for hard realtime systems. Reference cycles cause memory leaks, beware.
  • --gc:orc – Same as --gc:arc but adds a cycle collector based on "trial deletion". Unfortunately, that makes its performance profile hard to reason about so it is less useful for hard real-time systems.
  • --gc:none – No memory management strategy nor a garbage collector. Allocated memory is simply never freed, unless manually freed by the developer's code.

Development tools

Bundled

Many tools are bundled with the Nim install package, including:

Nimble

Nimble is the standard package manager used by Nim to package Nim modules.[29] It was initially developed by Dominik Picheta, who is also a core Nim developer. Nimble has been included as Nim's official package manager since Oct 27, 2015, the v0.12.0 release.[30]

Nimble packages are defined by .nimble files, which contain information about the package version, author, license, description, dependencies, and more.[15]:132 These files support a limited subset of the Nim syntax called NimScript, with the main limitation being the access to the FFI. These scripts allow changing of test procedure, or for custom tasks to be written.

The list of packages is stored in a JavaScript Object Notation (JSON) file which is freely accessible in the nim-lang/packages repository on GitHub. This JSON file provides Nimble with a mapping between the names of packages and their Git or Mercurial repository URLs.

Nimble comes with the Nim compiler. Thus, it is possible to test the Nimble environment by running: nimble -v. This command will reveal the version number, compiling date and time, and Git hash of nimble. Nimble uses the Git package, which must be available for Nimble to function properly. The Nimble command-line is used as an interface for installing, removing (uninstalling), and upgrading–patching module packages.[15]:130–131

c2nim

c2nim is a source-to-source compiler (transcompiler or transpiler) that helps to generate new bindings by translating ANSI C code to Nim code.[31] The output is human-readable Nim code that is meant to be optimized by hand after the translation process.

DrNim

DrNim is a tool that combines the Nim compiler Frontend with the Z3 proof engine in order to allow verification and validation of software written in Nim. Nim comes with DrNim source code included, but requires compilation using Koch, also bundled with Nim.

Koch

A maintenance script that is used to build Nim, and provide HTML documentation.

Nimgrep

Nimgrep is a generic tool for manipulating text. It is used to search for regex, peg patterns, and contents of directories, and it can be used to replace tasks.

Nimsuggest

Nimsuggest is a tool that helps any source code editor query a .nim source file to obtain useful information like definition of symbols or suggestions for completions.

Niminst

Niminst is a tool to generate an installer for a Nim program. It creates .msi installers for Windows via Inno Setup, and install and uninstall scripts for Linux, macOS, and Berkeley Software Distribution (BSD).

Nimpretty

Nimpretty is a source code beautifier, used to format code according to the official Nim style guide.

Testament

Testament is an advanced automatic Unittests runner for Nim tests. Used in developing Nim, it offers process isolation tests, generates statistics about test cases, supports multiple targets and simulated Dry-Runs, has logging, can generate HTML reports, can skip tests from a file, and more.

Other notable tools

Some notable tools not included in the Nim package include:

Choosenim

Choosenim was developed by Dominik Picheta, creator of the Nimble package manager, as a tool to enable installing and using multiple versions of the Nim compiler. It downloads any Nim stable or development compiler version from the command line, enabling easy switching between them.[32]

Nimfix

Nimfix is a tool to convert parts of old-style Nimrod code to Nim code.[33] As of 2019, it is in beta release.[34]

pas2nim

pas2nim is a tool to translate Object Pascal wrappers to Nim code.[35] pas2nim played an important role in Nim's timeline, as it was used to translate the original Pascal sources of the Nim compiler. Only what maps easily to Nim is supported; Free Pascal, Delphi-style classes are unsupported, as are some other hard-to-translate features. As of October 2020, development and maintenance on pas2nim is mostly stalled.

py2nim

py2nim is a tool used to translate Python code into idiomatic Nim code.[36] As of 2020, its development is stalled.

Libraries

Pure/impure libraries

Pure libraries are modules written in Nim only. They include no wrappers to access libraries written in other programming languages.

Impure libraries are modules of Nim code which depend on external libraries that are written in other programming languages such as C.

Standard library

The Nim standard library includes modules for all basic tasks, including:[37]

  • System and core modules
  • Collections and algorithms
  • String Handling
  • Time handling
  • Generic Operating System Services
  • Math libraries
  • Internet Protocols and Support
  • Threading
  • Parsers
  • Docutils
  • XML Processing
  • XML and HTML code generator
  • Hashing
  • Database support (PostgreSQL, MySQL and SQLite)
  • Wrappers (Win32 API, POSIX)

Use of other libraries

A Nim program can use any library which can be used in a C, C++, or JavaScript program. Language bindings exist for many libraries, including GTK+, Qt QML,[38]wxWidgets,[39]Simple DirectMedia Layer (SDL) 2, Cairo, OpenGL, Windows API (WinAPI), zlib, libzip, OpenSSL, Vulkan[40] and cURL.[41] Nim works with PostgreSQL, MySQL, and SQLite databases. Nim can interface with the Lua,[42]Julia,[43]Rust,[44]C Sharp,[45]TypeScript,[46] and Python[47] programming languages.

Examples

Hello world

The "Hello, World!" program in Nim:

echo("Hello, world!")
# Procedures can be called with no parentheses
echo "Hello, World!"

Another version of making a "Hello World" is...

stdout.write("Hello, world!\n")

Factorial

Program to calculate the factorial of a positive integer using the iterative approach:

import strutils

var n = 0
try:
  stdout.write "Input positive integer number: "
  n = stdin.readline.parseInt
except ValueError:
  raise newException(ValueError, "You must enter a positive number")

var fact = 1
for i in 2..n:
  fact = fact * i

echo fact

Using the module math from Nim's standard library:

import math
echo fac(x)

Reversing a string

A simple demonstration showing many of Nim's features.

func reverse(s: string): string =
  for i in countdown(s.high, 0):
    result.add s[i]

let str1 = "Reverse This!"
echo "Reversed: ", reverse(str1)

One of the more exotic features is the implicit result variable. Every procedure in Nim with a non-void return type has an implicit result variable that represents the value to be returned. In the for loop we see an invocation of countdown which is an iterator. If an iterator is omitted, the compiler will attempt to use an items iterator, if one is defined for the type specified.

Graphical user interface

Using GTK3 with gobject introspection through the gintro module:

import gintro/[gtk, glib, gobject, gio]

proc appActivate(app: Application) =
  let window = newApplicationWindow(app)
  window.title = "GTK3 application with gobject introspection"
  window.defaultSize = (400, 400)
  showAll(window)

proc main =
  let app = newApplication("org.gtk.example")
  connect(app, "activate", appActivate)
  discard run(app)

main()

This code requires the gintro module to work, which is not part of the standard library. To install the module gintro and many others you can use the tool nimble, which comes as part of nim. To install the gintro module with nimble you do the following:

nimble install gintro

Programming paradigms

Functional Programming

Functional programming is supported in Nim through first-class functions and code without side effects via the `noSideEffect` pragma and the experimental feature `strictFuncs`.

With the `strictFuncs` feature enabled, Nim will perform side effect analysis and raise compilation errors for code that does not obey the contract of producing no side effects.

Contrary to purely functional programming languages, Nim is a multi-paradigm programming language, so functional programming restrictions are opt-in on a function-by-function basis.

First Class Functions

Nim supports first-class functions by allowing functions to be stored in variables or passed as parameters to be invoked by other functions.

For example:

import sequtils

let powersOfTwo = @[1, 2, 4, 8, 16, 32, 64, 128, 256]

echo(powersOfTwo.filter do (x: int) -> bool: x > 32)
echo powersOfTwo.filter(proc (x: int): bool = x > 32)

proc greaterThan32(x: int): bool = x > 32
echo powersOfTwo.filter(greaterThan32)

Produces the output:

@[64, 128, 256]
@[64, 128, 256]
@[64, 128, 256]

[48]

Funcs

The func keyword introduces a shortcut for a noSideEffect pragma.

func binarySearch[T](a: openArray[T]; elem: T): int

Is short for:

proc binarySearch[T](a: openArray[T]; elem: T): int {.noSideEffect.}

[49]

Strict funcs

Since version 1.4, a stricter definition of a "side effect" is available. In addition to the existing rule that a side effect is calling a function with side effects the following rule is also enforced:

Any mutation to an object does count as a side effect if that object is reachable via a parameter that is not declared as a var parameter.

For example:

{.experimental: "strictFuncs".}

type
  Node = ref object
    le, ri: Node
    data: string

func len(n: Node): int =
  # valid: len does not have side effects
  var it = n
  while it != nil:
    inc result
    it = it.ri

func mut(n: Node) =
  let m = n # is the statement that connected the mutation to the parameter
  m.data = "yeah" # the mutation is here
  # Error: 'mut' can have side effects
  # an object reachable from 'n' is potentially mutated

[50]

Object-oriented programming (OOP)

Metaprogramming

Template

This is an example of metaprogramming in Nim using its template facilities.

template genType(name, fieldname: untyped, fieldtype: typedesc) =
  type
    name = object
      fieldname: fieldtype

genType(Test, foo, int)

var x = Test(foo: 4566)
echo(x.foo) # 4566

The genType is invoked at compile-time and a Test type is created.

Generic

Nim supports both constrained and unconstrained generic programming. Generics may be used in procedures, templates and macros. They are defined after the proc's name in square brackets, as seen below.

proc addThese[T](a, b: T): T =
  a + b

echo addThese(1, 2) # 3 (of int type)
echo addThese(uint8 1, uint8 2) # 3 (of uint8 type)

In addThese, T is the generic type, the compiler will accept any values for this function as long as both parameters and the return value are of the same type.

One can further clarify which types the procedure will accept by specifying a type class.[51]

proc addTheseNumbers[T: SomeNumber](a, b: T): T =
  a + b

addTheseNumberswill then only work for types contained in the SomeNumbersum type.

Macros

Macros can literally rewrite parts of the code before it's compiled. Nim macros are powerful and can do many operations on the abstract syntax tree.

Here's a simple example, that creates a macro called twice:

import macros

macro twice(arg: untyped): untyped =
  result = quote do:
    `arg`
    `arg`

twice echo "Hello world!"

The twice macro in this example takes the echo statement in the form of an abstract syntax tree as input. In this example we decided to return this syntax tree without any manipulations applied to it. But we do it twice, hence the name of the macro. The end result is that the code gets rewritten by the macro to look like the following code at compile time:

echo "Hello world!"
echo "Hello world!"

Foreign function interface (FFI)

Nim's FFI is used to call functions written in the other programming languages that it can compile to. This means that libraries written in C, C++, Objective-C, and JavaScript can be used in the Nim source code. One should be aware that both JavaScript and C, C++, or Objective-C libraries cannot be combined in the same program, as they are not as compatible with JavaScript as they are with each other. Both C++ and Objective-C are based on and compatible with C, but JavaScript is incompatible, as a dynamic, client-side web-based language.[15]:226</ref>

The following program shows the ease with which external C code can be used directly in Nim.

proc printf(formatstr: cstring) {.header: "<stdio.h>", varargs.}

printf("%s %d\n", "foo", 5)

In this code the printf function is imported into Nim and then used.

Basic example using 'console.log' directly for the JavaScript compilation target:

proc log(args: any) {.importjs: "console.log(@)", varargs.}
log(42, "z", true, 3.14)

The JavaScript code produced by the Nim compiler can be executed with Node.js or a web browser.

Parallelism

To activate threading support in Nim, a program should be compiled with --threads:on command line argument. Each thread has a separate garbage collected heap and sharing of memory is restricted, which helps with efficiency and stops race conditions by the threads.

import locks

var
  thr: array[0..4, Thread[tuple[a,b: int]]]
  L: Lock

proc threadFunc(interval: tuple[a,b: int]) {.thread.} =
  for i in interval.a..interval.b:
    acquire(L) # lock stdout
    echo i
    release(L)

initLock(L)

for i in 0..high(thr):
  createThread(thr[i], threadFunc, (i*10, i*10+5))
joinThreads(thr)

Nim also has a channels module that simplifies passing data between threads.

import os

type
  CalculationTask = object
    id*: int
    data*: int

  CalculationResult = object
    id*: int
    result*: int

var task_queue: Channel[CalculationTask]
var result_queue: Channel[CalculationResult]

proc workerFunc() {.thread.} =
  result_queue.open()

  while true:
    var task = task_queue.recv()
    result_queue.send(CalculationResult(id: task.id, result: task.data * 2))

var workerThread: Thread[void]
createThread(workerThread, workerFunc)

task_queue.open()
task_queue.send(CalculationTask(id: 1, data: 13))
task_queue.send(CalculationTask(id: 2, data: 37))

while true:
  echo "got result: ", repr(result_queue.recv())

Concurrency

Nim supports asynchronous IO via the asyncdispatch module, which adds async/await syntax via the macro system. An example of an asynchronous http server:

import asynchttpserver, asyncdispatch

var server = newAsyncHttpServer()
proc cb(req: Request) {.async.} =
  await req.respond(Http200, "Hello World")

waitFor server.serve(Port(8080), cb)

Community

Nim has an active community on the self-hosted, self-developed official forum.[52] Further, the project uses a Git repository, bug tracker, and wiki hosted by GitHub, where the community engages with the language.[53]

Conventions

The first Nim conference, NimConf, took place on June 20, 2020. It was held digitally due to COVID-19, with an open call for contributor talks in the form of YouTube videos.[54] The conference began with language overviews by Nim developers Andreas Rumpf and Dominik Picheta. Presentation topics included talks about Nim web frameworks, mobile development, Internet of things (IoT) devices, and game development, including a talk about writing Nim for Game Boy Advance.[55] NimConf 2020 is available as a YouTube playlist.[56]

In addition to official conferences, Nim has been featured at various other conventions. A presentation on Nim was given at the O'Reilly Open Source Convention (OSCON) in 2015.[57][58][59] Four speakers represented Nim at Free and Open source Software Developers' European Meeting (FOSDEM) 2020, including the creator of the language, Andreas Rumpf.[60]

See also

References

  1. ^ "Release 1.4.8". 25 May 2021. Retrieved 18 June 2021.
  2. ^ "Nim by example". GitHub. Retrieved 2014-07-20.
  3. ^ Караджов, Захари; Станимиров, Борислав (2014). Метапрограмиране с Nimrod. VarnaConf (in Bulgarian). Retrieved 2014-07-27.
  4. ^ "Install Nim". Retrieved 2018-10-12.
  5. ^ a b "FAQ". Nim-lang.org. Retrieved 2015-03-27.
  6. ^ "copying.txt". GitHub. Retrieved 2015-03-27.
  7. ^ a b Rumpf, Andreas (2014-02-11). "Nimrod: A new systems programming language". Dr. Dobb's Journal. Retrieved 2014-07-20.
  8. ^ "The Nim Programming Language". Nim-lang.org. Retrieved 2014-07-20.
  9. ^ Kehrer, Aaron (akehrer). "Nim Syntax". GitHub. Retrieved 2015-01-05.
  10. ^ a b c "Nim Manual". Nim-lang.org. Retrieved 2014-07-20.
  11. ^ "Strangeloop Nim presentation". Archived from the original on 2014-07-13. Retrieved 2015-04-30.
  12. ^ "Nim's Garbage Collector". Nim-lang.org. Retrieved 2018-01-10.
  13. ^ Binstock, Andrew (2014-01-07). "The Rise And Fall of Languages in 2013". Dr. Dobb's Journal. Retrieved 2018-10-08.
  14. ^ "Nim Releases". Nim Project. Retrieved 2020-01-26.
  15. ^ a b c d Picheta, Dominik (2017). Nim in Action. Manning Publications. ISBN 978-1617293436.
  16. ^ "Nim Pascal Sources". GitHub. Retrieved 2013-04-05.
  17. ^ "News". Nim-lang.org. Archived from the original on 2016-06-26. Retrieved 2016-06-11.
  18. ^ "Contributors". GitHub. Retrieved 2013-04-05.
  19. ^ Picheta, Dominik (2014-12-29). "Version 0.10.2 released". Nim-lang.org. Retrieved 2018-10-17.
  20. ^ Yegulalp, Serdar (2017-01-16). "Nim language draws from best of Python, Rust, Go, and Lisp". InfoWorld.
  21. ^ "Nim Manual". nim-lang.org. Retrieved 2020-07-21.
  22. ^ "Nim Manual: Method call syntax". Retrieved 2018-10-12.
  23. ^ Picheta, Dominik (dom96); Wetherfordshire, Billingsly (fowlmouth); Felsing, Dennis (def-); Raaf, Hans (oderwat); Dunn, Christopher (cdunn2001); wizzardx (2017-10-25). "Tips and tricks". GitHub. Retrieved 2018-10-17.
  24. ^ Rumpf, Andreas (2014-01-15). Nimrod: A New Approach to Metaprogramming. InfoQ. Event occurs at 2:23. Retrieved 2014-07-20.
  25. ^ Sieka, Jacek (2020-07-18), arnetheduck/nlvm, retrieved 2020-07-21
  26. ^ Rumpf, Andreas (2018-10-12). "Nim Compiling". GitHub. Retrieved 2018-10-17.
  27. ^ a b c https://nim-lang.org/docs/nimc.html#compiler-usage-configuration-files
  28. ^ Nim's Memory Management
  29. ^ "Nimble". GitHub. Retrieved 2018-10-12.
  30. ^ "Nim v0.12.0 release". GitHub. Retrieved November 28, 2020.
  31. ^ "c2nim". GitHub. Retrieved 2018-10-12.
  32. ^ "choosenim". GitHub. Retrieved 2018-10-12.
  33. ^ "nimfix.nim". GitHub. Retrieved 2018-10-12.
  34. ^ Rumpf, Andreas. "Nimfix User Guide".
  35. ^ "pas2nim". GitHub. Retrieved 2018-10-12.
  36. ^ "py2nim". GitHub. Retrieved 2018-10-12.
  37. ^ Nim Standard Library
  38. ^ "NimQml". GitHub.
  39. ^ "WxNim". GitHub.
  40. ^ "Vulkanim". GitHub.
  41. ^ "Nim Standard Library". Nim documentation. Archived from the original on 2015-04-06. Retrieved 2015-04-04.
  42. ^ Lim, Andri (jangko) (2018-10-17). "nimLUA". GitHub. Retrieved 2018-10-17.
  43. ^ "Nimjl". GitHub.
  44. ^ "Nbindgen". GitHub.
  45. ^ "cs2nim". GitHub.
  46. ^ "ts2nim". GitHub.
  47. ^ Glukhov, Yuriy (2020-07-20), yglukhov/nimpy, retrieved 2020-07-21
  48. ^ https://nim-by-example.github.io/procvars/
  49. ^ https://nim-lang.org/docs/manual.html#procedures-func
  50. ^ https://nim-lang.org/docs/manual_experimental.html#strict-funcs
  51. ^ "Nim Manual". nim-lang.org. Retrieved 2020-07-21.
  52. ^ "Nim Forum". nim-lang.org. Retrieved 2015-05-04.
  53. ^ "Primary source code repository and bug tracker". GitHub. Retrieved 2015-05-04.
  54. ^ "Nim Online Conference 2020". Nim. Retrieved November 28, 2020.
  55. ^ "NimConf 2020". Nim. Retrieved November 28, 2020.
  56. ^ "NimConf 2020 Playlist". YouTube. Retrieved November 28, 2020.
  57. ^ "Nim at OSCON 2015". O'Reilly Open Source Convention (OSCON). O'Reilly Media. 2015-07-20. Retrieved 2018-10-17.
  58. ^ Rumpf, Andreas; Swartz, Jason; Harrison, Matt. "Essential Languages: Nim, Scala, Python". O’Reilly. O'Reilly Media. Retrieved 2018-10-17.
  59. ^ Rumpf, Andreas (2015-10-26). OSCON 2015 – Nim: An Overview. YouTube (Video). Retrieved 2018-10-12.
  60. ^ "Events". fosdem.org. Retrieved 2020-02-17.

By: Wikipedia.org
Edited: 2021-06-18 12:36:32
Source: Wikipedia.org