100 可以表示为带分数的形式:100=3+69258/714
还可以表示为:100=82+3546/197
注意特征:带分数中,数字 1∼9
分别出现且只出现一次(不包含 0)。
类似这样的带分数,100
有 11种表示法。
输入格式
一个正整数。
输出格式
输出输入数字用数码 1∼9
不重复不遗漏地组成带分数表示的全部种数。
数据范围
1≤N<106
思路:
暴力枚举出9个数的全排列,然后用一个长度为9的数组保存全排列的结果
从全排列的结果中用两重循环暴力分解出三段,每段代表一个数
验证枚举出来的三个数是否满足题干条件,若满足则计数
01递归枚举实现
#include<iostream>
#include<cstdio>
#include<cstring>
using namespace std;
const int N = 11;
int a, b, c;
int target,cnt;
int note[N];//记录全排列
bool used[N];//记录某数是否被用过
int calc(int l,int r)
{
int res = 0;
for (int i = l; i <= r; i++)
{
res = res * 10 + note[i];
}
return res;
}
void dfs(int u)
{
if (u== 10)//边界 开始双重循环插板
{
for (int i = 1; i < 8; i++)//第一个板子
{
for (int j = i + 1; j < 9; j++)//第二个板子
{
a = calc(1, i);
b = calc(i + 1, j);
c = calc(j+1, 9);
if (a * c + b == c * target)
cnt++;
}
}
return;
}
//全排列
for (int i = 1; i <= 9; i++)
{
if (!used[i])
{
used[i] = true;
note[u] = i;//注意note[u],不是note[i],调了半天才发现
dfs(u + 1);
//恢复现场
used[i] = false;
note[u] = 0;
}
}
}
int main()
{
scanf_s("%d", &target);
dfs(1);
printf("%d", cnt);
return 0;
}
02next_permulation替换全排列
#include<iostream>
#include<cstdio>
#include<cstring>
#include<algorithm>
using namespace std;
const int n = 11;
int a, b, c;
int target;
int note[n];
int calc(int l, int r)
{
int res = 0;
for (int i = l; i <= r; i++)
{
res = res * 10 + note[i];
}
return res;
}
int main()
{
scanf_s("%d", &target);
for (int i = 0; i < 9; i++)
note[i] = i+1;
int cnt = 0;
do {
for (int i = 0; i < 7; i++)//第一个板子
{
for (int j = i + 1; j < 8; j++)//第二个板子
{
a = calc(0, i);
b = calc(i + 1, j);
c = calc(j + 1, 8);
if (a * c + b == c * target)
cnt++;
}
}
} while (next_permutation(note, note + 9));
printf("%d", cnt);
return 0;
}