Обычно проблемы такого типа решаются с помощью Пытается . Я буду основывать свою реализацию Trie на Как создать Trie в C # (но обратите внимание, что я переписал его).
var trie = new Trie(new[] { "un", "que", "stio", "na", "ble", "qu", "es", "ti", "onable", "o", "nable" });
//var trie = new Trie(new[] { "u", "n", "q", "u", "e", "s", "t", "i", "o", "n", "a", "b", "l", "e", "un", "qu", "es", "ti", "on", "ab", "le", "nq", "ue", "st", "io", "na", "bl", "unq", "ues", "tio", "nab", "nqu", "est", "ion", "abl", "que", "stio", "nab" });
var word = "unquestionable";
var parts = new List<List<string>>();
Split(word, 0, trie, trie.Root, new List<string>(), parts);
//
public static void Split(string word, int index, Trie trie, TrieNode node, List<string> currentParts, List<List<string>> parts)
{
// Found a syllable. We have to split: one way we take that syllable and continue from it (and it's done in this if).
// Another way we ignore this possible syllable and we continue searching for a longer word (done after the if)
if (node.IsTerminal)
{
// Add the syllable to the current list of syllables
currentParts.Add(node.Word);
// "covered" the word with syllables
if (index == word.Length)
{
// Here we make a copy of the parts of the word. This because the currentParts list is a "working" list and is modified every time.
parts.Add(new List<string>(currentParts));
}
else
{
// There are remaining letters in the word. We restart the scan for more syllables, restarting from the root.
Split(word, index, trie, trie.Root, currentParts, parts);
}
// Remove the syllable from the current list of syllables
currentParts.RemoveAt(currentParts.Count - 1);
}
// We have covered all the word with letters. No more work to do in this subiteration
if (index == word.Length)
{
return;
}
// Here we try to find the edge corresponding to the current character
TrieNode nextNode;
if (!node.Edges.TryGetValue(word[index], out nextNode))
{
return;
}
Split(word, index + 1, trie, nextNode, currentParts, parts);
}
public class Trie
{
public readonly TrieNode Root = new TrieNode();
public Trie()
{
}
public Trie(IEnumerable<string> words)
{
this.AddRange(words);
}
public void Add(string word)
{
var currentNode = this.Root;
foreach (char ch in word)
{
TrieNode nextNode;
if (!currentNode.Edges.TryGetValue(ch, out nextNode))
{
nextNode = new TrieNode();
currentNode.Edges[ch] = nextNode;
}
currentNode = nextNode;
}
currentNode.Word = word;
}
public void AddRange(IEnumerable<string> words)
{
foreach (var word in words)
{
this.Add(word);
}
}
}
public class TrieNode
{
public readonly Dictionary<char, TrieNode> Edges = new Dictionary<char, TrieNode>();
public string Word { get; set; }
public bool IsTerminal
{
get
{
return this.Word != null;
}
}
}
word
- это строка, которая вас интересует, parts
будет содержать список списков возможных слогов (возможно, было бы правильнее сделать это List<string[]>
, но это довольно легко сделать. Вместо этого из parts.Add(new List<string>(currentParts));
напишите parts.Add(currentParts.ToArray());
и измените все List<List<string>>
на List<string[]>
.
Я добавлю вариант ответа на загадку, который там намного быстрее, чем его, потому что он отбрасывает неправильные слоги сразу, а не фильтрует их позже. Если вам это нравится, вы должны дать ему +1, потому что без его идеи этот вариант был бы невозможен. Но обратите внимание, что это все еще взломать. «Правильное» решение заключается в использовании Trie (s): -)
Func<string, bool> isSyllable = t => Regex.IsMatch(t, "^(un|que|stio|na|ble|qu|es|ti|onable|o|nable)$");
Func<string, IEnumerable<string[]>> splitter = null;
splitter =
t =>
(
from n in Enumerable.Range(1, t.Length - 1)
let s = t.Substring(0, n)
where isSyllable(s)
let e = t.Substring(n)
let f = splitter(e)
from g in f
select (new[] { s }).Concat(g).ToArray()
)
.Concat(isSyllable(t) ? new[] { new string[] { t } } : new string[0][]);
var parts = splitter(word).ToList();
Объяснение:
from n in Enumerable.Range(1, t.Length - 1)
let s = t.Substring(0, n)
where isSyllable(s)
Мы вычисляем все возможные слоги слова, от длины 1 до длины слова - 1, и проверяем, является ли это слогом. Мы отсеивали непосредственно неслоги. Полное слово в слоге будет проверено позже.
let e = t.Substring(n)
let f = splitter(e)
Ищем слоги оставшейся части строки
from g in f
select (new[] { s }).Concat(g).ToArray()
И мы связываем найденные слоги с «текущим» слогом. Обратите внимание, что мы создаем много бесполезных массивов. Если в результате мы получим IEnumerable<IEnumerable<string>>
, мы можем забрать это ToArray
.
(мы могли бы переписать много строк вместе, удалив множество let
, например
from g in splitter(t.Substring(n))
select (new[] { s }).Concat(g).ToArray()
но мы не будем делать это для ясности)
И мы объединяем «текущий» слог с найденными слогами.
.Concat(isSyllable(t) ? new[] { new string[] { t } } : new string[0][]);
Здесь мы могли бы немного перестроить запрос, чтобы не использовать это Concat
и создавать пустые массивы, но это было бы немного сложно (мы могли бы переписать всю лямбда-функцию как isSyllable(t) ? new[] { new string[] { t } }.Concat(oldLambdaFunction) : oldLambdaFunction
)
В конце концов, если все слово является слогом, мы добавляем все слово как слог. В противном случае мы Concat
пустой массив (поэтому нет Concat
)