为什么有人想写另一种编程语言呢?为什么要用C#呢?
人们常常想当然地认为,你需要一个计算机科学的高级学位—或者需要大量的固执—来编写一个编译器。无论哪种情况,你都会因此而有不少不眠之夜和破碎的关系。这篇文章告诉你如何避免这一切。
以下是编写自己的语言的几个优点。
与其他大多数语言不同,它非常容易修改功能,因为所有的东西都在一个易于理解的标准C#代码中,有一个清晰的界面供添加功能。任何额外的功能都可以用几行代码添加到这种语言中去
这种语言的所有关键字(if、else、while、function等)都可以很容易地被任何非英语的关键字所取代(而且它们不一定是ASCII码,与大多数其他语言相反)。替换关键词只需要改变配置即可。
这种语言既可以作为脚本语言,也可以作为shell程序,就像Unix上的Bash或Windows上的PowerShell(但你要让它比PowerShell更方便使用)。
甚至Python也没有前缀和后缀运算符++和-的杀手锏,”你不需要它们”。有了你自己的语言,你可以自己决定你需要什么。而我将告诉你如何做。
任何自定义的解析都可以在飞行中实现。对解析的完全控制意味着更少的时间去寻找如何使用一个外部包或一个regex库。
你根本就不会使用任何正则表达式! 我相信这是少数人的主要障碍,他们迫切需要解析一个表达式,但又厌恶正则规则所带来的痛苦和羞辱。
这篇文章是基于我在MSDN杂志上发表的两篇文章(见边栏的参考文献)。在第一篇文章中,我描述了解析数学表达式的Split-and-Merge算法,在第二篇文章中,我描述了如何在该算法的基础上编写一种脚本语言。我把这种语言称为CSCS(C#中的自定义脚本)。为了保持一致性,我也将在这篇文章中描述的语言称为CSCS。
在我的第二篇MSDN文章中描述的CSCS语言还不是很成熟。特别是在文章的结尾处,有一节提到了一些通常存在于脚本语言中的重要功能,而CSCS仍然没有。在这篇CODE杂志的文章中,我将对CSCS语言进行概括,并展示如何实现这些缺失的大部分功能以及其他一些功能。
解析语言声明的拆分与合并算法
在这里,我将对分割与合并算法进行概括,不仅可以解析数学表达式,还可以解析任何CSCS语言语句。所有CSCS语句之间必须有一个分隔符。我在Constants.cs文件中把它定义为Constants.END_STATEMENT = ‘;’ 常数。
分割和合并算法包括两个步骤。首先,你将字符串分割成令牌的列表。每个标记由一个数字或一个字符串和一个可以应用于它的动作组成。
对于字符串,动作只能是加号+(字符串连接)或布尔比较,如==、<、>=等,给出一个布尔值作为结果。对于数字,还有一些其他可能的操作,如-、、/、^和%。前缀和后缀运算符++和—以及赋值运算符+=、-=、=等,被视为数字的特殊动作。对于字符串,我只实现了+=赋值运算符,因为我找不到对字符串使用其他赋值运算符的理由。
代号的分离标准是一个动作、括号内的表达式或任何特殊的函数,之前已经在分析器中注册。如果是小括号中的表达式或函数,你将递归地把整个算法应用于小括号中的表达式或带有参数的函数。在第一步结束时,你会有一个单元格的列表,每个单元格由一个动作和一个数字或一个字符串组成。这个动作会应用到下一个单元格。最后一个单元格总是有一个空动作。空动作的优先级是最低的。
第二步是合并第一步中创建的列表中的元素。两个单元格的合并包括将左边的单元格的动作应用于左边和右边的单元格的数字或字符串。只有当左边单元格的动作的优先级大于或等于右边单元格的动作的优先级时,才能进行两个单元格的合并。否则,你首先将右边的单元格与它右边的单元格合并,以此类推,递归地合并,直到你到达列表的末端。
行动的优先级显示在清单1中。如果它们对你的使用没有意义,你可以轻易地改变它们。
清单1:行动的优先次序
private static bool CanMergeCells(Variable leftCell,
Variable rightCell) {
return GetPriority(leftCell.Action) >=
GetPriority(rightCell.Action);
}
private static int GetPriority(string action) {
switch (action)
{ case "++":
case "--": return 10;
case "^" : return 9;
case "%" :
case "*" :
case "/" : return 8;
case "+" :
case "-" : return 7;
case "<" :
case ">" :
case ">=":
case "<=": return 6;
case "==":
case "!=": return 5;
case "&&": return 4;
case "||": return 3;
case "+=":
case "=" : return 2;
}
return 0;
}
分割和合并算法的例子
让我们看看如何评估以下表达式:x == “a” || x == “b”。
首先,x必须被解析器注册为一个函数(所有的CSCS变量都被注册并作为函数对待)。因此,当解析器提取标记x时,它认识到它是一个函数,并将其替换为实际的x值,例如,c。
在第一步之后,你会有以下由字符串和动作组成的单元格。(“c”, ==), (“a”, ||), (“c”, ==), (“b”, “) “)。符号”)”表示一个空动作。最后一个单元格总是有一个空动作。
第二步是将所有单元格从左到右逐一合并。因为==的优先级比||的优先级高,所以前两个单元格可以被合并。左边单元格的动作,==,必须被应用,产生的结果是。
Merge(("c", ==), ("a", ||)) =
("c" == "a", ||) = (0, "||").
你不能将(0, ||)单元格与下一个单元格(“c”, ==)合并,因为根据清单1,||动作的优先级比==的优先级低。所以我们必须首先将(”c”,==)与下一个单元格(”b”,)合并。) 这种合并是可能的,与前面的合并类似。Merge((“c”, ==), (“b”, “)” ) = (0, “)”)。
最后你必须合并两个结果的单元格。
Merge ((0, ||), (0, ")")) =
(0 || 0, )) = (0, ")")
表达式的结果是0(当x=”c “时)。
请看附带的源代码下载中的Split-and-Merge算法的完整实现(在CODE杂志的网站上),在Parser.cs文件中。请看图1中包含解析CSCS语言时使用的所有类的UML图。
图1:分析器的UML类图
使用上述带有递归功能的算法,可以解析任何复合表达式。下面是一个CSCS代码的例子。
x = sin(pi*2);
if (x < 0 && log(x + 3*10^2) < 6*exp(x) || x < 1 - pi) {
print("in if, x=", x);
} else {
print("in else, x=", x);
}
上面的CSCS代码片段使用了几个函数:sin, exp, log, 和print。解析器是如何将它们映射到函数中的?
用C#编写自定义函数以用于CSCS代码中
让我们看一个实现Round()函数的例子。首先,你在Constants.cs文件中定义它的名字,如下。
public const string ROUND = "round";
接下来,你向解析器注册该函数的实现。
ParserFunction.AddGlobal(Constants.ROUND,
new RoundFunction());
为了使用配置文件中所有可用的翻译,你还必须在解释器中注册函数名称,这样它就知道它需要向分析器注册所有可能的翻译。
AddTranslation(languageSection, Constants.ROUND);
基本上就是这样,解析器会做剩下的事情。一旦解析器得到Constants.ROUND标记(或来自配置文件的任何翻译),就会调用Round()函数的实现。所有函数的实现都必须派生自ParserFunction类。
class RoundFunction : ParserFunction
{
protected override Variable Evaluate(
string data, ref int from) {
Variable arg = Parser.LoadAndCalculate(
data, ref from, Constants.END_ARG_ARRAY);
arg.Value = Math.Round(arg.Value);
return arg;
}
}
Parser.LoadAndCalculate()是解析器的主要入口点,它完成了解析和计算表达式并返回结果的所有工作。其余函数的实现看起来与 Round() 函数的实现非常相似。
例子:客户端和服务器功能
使用函数,你可以实现任何可以在CSCS语言中使用的东西—只要它可以在C#中实现,就是这样。让我们看一个进程间通信的例子:CSCS中的回声服务器,通过套接字实现。
在Constants.cs中定义服务器和客户端的CSCS函数名称。
public const string CONNECTSRV = "connectsrv";
public const string STARTSRV = "startsrv";
然后你在分析器上注册这些函数。
ParserFunction.AddGlobal(Constants.CONNECTSRV,
new ClientSocket(this));
ParserFunction.AddGlobal(Constants.STARTSRV,
new ServerSocket(this));
请看清单2中ServerSocket的实现。ClientSocket的实现也是类似的。
清单2:回声服务的实现
class ServerSocket : ParserFunction
{
internal ServerSocket(Interpreter interpreter)
m_interpreter = interpreter;
protected override Variable Evaluate(string data,
ref int from)
{
Variable portRes = Utils.GetItem (data, ref from);
Utils.CheckPosInt(portRes);
int port = (int)portRes.Value;
try {
IPHostEntry ipHostInfo = Dns.GetHostEntry(
Dns.GetHostName());
IPAddress ipAddress = ipHostInfo.AddressList[0];
IPEndPoint localEndPoint = new IPEndPoint(ipAddress, port);
Socket listener = new Socket(AddressFamily.InterNetwork,
SocketType.Stream, ProtocolType.Tcp);
listener.Bind (localEndPoint);
listener.Listen(10);
Socket handler = null;
while (true) {
m_interpreter.AppendOutput("Waiting for connections on " +
port + " ...");
handler = listener.Accept();
// Data buffer for incoming data.
byte[] bytes = new byte[1024];
int bytesRec = handler.Receive(bytes);
string received = Encoding.UTF8.GetString(bytes, 0,
bytesRec);
m_interpreter.AppendOutput("Received from " +
handler.RemoteEndPoint.ToString() +
": [" + received + "]");
byte[] msg = Encoding.UTF8.GetBytes(received);
handler.Send(msg);
if (received.Contains ("<EOF>")) {
break;
}
}
if (handler != null) {
handler.Shutdown (SocketShutdown.Both);
handler.Close ();
}
} catch (Exception exc) {
throw new ArgumentException ("Couldn't start server: (" +
exc.Message + ")");
}
return Variable.EmptyInstance;
}
private Interpreter m_interpreter;
}
图2显示了Mac上一个客户端和一个服务器的运行实例。
图2:在Mac上运行一个客户端和一个服务器
任何你想在CSCS中使用的函数都可以在C#中实现。但是你能在脚本语言中,在CSCS本身实现一个函数吗?
在CSCS中编写自定义函数
你用Constants.cs文件中的自定义函数定义来定义自定义函数。
public const string FUNCTION = "function";
为了告诉解析器在看到函数关键字时立即执行特殊代码,你需要向处理程序注册函数处理程序。解释器类就是这样做的。
ParserFunction.AddGlobal(Constants.FUNCTION,
new FunctionCreator(this));
你可以在配置文件中提供对任何语言的翻译,这同样适用于所有其他功能。请看附带的源代码下载中的项目配置文件(在CODE杂志的网站上)。你会在那里找到西班牙语的关键词funci?n。为了使用所有可用的翻译,你还必须在解释器中注册它们。
AddTranslation(languageSection, Constants.FUNCTION);
请看清单3中的Function Creator的实现。
清单3:函数创造者类的实现
class FunctionCreator : ParserFunction
{
internal FunctionCreator(Interpreter interpreter)
{
m_interpreter = interpreter;
}
protected override Variable Evaluate(
string data, ref int from)
{
string funcName = Utils.GetToken(data, ref from,
Constants.TOKEN_SEPARATION);
m_interpreter.AppendOutput("Registering function [" +
funcName + "] ...");
string[] args = Utils.GetFunctionSignature(data, ref from);
if (args.Length == 1 && string.IsNullOrWhiteSpace(args[0]))
{
args = new string[0];
}
Utils.MoveForwardIf(data, ref from,
Constants.START_GROUP, Constants.SPACE);
string body = Utils.GetBodyBetween(data, ref from,
Constants.START_GROUP, Constants.END_GROUP);
CustomFunction customFunc = new CustomFunction(funcName,
body, args);
ParserFunction.AddGlobal(funcName, customFunc);
return new Variable(funcName);
}
private Interpreter m_interpreter;
}
它创建了另一个函数并将其注册到解析器中。
CustomFunction customFunc = new CustomFunction(
funcName, body, args)。
ParserFunction.AddGlobal(funcName, customFunc)。
要注册的自定义函数的名称是funcName。解析器希望带有函数名称的标记是函数标记后的下一个。逗号将令牌分开。
你在CSCS代码中实现的所有函数都对应于C# CustomFunction类的不同实例。
在解析过程中,只要解析器遇到funcName标记,它就会调用它的处理程序,即CustomFunction,所有的动作都在这里发生。你可以在清单4中看到CustomFunction的实现。
清单4:自定义函数类的实现
class CustomFunction : ParserFunction
{
internal CustomFunction(string funcName,
string body, string[] args)
{
m_name = funcName;
m_body = body;
m_args = args;
}
protected override Variable Evaluate(string data,
ref int from)
{
bool isList;
List<Variable> functionArgs = Utils.GetArgs(data,
ref from, Constants.START_ARG, Constants.END_ARG,
out isList);
Utils.MoveBackIf(data, ref from, Constants.START_GROUP);
if (functionArgs.Count != m_args.Length) {
throw new ArgumentException("Function [" + m_name +
"] arguments mismatch: " + m_args.Length + " declared, " +
functionArgs.Count + " supplied");
}
// 1. Add passed arguments as local variables to the Parser.
StackLevel stackLevel = new StackLevel(m_name);
for (int i = 0; i < m_args.Length; i++) {
stackLevel.Variables[m_args[i]] = new GetVarFunction(
functionArgs[i]);
}
ParserFunction.AddLocalVariables(stackLevel);
// 2. Execute the body of the function.
int temp = 0;
Variable result = null;
while (temp < m_body.Length - 1)
{
result = Parser.LoadAndCalculate(m_body, ref temp,
Constants.END_PARSE_ARRAY);
Utils.GoToNextStatement(m_body, ref temp);
}
ParserFunction.PopLocalVariables();
return result;
}
private stringm_body;
private string[] m_args;
}
自定义函数做两件事。首先,它提取函数参数并将它们作为局部变量添加到解析器中(一旦函数执行完毕或抛出异常,它们就会从解析器中删除)。
第二,评估函数的主体,如果主体包含对其他函数的调用,则使用主解析器的入口点LoadAndCalculate()方法,或者对其本身的调用,对CustomFunction的调用可以是递归的。让我们通过阶乘的例子来看看这个问题。
例子:阶乘
阶乘符号是n!,它的定义如下。0! = 1, n! = 1 2 3 … n.
在这个符号中,n必须是一个非负的整数。因此,它可以被递归定义为:n!=1 2 3 … (n - 1) n = (n - 1)! n.
在CSCS中,代码是这样的。
function factorial(n) {
if (!isInteger(n)) {
exc = "Factorial is for integers only (n="+n+")";
throw (exc);
}
if (n < 0) {
exc = "Negative number (n="+n+") for factorial";
throw (exc);
}
if (n <= 1) {
return 1;
}
return n * factorial(n - 1);
}
上面的阶乘函数使用了一个辅助的isInteger()函数。
function isInteger(candidate) {
return candidate == round(candidate);
}
isInteger()函数调用了另一个round()函数。round()函数的实现并不在CSCS中,而是在你在上一节看到的C#代码中已经存在。
用不同的参数执行阶乘函数,会有以下输出。
.../Documents/cscs/cscs/bin/Debug>> a = factorial(-1)
Negative number (n=-1) for factorial
.../Documents/cscs/cscs/bin/Debug>> a = factorial(1.5)
Factorial is for integers only (n=1.5)
.../Documents/cscs/cscs/bin/Debug>> a = factorial(6)
720
阶乘代码中包含一些 throw() 语句。这表明应该有一些东西能够捕获它们。
抛出、尝试和捕获控制流语句
try()和throw()控制流语句可以用函数的方式实现,就像你在上面看到的Round()函数的实现一样。
这两个函数也必须先在解析器中注册。
public const string TRY = "try";
public const string THROW = "throw";
throw()函数的实现如下。
class ThrowFunction : ParserFunction
{
protected override Variable Evaluate(
string data, ref int from)
{
// 1. Extract what to throw.
Variable arg = Utils.GetItem(data, ref from);
// 2. Convert it to a string.
string result = arg.AsString();
// 3. Throw it!
throw new ArgumentException(result);
}
}
try函数需要更多的工作,所以把所有的工作委托给解释器更容易,解释器可以告诉解析器要做什么。
class TryBlock : ParserFunction
{
internal TryBlock(Interpreter interpreter)
{
m_interpreter = interpreter;
}
protected override Variable Evaluate(
string data, ref int from)
{
return m_interpreter.ProcessTry(data, ref from);
}
private Interpreter m_interpreter;
}
在Interpreter.ProcessTry()的实现中,首先你应该注意你开始处理的地方(所以以后你可以返回跳过整个try-catch块)。然后,你对try块进行处理,如果抛出了异常,你就捕捉它。在解析器代码中,你只抛出ArgumentException异常。
int startTryCondition = from - 1;
int currentStackLevel =
ParserFunction.GetCurrentStackLevel();
Exception exception = null;
Variable result = null;
try {
result = ProcessBlock(data, ref from);
}
catch(ArgumentException exc) {
exception = exc;
}
如果有一个异常,或者有一个catch或break语句,你需要跳过整个catch块。为此,请回到尝试块的开头,然后跳过它。
if (exception != null ||
result.Type == Variable.VarType.BREAK ||
result.Type == Variable.VarType.CONTINUE)
{
from = startTryCondition;
SkipBlock(data, ref from);
}
在try块之后,你希望有一个catch标记和要捕获的异常名称,不管这个异常是否被抛出。
string catchToken = Utils.GetNextToken(data, ref from);
from++; // skip opening parenthesis
// The next token after the try must be a catch.
if (!Constants.CATCH_LIST.Contains(catchToken))
{
throw new ArgumentException(
"Expecting a 'catch()' but got [" +
catchToken + "]");
}
string exceptionName = Utils.GetNextToken(data, ref from);
from++; // skip closing parenthesis
为什么要用CATCH_LIST来查看是否有catch这个关键词,而不是只用Constants.CATCH = “catch”?因为CATCH_LIST包含了catch关键字在不同语言中的所有可能的翻译。你在配置文件中提供了它们。例如,你可以在西班牙语中使用atrapar,或者在德语中使用fangen。
在发生异常的情况下,你必须处理catch块。你首先创建一个异常堆栈(从什么地方调用了什么),然后将这些信息添加到异常变量中,可以在捕获表达的CSCS代码中使用。
if (exception != null) {
string excStack = CreateExceptionStack(
currentStackLevel);
ParserFunction.InvalidateStacksAfterLevel(
currentStackLevel);
GetVarFunction excFunc = new GetVarFunction(
new Variable(Double.NaN,
exception.Message + excStack));
ParserFunction.AddGlobalOrLocalVariable(
exceptionName, excFunc);
result = ProcessBlock(data, ref from);
ParserFunction.PopLocalVariable(
exceptionName);
}
如果没有异常,就跳过catch块。
else {
SkipBlock(data, ref from)
}
让我们用上面看到的阶乘函数来尝试抛出和捕获异常的操作。你使用下面的CSCS代码,它有一些人为创建的执行堆栈来抛出异常。
function trySuite(n) {
print("Trying to calculate the",
"negative factorial?");
result = tryNegative(n);
return result;
}
function tryNegative(n) {
return factorial(-1 * n);
}
try {
f = tryNegative(5);
print("factorial(", n, ")=", f);
} catch(exc) {
print ("Caught Exception: ", exc);
}
运行后,你会得到以下异常信息。
Trying to calculate negative factorial...
Caught Exception: Negative number (n=-5)
for factorial at
factorial()
tryNegative()
trySuite()
当然,这只是一个赤裸裸的异常处理,所以你可能想添加一些更高级的东西,比如在函数的哪一行抛出异常,函数参数,等等。
你是如何跟踪执行栈的?就是说,被调用的函数的情况?在 ParserFunctions 中,你定义了以下静态变量。
public class StackLevel
{
public StackLevel(string name = null) {
Name = name;
Variables = new Dictionary<string,
ParserFunction> ();
}
public string Name { get; set; }
public Dictionary<string, ParserFunction> Variables
{ get; set; }
}
private static Stack<StackLevel> s_locals =
new Stack<StackLevel>();
每个StackLevel由正在执行的函数的所有局部变量(包括传入的参数)和函数名称组成。这是你在异常堆栈中看到的名字。
每次你开始执行一个新的函数(不管它是在C#代码中还是在CSCS代码中定义的),一个新的StackLevel被添加到s_locals栈中。每当你完成一个函数的执行时,你就从s_locals数据结构中弹出一个StackLevel。
在例子中,你看到了一些用CSCS实现的函数。所有的脚本都必须在同一个文件中吗?你可以包括包含CSCS代码的其他文件吗?
包括含有CSCS代码的其他文件
要包括另一个包含CSCS脚本的模块,你要使用与所有其他函数相同的函数方法,就像你使用Round()或try/throw控制语句一样。include关键字也在Constants.cs中定义。
public const string INCLUDE = "include";
该函数的实现是在IncludeFile类中,该类衍生于ParserFunction类。
ParserFunction.AddGlobal(Constants.INCLUDE,
new IncludeFile());
在CSCS代码中,包括另一个文件看起来像这样。
include("filename.cscs");
一旦解析器得到 INCLUDE 标记(或其翻译之一),就会触发 IncludeFile.Evaluate() 的执行。这个函数必须首先从要包含的文件中提取实际的脚本。
class IncludeFile : ParserFunction
{
protected override Variable Evaluate(
string data, ref int from)
{
string filename = Utils.ResultToString(
Utils.GetItem(data, ref from));
string[] lines = Utils.GetFileLines(filename);
string includeFile = string.Join(
Environment.NewLine, lines);
string includeScript =
Utils.ConvertToScript(includeFile);
然后你用解析器的主方法LoadAndCalculate()来处理整个脚本。注意,在最后,你会返回一个空的结果,因为完成后没有什么可以返回。
int filePtr = 0;
while (filePtr < includeScript.Length)
{
Parser.LoadAndCalculate(includeScript,
ref filePtr, Constants.END_LINE_ARRAY);
Utils.GoToNextStatement(includeScript,
ref filePtr);
}
return Variable.EmptyInstance;
}
}
在Include语句完成后,所有从包含的文件中添加的全局函数都留在解析器中。
你可以用实现包括文件的方法来实现if、when、for和其他控制流语句。我没有实现for循环,因为它的功能可以用while循环轻松实现。下面是在CSCS代码中这样一个替换for循环的例子。
i = 0;while (i++ < 10) {
if (i % 2 == 0) {
print (i, " is even.");
} else {
print (i, " is odd.");
}
}
试着猜一猜:在上面的CSCS代码中,有多少个标记是作为函数(即从ParserFunction类派生出来的类)实现的?有四个:while()、if()、print()和`++``。Else本身不是一个函数,它和if一起处理(同样,catch也不是一个单独的函数,而是和try一起处理)。
while()语句中的i++标记是怎么回事?它是如何实现的?
实现++和-前缀和后缀以及复合赋值运算符
你可以对赋值使用与包含文件相同的方法,例如,将其实现为一个函数set()。这就是我在MSDN杂志中描述的第一版语言中实现赋值的方法(链接见侧边栏)。
赋值a = 5等同于set(a, 5),前缀运算符++i等同于set(i, i + 1)。后缀运算符i++更长一些:i++在CSCS中相当于set(i, i + 1) - 1。
显然,一个拥有如此尴尬的赋值运算符的语言不可能成为编程语言的英超联赛的一部分。你需要一种不同的方法来实现适当的赋值操作。
我决定采取以下方法。声明动作函数,所有的动作函数都派生自抽象的ActionFunction类(该类派生自ParserFunction类)。只要解析器得到以下任何一个动作标记,就会触发一个动作函数。++, —, +=, -=, *=, 等等。如果是++和—,你首先需要找到它是前缀还是后缀运算符—解析器会知道这一点。如果是前缀,它将在动作前有一个未处理的标记。
所有的动作都必须先在分析器上注册。
ParserFunction.AddAction(Constants.ASSIGNMENT,
new AssignFunction());
ParserFunction.AddAction(Constants.INCREMENT,
new IncrementDecrementFunction());
ParserFunction.AddAction(Constants.DECREMENT,
new IncrementDecrementFunction());
请看清单5中IncrementDecrementFunction()的实现。其他动作函数的实现是类似的。正如你所看到的,解析器从上下文中知道它是用前缀还是后缀运算符工作的,以及它是由于 — 还是 ++ 动作而被触发的。请注意,在最后,该函数要么返回当前的变量值(如果是前缀),要么返回前一个值(如果是后缀)。
清单5:++和-运算符的实现
protected override Variable Evaluate(string data,
ref int from)
{
bool prefix = string.IsNullOrWhiteSpace(m_name);
if (prefix)
{// If it's a prefix we do not have variable name yet.
m_name = Utils.GetToken(data, ref from,
Constants.TOKEN_SEPARATION);
}
// Value to be added to the variable:
int valueDelta = m_action == Constants.INCREMENT ? 1 : -1;
int returnDelta = prefix ? valueDelta : 0;
// Check if the variable to be set has the form of x(0),
// meaning that this is an array element.
double newValue = 0;
int arrayIndex = Utils.ExtractArrayElement(ref m_name);
bool exists = ParserFunction.FunctionExists(m_name);
if (!exists)
{
throw new ArgumentException("Variable [" + m_name +
"] doesn't exist");
}
Variable currentValue = ParserFunction.GetFunction(m_name)
GetValue(data, ref from);
if (arrayIndex >= 0)
{// A variable with an index (array element).
if (currentValue.Tuple == null)
{
throw new ArgumentException("Tuple [" + m_name +
"] doesn't exist");
}
if (currentValue.Tuple.Count <= arrayIndex)
{
throw new ArgumentException("Tuple [" + m_name +
"] has only " + currentValue.Tuple.Count + " elements");
}
newValue = currentValue.Tuple[arrayIndex].Value + returnDelta;
currentValue.Tuple[arrayIndex].Value += valueDelta;
}
else // A normal variable.
{
newValue = currentValue.Value + returnDelta;
currentValue.Value += valueDelta;
}
Variable varValue = new Variable(newValue);
ParserFunction.AddGlobalOrLocalVariable(m_name,
new GetVarFunction(currentValue));
return varValue;
}
通过这种方法,你可以在CSCS中玩转assignments,如下所示。
a = 1;
b = a++ - a--; // b = -1, a = 1
c = a = (b += 1); // a = b = c = 0
a -= ++c; // c = 1, a = -1
c = --a - ++a; // a = -1, c = -1
清单5中有一个关于数组的部分。我还没有谈及它们。赋值是如何与数组一起工作的?
Arrays
数组的声明与CSCS中变量的声明不同。要声明一个数组并用数据初始化它,你可以使用相同的语句。作为一个例子,下面是CSCS的代码。
a = 20;
arr = {++a-a--, ++a*exp(0)/a--,
-2*(--a - ++a), ++a};i = 0;
while(i < size(arr)) {
print("a[", i, "]=", arr[i],
", expecting ", i);
i++;
}
数组中的元素数没有明确声明,因为它可以从赋值中推导出来。
函数size()被实现为一个典型的CSCS函数,返回数组中的元素数。但是如果传递的参数不是一个数组,它就会返回其中的字符数。
在内部,数组被实现为一个C#列表,所以你可以在运行中向其添加元素。
你可以通过使用方括号来访问数组的元素,或者修改它们。如果你访问一个数组的元素,而这个元素还没有被初始化,解析器就会抛出一个异常。然而,有可能只给一个数组中的一个元素赋值,即使使用的索引大于数组中的元素数。在这种情况下,数组中不存在的元素被初始化为空值。即使这是该数组的第一次赋值,也会发生这种情况。对于这种特殊的捷径数组赋值,CSCS函数set()被使用。
i = 10;while(--i > 0) {
newarray[i] = 2*i;
}
print("newarray[9]=", newarray[9]); // 18
print("size(newarray)=", size(newarray)); // 10
在附带的源代码下载中查看阵列的实现(可通过CODE杂志网站获得)。
在各种操作系统上进行编译
人们普遍认为C#只适用于Windows,这是一种误解。人们可能听说过一些将其移植到其他操作系统的尝试,但大多数人认为这些尝试仍处于某种工作的进展中。
在使用Xamarin Studio for Mac一段时间后,我发现它并不是一个正在进行的工作,而是一个在Mac上构建和运行C#应用程序的非常强大的工具。而且它是免费的! 底层的免费和开源的Mono项目目前支持.NET 4.5与C# 5.0。最近,微软宣布计划收购Xamarin,所以支持应该会继续下去,希望Mac版Xamarin Studio能保持免费(你也可以用C#与Xamarin进行iOS和Android编程,但这已经不是免费的了)。
Xamarin不支持任何Windows Forms,但与核心C#语言有关的是,在从Windows移植我的Visual Studio项目时,我不需要改变任何一行的代码。我必须要改变的是配置文件。对于Windows来说,配置看起来像这样。
<configuration>
<configSections>
<section name="Languages" type=
"System.Configuration.NameValueSectionHandler"/>
<section name="Synonyms" type=
"System.Configuration.NameValueSectionHandler"/>
不幸的是,这在Xamarin中是行不通的。在那里你必须在类型中加入System。
<configuration>
<configSections>
<section name="Languages" type=
"System.Configuration.
NameValueSectionHandler,System"/>
<section name="Synonyms" type=
"System.Configuration.
NameValueSectionHandler,System"/>
这种配置在Visual Studio中无法使用,所以你必须在Visual Studio中使用与Xamarin不同的配置文件。
如果你想在Windows和Mac OS上使用你的语言时有不同的代码,还有一种方法可以使用C#宏。如果你用文件系统工作,这尤其有意义。
在Windows和Mac OS上实现目录列表
Xamarin Studio使用Mono框架,如果你想知道你是否在使用Mono,要使用的宏是#ifdef MonoCS。你可以在这里看到它在工作。
public static string GetPathDetails(FileSystemInfo fs,
string name)
{
string pathname = fs.FullName;
bool isDir = (fs.Attributes &
FileAttributes.Directory) != 0;
#if __MonoCS__
Mono.Unix.UnixFileSystemInfo info;
if (isDir) {
info = new Mono.Unix.UnixDirectoryInfo(pathname);
} else {
info = new Mono.Unix.UnixFileInfo(pathname);
}
在上面的代码片段中,你看到了Unix特定的代码,以获得目录或文件数据结构。使用这个结构,很容易找到用户/组/其他的典型Unix权限,这在Windows上是没有意义的。
char ur = (info.FileAccessPermissions & Mono.Unix.
FileAccessPermissions.UserRead) != 0 ? 'r' : '-';
char uw = (info.FileAccessPermissions & Mono.Unix.
FileAccessPermissions.UserWrite) != 0 ? 'w' : '-';
char ux = (info.FileAccessPermissions & Mono.Unix.
FileAccessPermissions.UserExecute) != 0 ? 'x' : '-';
char gr = (info.FileAccessPermissions & Mono.Unix.
FileAccessPermissions.GroupRead) != 0 ? 'r' : '-';
...
string permissions = string.Format(
"{0}{1}{2}{3}{4}{5}{6}{7}{8}",
ur, uw, ux, gr, gw, gx, or, ow, ox);
看看清单6,看看GetPathDetails()函数的完整实现。
清单6:在Unix和Windows上获取目录或文件信息
public static string GetPathDetails(FileSystemInfo fs, string name)
{
string pathname = fs.FullName;
bool isDir = (fs.Attributes & FileAttributes.Directory) != 0;
char d = isDir ? 'd' : '-';
string last = fs.LastAccessTime.ToString("MMM dd yyyy HH:mm");
#if __MonoCS__
Mono.Unix.UnixFileSystemInfo info;
if (isDir) {
info = new Mono.Unix.UnixDirectoryInfo(pathname);
} else {
info = new Mono.Unix.UnixFileInfo(pathname);
}
char ur = (info.FileAccessPermissions &
Mono.Unix.FileAccessPermissions.UserRead) != 0 ? 'r' : '-';
char uw = (info.FileAccessPermissions &
Mono.Unix.FileAccessPermissions.UserWrite) != 0 ? 'w' : '-';
char ux = (info.FileAccessPermissions &
Mono.Unix.FileAccessPermissions.UserExecute) != 0 ? 'x' : '-';
char gr = (info.FileAccessPermissions &
Mono.Unix.FileAccessPermissions.GroupRead) != 0 ? 'r' : '-';
char gw = (info.FileAccessPermissions &
Mono.Unix.FileAccessPermissions.GroupWrite) != 0 ? 'w' : '-';
char gx = (info.FileAccessPermissions &
Mono.Unix.FileAccessPermissions.GroupExecute) != 0 ? 'x' : '-';
char or = (info.FileAccessPermissions &
Mono.Unix.FileAccessPermissions.OtherRead) != 0 ? 'r' : '-';
char ow = (info.FileAccessPermissions &
Mono.Unix.FileAccessPermissions.OtherWrite) != 0 ? 'w' : '-';
char ox = (info.FileAccessPermissions &
Mono.Unix.FileAccessPermissions.OtherExecute) != 0 ? 'x' : '-';
string permissions = string.Format("{0}{1}{2}{3}{4}{5}{6}{7}{8}",
ur, uw, ux, gr, gw, gx, or, ow, ox);
string user = info.OwnerUser.UserName;
string group = info.OwnerGroup.GroupName;
string links = info.LinkCount.ToString();
long size = info.Length;
if (info.IsSymbolicLink) {
d = 's';
}
#else
string user = string.Empty;
string group = string.Empty;
string links = null;
string permissions = "rwx";
long size = 0;
if (isDir)
{
user = Directory.GetAccessControl(fs.FullName).GetOwner(
typeof(System.Security.Principal.NTAccount)).ToString();
DirectoryInfo di = fs as DirectoryInfo;
size = di.GetFileSystemInfos().Length;
}
else {
user = File.GetAccessControl(fs.FullName).GetOwner(
typeof(System.Security.Principal.NTAccount)).ToString();
FileInfo fi = fs as FileInfo;
size = fi.Length;
string[] execs = new string[] { "exe", "bat", "msi"};
char x = execs.Contains(fi.Extension.ToLower()) ? 'x' : '-';
char w = !fi.IsReadOnly ? 'w' : '-';
permissions = string.Format("r{0}{1}", w, x);
}
#endif
string infoStr = string.Format(
"{0}{1} {2,4} {3,8} {4,8} {5,9} {6,23} {7}",
d, permissions, links, user, group, size, last, name);
return infoStr;
}
图3显示在Mac上运行ls命令,图4显示在PC上运行dir命令。
图3:在Mac上运行CSCS ls命令
图4:在PC上运行CSCS dir命令
现在你可能想到的问题是。”我如何配置使用Mac上的ls命令和PC上的dir命令来实现同一个CSCS功能?”
不同语言的关键词
如果你想让一个关键词在任何其他语言中使用,你必须添加一个代码,这样就可以从配置文件中读取可能的翻译。例如,我为一个显示目录内容的函数定义了关键词,如下所示。
public const string DIR = "dir";
现在,如果我想要这个关键词的可能翻译,我就在解释器的初始化代码中添加。
AddTranslation(languageSection, Constants.DIR);
因为ls并不是真的从dir翻译成外语,所以我增加了同义词配置部分,以平滑Windows和Mac概念之间的差异,使它们看起来不那么陌生。
<Languages> <add key="languages" value=
"Synonyms,Spanish,German,Russian" />
</Languages>
<Synonyms>
<add key="del" value ="rm" />
<add key="move" value ="mv" />
<add key="copy" value ="cp" />
<add key="dir" value ="ls" />
<add key="read" value ="scan" />
<add key="writenl" value ="print" />
</Synonyms>
使用相同的配置文件,你可以为CSCS关键字添加任何语言的翻译。下面是一个有效的CSCS代码,使用德语关键词检查一个数字是奇数还是偶数。
ich = 0;
solange (ich++ < 10) {
falls (ich % 2 == 0) {
drucken (ich, " Gerade Zahl");
} sonst {
drucken (ich, " Ungerade Zahl");
}
}
结束语
使用本文介绍的技术和查阅附带的源代码下载,你可以使用你自己的关键字和函数开发你自己的完全定制的语言。由此产生的语言将在运行时直接被逐个语句解释。
向语言添加新功能的直接方法如下。
- 想一想要用英文实现的函数的英文关键词(主要名称)。 ```csharp public const string ROUND = “round”;
- 将这个关键字映射到一个C#类,并将它们都注册到解析器中。
```csharp
ParserFunction.AddGlobal(Constants.ROUND,
new RoundFunction());
- 使之能够从配置文件中读取该关键词的任何语言的翻译。 ```csharp AddTranslation(languageSection, Constants.ROUND);
```
- 实现上面用解析器注册的类。该类必须派生自ParserFunction类,你必须覆盖Evaluate()方法。
就是这样:使用上述技术,你不仅可以实现典型的函数,如round()、sin()、abs()、sqrt()等,还可以实现大多数控制流语句,如if()、while()、break、return、continue、throw()、include()等等。所有在CSCS代码中声明的变量都以同样的方式实现:你把它们作为函数在解析器中注册。
你可以把这种语言作为一种shell语言来执行不同的文件或操作系统命令(查找文件、列出目录或运行中的进程、从命令行中杀死或启动一个新的进程,等等)。或者你可以把它作为一种脚本语言,编写任何任务并把它们添加到脚本中去执行。基本上,任何任务都可以在CSCS中实现,只要有可能在C#中实现它。
有一些东西还远未完善,可以添加到CSCS语言中。例如,调试的可能性几乎为零。异常处理是非常基本的,所以增加异常堆栈的可能性以显示异常发生的代码行将是非常有趣的。另外,目前CSCS中只支持列表数据结构(我称之为元组)。增加使用其他数据结构的可能性,例如字典,也将是一个有趣的练习:让我知道你想出了什么办法
参考文献
Customizable Scripting in C#: https://msdn.microsoft.com/en-us/magazine/mt632273.aspx
A Split-and-Merge Expression Parser in C#: https://msdn.microsoft.com/en-us/magazine/mt573716.aspx
Interpreters: https://en.wikipedia.org/wiki/Interpreter_
(computing) Xamarin Studio for Mac: https://xamarin.com/studio