문자열 ----출력 문자열 모든 조합

1611 단어
방법1: 문자열을 반복해서 모든 문자는 가져오거나 가져오지 않습니다.이 문자를 찾으면 결과 문자열에 문자를 넣고 반복이 끝나면 결과 문자열을 출력합니다.
#include 
#include 
#define MAXSIZE 1024
#define MAXLENGTH 64

void CombineRecursiveImpl(const char *str, char *begin, char *end)
{
	if (*str == 0)
	{
		*end = 0;
		if (begin != end)
			printf("%s ", begin);
		return;
	}
	CombineRecursiveImpl(str + 1, begin, end);
	*end = *str;
	CombineRecursiveImpl(str + 1, begin, end + 1);
}

void CombineRecursive(const char str[])
{
	if (str == NULL)
		return;
	char result[MAXLENGTH];
	CombineRecursiveImpl(str, result, result);
}

int main()
{
	char str[MAXSIZE];
	gets(str);
	CombineRecursive(str);
	return 0;
}

방법2: N이 크면 귀속 효율이 매우 떨어진다. 창고 호출 횟수가 약 2^n이고 꼬리 귀속 최적화 후 2^(n-1)가 있기 때문이다.효율을 높이기 위해, 출력 결과에 어떤 문자가 포함되어 있는지 표시하는 길이가 n인 01 문자열 (또는 이진수) 을 구성할 수 있습니다.예를 들어'001'은 출력에 문자 a, b가 없고 c만 있고'101'은 출력 결과가 ac라는 것을 나타낸다. 즉'001'~'111'이라는 2^n-1개의 조합에 대응하는 문자열을 출력한다는 뜻이다.
#include
#include
#define MAXLENGTH 64

void Combine(const char str[])
{
	if (str == NULL || *str == 0)
		return;
	int len = strlen(str);
	bool used[MAXLENGTH] = { 0 };
	char cache[MAXLENGTH];
	char *result = cache + len;
	*result = 0;
	while (1)
	{
		int index = 0;
		while (used[index])
		{
			used[index] = false;
			++result;
			if (++index == len)
				return;
		}
		used[index] = true;
		*--result = str[index];
		printf("%s ", result);
	}
}

int main()
{
	Combine("abc");
	printf("
"); return 0; }

좋은 웹페이지 즐겨찾기