所以我试图用算法对字符串数组进行排序。
注意:对于此分配,我不允许使用任何内置排序功能。
public boolean insert(String s)
{
boolean result = false;
int index = 0;
int k = 0;
String temp = "";
if (numUsed < values.length)
{
if (index == 0)
{
values[index] = s;
}
else
{
index = 0;
while (values[index].compareTo(s) < 0);
k = index;
while (k < numUsed)
{
values[k + 1] = values[k];
}
values[index] = s;
}
numUsed++;
result = true;
}
}
如果输入“apples”,“cats”和“bees”,则输出的顺序与输入的顺序相同。无论我做什么,它似乎永远不会排序。
有人可以帮我找到问题吗?
答案 0 :(得分:0)
首先回到基础。想象一下,你有一大堆索引卡随机分类在你面前,你需要按字母顺序排列它们。一个简单但可行的方法是首先找到所有以A开头的单词,然后将它们放在单独的堆中(提示:如何在程序中模仿单独的堆?)。然后你去第一堆,找到所有以B开头的单词,然后将它们放在你排序的堆的 back 中(另一个提示)。
我建议把你现有的代码放在一边,重新开始。编写一个遍历未排序数组的循环,找到最接近字典开头的单词。这里有一些psuedocode可以帮助你开始:
String leastSoFar = "ZZZZZZ";
for each String in values:
compare the string to leastSoFar
if the string is closer to the start of the dictionary than leastSoFar:
leastSoFar = ???? //I'll let you fill those in
答案 1 :(得分:0)
对集合进行排序并向集合添加元素通常是两个独立的功能。当然,可以以一种方式将元素添加到集合中,以便对元素进行排序......但这与简单地对元素数组进行排序是完全不同的任务。
如果您只是尝试实现一种简单的排序算法,那么易于编码的简单(但不是最优)算法就是“延迟替换排序”。伪码fpr算法按升序排序简述如下:
Begin DELAYEDSORT
For ITEM=1 to maximum number of items in list-1
LOWEST=ITEM
For N=ITEM+1 to maximum number of items in list
Is entry at position N lower than entry at position LOWEST?
If so, LOWEST=N
Next N
Is ITEM different from LOWEST
If so, swap entry at LOWEST with entry in ITEM
Next ITEM
End DELAYEDSORT
延迟替换排序算法易于理解且易于编码。它通常比冒泡排序更快(交换次数更少),但仍然具有较差的时间复杂度O(n ^ 2),因此不适合对非常大的数据集进行排序。
如果您确实想要将项目添加到已排序的集合中,则可以将新项目添加到集合的末尾,并使用上述方法来使用它。如果您正在处理大于几百或几千个元素的数据集,那么效率将会很差。
另一种解决方案仍然具有O(n ^ 2)时间复杂度但可以适用于组合添加和排序的是“插入排序”,其伪代码如下所示:
// The values in A[i] are checked in-order, starting at the second one
for i ← 1 to i ← length(A)
{
// at the start of the iteration, A[0..i-1] are in sorted order
// this iteration will insert A[i] into that sorted order
// save A[i], the value that will be inserted into the array on this iteration
valueToInsert ← A[i]
// now mark position i as the hole; A[i]=A[holePos] is now empty
holePos ← i
// keep moving the hole down until the valueToInsert is larger than
// what's just below the hole or the hole has reached the beginning of the array
while holePos > 0 and valueToInsert < A[holePos - 1]
{ //value to insert doesn't belong where the hole currently is, so shift
A[holePos] ← A[holePos - 1] //shift the larger value up
holePos ← holePos - 1 //move the hole position down
}
// hole is in the right position, so put valueToInsert into the hole
A[holePos] ← valueToInsert
// A[0..i] are now in sorted order
}