哈尔滨理工大学第七届程序设计竞赛决赛(网络赛-高年级组)D 数圈圈

时间:2022-12-16 09:53:55

时间限制:C/C++ 1秒,其他语言2秒
空间限制:C/C++ 32768K,其他语言65536K
64bit IO Format: %lld

题目描述

tabris有一个习惯,无聊的时候就会数圈圈,无论数字还是字母。
现在tabris更无聊啦,晚上睡不着觉就开始数羊,从a只数到b只。
顺便还数了a到b之间有多少个圈。

但是tabris笨啊,虽然数羊不会数错,但很可能数错圈的个数。
但是tabris很难接受自己笨这个事实,所以想问问你他一共应该数出多少个圈,这样tabris才好判断他到底笨不笨啊。 

输入描述:

 
 
输入一个T,表示数据组数
每组测试数据包含两个正整数a,b。
T∈[1,1000]
a,b∈[1,10 14]

输出描述:

每组数据输出结果,并换行。
示例1

输入

11
1 1
2 2
3 3
4 4
5 5
6 6
7 7
8 8
9 9
10 10
1 100

输出

0
0
0
1
0
1
0
2
1
1
111

备注:

数字的圈的个数请根据样例自行理解。
      这个题的最后一句备注,圈的理解,,,实在是需要理解的:0、4、6、9是一个圈圈,8是两个圈圈,为啥呢,因为围成了这么个圈圈。

      然后做法就是数位dp,和之前专题里做的一个how many zeros 一个意思的,按数位按个判断求结果就好了。

代码如下:

#include<iostream>
#include<cstring>
using namespace std;
typedef long long LL;
LL dp[20][200];
int bit[20];
// 数位 个数 前导0 上界
LL dfs(int pos, int sta, bool lead, bool limit)
{
if(pos==-1)
{
if(lead)
return 1;
return sta;
}
if(!lead && !limit && dp[pos][sta]!=-1)
return dp[pos][sta];
int up=limit?bit[pos]:9;
LL temp=0;
for(int i=0; i<=up; i++)
{
if(lead==1 && i==0)//一直是0的情况
temp+=dfs(pos-1, 0, i==0, limit && i==up);
else//否则 出现哪个 temp + 几个
{
if(i==0)
{
temp+=dfs(pos-1, sta+1, 0, limit && i==up);
}
else if(i==4)
{
temp+=dfs(pos-1, sta+1, 0, limit && i==up);
}
else if(i==6)
{
temp+=dfs(pos-1, sta+1, 0, limit && i==up);
}
else if(i==9)
{
temp+=dfs(pos-1, sta+1, 0, limit && i==up);
}
else if(i==8)
{
temp+=dfs(pos-1, sta+2, 0, limit && i==up);
}
else
temp+=dfs(pos-1, sta, 0, limit && i==up);
}
}
if(!limit && !lead)
dp[pos][sta]=temp;
return temp;
}
LL solve(LL x)
{
int pos=0;
while(x)
{
bit[pos++]=x%10;
x/=10;
}
return dfs(pos-1, 0, 1, 1);//有前导0 有上界
}
int main()
{
int T;
LL le, ri;
memset(dp, -1, sizeof(dp));
cin>>T;
while(T--)
{
cin>>le>>ri;
cout<<solve(ri)-solve(le-1)<<endl;
}
return 0;
}