使用WPF中的动态数据打印流文档
我正试图找到一种在WPF中打印流文档的好方法。 我想要的是有可能看到文档如何设计,因此创建一个纯粹的FlowDocument作为XAML是不存在的(因为Visual Studio不会显示它的设计视图)。
所以我现在所做的就是创建一个包含这样的FlowDocument的窗口(为了使代码更加简洁,已经删除了一些过多的部分):
<Window x:Class="MyNamespace.ProjectPrintout...>
<Grid>
<FlowDocumentReader>
<FlowDocument ColumnWidth="500" Name="Document">
<!-- Header -->
<Paragraph Name="HeaderText">
The header will go here
</Paragraph>
</FlowDocument>
</FlowDocumentReader>
</Grid>
</Window>
这有点奇怪,因为我永远不会向用户显示此窗口,并且我只用一个窗口包装FlowDocument,以便在开发它时看到它的外观。 这可以和我一起生活。
因此,在我的应用程序的其他地方,我想将此FlowDocument打印到默认打印机,但我也必须动态设置标题(除了文档中需要动态数据的许多其他部分以外)。
打印的代码如下所示:
var printout = new ProjectPrintout();
printout.HeaderText= new Paragraph(new Run("Proper header text"));
var document = printout.Document;
var pd = new PrintDialog();
IDocumentPaginatorSource dps = document;
pd.PrintDocument(dps.DocumentPaginator, "Document");
该文档正在打印,并且看起来很好,只是标题文本仍然显示“标题将会出现在这里”,即使我用“正确的标题文本”替换了我的代码。 我也试过这样改变它:
(printout.HeaderText.Inlines.FirstInline as Run).Text = "Proper header text";
但结果是一样的。
所以问题是:如何在打印之前从代码中更改FlowDocument中的内容,还是有更好的方法来做到这一点而不是我的方法?
MVVM拯救:
主显节:用户界面不是数据。 用户界面不是数据存储。 用户界面是为了显示数据,而不是存储它。
1 - 创建一个简单的对象来保存您的数据
public class MyDocumentViewModel: INotifyPropertyChanged //Or whatever viewmodel base class
{
private string _header;
public string Header
{
get { return _header; }
set
{
_header = value;
NotifyPropertyChange(() => Header);
}
}
//Whatever other data you need
}
2 - 在文档中定义Binding
;
<Paragraph>
<Run Text="{Binding Header}"/>
</Paragraph>
3 - 将FlowDocument的DataContext
设置为该类的一个实例:
var flowdoc = new YourFlowDocument();
var data = new MyDocumentViewModel { Header = "this is the Header" };
//whatever other data
flowdoc.DataContext = data;
//do the printing stuff.
链接地址: http://www.djcxy.com/p/50495.html