Circle of Numbers

n evenly spaced points have been marked around the edge of a circle. There is a number written at each point. You choose a positive real number k. Then you may repeatedly select a set of 2 or more points which are evenly spaced, and either increase all numbers at points in the set by k or decrease all numbers at points in the set by k. You would like to eventually end up with all numbers equal to 0. Is it possible?

A set of 2 points is considered evenly spaced if they are diametrically opposed, and a set of 3 or more points is considered evenly spaced if they form a regular polygon.

Input

The first line of input contains an integer n (3 ≤ n ≤ 100000), the number of points along the circle.

The following line contains a string s with exactly n digits, indicating the numbers initially present at each of the points, in clockwise order.

Output

Print “YES” (without quotes) if there is some sequence of operations that results in all numbers being 0, otherwise “NO” (without quotes).

You can print each letter in any case (upper or lower).

Examples

input

30
000100000100000110000000001100

output

YES

input

6
314159

output

NO

Note

If we label the points from 1 to n, then for the first test case we can set k = 1. Then we increase the numbers at points 7 and 22 by 1, then decrease the numbers at points 7, 17, and 27 by 1, then decrease the numbers at points 4, 10, 16, 22, and 28 by 1.

Solution:

#include <bits/stdc++.h>

using namespace std;

int solve(vector<long long> a) {
int n = a.size();
for (int i = 2; i * i <= n; i++) {
    if (n % i == 0) {
      if (n % (i * i) != 0) {
        for (int j = 0; j < n; j += i) {
          long long delta = a[j];
          int k = j;
          do {
            a[k] -= delta;
            k = (k + n / i) % n;
          } while (k != j);
        }
      } 
      vector< vector<long long> > w(i);
for (int j = 0; j < n; j++) {
        w[j % i].push_back(a[j]);
      }
      bool ok = true;
      for (int j = 0; j < i; j++) {
        if (!solve(w[j])) {
          ok = false;
          break;
        }
      }
      return ok;
    }
  }
  for (int i = 1; i < (int) a.size(); i++) {
    if (a[i] != a[0]) {
      return false;
    }
  }
  return true;
}

int main() {
  int n;
  string s;
  cin >> n >> s;
vector<long long> a(n);
for (int i = 0; i < n; i++) {
    a[i] = s[i] - '0';
  }
  puts(solve(a) ? "YES" : "NO");
  return 0;
}