如何改变一个控制台应用程序的堆栈大小? [重复](How to change stack siz

2019-09-21 23:44发布

可能重复:
如何更改堆栈大小的.NET程序?

我想改变堆栈大小以下控制台应用程序:

using System;
using System.IO;

class Test {

    static int n;
    static bool[] us;
    static int[,] matr;

    static void dfs(int a) {
        us[a] = true;
        for (int b = 0; b < n; b++) {
            if (!us[b]) {
                dfs(b);
            }
        }
    }

    static void Main() {
        StreamReader input = new StreamReader("input.txt");
        StreamWriter output = new StreamWriter("output.txt");
        string[] snum = input.ReadLine().Split(' ');
        n = int.Parse(snum[0]);      // number of vertices
        int m = int.Parse(snum[1]);  // number of edges
        us = new bool[n];
        matr = new int[n, n];
        for (int i = 0; i < m; i++) {
            snum = input.ReadLine().Split(' ');
            int a = int.Parse(snum[0]) - 1, b = int.Parse(snum[1]) - 1;
            matr[a, b] = matr[b, a] = 1;
        }
        for (int i = 0; i < n; i++) {
            if (!us[i]) {
                dfs(i);
            }
        }
        input.Close();
        output.Close();
    }
}

n是aprox的。 100,000,深度dfs是aprox的。 100,000,应用程序将引发StackOverflowException

我知道默认堆栈大小为1 MB,但我不知道如何去改变它。

Answer 1:

int stackSize = 1024*1024*64;
Thread th  = new Thread( ()=>
    {
        //YourCode
    },
    stackSize);

th.Start();
th.Join();


Answer 2:

指定一个更大的堆栈大小的最简单的方法是创建一个新的线程 - 有一个构造函数重载,允许您指定的大小。 移动逻辑到一个新的方法,那么,在主方法中,创建具有较大堆栈大小来运行新方法的新线程。 例:

    static void Main() {
        const int stackSize = 0x400000;
        var thread = new Thread(NewMethod, stackSize);
        thread.Start();
        thread.Join();
    }

    static void NewMethod() { 
        StreamReader input = new StreamReader("input.txt"); 
        StreamWriter output = new StreamWriter("output.txt"); 
        string[] snum = input.ReadLine().Split(' '); 
        n = int.Parse(snum[0]); 
        int m = int.Parse(snum[1]); 
        us = new bool[n]; 
        matr = new int[n, n]; 
        for (int i = 0; i < m; i++) { 
            snum = input.ReadLine().Split(' '); 
            int a = int.Parse(snum[0]) - 1, b = int.Parse(snum[1]) - 1; 
            matr[a, b] = matr[b, a] = 1; 
        } 
        for (int i = 0; i < n; i++) { 
            if (!us[i]) { 
                dfs(i); 
            } 
        } 
        input.Close(); 
        output.Close(); 
    } 

您还可以使用EDITBIN,如果你不能够改变的源代码。 看到这个答案的详细信息: https://stackoverflow.com/a/2556970/385844



文章来源: How to change stack size of a console application? [duplicate]