This document lists some basic differences between Nemerle and C# in a terse form. If you know Java or C++ it should still be fairly helpful.

Changes In Expressions

C# Nemerle Remarks
const int x = 3;
const string y = "foo";
readonly Object obj = getObject();
def x : int = 3;
def y : string = "foo";
def obj : Object = getObject();
Variables defined with def cannot be changed once defined. This is similar to readonlyor const in C# orfinal in Java. Most variables in Nemerle aren't explicitly typed like this.
int x = 3;
string y = "foo";
Object obj = getObject();
mutable x : int = 3;
mutable y : string = "foo";
mutable obj : Object = getObject();
Variables defined with mutable can be changed once defined. Most variables in Nemerle aren't explicitly typed like this.
var = 3; //Will compile.
var y; y = "foo";//Won't compile.
def = 3;//Will compile!
mutable y; y = "foo";//Will compile!
Nemerle's type inference is lightyears ahead of C#'s. If there is clear evidence of a variable's type, there's a 99% chance Nemerle will infer it.
int a = b = c;
def a = c;
def b = c;
The type of the assignment operator is void.
value = cond ? var1 : var2;
value = if(cond) var1 else var2
No ternary operator is needed as everything is an expression in Nemerle. The 'else' branch is mandatory here! (Don't panic! if-without-else has its own keyword.)
Class myClass = new Class(parms);
def myClass = Class(parms);
Nemerle doesn't require new when calling a constructor.
Book[] books = new Book[size];
def books = array(size) : array[Book];
Often the array type can be inferred and this is simplified; as in the next example.
Book[] books = new Book[size];
books[0] = new Book();
def books = array(size);
books[0] = Book();
When the type can be inferred from context or later use (which is most of the time), you can drop the type declaration
int[] numbers = {1, 2, 3};
def numbers = array[1, 2, 3];
Initializing an array. Without the arraykeyword this would create a list.
int[,] numbers = new int[2,3];
def numbers = array(2,3) : array.[2][int];
Multidimensional array constructor. The type can usually be inferred from use and not declared.
int[,] numbers = { {1,2,3}, {1,4,9} };
def numbers = [ [1,2,3], [1,4,9] ];
Multidimensional array initialization.
new {Prop1 = 1; Prop2 = "string"}
using Nemerle.Extensions;
new (Prop1 = 1, Prop2 = "string")
Nemerle anonymous typesare a bit more flexible (e. g. can be generic or returned from a method). They must be imported from Nemerle.Extensions however.
new Class {
Property1 = 1;
Property2 = "string"
}
Class()
The Nemerle Object Modifier macro is more powerful.
if(cond)
answer = 42;
...
when(cond)
answer = 42;
...
if without else is called when. Nemerle requiresif statements to be paired with elsefor clarity.
if(!cond)
answer = 42;
...
unless(cond)
answer = 42;
...
In Nemerle,if(!cond) can use the clearerunless(cond)syntax. Of course,when(!cond) can also always be used.
if (cond)
return foo;
do_something ();
return bar;
match(cond){
| true => foo
| _ => {doSomething(); foo}
}
Pattern Matchingprovides a clearer way of delegating control flow.
if (cond)
return foo;
do_something ();
return bar;
using Nemerle.Imperative;
when(cond)
return foo
do_something ();
return bar;
Alternately the Imperative namespace may be imported. This isdiscouragedhowever.
try {...}
catch (FooException e) { ... }
catch (BarException e) { ... }
try {...}
catch {
| e is FooException => ...
| e is BarException => ...
}
Nemerle's somewhat differenttry ... catchsyntax is consistent with its pattern matching syntax.
(type) expr
expr :> type
Runtime type cast, allows for downcasts and upcasts.
(type) expr
expr : type
Static cast, only upcasts are allowed.
using System;
using SWF = System.Windows.Forms;
using System.Xml;
...
Console.WriteLine ("foo");
SWF.Form x = new SWF.Form();
XmlDocument doc = new XmlDocument();
using System;
using System.Console;
using SWF = System.Windows.Forms;
...
WriteLine("foo");
def x = SWF.Form();
def doc = Xml.XmlDocument();
In Nemerle, you can apply the usingdirective to classes as well as namespaces. Opened namespaces allow you to drop the prefix of other namespaces, likeSystem inSystem.XmlMore info.
using System.Windows.Forms;

Button button = control as Button;

if (button != null)
...
else
...
match (control) {
| button is Button => ...
| listv is ListView => ...
| _ => ...//something else
}
as can be simulated withmatch. It is a bit more to type up in simple cases, but in general Nemerle's construct is more powerful.
int y = x++;
++x;
def y = x;
x++;
++x;
The ++ and -- operators return void, just like assignment. So, both prefix and postfix versions are equivalent.

Changes In Type Definitions

C# Nemerle Remarks
static int foo (int x, string y)
{ ... }
static foo (x : int, y : string) : int
{ ... }
Types are written after variable names.
class Foo {
public Foo (int x)
{ ... }
}
class Foo {
public this (x : int)
{ ... }
}
The constructor's name is alwaysthis.
class Foo {
~Foo ()
{ ... }
}
class Foo {
protected override Finalize () : void
{ ... }
}
There is no special syntax for the destructor, you just override theFinalizemethod.
class Foo : Bar {
public Foo (int x) : base (x)
{ ... }
}
class Foo : Bar {
public this (x : int) {
base (x);
...
}
}
The base constructor is called in the constructor's function body.
class Foo {
int x;
}
class Foo {
mutable x : int;
}
Fields which will be changed outside of the constructor need to be marked asmutable.
class Foo {
readonly int x;
const int y = 10;
}
class Foo {
x : int;
y : int = 10;
}
Read-only/const are used by default.
class Foo {
static int x = 1;
}
class Foo {
static mutable x : int = 1;
}
Static variable.
class Foo {
static readonly int x;
static int method() { ... }
}
module Foo {
x : int;
method() : int { ... }
}
A module is a class in which all members are static.
using System.Runtime.CompilerServices.CSharp;

class C {
public object this [int i]
{ ... } [IndexerName("MyItem")]
public int this [string name]
{ ... }
}
class C {
public Item [i : int] : object
{ ... } public MyItem [name : string] : int
{ ... }
}
Indexers.
C# Nemerle
When two interfaces use the same method to perform different functions, different names can be given to each method.
interface SpeaksEnglish{
void Speak();
} interface SpeaksGerman{
void Speak();
} class GermanTransfer : SpeaksEnglish, SpeaksGerman{
public void SpeaksEnglish.Speak() {}
public void SpeaksGerman.Speak() {}
}
interface SpeaksEnglish{
Speak() : void;
} interface SpeaksGerman{
Speak() : void;
} class GermanTransfer : SpeaksEnglish, SpeaksGerman{
public Speak() : void implements SpeaksEnglish.Speak{}
public Sprechen() : void implements SpeaksGerman.Speak{}
}

Generics

C# Nemerle Remarks
class A  { T x; }
class A [T] { x : T; }
Type parameters are written in square brackets [...].
typeof(A);
typeof(A[_,_]);
typeof expression

New Stuff

Nemerle contains many constructs which are not present in C#. Unfortunately, most of them don't really fit into a side-by-side comparison format:

Other Minor Differences

Ambiguity Isn't Tolerated

namespace YourAttributes{
class Serializable : System.Attribute { }
}
namespace MyAttributes{
using YourAttributes;
class Serializable : System.Attribute { } [Serializable] class SomeClass { }
}

C# compilers will choose MyAttributes.Serializable or, if its definition is commented out, YourAttributes.Serializable. Nemerle will raise an error telling you to be more specific about which attribute you want to use.

Exclusion of Overridden Methods

 class BaseClass
{
public virtual AddItem (val : string) : void { }
} class TestClass : BaseClass
{
public AddItem (val : object) : void { }
public override AddItem (val : string) : void { }
}
...
TestClass().AddItem ("a"); // C# will choose TestClass.AddItem (object)
// Nemerle will choose TestClass.AddItem (string)

This behaviour comes from section 7.6.5.1 of the C# specification, which states "...methods in a base class are not candidates [for overload resolution] if any method in a derived class is applicable (§7.6.5.1)." Unfortunately, this rule is patently absurd in situations like the above. The Nemerle compiler always chooses the method whose signature best matches the given arguments.

CSharp Similarities and Differences的更多相关文章

  1. The Similarities and Differences Between C# and Java -- Part 1(译)

    原文地址 目录 介绍(Introduction) 相似点(Similarities) 编译单位(Compiled Units) 命名空间(Namespaces) 顶层成员(类型)(Top Level ...

  2. Comparing the MSTest and Nunit Frameworks

    I haven't seen much information online comparing the similarities and differences between the Nunit ...

  3. A Brief Review of Supervised Learning

    There are a number of algorithms that are typically used for system identification, adaptive control ...

  4. TIJ——Chapter One:Introduction to Objects

    ///:~容我对这个系列美其名曰"读书笔记",其实shi在练习英文哈:-) Introduction to Objects Object-oriented programming( ...

  5. scala vs java 相同点和差异

    本贴是我摘抄自国外网站,用作备忘,也作为分享! Similarities between Scala and Java Following are some of the major similari ...

  6. Gestures_Article_4_0

    Technical Article Windows Phone 7™ Gestures Compared Lab version: 1.0.0 Last updated: August 25, 201 ...

  7. 15 things to talk about in a healthy relationship

    15 things to talk about in a healthy relationship男女交往中可以谈论的15个话题 1. Your Daily Activities 1. 你的日常活动 ...

  8. .net程序员必须知道的知识

    A while back, I posted a list of ASP.NET Interview Questions. Conventional wisdom was split, with ab ...

  9. SICP阅读笔记(一)

    2015-08-25   008   Foreword    QUOTE: I think that it's extraordinarily important that we in compute ...

随机推荐

  1. javaWeb 使用 jsp 和 javaBean 实现计算器功能

    <%@ page language="java" import="java.util.*" pageEncoding="UTF-8"% ...

  2. Environment中针对的读写权限判断

    Android应用开发中,常使用Environment类去获取外部存储目录,在访问外部存储之前一定要先判断外部存储是否已经是可使用(已挂载&可使用)状态,并且需要在AndroidManifes ...

  3. DE1-SOC开发板上搭建NIOS II处理器运行UCOS II

    DE1-SOC开发板上搭建NIOS II处理器运行UCOS II   今天在DE1-SOC的开发板上搭建NIOS II软核运行了UCOS II,整个开发过程比较繁琐,稍微有一步做的不对,就会导致整个过 ...

  4. 内存泄露:*.hprof

    使用Memory Analyzer tool(MAT)分析内存泄漏 转账地址:http://www.blogjava.net/rosen/archive/2010/06/13/323522.html ...

  5. Mysql密码恢复

    由于种种原因,Mysql root用户的密码可能被恶意篡改,这个时候就需要对Mysql进行密码恢复了.大致步骤如下: 1.修改MySQL的登录设置: # vi /etc/my.cnf 在[mysqld ...

  6. Nagios监控Oralce

    一.本文说明: 本文是监控本地的Oracle,其实监控远端的Oracle也是跟下面的步骤差不多的. 二.安装Nagios.Nagios插件.NRPE软件: 安装步骤可以参考<Linux下Nagi ...

  7. 关于sql server 2008过期导致 MSSQLSERVER服务就无法启动,手动启动就报告错误代码17051。

    1.基本现象:MSSQLSERVER服务就无法启动,手动启动就报告17051错误. 2.解决办法: 第一步:进入SQL2008配置工具中的安装中心, 第二步:再进入维护界面,选择版本升级, 第三步:进 ...

  8. HDU 2222:Keywords Search(AC自动机模板)

    http://acm.hdu.edu.cn/showproblem.php?pid=2222 KMP是单模式串匹配的算法,而AC自动机是用于多模式串匹配的算法.主要由Trie和KMP的思想构成. 题意 ...

  9. 直接在Chrome里抓取数据

    一个小测试发现可以自动做题,于是想通过脚本的方式看能不能获取相应的题库,刚好可以学习一下JS异步操作.花了一天时间,总算跑顺利了,遇到了不少坑.记录下来分享. 1.JS如何顺序执行 JS有强大的异步操 ...

  10. 第一课: iOS入门

    xcode几个项目模板的说明: http://blog.csdn.net/chang6520/article/details/7926444 1. single view app: xcode中的st ...