함수형 프로그래밍 스타일의 전제 조건은 일류 함수입니다. 다음에 견딜 수 있다면 휴대용 C로 시뮬레이션 할 수 있습니다.
- 어휘 범위 바인딩의 수동 관리, 일명 폐쇄.
- 함수 변수 수명의 수동 관리.
- 함수 응용 프로그램 / 호출의 대체 구문
/*
* with constraints desribed above we could have
* good approximation of FP style in plain C
*/
int increment_int(int x) {
return x + 1;
}
WRAP_PLAIN_FUNCTION_TO_FIRST_CLASS(increment, increment_int);
map(increment, list(number(0), number(1)); // --> list(1, 2)
/* composition of first class function is also possible */
function_t* computation = compose(
increment,
increment,
increment
);
*(int*) call(computation, number(1)) == 4;
이러한 코드의 런타임은 다음과 같이 작을 수 있습니다.
struct list_t {
void* head;
struct list_t* tail;
};
struct function_t {
void* (*thunk)(list_t*);
struct list_t* arguments;
}
void* apply(struct function_t* fn, struct list_t* arguments) {
return fn->thunk(concat(fn->arguments, arguments));
}
/* expansion of WRAP_PLAIN_FUNCTION_TO_FIRST_CLASS */
void* increment_thunk(struct list_t* arguments) {
int x_arg = *(int*) arguments->head;
int value = increment_int(x_arg);
int* number = malloc(sizeof *number);
return number ? (*number = value, number) : NULL;
}
struct function_t* increment = &(struct function_t) {
increment_thunk,
NULL
};
/* call(increment, number(1)) expands to */
apply(increment, &(struct list_t) { number(1), NULL });
본질적으로 우리는 함수 / 인수와 매크로의 쌍으로 표현 된 클로저로 일등 함수를 모방합니다. 전체 코드는 여기 에서 찾을 수 있습니다 .