검색결과 리스트
전체 글에 해당되는 글 1768건
- 2023.02.05 프로그래머스 C# 성격 유형 검사하기(파이썬, 자바) dictionary
- 2023.02.05 프로그래머스 레벨1 C# 삼총사(3중 for문, 파이썬, 자바)
- 2023.02.05 프로그래머스 C# 나머지가 1이 되는 수 찾기(파이썬, 자바)
- 2023.02.05 프로그래머스 C# 음양 더하기(파이썬, 자바)
- 2023.02.05 북한 열병식 김정은 실종 시 관련주
- 2023.02.04 프로그래머스 C# H-Index(Array.Sort(), 파이썬, 자바)
- 2023.02.04 프로그래머스 C# 배열 두 배 만들기(P, J)
- 2023.02.02 프로그래머스 C# 몫 구하기(개쉬움, 파이썬, 자바)
글
프로그래머스 C# 성격 유형 검사하기(파이썬, 자바) dictionary
using System;
public class Solution {
public string solution(string[] survey, int[] choices) {
string answer = "";
int[] type = new int[8];
// R T C F J M A N
string[] types = new string[8] {"R", "T", "C", "F", "J", "M", "A", "N"};
for(int i = 0;i<survey.Length;i++)
{
if((survey[i])[0] == 'A')
{
if(choices[i] >= 4)
{
type[7] += choices[i]-4;
}
else
{
type[6] += 4-choices[i];
}
}
else if((survey[i])[0] == 'N')
{
if(choices[i] >= 4)
{
type[6] += choices[i]-4;
}
else
{
type[7] += 4-choices[i];
}
}
else if((survey[i])[0] == 'C')
{
if(choices[i] >= 4)
{
type[3] += choices[i]-4;
}
else
{
type[2] += 4-choices[i];
}
}
else if((survey[i])[0] == 'F')
{
if(choices[i] >= 4)
{
type[2] += choices[i]-4;
}
else
{
type[3] += 4-choices[i];
}
}
else if((survey[i])[0] == 'M')
{
if(choices[i] >= 4)
{
type[4] += choices[i]-4;
}
else
{
type[5] += 4-choices[i];
}
}
else if((survey[i])[0] == 'J')
{
if(choices[i] >= 4)
{
type[5] += choices[i]-4;
}
else
{
type[4] += 4-choices[i];
}
}
else if((survey[i])[0] == 'R')
{
if(choices[i] >= 4)
{
type[1] += choices[i]-4;
}
else
{
type[0] += 4-choices[i];
}
}
else if((survey[i])[0] == 'T')
{
if(choices[i] >= 4)
{
type[0] += choices[i]-4;
}
else
{
type[1] += 4-choices[i];
}
}
}
for(int i = 0;i<4;i++)
{
if(type[2*i] >= type[2*i+1])
{
answer += types[2*i];
}
else
{
answer += types[2*i+1];
}
}
return answer;
}
}
/// 완전 노가다로 풀었다.
딕셔너리를 활용하는 거였다.
using System;
using System.Collections.Generic;
public class Solution {
public string solution(string[] survey, int[] choices) {
Dictionary<string, int> result = new Dictionary<string, int>
{
{"R",0}, {"T",0}, {"C",0}, {"F",0}, {"J",0}, {"M",0}, {"A",0}, {"N",0}
};
for (int i=0; i<survey.Length; i++)
{
int values=0;
string valueName="";
if (choices[i] >= 4)
{
values = 4-choices[i];
valueName=survey[i][0].ToString();
}
else
{
values = choices[i]-4;
valueName=survey[i][1].ToString();
}
result[valueName] += values;
}
return MBTI(result);
}
public string MBTI(Dictionary<string, int> result)
{
string answer = result["R"] < result["T"] ? "T" : "R";
answer += result["C"] < result["F"] ? "F" : "C";
answer += result["J"] < result["M"] ? "M" : "J";
answer += result["A"] < result["N"] ? "N" : "A";
// 점수가 낮을 수록(마이너스 절대값이 클 수록) 선택되도록 설계
return answer;
}
}
파이썬
def solution(survey, choices):
my_dict = {"RT":0,"CF":0,"JM":0,"AN":0}
for A,B in zip(survey,choices):
if A not in my_dict.keys():
A = A[::-1]
my_dict[A] -= B-4
else:
my_dict[A] += B-4
result = ""
for name in my_dict.keys():
if my_dict[name] > 0:
result += name[1]
elif my_dict[name] < 0:
result += name[0]
else:
result += sorted(name)[0]
return result
자바
//////
import java.util.HashMap;
class Solution {
public String solution(String[] survey, int[] choices) {
String answer = "";
HashMap<Character, Integer> map = new HashMap<>();
map.put('R', 0);map.put('T', 0);
map.put('C', 0);map.put('F', 0);
map.put('J', 0);map.put('M', 0);
map.put('A', 0);map.put('N', 0);
for (int i = 0; i < survey.length; i++) {
if (choices[i] > 4)
map.put(survey[i].charAt(1), map.get(survey[i].charAt(1)) + choices[i] - 4);
else if (choices[i] < 4) {
map.put(survey[i].charAt(0), map.get(survey[i].charAt(0)) + 4 - choices[i]);
}
}
if (map.get('R') >= map.get('T'))
answer = "R";
else
answer = "T";
if (map.get('C') >= map.get('F'))
answer += "C";
else
answer += "F";
if (map.get('J') >= map.get('M'))
answer += "J";
else
answer += "M";
if (map.get('A') >= map.get('N'))
answer += "A";
else
answer += "N";
return answer;
}
}
import java.util.HashMap;
class Solution {
public String solution(String[] survey, int[] choices) {
String answer = "";
char [][] type = {{'R', 'T'}, {'C', 'F'}, {'J', 'M'}, {'A', 'N'}};
int [] score = {0, 3, 2, 1, 0, 1, 2, 3};
HashMap<Character, Integer> point = new HashMap<Character, Integer>();
// 점수 기록할 배열 초기화
for (char[] t : type) {
point.put(t[0], 0);
point.put(t[1], 0);
}
// 점수 기록
for (int idx = 0; idx < choices.length; idx++){
if(choices[idx] > 4){
point.put(survey[idx].charAt(1), point.get(survey[idx].charAt(1)) + score[choices[idx]]);
} else {
point.put(survey[idx].charAt(0), point.get(survey[idx].charAt(0)) + score[choices[idx]]);
}
}
// 지표 별 점수 비교 후 유형 기입
for (char[] t : type) {
answer += (point.get(t[1]) <= point.get(t[0])) ? t[0] : t[1];
}
return answer;
}
}
'프로그래밍' 카테고리의 다른 글
프로그래머스 C# 콜라 문제(P, J) (0) | 2023.02.06 |
---|---|
프로그래머스 C# 없는 숫자 더하기(P, J) (0) | 2023.02.06 |
프로그래머스 레벨1 C# 삼총사(3중 for문, 파이썬, 자바) (0) | 2023.02.05 |
프로그래머스 C# 나머지가 1이 되는 수 찾기(파이썬, 자바) (0) | 2023.02.05 |
프로그래머스 C# 음양 더하기(파이썬, 자바) (0) | 2023.02.05 |
글
프로그래머스 레벨1 C# 삼총사(3중 for문, 파이썬, 자바)
using System;
public class Solution {
public int solution(int[] number) {
int answer = 0;
for(int i = 0;i<number.Length;i++)
{
for(int j = i+1;j<number.Length;j++)
{
for(int k = j+1;k<number.Length;k++)
{
if(number[i]+number[j]+number[k]==0)
{
answer++;
}
}
}
}
return answer;
}
}
// number의 길이가 그렇게 길지 않아서 걍 포문을 돌렸다.
파이썬
////
def solution(number):
answer = 0
l = len(number)
for i in range(l-2):
for j in range(i+1, l-1):
for k in range(j+1, l):
# print(number[i],number[j],number[k])
if number[i]+number[j]+number[k] == 0:
answer += 1
return answer
////
from itertools import combinations
def solution(number):
answer = 0
for c in combinations(range(len(number)), 3):
if sum([number[int(i)] for i in c]) == 0:
answer += 1
return answer
자바
////
class Solution {
public int solution(int[] number) {
int answer = 0;
for(int i=0; i<number.length-2; i++)
{
for(int j=i+1; j<number.length-1; j++)
{
for(int k=j+1; k<number.length; k++)
{
if(number[i]+number[j]+number[k]==0)
answer++;
}
}
}
return answer;
}
}
'프로그래밍' 카테고리의 다른 글
프로그래머스 C# 없는 숫자 더하기(P, J) (0) | 2023.02.06 |
---|---|
프로그래머스 C# 성격 유형 검사하기(파이썬, 자바) dictionary (0) | 2023.02.05 |
프로그래머스 C# 나머지가 1이 되는 수 찾기(파이썬, 자바) (0) | 2023.02.05 |
프로그래머스 C# 음양 더하기(파이썬, 자바) (0) | 2023.02.05 |
프로그래머스 C# H-Index(Array.Sort(), 파이썬, 자바) (0) | 2023.02.04 |
글
프로그래머스 C# 나머지가 1이 되는 수 찾기(파이썬, 자바)
using System;
public class Solution {
public int solution(int n) {
int answer = 0;
for(int i = 2;i<n;i++)
{
if(n%i == 1)
{
answer = i;
return i;
}
}
return answer;
}
}
파이썬
////
def solution(n):
if not 3 <= n <= 1000000 :
return False
answer = 2
while True :
if n % answer == 1 :
break
else :
answer += 1
return answer
def solution(n):
answer = min([x for x in range(1, n+1) if n % x == 1])
return answer
자바
/////
class Solution {
public int solution(int n) {
int answer = 0;
for (int i=2; i<n; i++)
{
if (n % i == 1)
{
answer = i;
break;
}
}
return answer;
}
}
'프로그래밍' 카테고리의 다른 글
프로그래머스 C# 성격 유형 검사하기(파이썬, 자바) dictionary (0) | 2023.02.05 |
---|---|
프로그래머스 레벨1 C# 삼총사(3중 for문, 파이썬, 자바) (0) | 2023.02.05 |
프로그래머스 C# 음양 더하기(파이썬, 자바) (0) | 2023.02.05 |
프로그래머스 C# H-Index(Array.Sort(), 파이썬, 자바) (0) | 2023.02.04 |
프로그래머스 C# 배열 두 배 만들기(P, J) (0) | 2023.02.04 |
글
프로그래머스 C# 음양 더하기(파이썬, 자바)
using System;
public class Solution {
public int solution(int[] absolutes, bool[] signs) {
int answer = 0;
for(int i = 0;i<absolutes.Length;i++)
{
if(signs[i] == true)
{
answer += absolutes[i];
}
else
{
answer += -1 * absolutes[i];
}
}
return answer;
}
}
////////
파이썬
def solution(absolutes, signs):
answer=0
for absolute,sign in zip(absolutes,signs):
if sign:
answer+=absolute
else:
answer-=absolute
return answer
자바
//////
class Solution {
public int solution(int[] absolutes, boolean[] signs) {
int answer = 0;
for (int i=0; i<signs.length; i++)
answer += absolutes[i] * (signs[i]? 1: -1);
return answer;
}
}
'프로그래밍' 카테고리의 다른 글
프로그래머스 레벨1 C# 삼총사(3중 for문, 파이썬, 자바) (0) | 2023.02.05 |
---|---|
프로그래머스 C# 나머지가 1이 되는 수 찾기(파이썬, 자바) (0) | 2023.02.05 |
프로그래머스 C# H-Index(Array.Sort(), 파이썬, 자바) (0) | 2023.02.04 |
프로그래머스 C# 배열 두 배 만들기(P, J) (0) | 2023.02.04 |
프로그래머스 C# 몫 구하기(개쉬움, 파이썬, 자바) (0) | 2023.02.02 |
글
북한 열병식 김정은 실종 시 관련주
국내에서는 북한의 열병식이 2월 8일 정도에 있을 것이라고 보고 있다고 한다. 이날은 북한 건군절 때문에 열병식을 하는 듯하다.
언론에서는 거의 보도가 되어 있지 않지만, 1월 1일 이후로 공식 행사에 김정은이 안나오고 있다. 35일 정도 실종된 상태인데, 2월 8일 정도에 있을 예정인 열병식에도 안 나온다면 기사가 나올 수도 있기는 하겠다.
열병식에는 솔직히 안나올 수도 있어서 그렇게 큰 문제는 아닐 수도 있다고 한다면, 김정일 생일인 2월 16일까지도 안 나타난다면 2020년처럼 건강 문제가 나올 수도 있을 거 같다.
북한에 다시 코로나가 심해졌다는 얘기가 있는데 김정은이 코로나에 걸렸을 수도 있고 그냥 코로나 걸릴 까봐 도망가 있을 수도 있는데 그건 모르겠다.
아무튼 김정은의 실종이 길어지면 방산주들이 긍정적이게 움직일 수도 있겠다.
방산주는 원래는 빅텍이 가장 강했지만 요즘은 그냥 대장주 없는 춘추전국시대에 가까운 상황이다.
보통 빅텍, 퍼스텍, 스페코, 한일단조 등이 번갈아 가면서 해먹고 있는 상황이다.
'이슈 주식 및 이슈' 카테고리의 다른 글
카카오는 에스엠 인수를 하지 않을 가능성이 높다고 생각 (0) | 2023.03.06 |
---|---|
카카오가 에스엠(SM)을 인수하려면 이렇게 하면 되는 거 아닌가? (0) | 2023.02.15 |
중국 산소포화도 측정기 판매 폭증 관련주 (0) | 2022.12.24 |
알츠하이머 치매 치료제 승인기대 관련주 (0) | 2022.12.21 |
중국 코로나 규제 완화 감기약 관련주 (0) | 2022.12.13 |
글
프로그래머스 C# H-Index(Array.Sort(), 파이썬, 자바)
using System;
using System.Linq;
public class Solution {
public int solution(int[] citations) {
int answer = 0;
Array.Sort(citations);
Array.Reverse(citations);
for(int i = 0;i<citations.Length;i++)
{
if(citations[i] >= i+1)
{
answer++;
}
}
return answer;
}
}
/////////////
//이건 아무리 봐도 설명이 부실했다. 예에 나온 것처럼 [3, 0, 6, 1, 5] 일때 인용이 많은 순서대로 정렬한 [6,5,3,1,0]에서 0번째 인덱스는 1보다 커야하고 1번째 인덱스는 2보다 커야하는 식으로
///내림차순으로 정렬된 어레이에서 처음부터 i 번째 어레이의 인덱스가 i+1보다 크지 않은 첫 번째 경우가 나올 때까지의 갯수를 구하는 건데 약간 설명이 애매하게 돼 있다.
파이썬
def solution(citations):
citations.sort(reverse=True)
answer = max(map(min, enumerate(citations, start=1)))
return answer
/////
def solution(citations):
citations = sorted(citations)
l = len(citations)
for i in range(l):
if citations[i] >= l-i:
return l-i
return 0
자바
import java.util.Arrays;
class Solution {
public int solution(int[] citations) {
int answer = 0;
Arrays.sort(citations);
for(int i=0; i<citations.length; i++)
{
int smaller = Math.min(citations[i], citations.length-i);
answer = Math.max(answer, smaller);
}
return answer;
}
}
'프로그래밍' 카테고리의 다른 글
프로그래머스 C# 나머지가 1이 되는 수 찾기(파이썬, 자바) (0) | 2023.02.05 |
---|---|
프로그래머스 C# 음양 더하기(파이썬, 자바) (0) | 2023.02.05 |
프로그래머스 C# 배열 두 배 만들기(P, J) (0) | 2023.02.04 |
프로그래머스 C# 몫 구하기(개쉬움, 파이썬, 자바) (0) | 2023.02.02 |
프로그래머스 C# 이진 변환 반환하기(이진수, 이진법 Convert.ToString) (0) | 2023.02.01 |
글
프로그래머스 C# 배열 두 배 만들기(P, J)
using System;
public class Solution {
public int[] solution(int[] numbers) {
int[] answer = new int[numbers.Length];
for(int i=0;i<numbers.Length;i++)
answer[i] = numbers[i] * 2;
return answer;
}
}
/////
파이썬
/////
def solution(numbers):
return [num*2 for num in numbers]
자바
class Solution {
public int[] solution(int[] numbers) {
int[] answer = {};
answer = new int[numbers.length];
for(int i=0; i<answer.length; i++)
{
answer[i] = numbers[i]*2;
}
return answer;
}
}
import java.util.*;
class Solution {
public ArrayList solution(int[] numbers) {
ArrayList<Integer> answer = new ArrayList<>();
for(int num : numbers)
{
answer.add(num*2);
}
return answer;
}
}
'프로그래밍' 카테고리의 다른 글
프로그래머스 C# 음양 더하기(파이썬, 자바) (0) | 2023.02.05 |
---|---|
프로그래머스 C# H-Index(Array.Sort(), 파이썬, 자바) (0) | 2023.02.04 |
프로그래머스 C# 몫 구하기(개쉬움, 파이썬, 자바) (0) | 2023.02.02 |
프로그래머스 C# 이진 변환 반환하기(이진수, 이진법 Convert.ToString) (0) | 2023.02.01 |
프로그래머스 C# 내적 (0) | 2023.02.01 |
글
프로그래머스 C# 몫 구하기(개쉬움, 파이썬, 자바)
using System;
public class Solution {
public int solution(int num1, int num2) {
int answer = num1/num2;
return answer;
}
}
파이썬
def solution(num1, num2):
return num1 // num2
////////
solution = int.__floordiv__
JAVA
class Solution {
public int solution(int num1, int num2) {
return num1/num2;
}
}
'프로그래밍' 카테고리의 다른 글
프로그래머스 C# H-Index(Array.Sort(), 파이썬, 자바) (0) | 2023.02.04 |
---|---|
프로그래머스 C# 배열 두 배 만들기(P, J) (0) | 2023.02.04 |
프로그래머스 C# 이진 변환 반환하기(이진수, 이진법 Convert.ToString) (0) | 2023.02.01 |
프로그래머스 C# 내적 (0) | 2023.02.01 |
C# 부족한 금액 계산하기 (0) | 2023.01.31 |