Wednesday 20 September 2017

Digit Longest Increasing Subsequences

Digit Longest Increasing Subsequences

Recently Chef learned about Longest Increasing Subsequence. To be precise, he means longest strictly increasing subsequence, when he talks of longest increasing subsequence. To check his understanding, he took his favorite n-digit number and for each of its n digits, he computed the length of the longest increasing subsequence of digits ending with that digit. Then he stored these lengths in an array named LIS.

For example, let us say that Chef's favorite 4-digit number is 1531, then the LIS array would be [1, 2, 2, 1]. The length of longest increasing subsequence ending at first digit is 1 (the digit 1 itself) and at the second digit is 2 ([1, 5]), a third digit is also 2 ([1, 3]), and at the 4th digit is 1 (the digit 1 itself).

Now Chef wants to give you a challenge. He has a valid LIS array with him, and wants you to find any n-digit number having exactly the same LIS array? You are guaranteed that Chef's LIS array is valid, i.e. there exists at least one n-digit number corresponding to the given LIS array.


Input


The first line of the input contains an integer T denoting the number of test cases.

For each test case, the first line contains an integer n denoting the number of digits in Chef's favorite number.

The second line will contain n space separated integers denoting LIS array, i.e. LIS1, LIS2, ..., LISn.

Output


For each test case, output a single n-digit number (without leading zeroes) having exactly the given LIS array. If there are multiple n-digit numbers satisfying this requirement, any of them will be accepted.

Constraints


1 ≤ T ≤ 30 000
1 ≤ n ≤ 9
It is guaranteed that at least one n-digit number having the given LIS array exists.



Example

Input:

5

1

1 2

1 1
4
1 2 2 1

1 2 2 1 3 2 4

Output:

7
36
54
1531
1730418


Solution:

#include <stdio.h>
#include <ctype.h>
#define get getchar_unlocked
#define max(a,b,c) (a>b)?((c>a)?c:a):((c>b)?c:b)
int input()
{
    char c=get();
    int n=0;
    while(c<'0'||c>'9')
    c=get();
    while(c>='0'&&c<='9')
    {
       n=(n<<1)+(n<<3)+(c&15);
       c=get();
    }
    return n;
}
int main()
{
    
    int t,n,a;
    t=input();
    while(t--)
    {
        n=input();
        while(n--)
        {
        a=input();
        putchar_unlocked(a+'0');
        }
        printf("\n");
    }
    return 0;
}  

No comments:

Post a Comment