길이가 같은 배열 A, B 두개가 있습니다. 각 배열은 자연수로 이루어져 있습니다. 배열 A, B에서 각각 한 개의 숫자를 뽑아 두 수를 곱합니다. 이러한 과정을 배열의 길이만큼 반복하며, 두 수를 곱한 값을 누적하여 더합니다. 이때 최종적으로 누적된 값이 최소가 되도록 만드는 것이 목표입니다. (단, 각 배열에서 k번째 숫자를 뽑았다면 다음에 k번째 숫자는 다시 뽑을 수 없습니다.)
예를 들어, A = [1, 4, 2] , B = [5, 4, 4] 라면
즉, 이 경우가 최소가 되므로 29를 return 합니다.
배열 A, B가 주어질 때 최종적으로 누적된 최솟값을 return 하는 solution 함수를 완성해 주세요.
A | B | answer |
---|---|---|
[1, 4, 2] | [5, 4, 4] | 29 |
[1, 2] | [3, 4] | 10 |
#include <stdio.h>
#include <stdbool.h>
#include <stdlib.h>
void swap(int *a, int *b) {
int tmp;
tmp = *a;
*a = *b;
*b = tmp;
}
void quickSort(int arr[], int left, int right) {
int pivot = arr[left];
int low = left + 1;
int high = right;
if (left > right)
return;
while (low <= high) {
while (high >= (left + 1) && pivot <= arr[high])
high--;
while (low <= right && pivot >= arr[low])
low++;
if (low <= high)
swap(&arr[low], &arr[high]);
}
swap(&arr[left], &arr[high]);
quickSort(arr, left, high - 1);
quickSort(arr, high + 1, right);
}
int solution(int A[], size_t A_len, int B[], size_t B_len) {
int answer = 0;
int i = 0;
quickSort(A, 0, A_len - 1);
quickSort(B, 0, B_len - 1);
while (i < A_len) {
answer += A[A_len - i - 1] * B[i];
i++;
}
return answer;
}
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
int solution(vector<int> A, vector<int> B)
{
int answer = 0;
int i = 0;
sort(A.begin(), A.end());
sort(B.begin(), B.end());
while (i < A.size()) {
answer += A[A.size() - i - 1] * B[i];
i++;
}
return answer;
}