creating a-z bar
本文关键字:bar a-z creating | 更新日期: 2023-09-27 17:58:31
下面是我目前正在使用的代码,但想知道有没有更好的方法来做我正在做的事情。。。我正在创建一个类似于a B C D E的a-z模型。。。。Z
有什么想法吗?
if (myEnum.MoveNext())
{
MyNames t = myEnum.Current;
if (t.Name.ToLower().StartsWith("a"))
{
if (_a == 0)
{
l = new Literal();
//.....
_a = 1;
}
}
if (t.Name.ToLower().StartsWith("b"))
{
if (_b == 0)
{
l = new Literal();
l.Text = "<h1 id='B'><span>B</span></h1>" + Environment.NewLine;
_b = 1;
}
}
.....c..d...e...f...g....z
}
看起来您将直接使用集合的枚举器,并对每个字母的特定代码进行硬编码。据推测,每个字母的输出应该是相同的,唯一的区别是字母本身。我将废弃您当前的代码,改为执行以下操作。
// note: replace yourList with the correct collection variable
var distinctLetters =
yourList.Select(item => item.Name.Substring(0,1).ToUpper())
.Distinct()
.OrderBy(s => s);
StringBuilder builder = new StringBuilder();
foreach (string letter in distinctLetters)
{
// build your output by Appending to the StringBuilder instance
string text = string.Format("<h1 id='{0}'><span>{0}</span></h1>" + Environment.NewLine, letter);
builder.Append(text);
}
string output = builder.ToString(); // use output as you see fit
对于包含名称Alpha, Charlie, Delta, Alpha, Bravo
的列表,输出将是
<h1 id='A'><span>A</span></h1>
<h1 id='B'><span>B</span></h1>
<h1 id='C'><span>C</span></h1>
<h1 id='D'><span>D</span></h1>
您可以使用LinqGroupBy并按首字母对所有名称进行分组。然后你可以很快把结果转储出去。
http://msdn.microsoft.com/en-us/vcsharp/aa336754.aspx#simple2
您还可以使用LINQ提供的"Aggregate"函数。
string[] list = { "a", "b", "c" };
var output = list.Aggregate("", (current, listitem) => current + (Environment.NewLine + "<h1 id='" + listitem.ToUpper() + "'><span>" + listitem.ToUpper() + "</span></h1>"));