I have to print out some PDFs for a project at work. Is there way to provide dynamic padding, IE. not using a code hard-coded in the format string. But instead based on the count of a List.
我必须为工作中的项目打印一些PDF。是否有提供动态填充的方法,IE。不使用格式字符串中硬编码的代码。而是基于List的计数。
Ex.
If my list is 1000 elements long, I want to have this:
如果我的列表长度为1000个元素,我想要这个:
Part_0001_Filename.pdf... Part_1000_Filename.pdf
And if my list is say 500 elements long, I want to have this formatting:
如果我的列表长500个元素,我想要这个格式:
Part_001_Filename.pdf... Part_500_Filename.PDF
The reason for this is how Windows orders file names. It sorts them alphabetically left-to-right or right-to-left, So I must use the leading zero, otherwise the ordering in the folder is messed up.
原因是Windows如何命令文件名。它按字母顺序从左到右或从右到左对它们进行排序,所以我必须使用前导零,否则文件夹中的排序会混乱。
1 个解决方案
#1
The simplest way is probably to build the format string dynamically too:
最简单的方法可能是动态构建格式字符串:
static List<string> FormatFileNames(List<string> files)
{
int width = (files.Count+1).ToString("d").Length;
string formatString = "Part_{0:D" + width + "}_{1}.pdf";
List<string> result = new List<string>();
for (int i=0; i < files.Count; i++)
{
result.Add(string.Format(formatString, i+1, files[i]));
}
return result;
}
This could be done slightly more simply with LINQ if you like:
如果您愿意,可以使用LINQ稍微简化一下:
static List<string> FormatFileNames(List<string> files)
{
int width = (files.Count+1).ToString("d").Length;
string formatString = "Part_{0:D" + width + "}_{1}.pdf";
return files.Select((file, index) =>
string.Format(formatString, index+1, file))
.ToList();
}
#1
The simplest way is probably to build the format string dynamically too:
最简单的方法可能是动态构建格式字符串:
static List<string> FormatFileNames(List<string> files)
{
int width = (files.Count+1).ToString("d").Length;
string formatString = "Part_{0:D" + width + "}_{1}.pdf";
List<string> result = new List<string>();
for (int i=0; i < files.Count; i++)
{
result.Add(string.Format(formatString, i+1, files[i]));
}
return result;
}
This could be done slightly more simply with LINQ if you like:
如果您愿意,可以使用LINQ稍微简化一下:
static List<string> FormatFileNames(List<string> files)
{
int width = (files.Count+1).ToString("d").Length;
string formatString = "Part_{0:D" + width + "}_{1}.pdf";
return files.Select((file, index) =>
string.Format(formatString, index+1, file))
.ToList();
}