递归函数调用抛出StackOverFlowException

我必须递归调用一个函数。 但过了一会儿,它会抛出StackOverFlowException。 当我使用Invoke(new Action(Start))方法时,它会抛出相同的异常,但不会很长时间,这比前一个更短。

我怎样才能克服这个问题?

示例代码:

private void Start()
        {
            // run select query
            mysql(selectQueryString.ToString());
            msdr = mysql();
// is finished
            if (!msdr.HasRows)
            {
                this.Finish();
                return;
            }
            //  get mysql fields
            string[] mysqlFields = Common.GetFields(ref msdr);
            while (msdr.Read())
            {
                // set lastSelectID
                lastSelectID = Convert.ToInt32(msdr[idFieldName].ToString());
                // fill mssql stored procedure parameters
                for (int i = 0; i < matchTable.Count; i++)
                {
                    string valueToAdd = Common.ConvertToEqualivantString(matchTable[i].Type, matchTable[i].Value, ref msdr, ref id, matchTable[i].Parameters);
                    sql.Ekle(matchTable[i].Key, valueToAdd);
                }
                // execute adding operation
                lastInsertID = (int)sql(false);
                // update status bar
                this.UpdateStatusBar();
// update menues
                this.UpdateMenues();
                // increment id for "{id}" statement
                id++;
            }
//  close data reader
            msdr.Close();
            msdr.Dispose();
            mysql.DisposeCommand();
// increment select limit
            selectQueryString.LimitFirst += selectQueryString.LimitLast;
            // call itself until finish
            this.Start();
        }

当一个函数中的最后一个语句是对函数本身的调用时,你有尾递归。 虽然有些语言可以优化尾递归以避免堆栈溢出异常,但C#不是其中之一。

对于可以是任意长度的数据,递归不是一个好的模式。 简单地用一个while循环替换递归:

private void Start()
{
    while(true) {
        // run select query
        mysql(selectQueryString.ToString());
        msdr = mysql();
        // is finished
        if (!msdr.HasRows)
        {
            this.Finish();
            break;
        }
        //  rest of your code..
    }
}
链接地址: http://www.djcxy.com/p/80613.html

上一篇: Recursive Function Calls Throw StackOverFlowException

下一篇: C# compilation with tail recursive optimization?