You should use the built-in Flash features as much as possible. It makes your code easier to maintain and the resulting SWF will be faster and smaller. Check out the indexOf() method on Array.
Is this homework or do you have some other reason for using a hand-written search?
Edit: I should add that the built-in search is a linear search starting with the index you provide. If you have a large and already sorted array, the binary search may be faster. You'll have to experiment where the cross-over is--it could be as low as 10. If your array is not already sorted, the built-in linear search will beat the pants off the combined sort and binary search.
Second Edit: I was curious how large the array had to be for indexOf() to become slower so I ran a few tests. Searching an array of 50 items, indexOf() is faster for all items. Searching an array of 100,000 items, indexOf() is faster up to about 100, then the binary search dominates.
To find the 50,000th item out of 100,000 items, binary search takes 0.0078ms while indexOf() takes 3.382ms.
Here's the test code. I've never performance tested AS3 before, so watching elapsed time on a quiescent machine is the best I've got. (sprintf is the implementation posted on SO. It is just used to generate strings.)
private static var myArray:Array;
public static function setup():void {
myArray = new Array();
for (var i:int=0; i < 50; ++i) {
myArray[i] = sprintf("s%06d", i);
}
}
public static function timingTest():void {
if (myArray == null) {
setup();
}
var start:Number = getTimer();
for (var j:int=0; j < 5000; ++j) {
if (binarySearch(myArray, "s000049") != 49) {
trace("oops!");
}
}
trace("avg msecs per binarySearch " + (getTimer() - start)/j);
start = getTimer();
for (var k:int=0; k < 5000; ++k) {
if (myArray.indexOf("s000049") != 49) {
trace("oops!");
}
}
trace("avg msecs per indexOf " + (getTimer() - start)/k);
}
public static function binarySearch(keys:Array, target:String):int {
var high:int = keys.length;
var low:int = -1;
while (high - low > 1) {
var probe:int = (low + high) / 2;
if (keys[probe] > target)
high = probe;
else
low = probe;
}
if (low == -1 || keys[low] !== target)
return -1;
else
return low;
}
}