728x90
https://www.hackerrank.com/challenges/time-conversion/problem
hh:mm:ssAM
hh:mm:ssPM 의 12시간 형식으로 사용자가 입력하면 24시간 형식으로 변환해 출력하는 프로그램이다.
문자열 관련 함수를 사용하지 않은지 오래된 것 같아서 최대한 사용하려고 했다.
strtok( 자를 문자열, 기준 문자 ): 문자열을 자르는 함수 >> >> 처음에만 자를 문자열의 이름을 넣어주고, 그 다음부터는 NULL을 넣어야 한다.
(참고: https://dojang.io/mod/page/view.php?id=376 )
문자열을 자르고 없애는 것이 아니라 문자열을 자르고 그 시작 부분의 주소값으로 포인터로 반환하는 것이다.
strcpy( 복사한 문자열을 붙여넣을 문자열, 복사할 문자열)
strncpy( 복사한 문자열을 붙여넣을 문자열, 복사할 문자열, 복사할 문자의 수)
strcat( 붙여질 문자열, 붙일 문자/열)
strncat( 붙여질 문자열, 붙일 문자/열, 개수)
#include <assert.h>
#include <limits.h>
#include <math.h>
#include <stdbool.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
char* readline();
/*
* Complete the timeConversion function below.
*/
char* timeConversion(char* s) {
char *result = malloc(sizeof(char)*15);
char *hh, *mm, *ss;
hh = strtok(s,":");
mm = strtok(NULL,":");
ss=malloc(sizeof(char)*3);
s = &s[6];
strncpy(ss, s,2);
int h=0;
if(s[2]=='P'){
h=10*(hh[0]-48)+(hh[1]-48);
if(h<12) h+=12;
if(h>24) h-=24;
hh[0] =(h/10)+48;
hh[1] =(h%10)+48;
}
else if(s[2]=='A'){
h=10*(hh[0]-48)+(hh[1]-48);
if(h>=12) h-=12;
hh[0] =(h/10)+48;
hh[1] =(h%10)+48;
}
strcpy(result, hh);
strcat(result, ":");
strcat(result, mm);
strcat(result, ":");
strncat(result, ss, 2);
return result;
}
int main()
{
FILE* fptr = fopen(getenv("OUTPUT_PATH"), "w");
char* s = readline();
char* result = timeConversion(s);
fprintf(fptr, "%s\n", result);
fclose(fptr);
return 0;
}
char* readline() {
size_t alloc_length = 1024;
size_t data_length = 0;
char* data = malloc(alloc_length);
while (true) {
char* cursor = data + data_length;
char* line = fgets(cursor, alloc_length - data_length, stdin);
if (!line) { break; }
data_length += strlen(cursor);
if (data_length < alloc_length - 1 || data[data_length - 1] == '\n') { break; }
size_t new_length = alloc_length << 1;
data = realloc(data, new_length);
if (!data) { break; }
alloc_length = new_length;
}
if (data[data_length - 1] == '\n') {
data[data_length - 1] = '\0';
}
data = realloc(data, data_length);
return data;
}
SMALL
'Programming > C C++' 카테고리의 다른 글
Grading Students (0) | 2020.08.01 |
---|---|
2D Array (0) | 2020.07.26 |
Sock Merchant (0) | 2020.07.19 |
Maximum Element (0) | 2020.07.13 |
Bon Appetit (0) | 2020.07.12 |