我正在编写一个应用程序,我必须将街道地址放在预定义的标签页上。该标签纸有3列10行。我有一个正确创建标签的循环,但是要求用户能够选择要开始的工作表上的标签。我原以为这将是一个简单的数学矩阵方程,但我无法想出或找到解决方案。
以下是一个例子:
1 2 3 4 5
6 7 8 9 10
11 12 13 14 15
鉴于上面的矩阵,假设用户决定从#6开始。我需要能够告诉我的循环从该位置开始:col:1 row:2。
如果它有帮助,我看起来像这样的循环,但我认为这归结为我没想到的数学方程式:
for (var yCounter = 0; yCounter < _labelSettings.LabelPerColumn; yCounter++)
{
for (var xCounter = 0; xCounter < _labelSettings.ColumnsPerPage; xCounter++)
{
foreach (var table in customNugget.PdfTables)
{
table.YPosition = SheetSettings.PageHeight -
(verticalOffset + yCounter * ((verticalSize + verticalOffset)));
table.XPosition = horizontalOffset + xCounter * ((horizontalSize + horizontalOffset));
}
}
}
修改
private static int _cellsPerRow = 3;
private static int _startIndex;
static void Main(string[] args)
{
string userInput = Console.ReadLine();
_startIndex = int.Parse(userInput);
int startY = _startIndex / _cellsPerRow;
int startX = (_startIndex - 1) % _cellsPerRow;
Console.WriteLine(string.Format("The index you chose lives in the following matrix location:\n Row: {0} Column: {1}", startY, startX));
Console.WriteLine("Press any key to continue...");
Console.Read();
}
答案 0 :(得分:4)
假设您知道每行中的单元格数(我认为应该是_labelSettings.ColumnsPerPage
),您可以像这样计算起始值:
int cells = 5;//number of cells per row
int startAt = 6;//cell number to start at
int startY = (startAt - 1) / cells;//1
int startX = (startAt - 1) % cells;//0
然后,您可以使用这些起始值初始化循环,但是您需要小心确保内部循环仅在第一次运行时使用计算的起始值。为此,您可以在第一次执行y循环后重置startX
。像这样:
for (var yCounter = startY; yCounter < _labelSettings.LabelPerColumn; yCounter++)
{
for (var xCounter = startX; xCounter < _labelSettings.ColumnsPerPage; xCounter++)
{
//do stuff
}
startX = 0;//reset so that the next execution starts at the beginning of the row
}
Here is proof of the logic, though it is in javascript
编辑:startY
的计算已被修改为正确处理从最后一个数字开始是一行(感谢@Zach指出错误)
答案 1 :(得分:1)
x = num % grid width
y = num / grid width
num是要开始的数字 %是模数运算符(除法后的余数) 网格宽度是网格宽度:)
答案 2 :(得分:1)
这适用于您在问题中显示的基于1的值:
int _cellsPerRow = 5; //number of cells per row
for (int startAt = 1; startAt <= 15; startAt++)
{
int startY = (startAt - 1) / _cellsPerRow + 1;
int startX = (startAt - 1) % _cellsPerRow + 1;
Console.WriteLine("{0}: {1}, {2}", startAt, startX, startY);
}
(例如,“6:1,2”)