`

SRM 223 Div II Level Two: BlackAndRed,O(N)复杂度

 
阅读更多

题目来源:http://community.topcoder.com/stat?c=problem_statement&pm=3457&rd=5869

解答分析:http://community.topcoder.com/tc?module=Static&d1=match_editorials&d2=srm223


这道题目最直接最暴力的算法就是遍历每个位置,然后查看是否满足条件,满足条件的话则立刻停止遍历,

这样算法的时间复杂度为O(N^2)。不过还有一个更高效的方法,其时间复杂度为O(N),只需进行一次遍历

就可以了。该题目的作者给出了最好的解答,如下:

To visualize the O(N) solution, make a graph where the value at positionxis the number of black cards in the firstxcards, minus the number of red cards in the firstxcards.xincreases as each new card is turned over, and the graph goes up one unit if it is black, and down one unit if it is red.

Here is graph for the "RBBRRRRBBBRBBRRBRBBRRRRBBBBBRRRB":

                                /\
       /\        /\    /\      /  \
     \/  \    /\/  \/\/  \    /    \/
          \  /            \  /
           \/              \/

Notice that this graph ends up at the same level at which it starts, because there are an equal number of red and black cards. If the value ever dips below the starting value (as it does in this graph), that means you lose the game. Cutting the deck is equivalent to moving the same number of line segments from the front of the graph to the end. So finding the right place to cut the deck is equivalent to finding the right place to cut the graph such that the value never dips below the starting value. This point is, obviously, at the minimum of the graph. If there are more than one, you select the left-most minimum (corresponding to the cut with the fewest cards.) In this example, that point is seven units from the left, so the answer is 7.

实现该算法的代码如下:

#include <string>
#include <vector>
using namespace std;

class BlackAndRed {
public:
    int cut(string deck) {
	int res = 0;
	int minpoint = 0;
	int point = 0;
	for (int i = 0; i < deck.size(); i++) {
		if ('R' == deck[i]) {
			--point;
		} else {
			++point;
		}
		if (point < minpoint) {
			minpoint = point;
			res = i + 1;
		}
	}
	return res;
    }
};


分享到:
评论

相关推荐

Global site tag (gtag.js) - Google Analytics