标签:
1 函数
对不同的数据执行相同的操作。
2 Main()函数
是应用程序的入口函数点,当运行C#程序的时候就会调用它包含的入口点函数,这个函数执行完毕,程序就终止了,所以所有程序都必须有一个入口点。
3 返回值是有数据类型的,void关键字无返回值
4 结束函数执行是return,意思就是把返回值传送给调用函数的变量。
练习:
无参、无返回值的函数:
class MyClass { static void Show() { Console.WriteLine("function"); } static void Main() { Show(); //调用函数 Console.ReadKey(); } }
参数:
class MyClass { static void Show(string str) { Console.WriteLine("is " + str); } static void Main() { show("function"); //调用函数 Console.ReadKey(); } }
返回值:
class MyClass { static string Show(string str) { return "is " + str; } static void Main() { string s = Show("function");//调用函数 Console.WriteLine(s); Console.ReadKey(); } }
函数见 return 就返回:
class MyClass { static int Math(int x, int y) { return x + y; return x * y; /* 执行不了这句 */ } static void Main() { Console.WriteLine(Math(3,4)); //7 Console.ReadKey(); } }
引用参数和输出参数:
class MyClass { static void proc1(ref int num) { num = num * num; } static void proc2(out int num) { num = 100; } static void Main() { int a = 9; proc1(ref a); /* 引用参数(ref) 参数必须是已初始化的 */ Console.WriteLine(a); //81 int b; proc2(out b); /* 输出参数类似 ref(但初始化不是必要的), 是从函数中接出一个值来 */ Console.WriteLine(b); //100 Console.ReadKey(); } }
标签:
原文地址:http://www.cnblogs.com/zhang-dandan-1/p/5879915.html