11572 - Unique Snowflakes(two pointer)

来源:互联网 发布:php 表示根目录 编辑:程序博客网 时间:2024/06/09 18:17

Problem A: Unique Snowflakes

Emily the entrepreneur has a cool business idea: packaging and selling snowflakes. She has devised a machine that captures snowflakes as they fall, and serializes them into a stream of snowflakes that flow, one by one, into a package. Once the package is full, it is closed and shipped to be sold.

The marketing motto for the company is "bags of uniqueness." To live up to the motto, every snowflake in a package must be different from the others. Unfortunately, this is easier said than done, because in reality, many of the snowflakes flowing through the machine are identical. Emily would like to know the size of the largest possible package of unique snowflakes that can be created. The machine can start filling the package at any time, but once it starts, all snowflakes flowing from the machine must go into the package until the package is completed and sealed. The package can be completed and sealed before all of the snowflakes have flowed out of the machine.

Input Specification

The first line of input contains one integer specifying the number of test cases to follow. Each test case begins with a line containing an integer n, the number of snowflakes processed by the machine. The followingn lines each contain an integer (in the range 0 to 10^9, inclusive) uniquely identifying a snowflake. Two snowflakes are identified by the same integer if and only if they are identical. The input will contain no more than one million total snowflakes.

Sample Input

1512321

Output Specification

For each test case output a line containing single integer, the maximum number of unique snowflakes that can be in a package.

Output for Sample Input

3

题意:说白了就是求一个连续子序列最长没有相同数,

思路:两指针。l,r。r不断后移,每次记录下区间内数字的位置(利用map离散化)。然后如果出现num[r]在区间内,就把l指针后移到r的位置。不断维护最大值即可。

代码:

#include <stdio.h>#include <string.h>#include <map>#define max(a,b) (a)>(b)?(a):(b)using namespace std;const int N = 1000005;int t, n, num[N];map<int, int> vis;void init() {vis.clear();scanf("%d", &n);for (int i = 1; i <= n; i++)scanf("%d", &num[i]);}int solve() {int ans = 0;int l = 0;for (int r = 1; r <= n; r++) {if (vis[num[r]] > l) l = vis[num[r]];vis[num[r]] = r;ans = max(ans, r - l);}return ans;}int main() {scanf("%d", &t);while (t--) {init();printf("%d\n", solve());}return 0;}


1 0