因此,我实际上不是在发送参数,而是将类变量设置为某个值,然后在另一种方法中再次使用它。这是做事的“最佳实践”方法吗?如果没有,我会对学习正确的方法感兴趣。谢谢!可以/应该以其他方式发送参数吗?
private string PrintThis;
public void PrintIt(string input){
PrintThis = input; //SETTING PrintThis HERE
static private PrintDocument pd = new PrintDocument();
pd.PrintPage += new PrintPageEventHandler(PrintDocument_PrintSomething);
pd.Print();
}
private void PrintDocument_PrintSomething(Object sender, PrintPageEventArgs e) {
e.Graphics.DrawString(PrintThis, new Font("Courier New", 12), Brushes.Black, 0, 0);
//USING PrintThis IN THE ABOVE LINE
}
最佳答案
Closures被引入到语言中来解决这个问题。
通过捕获适当的变量,您可以为它提供“超出”包含方法的存储空间:
// Note that the 'input' variable is captured by the lambda.
pd.PrintPage += (sender, e) => Print(e.Graphics, input);
...
static void Print(Graphics g, string input) { ... }
请注意,这非常方便。编译器代表您解决此问题的方式可疑地类似于您自己的现有解决方案。 (存在某些差异,例如,捕获的变量最终会成为某个其他(生成的)类的新创建对象的字段。您现有的解决方案无法做到这一点:每个类实例都有一个“临时”存储位置,而不是而不是每次调用
PrintIt
,这是不好的-例如,它不是线程安全的)关于c# - 通过事件处理程序发送参数?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/4971460/