International Olympiad

International Abbreviation Olympiad takes place annually starting from 1989. Each year the competition receives an abbreviation of form IAO’y, where y stands for some number of consequent last digits of the current year. Organizers always pick an abbreviation with non-empty string y that has never been used before. Among all such valid abbreviations they choose the shortest one and announce it to be the abbreviation of this year’s competition.

For example, the first three Olympiads (years 1989, 1990 and 1991, respectively) received the abbreviations IAO’9, IAO’0 and IAO’1, while the competition in 2015 received an abbreviation IAO’15, as IAO’5 has been already used in 1995.

You are given a list of abbreviations. For each of them determine the year it stands for.

Input

The first line of the input contains a single integer n (1 ≤ n ≤ 1000) — the number of abbreviations to process.

Then n lines follow, each containing a single abbreviation. It’s guaranteed that each abbreviation contains at most nine digits.

Output

For each abbreviation given in the input, find the year of the corresponding Olympiad.

Examples

input

5
IAO'15
IAO'2015
IAO'1
IAO'9
IAO'0

output

2015
12015
1991
1989
1990

input

4
IAO'9
IAO'99
IAO'999
IAO'9999

output

1989
1999
2999
9999

Solution:

#include <bits/stdc++.h>

using namespace std;

long long start[9] = {9, 99, 99, 3099, 13099, 113099, 1113099, 11113099, 111113099};

int main() {
int tt;
scanf("%d", &tt);
char abbr[42];
while (tt--) {
scanf("%s", abbr);
string s = "";
for (int i = 0; abbr[i]; i++) {
if ('0' <= abbr[i] && abbr[i] <= '9') {
        s += abbr[i];
      }
    }
    int len = s.length();
    int num = 0;
    for (int i = 0; i < len; i++) {
      num = num * 10 + s[i] - '0';
    }
    int diff = num - start[len - 1];
    if (diff < 0) {
      int p10 = 1;
      for (int i = 0; i < len; i++) {
        p10 = p10 * 10;
      }
      diff += p10;
    }
    int res = 1989;
    int p10 = 1;
    for (int i = 0; i < len - 1; i++) {
      p10 *= 10;
      res += p10;
    }
    res += diff;
    printf("%d\n", res);
  }
  return 0;
}