0

非常直截了当的问题,当我在我的 main 中调用 Romberg 函数时,我在 Visual C# Express 中遇到了一个我不知道如何解决的错误(我在相应的行提供了错误消息)。我也尝试过使用 this.Romberg,但没有帮助。我应该怎么做?

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace Romberg2
{
    class test
    {
        // the function
        double f(double x)
        {
            double f;
            f=8*(Math.Sqrt(1-x*x)-x);
            return f;
        }

        // The Integration function
        void Romberg(double a, double b, int n, double[,] R)
        {
            int i, j, k;
            double h, sum;

            h = b - a;
            R[0,0]=(h/2)*(f(a)+f(b));

            for (i=1; i<=n; i++)
            {
                h=h/2;
                sum=0;

                for (k=1; k <= (Math.Pow(2.0,i)-1); k +=2)
                    sum +=f(a+k*h);

                R[i,0]=R[i-1,0]/2+sum*h;

                for(j=1; j<=i; j++)
                    R[i,j]=R[i,j-1]+(R[i,j-1]-R[i-1,j-1])/(Math.Pow(4.0,j)-1);
            }
        }

        static void main(int argc, char [] argv)
        {
            double[,] R = new double [10,10];
            int n=5, digits=13;
            double a=0, b=1/Math.Sqrt(2.0);

            // Call the integrating function
            Romberg(a, b, n, R);//ERROR: An object reference is required for the non-static field, method, or property

            // Printout the diagram
            for(int i=0; i<n; i++)
            {
                for(int j=0; j<=i; j++)
                {
                    Console.WriteLine(R[i,j] + " ");
                }
                Console.WriteLine("\n");
            }

        }
    }
}
4

8 回答 8

2

Romberg 不是静态方法,因此您应该使用 new 关键字通过实例调用它

new test().Romberg(a, b, n, R);

或者干脆把它变成一个静态函数

static void Romberg(double a, double b, int n, double[,] R)
于 2012-05-07T21:32:19.447 回答
2

main是静态的,所以它不能调用实例方法。声明Romberg为静态,或创建一个实例test并使用该实例:

var inst = new test();
inst.Romberg(a, b, n, R);

有关详细信息,请查看有关静态类和静态类成员的 MSDN 文章。

于 2012-05-07T21:32:21.153 回答
2

Main是静态方法,Roomberg是实例方法。要么在内部创建类的新实例Main并通过实例调用它,要么Roomberg也将其设为静态。

于 2012-05-07T21:32:22.863 回答
1

三个问题:

1) Main 格式不正确。它需要采用以下格式之一:

static void Main() {...} 
static void Main(string[] args) {... } 
static int Main() {...} 
static int Main(string [] args) {...}

只需将其更改为 'static void Main()'

2)使Romberg方法静态

static void Romberg(double a, double b, int n, double[,] R)

3) 将 f 方法设为静态:

static double f(double x)
于 2012-05-07T21:41:26.293 回答
1

你需要使你的Romberg函数静态,或者你可以将它包装在它自己的类中,实例化它并执行它。

于 2012-05-07T21:32:16.780 回答
1

您需要在实例上调用该方法。该方法属于该类的实例。

var inst = new test();
inst.Romberg(q, w, e, R);
于 2012-05-07T21:32:26.083 回答
1

尝试这个。要调用Romberg(a, b, n, R);,您必须先创建test类对象。Romberg是一个实例方法。

test obj=new test();
obj.Romberg(a, b, n, R);
于 2012-05-07T21:33:07.237 回答
0

您正在尝试从未初始化的类中调用方法。

 static void Romberg(double a, double b, int n, double[,] R)
于 2012-05-07T21:33:37.143 回答