1

我想创建一个具有成员函数(例如 giveCharity)的类(例如 Person),但我希望该方法的内容对于该类的每个实例都不同,从而模仿人工智能。这可能吗?我将何时以及如何为每个实例的方法填充代码?

这是一个例子:

public class Person
{
    // data members
    private int myNumOfKids;
    private int myIncome;
    private int myCash;

    // constructor
    public Person(int kids, int income, int cash)
    {
        myNumOfKids = kids;
        myIncome = income;
        myCash = cash;
    }

    // member function in question
    public int giveCharity(Person friend)
    {
        int myCharity;
        // This is where I want to input different code for each person
        // that determines how much charity they will give their friend
        // based on their friend's info (kids, income, cash, etc...),
        // as well as their own tendency for compassion.
        myCash -= myCharity;
        return myCharity;
    }
}

Person John = new Person(0, 35000, 500);
Person Gary = new Person(3, 40000, 100);

// John gives Gary some charity
Gary.myCash += John.giveCharity(Gary);
4

2 回答 2

5

我想到了两种主要方法:

1) 给每个人一个定义函数的委托:

public Func<int> CharityFunction{get;set;}

然后你只需要弄清楚如何设置它,并确保在使用它之前总是设置它。要调用它,只需说:

int charityAmount = CharityFunction();

2)Person上课abstract。添加一个抽象函数,如int getCharityAmount(). 然后创建新的子类型,每个子类型都提供该抽象函数的不同实现。

至于使用哪个,这将更多地取决于具体情况。你对函数有很多不同的定义吗?第一个选项需要较少的精力来添加一个新选项。创建对象后函数是否会更改?第二种选择是不可能的,只有第一种。您是否经常重复使用相同的功能?在这种情况下,第二种选择更好,这样调用者就不会不断地重新定义相同的少量函数。第二个也更安全一点,因为函数总是有一个定义,并且你知道一旦创建对象就不会改变它,等等。

于 2013-01-14T21:34:44.757 回答
0

为什么不通过传入实现不同方法Person的函数对象来构造对象。CharitygiveCharity(Person friend)

然后person.giveCharity(Person friend)可以简单地调用my_charity.giveCharity(friend)

于 2013-01-14T21:32:46.483 回答