Algorithm


B. pSort
time limit per test
2 seconds
memory limit per test
256 megabytes
input
standard input
output
standard output

One day n cells of some array decided to play the following game. Initially each cell contains a number which is equal to it's ordinal number (starting from 1). Also each cell determined it's favourite number. On it's move i-th cell can exchange it's value with the value of some other j-th cell, if |i - j| = di, where di is a favourite number of i-th cell. Cells make moves in any order, the number of moves is unlimited.

The favourite number of each cell will be given to you. You will also be given a permutation of numbers from 1 to n. You are to determine whether the game could move to this state.

Input

The first line contains positive integer n (1 ≤ n ≤ 100) — the number of cells in the array. The second line contains n distinct integers from 1 to n — permutation. The last line contains n integers from 1 to n — favourite numbers of the cells.

Output

If the given state is reachable in the described game, output YES, otherwise NO.

Examples
input
Copy
5
5 4 3 2 1
1 1 1 1 1
output
Copy
YES
input
Copy
7
4 3 5 1 2 7 6
4 6 6 1 6 6 1
output
Copy
NO
input
Copy
7
4 2 5 1 3 7 6
4 6 6 1 6 6 1
output
Copy
YES



 

Code Examples

#1 Code Example with C++ Programming

Code - C++ Programming

#include <cstdio>
#include <vector>

void dfs(long node, const std::vector<std::vector<long> > &g, std::vector<bool> &visited, std::vector<long> &group, long root){

    if(visited[node]){return;}
    visited[node] = 1;
    group[node] = root;
    for(long p = 0; p < g[node].size(); p++){
        long u = g[node][p];
        if(visited[u]){continue;}
        dfs(u, g, visited, group, root);
    }

    return;
}


int main(){

    long n; scanf("%ld", &n);

    std::vector<long> target(n + 1);
    for(long p = 1; p <= n; p++){scanf("%ld", &target[p]);}

    std::vector<std::vector<long> > g(n + 1);
    for(long p = 1; p <= n; p++){
        long d; scanf("%ld", &d);
        long u = p - d; if((u > 0) && (u <= n)){g[p].push_back(u); g[u].push_back(p);}
        long v = p + d; if((v > 0) && (v <= n)){g[p].push_back(v); g[v].push_back(p);}
    }

    std::vector<bool> mark(n + 1, 0);
    std::vector<long> group(n + 1, 0);
    for(long p = 1; p <= n; p++){if(mark[p]){continue;}; dfs(p, g, mark, group, p);}

    bool possible = true;
    for(long p = 1; p <= n; p++){if(group[p] != group[target[p]]){possible = false; break;}}
    puts(possible ? "YES" : "NO");

    return 0;
}
Copy The Code & Try With Live Editor

Input

x
+
cmd
5
5 4 3 2 1
1 1 1 1 1

Output

x
+
cmd
YES
Advertisements

Demonstration


Codeforces Solution-B. pSort-Solution in C, C++, Java, Python

Previous
Codeforces solution 1080-B-B. Margarite and the best present codeforces solution
Next
CodeChef solution DETSCORE - Determine the Score CodeChef solution C,C+