C#中倒序输出字符串的方法示例

前言

本文将演示如何将字符串的单词倒序输出。注意:在这里我不是要将“John” 这样的字符串倒序为成“nhoJ”。这是不一样的,因为它完全倒序了整个字符串。而以下代码将教你如何将“你 好 我是 缇娜”倒序输出为“缇娜 是 我 好 你”。所以,字符串的最后一个词成了第一个词,而第一个词成了最后一个词。当然你也可以说,以下代码是从最后一个到第一个段落字符串的读取。

对此我使用了两种方法。

第一种方法仅仅采用拆分功能。

根据空格拆分字符串,然后将拆分结果存放在一个string类型的数组里面,将数组倒序后再根据索引打印该数组。

代码如下

using System;

using System.Collections.Generic;

using System.Linq;

using System.Text;

namespace 将字符串的单词倒序输出

{

class Program

{

static void Main(string[] args)

{

Console.ForegroundColor = ConsoleColor.White;

Console.WriteLine("请输入字符串:");

Console.ForegroundColor = ConsoleColor.Yellow;

string s = Console.ReadLine();

string[] a = s.Split(' ');

Array.Reverse(a);

Console.ForegroundColor = ConsoleColor.Red;

Console.WriteLine("倒序输出结果为:");

for (int i = 0; i <= a.Length - 1; i++)

{

Console.ForegroundColor = ConsoleColor.White;

Console.Write(a[i] + "" + ' ');

}

Console.ReadKey();

}

}

}

输出结果

第二种方法

我不再使用数组的倒序功能。我只根据空格拆分字符串后存放到一个数组中,然后从最后一个索引到初始索引打印该数组。

using System;

using System.Collections.Generic;

using System.Linq;

using System.Text;

namespace 将字符串的单词倒序输出

{

class Program

{

static void Main(string[] args)

{

Console.ForegroundColor = ConsoleColor.White;

Console.WriteLine("请输入字符串:");

Console.ForegroundColor = ConsoleColor.Yellow;

int temp;

string s = Console.ReadLine();

string[] a = s.Split(' ');

int k = a.Length - 1;

temp = k;

for (int i = k; temp >= 0; k--)

{

Console.Write(a[temp] + "" + ' ');

--temp;

}

Console.ReadKey();

}

}

}

输出结果

总结

以上是 C#中倒序输出字符串的方法示例 的全部内容, 来源链接: utcz.com/z/361877.html

回到顶部