我正在使用ReportViewer控件和自定义打印作业工作流程,这会导致一些问题。我的代码看起来有点像这样:
ids.ForEach(delegate(Guid? guid)
{
var details = items.Where(e => e.guid == guid);
var ds = new ReportDataSource("Form", details);
ReportViewer.LocalReport.DataSources.Clear();
ReportViewer.LocalReport.DataSources.Add(ds);
ReportViewer.RefreshReport();
});
当RefreshReport()
最终被调用时,它会触发RenderingComplete
事件,并且在那个事件中我有逻辑来排队打印作业:
if (DisplayPrintDialog) ReportViewer.PrintDialog();
else
{
var document = new PrintDocument(ReportViewer.LocalReport);
document.PrinterSettings = ReportViewer.PrinterSettings;
document.Print();
}
DisplayPrintDialog = false;
问题是ForEach循环在RenderingComplete
事件触发之前完成运行所以我需要一种方法来阻止我的ForEach循环,直到RenderingComplete事件为循环的每次传递触发。有什么好办法解决这个问题?
答案 0 :(得分:5)
如果您必须将其保留在foreach中,请使用AutoResetEvent
。
// Define this elsewhere in your class
static AutoResetEvent reset = new AutoResetEvent(false);
// This assumes RenderingComplete takes 1 argument,
// and you aren't going to use it. If you are, change
// the _ to something more meaningful.
ReportViewer.RenderingComplete += _ =>
{
// This happens after the code below, and this tells the "WaitOne"
// lock that it can continue on with the rest of the code.
reset.Set();
}
ids.ForEach(guid =>
{
var details = items.Where(e => e.guid == guid);
var ds = new ReportDataSource("Form", details);
ReportViewer.LocalReport.DataSources.Clear();
ReportViewer.LocalReport.DataSources.Add(ds);
// Begin the async refresh
ReportViewer.RefreshReport();
reset.WaitOne(); // This call will block until "reset.Set()" is called.
reset.Reset(); // This resets the state for the next loop iteration.
});
我冒昧地让你的匿名代表不那么难看(此时没有真正的理由再使用关键字delegate
,你应该使用简写() => { ... }
)。
答案 1 :(得分:0)
虽然Spike的片段是一个很好的信号示例,但它没有解决我的问题(没有他们自己的错误),甚至调整他们的想法会使代码比它需要的更复杂。
在仔细考虑此问题之后,我能够分离ReportViewer控件和此特定进程。也就是说,我已经在这个特定的工作流程中删除了对ReportViewer控件的需求(因此需要信令),并提出了一些更直接的东西。
foreach (var item in guids)
{
var details = items.Where(e => e.guid == item);
var report = new LocalReport
{
ReportPath = [Path]
};
var ds = new ReportDataSource("Form", details);
report.DataSources.Clear();
report.DataSources.Add(ds);
printingInvoked = ProcessPrintJob(report);
if (!printingInvoked) break;
}
这与我的原始代码类似,主要区别在于我正在创建LocalReport的实例并直接使用它而不是ReportViewer的LocalReport属性。然后我们实际处理打印作业:
if (DisplayPrintDialog)
{
if (PrintWindow.ShowDialog() != DialogResult.OK)
{
return false;
}
}
var document = new PrintDocument(report);
document.PrinterSettings = PrintWindow.PrinterSettings;
document.Print();
DisplayPrintDialog = false;
return true;
在这种情况下,PrintWindow的类型为PrintDialog,PrintDocument是System.Drawing.Printing.PrintDocument的扩展,用于处理实际的RDLC文件。所有这一切当然是在最初提示用户进行打印机设置,然后将 n 水合报告提供给打印机。
感谢您的帮助!