3

我们有大量需要填写的纸质表格。手工做这个非常乏味,所以我们正在构建一个应用程序。它应该提供一个表格来填写数据,能够显示打印预览,在纸质表格上打印数据,并保留历史记录。

目前,我们有一个FixedPage这样打印的:

var dlg = new PrintDialog();
if (dlg.ShowDialog() == true)
{
    var doc = new FixedDocument();
    doc.DocumentPaginator.PageSize = new Size(11.69 * 96, 8.27 * 96); // A4 Landscape

    var fp = Application.LoadComponent(new Uri("/FixedPage.xaml", UriKind.Relative)) as FixedPage;
    fp.DataContext = this;
    fp.UpdateLayout();

    var pc = new PageContent();
    ((IAddChild)pc).AddChild(fp);
    doc.Pages.Add(pc);

    dlg.PrintTicket.PageOrientation = System.Printing.PageOrientation.Landscape;
    dlg.PrintDocument(doc.DocumentPaginator, string.Format("Form #{0}", FormNumber));
}

对于打印预览,我们有一个自定义UserControl,背景是纸质表格的扫描图像,前景是数据。基本上,它是在重复FixedPage布局,这一切都让我们认为我们的设计存在缺陷。

有没有更好的方法来做我们想做的事?

4

2 回答 2

2

我的任务是同样的问题,并且想避免编写自己的模板系统来节省时间、单元测试和我的理智。

我最终写了一个混合体来做一些很酷的事情。首先,我使用 HTML 和 CSS 编写模板。在我们的营销部门进行细微调整时,这很容易做到并且具有很大的灵活性。

我用我自己的标签(例如 [code_type/]、[day_list]...[/day_list])填充了模板,并用可以是单值或多值的标签字典替换了文本。

生成 html 后,我会使用我发现的一个 html 到 pdf 库,它使用开源 webkit 引擎来呈现和创建生成的 pdf。结果非常稳定,编写初始程序大约需要 2 周时间。每个人都非常高兴,测试变得轻而易举。

如果您想了解更多详细信息,请给我发送消息或回复此内容。

于 2013-03-13T16:16:55.617 回答
1

我们设法找到了一个解决方案,它可以让我们丢弃一堆多余的代码。它仍然很丑:

public class CustomDocumentViewer : DocumentViewer
{
    public static readonly DependencyProperty BackgroundImageProperty =
        DependencyProperty.Register("BackgroundImage", typeof(Image), typeof(CustomDocumentViewer), new UIPropertyMetadata(null));

    public Image BackgroundImage
    {
        get { return GetValue(BackgroundImageProperty) as Image; }
        set { SetValue(BackgroundImageProperty, value); }
    }

    protected override void OnDocumentChanged()
    {
        (Document as FixedDocument).Pages[0].Child.Children.Insert(0, BackgroundImage);
        base.OnDocumentChanged();
    }

    protected override void OnPrintCommand()
    {
        var printDialog = new PrintDialog();
        if (printDialog.ShowDialog() == true)
        {
            (Document as FixedDocument).Pages[0].Child.Children.RemoveAt(0);
            printDialog.PrintDocument(Document.DocumentPaginator, "Test page");
            (Document as FixedDocument).Pages[0].Child.Children.Insert(0, BackgroundImage);
        }
    }
}

...

<local:CustomDocumentViewer x:Name="viewer" BackgroundImage="{StaticResource PaperFormImage}"/>

...

InitializeComponent();
viewer.Document = Application.LoadComponent(new Uri("/PaperFormDocument.xaml", UriKind.Relative)) as IDocumentPaginatorSource;

我们使用Application.LoadComponent而不是绑定的原因是一个五年前的错误:http ://connect.microsoft.com/VisualStudio/feedback/ViewFeedback.aspx?FeedbackID=293646

于 2013-03-14T00:40:27.903 回答