-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathdynamicprogramming5.cpp
127 lines (105 loc) · 2.75 KB
/
dynamicprogramming5.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
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
// {"category": "DP", "notes": "Build a sentence of words from string"}
#include <SDKDDKVer.h>
#include <stdio.h>
#include <tchar.h>
#include <iostream>
#include <map>
#include <vector>
#include <Windows.h>
using namespace std;
//------------------------------------------------------------------------------
//
// Given an original string of letters such as "catsanddogs", and a dictionary,
// determine if the string can be broken into a sentence of words using only
// the values in the dictionary.
//
//------------------------------------------------------------------------------
//------------------------------------------------------------------------------
//
// Implementation
//
//------------------------------------------------------------------------------
enum CacheState
{
Undefined = 0,
Exists = 1,
DoesNotExist = 2,
};
bool StringMatching(
string input,
map<string, CacheState>& wordCache,
vector<string>& output)
{
switch (wordCache[input])
{
case Exists:
output.push_back(input);
return true;
case DoesNotExist:
return false;
}
bool match = false;
for (string::size_type i = input.length() - 1; i > 0; i--)
{
string right = input.substr(i);
if (Exists == wordCache[right])
{
string left = input.substr(0, i);
vector<string> subout;
if (StringMatching(left, wordCache, subout))
{
for (vector<string>::size_type j = 0; j < subout.size(); j++)
{
output.push_back(subout[j] + " " + right);
}
match = true;
}
else
{
wordCache[left] = DoesNotExist;
}
}
}
return match;
}
//------------------------------------------------------------------------------
//
// Demo execution
//
//------------------------------------------------------------------------------
int _tmain(int argc, _TCHAR* argv[])
{
LPCSTR dictionary[] =
{
"cat",
"cats",
"sand",
"and",
"dogs",
};
map<string, CacheState> wordCache;
for (int i = 0; i < ARRAYSIZE(dictionary); i++)
{
wordCache[string(dictionary[i])] = Exists;
}
LPCSTR tests[] =
{
"batsanddogs",
"batsandcats",
"ratsandcats",
"ratsanddogs",
"catsanddogs",
};
for (int i = 0; i < ARRAYSIZE(tests); i++)
{
vector<string> output;
if (StringMatching(string(tests[i]), wordCache, output))
{
for (vector<string>::size_type j = 0; j < output.size(); j++)
{
cout << output[j].c_str() << endl;
}
}
}
return 0;
}