Scala ith订单统计

时间:2013-02-22 04:20:17

标签: debugging scala

我刚刚开始编写我正在编写的算法类,我仍然非常学习Scala的基础知识(并经常搞砸)。赋值是创建一个程序来计算数组的第i个顺序统计量。我的问题是我在下面编写并运行的内容,在值[Array]中打印“选择元素”+ +“,然后停止。没有错误消息。我确定下面的代码中有几个错误。为了完全披露,这是一项家庭作业。我感谢任何帮助。

编辑:感谢您的提示,我编辑了一些内容。我现在认为select正在查看数组中越来越小的部分,但代码仍然不起作用。它现在吐出正确的答案〜25%的时间,并在其余时间做同样的事情。

object hw3v2 { 

  // 
  // partition 
  // 
  // this is the code that partitions 
  // our array, rearranging it in place 
  // 

  def partition(a: Array[Int], b: Int, c: Int): Int = { 

    val x:Int = a(c) 
    var i:Int = b

    for (j <- b to c-1)
      if (a(j) <= x) {
        i += 1
        a(i) = a(j)
        a(j) = a(i)

      }

    a(i+1) = a(c)
    a(c) = a(i+1)
    i + 1
  }

  def select(a: Array[Int], p: Int, r: Int, i: Int): Int = {

    if (p == r)
      a(0)

    else {
      val q = partition(a, p, r)
      val j = q - p + 1
      if (i <= j)
        select(a, p, q, i)
      else
        select(a, q+1, r, i-j)
    }
  }

  def main(args: Array[String]) {

    val which = args(0).toInt

    val values: Array[Int] = new Array[Int](args.length-1);
    print("Selecting element "+which+" from amongst the values ")
    for (i <- 1 until args.length) {
      print(args(i) + (if (i<args.length-1) {","} else {""}));
      values(i-1) = args(i).toInt;
    }
    println();

    println("==> "+select(values, 0, values.length-1, which))
  }
}

2 个答案:

答案 0 :(得分:1)

我恳求你,试着写更多这样的东西:

def partition(a: Array[Int], b: Int, c: Int): Int = {
  val x: Int = a(c)
  var i: Int = b - 1

  for (j <- b to c - 1)
    if (a(j) <= x) {
      i += 1
      val hold = a(i)
      a(i) = a(j)
      a(j) = hold
    }

  a(i + 1) = a(c)
  a(c) = a(i + 1)
  i + 1
}

def select(i: Int, a: Array[Int]): Int =
  if (a.length <= 1)
    a(0)
  else {
    val q = partition(a, 0, a.length - 1)
    if (i <= q)
      select(i, a)
    else
      select(i - q, a)
  }

def main(args: Array[String]) {
  val which = args(0).toInt

  printf("Selecting element %s from amongst the values %s%n".format(which, args.mkString(", ")))

  val values = args map(_.toInt)
  printf("%nb ==> %d%n", select(which, values))
}

据我所知,这相当于原始代码。

答案 1 :(得分:1)

select中的退出条件是数组a的长度必须小于或等于1.但是我看不到任何会改变数组长度的内容。因此,select的递归调用无限循环。我只能猜测:由于您的目标似乎是select每次都在不同的数组上运行,您必须将修改后的数组作为输入传递。因此,我的猜测是partition应返回Int和修改后的Array

更新

如果“ith order statistic”指的是Array中的“ith”最小元素,为什么不执行以下操作?

a.sorted.apply(i)