-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathstepping_numbers.cpp
108 lines (85 loc) · 2.07 KB
/
stepping_numbers.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
/* Problem Link - https://www.interviewbit.com/problems/stepping-numbers/
Problem Description
Given A and B you have to find all stepping numbers in range A to B.
The stepping number:
A number is called as a stepping number if the adjacent digits have a difference of 1.
e.g. 123 is stepping number, but 358 is not a stepping number
Input Format
First argument is an integer A.
Second argument is an integer B.
Output Format
Return a integer array sorted in ascending order denoting the stepping numbers between A and B.
Example Input
Input 1:
A = 10
B = 20
Example Output
Output 1:
[10, 12]
Example Explanation
Explanation 1:
All stepping numbers are 10 , 12
*/
//Problem Solution
#include <bits/stdc++.h>
using namespace std;
set<int> ans;
void recursor(int dor, int l_limit, int h_limit)
{
if(dor > h_limit) return;
if(dor>=l_limit && dor<=h_limit)
{
ans.insert(dor);
if(dor%10 == 9) recursor(dor*10+8, l_limit, h_limit);
else if(dor%10 == 0) recursor(dor*10+1, l_limit, h_limit);
else
{
recursor(dor*10+(dor%10-1), l_limit, h_limit);
recursor(dor*10+(dor%10+1), l_limit, h_limit);
}
}
else
{
if(dor%10 == 9) recursor(dor*10+8, l_limit, h_limit);
else if(dor%10 == 0) recursor(dor*10+1, l_limit, h_limit);
else
{
recursor(dor*10+(dor%10-1), l_limit, h_limit);
recursor(dor*10+(dor%10+1), l_limit, h_limit);
}
}
}
void helper(int A, int B)
{
vector<int> a;
vector<int> b;
int aa=A;
int bb=B;
while(aa>0)
{
int c = aa%10;
a.push_back(c);
aa/=10;
}
while(bb>0)
{
int c = bb%10;
b.push_back(c);
bb/=10;
}
for(int i=1; i<=9; i++)
{
recursor(i, A, B);
}
}
vector<int> Solution::stepnum(int A, int B) {
ans.clear();
helper(A, B);
vector<int> turner;
if( A == 0) turner.push_back(0);
for(auto itr=ans.begin(); itr!=ans.end(); itr++)
{
turner.push_back(*itr);
}
return turner;
}