출처 : https://www.acmicpc.net/problem/10819
N개의 정수로 이루어진 배열 A가 주어진다. 이때, 배열에 들어있는 정수의 순서를 적절히 바꿔서 다음 식의 최댓값을 구하는 프로그램을 작성하시오.
|A[0] - A[1]| + |A[1] - A[2]| + ... + |A[N-2] - A[N-1]|
첫째 줄에 N (3 ≤ N ≤ 8)이 주어진다. 둘째 줄에는 배열 A에 들어있는 정수가 주어진다. 배열에 들어있는 정수는 -100보다 크거나 같고, 100보다 작거나 같다.
첫째 줄에 배열에 들어있는 수의 순서를 적절히 바꿔서 얻을 수 있는 식의 최댓값을 출력한다.
6
20 1 15 8 4 10
62
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Arrays;
import java.util.StringTokenizer;
public class App {
static int arr[];
static boolean visited[];
static int selected[];
static int n;
static int result = Integer.MIN_VALUE;
public static void main(String[] args) throws IOException{
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
n = Integer.parseInt(br.readLine());
StringTokenizer st = new StringTokenizer(br.readLine());
arr = new int[n];
visited = new boolean[n]; // 배열의 값을 갖고 있는지 판별
selected = new int[n]; // 배열의 값 순서바꿔 임시저장
for(int i = 0 ; i < n ; i++){
arr[i] = Integer.parseInt(st.nextToken());
}
dfs(0);
System.out.println(result);
}
static void dfs(int count){
if(count == n){ //임시배열에 모든 값 채움
result = Math.max(result, getResult()); // 문제에서 원하는 최대값 구함
return;
}
for(int i = 0 ; i < n ; i++){
if(!visited[i]){
visited[i] = true;
selected[count] = arr[i];
dfs(count+1);
visited[i] = false;
}
}
}
static int getResult(){
int sum = 0;
for(int i = 0 ; i < n - 1 ; i++){
sum += Math.abs(selected[i] - selected[i + 1]);
}
return sum;
}
}