연산 ⊕는 두 정수에 대한 연산으로 두 정수를 붙여서 쓴 값을 반환합니다. 예를 들면 다음과 같습니다.
12 ⊕ 3 = 123
3 ⊕ 12 = 312
양의 정수 a와 b가 주어졌을 때, a ⊕ b와 2  a  b 중 더 큰 값을 return하는 solution 함수를 완성해 주세요.
단, a ⊕ b와 2 a b가 같으면 a ⊕ b를 return 합니다.
StringBuilder을 통해서 두 문자를 합치고 그 문자와 연산값을 비교하면 되지 않을까?
class Solution {
    public int solution(int a, int b) {
        int answer = 0;
        
        StringBuilder strAdd = new StringBuilder();
        strAdd.append(a).append(b);
        
        String str = strAdd.toString();
        int strNum = Integer.parseInt(str);
        
        if(strNum > 2*a*b){ //⭐값의 비교를 위해서 int로 맞춰주기 ㅎ
            answer = strNum;
        } else {
            answer = 2 * a * b;
        }
        return answer;
    }
}