在学习.Net/C#或者任何一门面向对象语言的初期,大家都写过交换两个变量值,通常是通过临时变量来实现。本篇使用多种方式实现两个变量值的交换。

假设int x =1; int y = 2;现在交换两个变量的值。

使用临时变量实现

 static void Main(string[] args) { int x = 1; int y = 2; Console.WriteLine("x={0},y={1}",x, y); int temp = x; x = y; y = temp; Console.WriteLine("x={0},y={1}", x, y); Console.ReadKey(); }

使用加减法实现

试想, 1+2=3,我们得到了两数相加的结果3。3-2=1,把1赋值给y,y就等于1; 3-1=2,把2赋值给x,这就完成了交换。

 static void Main(string[] args) { int x = 1; int y = 2; Console.WriteLine("x={0},y={1}",x, y); x = x + y; //x = 3 y = x - y; //y = 1 x = x - y; //x = 2 Console.WriteLine("x={0},y={1}", x, y); Console.ReadKey(); }

使用ref和泛型方法实现

如果把交换int类型变量值的算法封装到方法中,需要用到ref关键字。

 static void Main(string[] args) { int x = 1; int y = 2; Console.WriteLine("x={0},y={1}",x, y); Swap(ref x, ref y); Console.WriteLine("x={0},y={1}", x, y); Console.ReadKey(); } static void Swap(ref int x, ref int y) { int temp = x; x = y; y = x; }

如果交换string类型的变量值,就要写一个Swap方法的重载,让其接收string类型:

 static void Main(string[] args) { string x = "hello"; string y = "world"; Console.WriteLine("x={0},y={1}",x, y); Swap(ref x, ref y); Console.WriteLine("x={0},y={1}", x, y); Console.ReadKey(); } static void Swap(ref int x, ref int y) { int temp = x; x = y; y = x; } static void Swap(ref string x, ref string y) { string temp = x; x = y; y = x; }

如果交换其它类型的变量值呢?我们很容易想到通过泛型方法来实现,再写一个泛型重载。

 static void Main(string[] args) { string x = "hello"; string y = "world"; Console.WriteLine("x={0},y={1}",x, y); Swap<string>(ref x, ref y); Console.WriteLine("x={0},y={1}", x, y); Console.ReadKey(); } static void Swap(ref int x, ref int y) { int temp = x; x = y; y = x; } static void Swap(ref string x, ref string y) { string temp = x; x = y; y = x; } static void Swap<T>(ref T x, ref T y) { T temp = x; x = y; y = temp; }

使用按位异或运算符实现

对于二进制数字来说,当两个数相异的时候就为1, 即0和1异或的结果是1, 0和0,以及1和1异或的结果是0。关于异或等位运算符的介绍在这里:https://www.本网站.net/article/260847.htm

举例,把十进制的3和4转换成16位二进制分别是:

按照上面的算法,可以写成如下:

 static void Main(string[] args) { int x = 1; int y = 2; Console.WriteLine("x={0},y={1}",x, y); x = x ^ y; y = y ^ x; x = x ^ y; Console.WriteLine("x={0},y={1}", x, y); Console.ReadKey(); }

以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,谢谢大家对本网站的支持。如果你想了解更多相关内容请查看下面相关链接

您可能感兴趣的文章:

  • C# 变量,常量数据类型详情
  • C#实现变量交换、斐波那契数列、质数、回文方法合集
  • C#变量命名规则小结
  • C# double类型变量比较分析
  • C#编译器对局部变量的优化指南
  • C#中的局部变量冲突问题
  • C#设置与获取环境变量的方法详解
  • C#中变量、常量、枚举、预处理器指令知多少
  • C# 基础入门--变量
  • 浅析C#静态类,静态构造函数,静态变量