Created
November 5, 2016 04:08
-
-
Save tamarous/05f89cc94afddb111c6171ab6aab44ad to your computer and use it in GitHub Desktop.
从前序和中序中重建后序
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <stdio.h> | |
#include <stdlib.h> | |
#include <string.h> | |
#include <stddef.h> | |
#define MAX 64 | |
typedef char elem_t; | |
typedef struct node_t { | |
elem_t element; | |
struct node_t *left; | |
struct node_t *right; | |
} node_t; | |
void build_post(const char *pre, const char *in, const int n, char *post) | |
{ | |
int left_len = strchr(in, pre[0]) - in; | |
if ( n < 0) | |
return; | |
build_post(pre+1, in, left_len, post); | |
build_post(pre+left_len+1, in+left_len+1, n-left_len-1, post+left_len); | |
post[n-1] = pre[0]; | |
} | |
void build_post_test() { | |
char pre[MAX] = {0}; | |
char in[MAX] = {0}; | |
char post[MAX] = {0}; | |
int n ; | |
scanf("%s%s",pre, in ); | |
n = strlen(pre); | |
build_post(pre, in, n, post); | |
printf("%s\n", post); | |
} | |
void rebuild(const char *pre, const char *in, int n, node_t **root) { | |
int left_len ; | |
if (n <= 0 || pre == NULL || in == NULL) { | |
return; | |
} | |
*root = (node_t *)malloc(sizeof(struct node_t)); | |
(*root)->element = *pre; | |
(*root)->left = NULL; | |
(*root)->right = NULL; | |
left_len = strchr(in, pre[0]) - in; | |
rebuild(pre+1, in,left_len, &((*root)->left)); | |
rebuild(pre+left_len+1, in+left_len+1, n - left_len-1, &((*root)->right)); | |
} | |
void print_post_order(const node_t * root) { | |
if (root != NULL) { | |
print_post_order(root->left); | |
print_post_order(root->right); | |
printf("%c\n", root->element ); | |
} | |
} | |
void rebuild_test() { | |
char pre[MAX] = {0}; | |
char in[MAX] = {0}; | |
int n; | |
node_t *root; | |
scanf("%s%s",pre, in); | |
n = strlen(pre); | |
rebuild(pre,in,n, &root); | |
print_post_order(root); | |
} | |
int main() | |
{ | |
build_post_test(); | |
rebuild_test(); | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment