Reputation: 54173
Here is my issue. I have made a TextBox for my Gui in my game.
What it does is, every time I resize it, because it word wraps, I have to figure out which index the caret is at in the text string, then I need to convert that into the proper row column after the reize. The slowest part according to my profiler is when I get the next unicode character to evaluate:
int AguiTextBox::indexFromColumnRow( int column, int row, bool includeUnwantedChars ) const
{
size_t rowLen = 0;
int retIndex = -1;
int bytesSkipped = 0;
int curCharLen = 0;
std::string curChar;
std::string::const_iterator it = getText().begin();
std::string::const_iterator end = getText().end();
//decrement column so that the lowest is -1
column--;
if(textRows.size() == 0 || (column == -1 && row == 0))
{
//not in the text
return -1;
}
0.01s for(size_t i = 0; i < textRows.size(); ++i)
{
//get length of row
0.00s rowLen = _unicodeFunctions.getUtf8StringLength(textRows[i]);
//handle -1th case
//get next character
do
{
0.00s curCharLen = _unicodeFunctions.bringToNextUnichar(it,end);
0.01s curChar = getText().substr(bytesSkipped,curCharLen);
bytesSkipped += curCharLen;
if(includeUnwantedChars)
retIndex++;
} while (curChar[0] >= 0 && curChar[0] < ' ' && curChar != "\n");
if(!includeUnwantedChars)
retIndex++;
//only increase for newlines
0.00s if(curChar != "\n")
{
bytesSkipped -= curCharLen;
retIndex--;
it -= curCharLen;
}
if((int)i == row && column == -1)
{
return retIndex;
}
0.06s for(size_t j = 0; j < rowLen; ++j)
{
//get next character
do
{
0.10s curCharLen = _unicodeFunctions.bringToNextUnichar(it,end);
0.91s curChar = getText().substr(bytesSkipped,curCharLen);
0.03s bytesSkipped += curCharLen;
0.03s if(includeUnwantedChars)
retIndex++;
0.11s } while (curChar[0] >= 0 && curChar[0] < ' ' && curChar != "\n");
0.06s if(!includeUnwantedChars)
0.00s retIndex++;
0.02s if((int)i == row && (int)j == column)
{
return retIndex;
}
}
}
return retIndex;
}
How could I optimize this?
Thanks
What does @Erik mean about the double ended queue of chars?
Upvotes: 1
Views: 136
Reputation: 91320
You're extracting a substring with:
curChar = getText().substr(bytesSkipped,curCharLen);
But then you only use the first element. You can avoid string construction/copying by simply extracting the char
you need.
On general algorithmic optimization - I'd spend the resources needed to build a deque
of character objects instead of using a std::string
. This will let you directly index any character, no need to scan and parse the same utf-8 sequences over and over again.
Upvotes: 1