• 전문가 요청 쿠폰 이벤트
때후
Bronze개인인증
팔로워0 팔로우
소개
등록된 소개글이 없습니다.
전문분야 등록된 전문분야가 없습니다.
판매자 정보
학교정보
입력된 정보가 없습니다.
직장정보
입력된 정보가 없습니다.
자격증
  • 입력된 정보가 없습니다.
판매지수
전체자료 6
검색어 입력폼
  • 판매자 표지 한성대학교 오XX 교수 컴퓨터 구조 토이컴(ToyCom)과제2
    한성대학교 오XX 교수 컴퓨터 구조 토이컴(ToyCom)과제2
    - ToyCom 구조명령어: 16bit데이터: 8bit프로그램 주소: 16bitbusHbus(파랑): 내부 bus중 상위 byteLbus(초록): 내부 bus중 하위 byteAbus(초록): ALU 출력기억장치(memory)총 64kBytestackRegisterPC[PCH:PCL] - 16bitIR[IRH:IRL] – 16bitSP – 16bitGeneral purpose register: R0 ~ R7 – 8bitSR – 8bitMAR – 16bitMBR – 8bit제어장치(control unit)명령어 사이클 코드(ICC): 하나의 명령어에서 단계 수를 카운트시퀀스 카운터(SCNT): micro-operation의 clock 수를 카운트
    학교| 2023.11.27| 14페이지| 3,000원| 조회(599)
    미리보기
  • 판매자 표지 한성대학교 자료구조 과제3
    한성대학교 자료구조 과제3
    자료구조 프로그래밍 과제#31. 프로그램 소스#include #include #include #include #define LENGTH 100#define TRUE 1#define FALSE 0#define MAX_STACK_SIZE 100typedef int element;typedef struct {element stack[MAX_STACK_SIZE];int top;} StackType;void init(StackType *s) {s->top = -1;}int is_empty(StackType *s){return (s->top == -1);}int is_full(StackType *s){return (s->top == (MAX_STACK_SIZE - 1));}void push(StackType *s, element item) {if (is_full(s)) {fprintf(stderr, "스택 포화 에러n");return;}else s->stack[++(s->top)] = item;}element peek(StackType *s) {if (is_empty(s)) {fprintf(stderr, "스택 공백 에러n");exit(1);}else return s->stack[s->top];}element pop(StackType *s) {if (is_empty(s)) {fprintf(stderr, "스택 공백 에러n"); exit(1);}else return s->stack[(s->top)--];}int prec(char op) {switch (op) {case '(': case ')': return 0;case '+': case '-': return 1;case '*': case '/': case '%': return 2;}return -1;}int check_matching(char *in){StackType s;char ch, open_ch;int i, n = strlen(in);init(&s);for (i = 0; i < n; i++) {ch = in[i];switch (ch) {case '(': case '[': case '{':push(&s, ch);break;case ')': case ']': case '}':if (is_empty(&s)) return FALSE;else {open_ch = pop(&s);if ((open_ch == '(' && ch != ')') || (open_ch == '[' && ch != ']') ||(open_ch == '{' && ch != '}')) {return FALSE;}break;}}}if (!is_empty(&s)) return FALSE;return TRUE;}void infix_to_postfix(char *infix, char *postfix) {StackType s;init(&s);while (*infix != '') {if (*infix == '(') {push(&s, *infix);infix++;}else if (*infix == ')') {while (peek(&s) != '(') {*postfix++ = pop(&s);*postfix++ = ' ';}pop(&s);infix++;}else if (*infix == '+' || *infix == '-' || *infix == '*' || *infix == '/' || *infix == '%') {while (!is_empty(&s) && (prec(*infix) = '0'&&*infix = '0' && *infix
    학교| 2023.06.28| 6페이지| 2,500원| 조회(196)
    미리보기
  • 판매자 표지 한성대학교 자료구조 과제2
    한성대학교 자료구조 과제2
    자료구조 프로그래밍 과제#21. 프로그램 소스#include #define MAX_TERMS 100typedef struct {int row;int col;int value;} element;typedef struct SparseMatrix {element data[MAX_TERMS];int rows; // 행의 개수int cols; // 열의 개수int terms; // 항의 개수} SparseMatrix;SparseMatrix x1 = { { { 1,1,5 },{ 2,2,9 } }, 3, 3, 2 };SparseMatrix y1 = { { { 0,0,5 },{ 2,2,9 } }, 3, 3, 2 };SparseMatrix x2 = { { { 0,0,1 },{ 0,1,2 },{ 0,2,3 },{ 1,0,1 },{ 1,1,2 },{ 1,2,3 },{ 2,0,1 },{ 2,1,2 },{ 2,2,3 } }, 3, 3, 9 };SparseMatrix y2 = { { { 0,0,1 },{ 0,1,1 },{ 0,2,1 },{ 1,0,1 },{ 1,1,1 },{ 1,2,1 },{ 2,0,1 },{ 2,1,1 },{ 2,2,1 } }, 3, 3, 9 };SparseMatrix x3 = { { { 0,0,7 },{ 0,2,2 },{ 1,2,3 },{ 2,0,7 } }, 3, 3, 4 };SparseMatrix y3 = { { { 0,1,5 },{ 0,2,8 },{ 1,2,4 },{ 2,0,4 },{ 2,2,1 } }, 3, 3, 5 };int main(){int i, j, k, n;int** arr_x1 = malloc(sizeof(int*) * x1.rows);for (i = 0; i < x1.rows; i++)arr_x1[i] = malloc(sizeof(int) * x1.cols);for (i = 0; i < x1.rows; i++){for (j = 0; j < x1.cols; j++)arr_x1[i][j] = 0;}for (i = 0; i < x1.terms; i++)arr_x1[x1.data[i].row][x1.data[i].col] = x1.data[i].value;for (i = 0; i < x1.rows; i++){for (j = 0; j < x1.cols; j++)printf("%d ", arr_x1[i][j]);printf("n");}printf("-------n");int** arr_y1 = malloc(sizeof(int*) * y1.rows);for (i = 0; i < y1.rows; i++)arr_y1[i] = malloc(sizeof(int) * y1.cols);for (i = 0; i < y1.rows; i++){for (j = 0; j < y1.cols; j++)arr_y1[i][j] = 0;}for (i = 0; i < y1.terms; i++)arr_y1[y1.data[i].row][y1.data[i].col] = y1.data[i].value;for (i = 0; i < y1.rows; i++){for (j = 0; j < y1.cols; j++)printf("%d ", arr_y1[i][j]);printf("n");}printf("=======n");int** mat_1 = malloc(sizeof(int*) * x1.rows);for (i = 0; i < x1.rows; i++)mat_1[i] = malloc(sizeof(int) * x1.cols);for (i = 0; i < x1.rows; i++){for (j = 0; j < x1.cols; j++)mat_1[i][j] = 0;}for (i = 0; i < x1.rows; i++){for (j = 0; j < x1.rows; j++){n = 0;for (k = 0; k < x1.rows; k++)mat_1[i][j] += arr_x1[i][k] * arr_y1[k][j];}}for (i = 0; i < x1.rows; i++){for (j = 0; j < x1.cols; j++)printf("%d ", mat_1[i][j]);printf("n");}printf("n");int** arr_x2 = malloc(sizeof(int*) * x2.rows);for (i = 0; i < x2.rows; i++)arr_x2[i] = malloc(sizeof(int) * x2.cols);for (i = 0; i < x2.rows; i++){for (j = 0; j < x2.cols; j++)arr_x2[i][j] = 0;}for (i = 0; i < x2.terms; i++)arr_x2[x2.data[i].row][x2.data[i].col] = x2.data[i].value;for (i = 0; i < x2.rows; i++){for (j = 0; j < x2.cols; j++)printf("%d ", arr_x2[i][j]);printf("n");}printf("-------n");int** arr_y2 = malloc(sizeof(int*) * y2.rows);for (i = 0; i < y2.rows; i++)arr_y2[i] = malloc(sizeof(int) * y2.cols);for (i = 0; i < y2.rows; i++){for (j = 0; j < y2.cols; j++)arr_y2[i][j] = 0;}for (i = 0; i < y2.terms; i++)arr_y2[y2.data[i].row][y2.data[i].col] = y2.data[i].value;for (i = 0; i < y2.rows; i++){for (j = 0; j < y2.cols; j++)printf("%d ", arr_y2[i][j]);printf("n");}printf("=======n");int** mat_2 = malloc(sizeof(int*) * x2.rows);for (i = 0; i < x2.rows; i++)mat_2[i] = malloc(sizeof(int) * x2.cols);for (i = 0; i < x2.rows; i++){for (j = 0; j < x2.cols; j++)mat_2[i][j] = 0;}for (i = 0; i < x2.rows; i++){for (j = 0; j < x2.rows; j++){n = 0;for (k = 0; k < x2.rows; k++)mat_2[i][j] += arr_x2[i][k] * arr_y2[k][j];}}for (i = 0; i < x2.rows; i++){for (j = 0; j < x2.cols; j++)printf("%d ", mat_2[i][j]);printf("n");}printf("n");int** arr_x3 = malloc(sizeof(int*) * x3.rows);for (i = 0; i < x3.rows; i++)arr_x3[i] = malloc(sizeof(int) * x3.cols);for (i = 0; i < x3.rows; i++){for (j = 0; j < x3.cols; j++)arr_x3[i][j] = 0;}for (i = 0; i < x3.terms; i++)arr_x3[x3.data[i].row][x3.data[i].col] = x3.data[i].value;for (i = 0; i < x3.rows; i++){for (j = 0; j < x3.cols; j++)printf("%d ", arr_x3[i][j]);printf("n");}printf("-------n");int** arr_y3 = malloc(sizeof(int*) * y3.rows);for (i = 0; i < y3.rows; i++)arr_y3[i] = malloc(sizeof(int) * y3.cols);for (i = 0; i < y3.rows; i++){for (j = 0; j < y3.cols; j++)arr_y3[i][j] = 0;}for (i = 0; i < y3.terms; i++)arr_y3[y3.data[i].row][y3.data[i].col] = y3.data[i].value;for (i = 0; i < y3.rows; i++){for (j = 0; j < y3.cols; j++)printf("%d ", arr_y3[i][j]);printf("n");}printf("=======n");int** mat_3 = malloc(sizeof(int*) * x3.rows);for (i = 0; i < x3.rows; i++)mat_3[i] = malloc(sizeof(int) * x3.cols);for (i = 0; i < x3.rows; i++){for (j = 0; j < x3.cols; j++)mat_3[i][j] = 0;}for (i = 0; i < x3.rows; i++){for (j = 0; j < x3.rows; j++){n = 0;for (k = 0; k < x3.rows; k++)mat_3[i][j] += arr_x3[i][k] * arr_y3[k][j];}}for (i = 0; i < x3.rows; i++){for (j = 0; j < x3.cols; j++)printf("%d ", mat_3[i][j]);printf("n");}printf("n");}2. 동작화면을 캡쳐한 그림3. 과제중 발생한 문제, 해결방법, 배운 것, 느낀 점발생한 문제, 해결 방법>>과제 주의사항을 안 읽고 일일이 배열별 곱했는데 너무 길어져서 이게 맞나 싶어서 과제를 다시 읽어보니 for loop를 이용하라고 나와있어서 처음부터 수정했습니다.배운 것, 느낀 점>>행렬에 대해 무지해서 유튜브를 통해 다시 한번 배우고 모르는 것을 더 알게 해주는 과제였던거 같습니다.
    학교| 2023.06.28| 6페이지| 2,500원| 조회(204)
    미리보기
  • 판매자 표지 한성대학교 자료구조 과제1
    한성대학교 자료구조 과제1
    자료구조 프로그래밍 과제#11. 프로그램 소스#include #include #define N_STUDENTS 4typedef struct student_info {char name[10];int height;float weight;} student_info;student_info students[N_STUDENTS] = {{ "이순신", 172, 83.4 },{ "홍길동", 167, 72.5 },{ "김유신", 159, 70.8 },{ "유관순", 163, 58.4 }};void print_students(student_info* student) {int i;for (i = 0; i
    학교| 2023.06.28| 3페이지| 2,500원| 조회(261)
    미리보기
  • 판매자 표지 한성대학교 위성정보처리 과제2
    한성대학교 위성정보처리 과제2
    위성정보처리(N)과제02보고서과 목 명위성정보처리(N)트 랙전자정보트랙학 번성 명제 출 일① Sobel 필터와 Roberts 필터를 적용한 경계선추출 결과영상을 제시하고, 차연산(grid difference) 등을 이용하여 결과를 분석하시오. Roberts 마스크 분석>>경계가 확실한 엣지(Edge)가 추출된다. 하지만 원본과 비슷하게 노이즈가 제거되지 않는 걸로 보아 노이즈에 약해보인다. Sobel필터 분석>>Sobel 마스크는 모든방향의 에지(Edge)를 검출하고 그중에서 대각선 방향의 에지에 더 뚜렷하게 반응한다. 노이즈도 윤곽선으로 인식하는 만큼 노이즈에 강한 면모를 보인다.E(x,y)= sqrt {E _{r}^{2} (x,y)+E _{c}^{2} (x,y)} 공식 적용(경계선추출(Edge Extraction))한 결과차연산(S-R) 결과 분석>>차연산을 한 결과를 보아 붉은색 cell (Roberts cell value>Sobel cell value)보다 파란색 cell (Roberts cell value>Grid Normalization 으로 Target range를 0~255로 바꿔준다.결과 분석>>DATA1의 경우 영상의 특성을 잘 나타낼 수 있도록 정규화한 영상의 강의 cell value와 나머지 cell value를 확인하고 임계값을 설정해서 강과 다른 부분을 잘 구분이 되었다. 나의 사진의 경우에는 옷의 cell value와 얼굴의 cell value를 확인하고 임계값을 설정하여 얼굴부분과 옷부분이 잘 구분 되었다. 두자료 모두 명암대비가 잘 되었다.(강cell value=0, 얼굴cell value=0으로 임계값 설정함)>>Contrast Stretching③ Morphology 필터의 4가지 연산을 수행하고, 처리 결과를 제시, 분석하시오.>팽창 연산을 통해 이미지에서 대상이 가지는 작은 구멍들이 채워졌다. 하지만 대상의 크기가 전체적으로 전보다 커졌고 노이즈 성분이 커졌다.>침식 연산을 통해 이미지에서 원하지 않는 작은 노이즈들을 제거되었다. 하지만 노이즈 성분이 제거되는 것뿐만 아니라 대상의 영역이 줄어들게 되었다.>침식연산을 통해 전보다 잡음이 제거된 후 팽창연산을 통해 크기가 줄어든 영역을 다시 키워졌다.
    학교| 2023.06.28| 9페이지| 3,000원| 조회(113)
    미리보기
전체보기
해캠 AI 챗봇과 대화하기
챗봇으로 간편하게 상담해보세요.
2026년 03월 30일 월요일
AI 챗봇
안녕하세요. 해피캠퍼스 AI 챗봇입니다. 무엇이 궁금하신가요?
11:08 오전
문서 초안을 생성해주는 EasyAI
안녕하세요 해피캠퍼스의 20년의 운영 노하우를 이용하여 당신만의 초안을 만들어주는 EasyAI 입니다.
저는 아래와 같이 작업을 도와드립니다.
- 주제만 입력하면 AI가 방대한 정보를 재가공하여, 최적의 목차와 내용을 자동으로 만들어 드립니다.
- 장문의 콘텐츠를 쉽고 빠르게 작성해 드립니다.
- 스토어에서 무료 이용권를 계정별로 1회 발급 받을 수 있습니다. 지금 바로 체험해 보세요!
이런 주제들을 입력해 보세요.
- 유아에게 적합한 문학작품의 기준과 특성
- 한국인의 가치관 중에서 정신적 가치관을 이루는 것들을 문화적 문법으로 정리하고, 현대한국사회에서 일어나는 사건과 사고를 비교하여 자신의 의견으로 기술하세요
- 작별인사 독후감