目前正在摆弄我正在做的一个小项目,这是一个倒计时类型的游戏(电视节目)。目前,该程序允许用户选择最多 9 个字母的元音或辅音,然后要求他们使用这 9 个字母输入他们能想到的最长单词。
我有一个大文本文件充当字典,我使用用户输入的字符串搜索它以尝试匹配结果以检查他们输入的单词是否是有效单词。我的问题是,我想在字典中搜索由九个字母组成的最长单词,但我似乎无法找到实现它的方法。
到目前为止,我已经尝试将每个单词放入一个数组并搜索每个元素以检查它是否包含字母,但如果可以从 9 个字母中组成的最长单词是 8 个字母的单词,这不会涵盖我。有任何想法吗?目前我有这个(这是在表单上的提交按钮下,很抱歉没有提供代码或提到它是一个 Windows 表单应用程序):
StreamReader textFile = new StreamReader("C:/Eclipse/Personal Projects/Local_Projects/Projects/CountDown/WindowsFormsApplication1/wordlist.txt");
int counter1 = 0;
String letterlist = (txtLetter1.Text + txtLetter2.Text + txtLetter3.Text + txtLetter4.Text + txtLetter5.Text + txtLetter6.Text + txtLetter7.Text + txtLetter8.Text + txtLetter9.Text); // stores the letters into a string
char[] letters = letterlist.ToCharArray(); // reads the letters into a char array
string[] line = File.ReadAllLines("C:/Eclipse/Personal Projects/Local_Projects/Projects/CountDown/WindowsFormsApplication1/wordlist.txt"); // reads every line in the word file into a string array (there is a new word on everyline, and theres 144k words, i assume this will be a big performance hit but i've never done anything like this before so im not sure ?)
line.Any(x => line.Contains(x)); // just playing with linq, i've no idea what im doing though as i've never used before
for (int i = 0; i < line.Length; i++)// a loop that loops for every word in the string array
// if (line.Contains(letters)) //checks if a word contains the letters in the char array(this is where it gets hazy if i went this way, i'd planned on only using words witha letter length > 4, adding any words found to another text file and either finding the longest word then in this text file or keeping a running longest word i.e. while looping i find a word with 7 letters, this is now the longest word, i then go to the next word and it has 8 of our letters, i now set the longest word to this)
counter1++;
if (counter1 > 4)
txtLongest.Text += line + Environment.NewLine;
迈克的代码:
using System;
使用 System.Collections.Generic;使用 System.Linq;
课堂节目
static void Main(string[] args) {
var letters = args[0];
var wordList = new List<string> { "abcbca", "bca", "def" }; // dictionary
var results = from string word in wordList // makes every word in dictionary into a seperate string
where IsValidAnswer(word, letters) // calls isvalid method
orderby word.Length descending // sorts the word with most letters to top
select word; // selects that word
foreach (var result in results) {
Console.WriteLine(result); // outputs the word
}
}
private static bool IsValidAnswer(string word, string letters) {
foreach (var letter in word) {
if (letters.IndexOf(letter) == -1) { // checks if theres letters in the word
return false;
}
letters = letters.Remove(letters.IndexOf(letter), 1);
}
return true;
}
}