So I actually have most of the code thought up myself and got it working last week, but just now I accidentally deleted it so here I am re-writing! The logic goes, I have a TIN number for input, I want to split this every 3rd digit to neatly fit a physical form I have prepared. To do this, I iterate through the input, modulus by 3, place my delimiter a space, then split it by the delimiter.
So, the following 1234567891012
becomes 123 456 789 1012
.
string input = txtTIN.Text;
string digit1 = "0";
string digit2 = "0";
string digit3 = "0";
string digit4 = "0";
StringBuilder sb = new StringBuilder();
for (int i = 1; i < input.Length; i++)
{
if (i%3 == 0)
{
sb.Append(' ');
sb.Append(input[i]);
}
}
string formatted = sb.ToString();
Console.WriteLine(formatted);
string[] formatCollection = formatted.Split(' ');
digit1 = formatCollection[0];
digit2 = formatCollection[1];
digit3 = formatCollection[2];
digit4 = formatCollection[3];
I realize now that I post it here that there seems to be something wrong with the string building, as a Console write is returning 1 4 7 out of the input. Not a desired result, but if I remember correctly, all of the pieces are already in place.
(Note, I do not want to use Linq, Regex, or Lists even though I know they are better alternatives. I thought this one up myself and want to see it work in the end.)
Also, how do I make it so that an input of 123456789101251
becomes 123 456 789 101251
, in other words, i do not want to split any further than the first 3, something my current code fails to do.
If you really don't want to use LINQ, i would propose to modify your algorithm this way:
With output:
The changed to your idea are minimal and entire loop is the same. Please notify: your for loop should go till
i <= input.Length
noti < input.Length
because you are starting with index 1, not 0.Could downvoters explain what is wrong with accepted answer?