【发布时间】:2017-04-18 15:01:31
【问题描述】:
我正在实施combsort。我想在堆栈上创建固定大小的数组,但它显示stack overflow。当我将它更改为堆上时(Rust by Example 说 to allocate in the heap we must use Box),它仍然显示 stack overflow。
fn new_gap(gap: usize) -> usize {
let ngap = ((gap as f64) / 1.3) as usize;
if ngap == 9 || ngap == 10 {
return 11;
}
if ngap < 1 {
return 1;
}
return ngap;
}
fn comb_sort(a: &mut Box<[f64]>) {
// previously: [f64]
let xlen = a.len();
let mut gap = xlen;
let mut swapped: bool;
let mut temp: f64;
loop {
swapped = false;
gap = new_gap(gap);
for i in 0..(xlen - gap) {
if a[i] > a[i + gap] {
swapped = true;
temp = a[i];
a[i] = a[i + gap];
a[i + gap] = temp;
}
}
if !(gap > 1 || swapped) {
break;
}
}
}
const N: usize = 10000000;
fn main() {
let mut arr: Box<[f64]> = Box::new([0.0; N]); // previously: [f64; N] = [0.0; N];
for z in 0..(N) {
arr[z] = (N - z) as f64;
}
comb_sort(&mut arr);
for z in 1..(N) {
if arr[z] < arr[z - 1] {
print!("!")
}
}
}
输出:
thread '<main>' has overflowed its stack
Illegal instruction (core dumped)
或者
thread 'main' has overflowed its stack
fatal runtime error: stack overflow
我知道我的堆栈大小不够,与C++在函数内部创建太大的非堆数组时相同,但是这段代码使用堆但仍然显示堆栈溢出。这段代码到底有什么问题?
【问题讨论】:
-
我应该无耻地插入一个我为解决这个特定问题而构建的板条箱:crates.io/crates/arr - 我一直在努力寻找一个干净的解决方案来解决这个问题。
标签: rust heap-memory dynamic-memory-allocation