Permutations
Prev: increasing-array Next: number-spiral
A permutation of integers  is called beautiful if there are no adjacent elements whose difference is 1.
Given , construct a beautiful permutation if such a permutation exists.
Input
The only input line contains an integer .
Output
Print a beautiful permutation of integers .
If there are several solutions, you may print any of them.
If there is no solution, print NO SOLUTION.
Constraints
Example 1
Input
5
Output
4 2 5 3 1
Example 2
Input
3
Output
NO SOLUTION
Answer
Note that a sequence can only be called beautiful if there are none with adjacent items. So, we need to be able to interleave a sequence of odd numbers with evens, since is considered beautiful, as well as . Note that we can combine both of these as . So, we need to print out all the even numbers of the sequence, and then the odd numbers.
However, note that and do not follow this rule, since no matter how they’re arranged, they always have at least one adjacent item with a difference of 1.
So, we apply this algorithm to sequences of at least length 4 only.
#include <iostream>
#include <vector>
 
int main() {
    int n;
    std::cin >> n;
 
    if (n == 2 || n == 3) {
        std::cout << "NO SOLUTION\n";
        return 0;
    }
 
    std::vector<int> result;
 
    for (int i = 2; i <= n; i += 2)
        result.push_back(i);
 
    for (int i = 1; i <= n; i += 2)
        result.push_back(i);
 
    for (int x : result)
        std::cout << x << ' ';
    std::cout << '\n';
}Prev: increasing-array Next: number-spiral