Comment : valider et fusionner des PrintTicket

Le Microsoft Windows Schéma d'impression (page éventuellement en anglais  comprend les éléments PrintCapabilities et PrintTicket flexibles et extensibles. Le premier comptabilise les fonctions d'un périphérique d'impression et le dernier spécifie comment le périphérique doit utiliser ces fonctions en ce qui concerne une séquence particulière de documents, de document individuel ou de page individuelle.

Une séquence type de tâches pour une application prenant en charge l'impression serait comme suit.

  1. Déterminer les fonctions d'une imprimante.

  2. Configurer un PrintTicket pour utiliser ces fonctions.

  3. Valider le PrintTicket.

Cet article indique comment faire.

Exemple

Dans l'exemple simple ci-dessous, nous nous intéressons uniquement à savoir si une imprimante peut prendre en charge l'impression recto-verso. Les étapes principales sont les suivantes.

  1. Récupérer un objet PrintCapabilities avec la méthode GetPrintCapabilities.

  2. Testez la présence de la fonction que vous souhaitez. Dans l'exemple ci-dessous, nous testons la propriété DuplexingCapability de l'objet PrintCapabilities pour la présence de la fonction d'impression recto verso avec la « rotation de page » le long du long côté de la feuille. Puisque DuplexingCapability est une collection, nous utilisons la méthode Contains de ReadOnlyCollection<T>.

    RemarqueRemarque

    Cette étape n'est pas strictement nécessaire.La méthode MergeAndValidatePrintTicket utilisée ci-dessous vérifiera chaque demande dans le PrintTicket par rapport aux fonctions de l'imprimante.Si la fonction demandée n'est pas prise en charge par l'imprimante, le pilote d'imprimante substituera une autre demande dans le PrintTicket retourné par la méthode.

  3. Si l'imprimante prend en charge l'impression recto verso, l'exemple de code crée un PrintTicket qui demande la copie recto verso. Mais l'application ne spécifie pas chaque paramètre de l'imprimante possible disponible dans l'élément PrintTicket. Ce serait à la fois une perte de temps pour le programmeur et pour le programme. À la place, le codes définit uniquement la demande d'impression recto verso puis fusionne ce PrintTicket avec un PrintTicket existant, entièrement configuré et validé, qui dans ce cas est le PrintTicket par défaut de l'utilisateur.

  4. En conséquence, l'exemple appelle la méthode MergeAndValidatePrintTicket pour fusionner le nouveau, minime PrintTicket avec le PrintTicket par défaut de l'utilisateur. Un ValidationResult est retourné comportant le nouveau PrintTicket comme l'une de ses propriétés.

  5. L'exemple teste ensuite le nouveau PrintTicket pour savoir s'il demande l'impression recto verso. Si c'est le cas, l'exemple le déclare alors comme le nouveau ticket d'impression par défaut pour l'utilisateur. Si l'étape 2 ci-dessus avait été ignorée et que l'imprimante ne prenait pas en charge l'impression recto verso le long du long côté, le test aurait renvoyé la valeur false. (Voir la remarque ci-dessus).

  6. La dernière étape importante est de valider la modification à la propriété UserPrintTicket du PrintQueue avec la méthode Commit.

        ''' <summary>
        ''' Changes the user-default PrintTicket setting of the specified print queue.
        ''' </summary>
        ''' <param name="queue">the printer whose user-default PrintTicket setting needs to be changed</param>
        Private Shared Sub ChangePrintTicketSetting(ByVal queue As PrintQueue)
            '
            ' Obtain the printer's PrintCapabilities so we can determine whether or not
            ' duplexing printing is supported by the printer.
            '
            Dim printcap As PrintCapabilities = queue.GetPrintCapabilities()

            '
            ' The printer's duplexing capability is returned as a read-only collection of duplexing options
            ' that can be supported by the printer. If the collection returned contains the duplexing
            ' option we want to set, it means the duplexing option we want to set is supported by the printer,
            ' so we can make the user-default PrintTicket setting change.
            '
            If printcap.DuplexingCapability.Contains(Duplexing.TwoSidedLongEdge) Then
                '
                ' To change the user-default PrintTicket, we can first create a delta PrintTicket with
                ' the new duplexing setting.
                '
                Dim deltaTicket As New PrintTicket()
                deltaTicket.Duplexing = Duplexing.TwoSidedLongEdge

                '
                ' Then merge the delta PrintTicket onto the printer's current user-default PrintTicket,
                ' and validate the merged PrintTicket to get the new PrintTicket we want to set as the
                ' printer's new user-default PrintTicket.
                '
                Dim result As ValidationResult = queue.MergeAndValidatePrintTicket(queue.UserPrintTicket, deltaTicket)

                '
                ' The duplexing option we want to set could be constrained by other PrintTicket settings
                ' or device settings. We can check the validated merged PrintTicket to see whether the
                ' the validation process has kept the duplexing option we want to set unchanged.
                '
                If result.ValidatedPrintTicket.Duplexing = Duplexing.TwoSidedLongEdge Then
                    '
                    ' Set the printer's user-default PrintTicket and commit the set operation.
                    '
                    queue.UserPrintTicket = result.ValidatedPrintTicket
                    queue.Commit()
                    Console.WriteLine("PrintTicket new duplexing setting is set on '{0}'.", queue.FullName)
                Else
                    '
                    ' The duplexing option we want to set has been changed by the validation process
                    ' when it was resolving setting constraints.
                    '
                    Console.WriteLine("PrintTicket new duplexing setting is constrained on '{0}'.", queue.FullName)
                End If
            Else
                '
                ' If the printer doesn't support the duplexing option we want to set, skip it.
                '
                Console.WriteLine("PrintTicket new duplexing setting is not supported on '{0}'.", queue.FullName)
            End If
        End Sub
/// <summary>
/// Changes the user-default PrintTicket setting of the specified print queue.
/// </summary>
/// <param name="queue">the printer whose user-default PrintTicket setting needs to be changed</param>
static private void ChangePrintTicketSetting(PrintQueue queue)
{
    //
    // Obtain the printer's PrintCapabilities so we can determine whether or not
    // duplexing printing is supported by the printer.
    //
    PrintCapabilities printcap = queue.GetPrintCapabilities();

    //
    // The printer's duplexing capability is returned as a read-only collection of duplexing options
    // that can be supported by the printer. If the collection returned contains the duplexing
    // option we want to set, it means the duplexing option we want to set is supported by the printer,
    // so we can make the user-default PrintTicket setting change.
    //
    if (printcap.DuplexingCapability.Contains(Duplexing.TwoSidedLongEdge))
    {
        //
        // To change the user-default PrintTicket, we can first create a delta PrintTicket with
        // the new duplexing setting.
        //
        PrintTicket deltaTicket = new PrintTicket();
        deltaTicket.Duplexing = Duplexing.TwoSidedLongEdge;

        //
        // Then merge the delta PrintTicket onto the printer's current user-default PrintTicket,
        // and validate the merged PrintTicket to get the new PrintTicket we want to set as the
        // printer's new user-default PrintTicket.
        //
        ValidationResult result = queue.MergeAndValidatePrintTicket(queue.UserPrintTicket, deltaTicket);

        //
        // The duplexing option we want to set could be constrained by other PrintTicket settings
        // or device settings. We can check the validated merged PrintTicket to see whether the
        // the validation process has kept the duplexing option we want to set unchanged.
        //
        if (result.ValidatedPrintTicket.Duplexing == Duplexing.TwoSidedLongEdge)
        {
            //
            // Set the printer's user-default PrintTicket and commit the set operation.
            //
            queue.UserPrintTicket = result.ValidatedPrintTicket;
            queue.Commit();
            Console.WriteLine("PrintTicket new duplexing setting is set on '{0}'.", queue.FullName);
        }
        else
        {
            //
            // The duplexing option we want to set has been changed by the validation process
            // when it was resolving setting constraints.
            //
            Console.WriteLine("PrintTicket new duplexing setting is constrained on '{0}'.", queue.FullName);
        }
    }
    else
    {
        //
        // If the printer doesn't support the duplexing option we want to set, skip it.
        //
        Console.WriteLine("PrintTicket new duplexing setting is not supported on '{0}'.", queue.FullName);
    }
}

Afin que vous puissiez tester cet exemple rapidement, le reste est présenté ci-dessous. Créez un projet et un espace de noms, puis collez les deux extraits de code de cet article dans le bloc d'espace de noms.

        ''' <summary>
        ''' Displays the correct command line syntax to run this sample program.
        ''' </summary>
        Private Shared Sub DisplayUsage()
            Console.WriteLine()
            Console.WriteLine("Usage #1: printticket.exe -l ""<printer_name>""")
            Console.WriteLine("      Run program on the specified local printer")
            Console.WriteLine()
            Console.WriteLine("      Quotation marks may be omitted if there are no spaces in printer_name.")
            Console.WriteLine()
            Console.WriteLine("Usage #2: printticket.exe -r ""\\<server_name>\<printer_name>""")
            Console.WriteLine("      Run program on the specified network printer")
            Console.WriteLine()
            Console.WriteLine("      Quotation marks may be omitted if there are no spaces in server_name or printer_name.")
            Console.WriteLine()
            Console.WriteLine("Usage #3: printticket.exe -a")
            Console.WriteLine("      Run program on all installed printers")
            Console.WriteLine()
        End Sub


        <STAThread>
        Public Shared Sub Main(ByVal args() As String)
            Try
                If (args.Length = 1) AndAlso (args(0) = "-a") Then
                    '
                    ' Change PrintTicket setting for all local and network printer connections.
                    '
                    Dim server As New LocalPrintServer()

                    Dim queue_types() As EnumeratedPrintQueueTypes = {EnumeratedPrintQueueTypes.Local, EnumeratedPrintQueueTypes.Connections}

                    '
                    ' Enumerate through all the printers.
                    '
                    For Each queue As PrintQueue In server.GetPrintQueues(queue_types)
                        '
                        ' Change the PrintTicket setting queue by queue.
                        '
                        ChangePrintTicketSetting(queue)
                    Next queue 'end if -a

                ElseIf (args.Length = 2) AndAlso (args(0) = "-l") Then
                    '
                    ' Change PrintTicket setting only for the specified local printer.
                    '
                    Dim server As New LocalPrintServer()
                    Dim queue As New PrintQueue(server, args(1))
                    ChangePrintTicketSetting(queue) 'end if -l

                ElseIf (args.Length = 2) AndAlso (args(0) = "-r") Then
                    '
                    ' Change PrintTicket setting only for the specified remote printer.
                    '
                    Dim serverName As String = args(1).Remove(args(1).LastIndexOf("\"))
                    Dim printerName As String = args(1).Remove(0, args(1).LastIndexOf("\")+1)
                    Dim ps As New PrintServer(serverName)
                    Dim queue As New PrintQueue(ps, printerName)
                    ChangePrintTicketSetting(queue) 'end if -r

                Else
                    '
                    ' Unrecognized command line.
                    ' Show user the correct command line syntax to run this sample program.
                    '
                    DisplayUsage()
                End If
            Catch e As Exception
                Console.WriteLine(e.Message)
                Console.WriteLine(e.StackTrace)

                '
                ' Show inner exception information if it's provided.
                '
                If e.InnerException IsNot Nothing Then
                    Console.WriteLine("--- Inner Exception ---")
                    Console.WriteLine(e.InnerException.Message)
                    Console.WriteLine(e.InnerException.StackTrace)
                End If
            Finally
                Console.WriteLine("Press Return to continue...")
                Console.ReadLine()
            End Try
        End Sub 'end Main
/// <summary>
/// Displays the correct command line syntax to run this sample program.
/// </summary>
static private void DisplayUsage()
{
    Console.WriteLine();
    Console.WriteLine("Usage #1: printticket.exe -l \"<printer_name>\"");
    Console.WriteLine("      Run program on the specified local printer");
    Console.WriteLine();
    Console.WriteLine("      Quotation marks may be omitted if there are no spaces in printer_name.");
    Console.WriteLine();
    Console.WriteLine("Usage #2: printticket.exe -r \"\\\\<server_name>\\<printer_name>\"");
    Console.WriteLine("      Run program on the specified network printer");
    Console.WriteLine();
    Console.WriteLine("      Quotation marks may be omitted if there are no spaces in server_name or printer_name.");
    Console.WriteLine();
    Console.WriteLine("Usage #3: printticket.exe -a");
    Console.WriteLine("      Run program on all installed printers");
    Console.WriteLine();
}


[STAThread]
static public void Main(string[] args)
{
    try
    {
        if ((args.Length == 1) && (args[0] == "-a"))
        {
            //
            // Change PrintTicket setting for all local and network printer connections.
            //
            LocalPrintServer server = new LocalPrintServer();

            EnumeratedPrintQueueTypes[] queue_types = {EnumeratedPrintQueueTypes.Local,
                                                       EnumeratedPrintQueueTypes.Connections};

            //
            // Enumerate through all the printers.
            //
            foreach (PrintQueue queue in server.GetPrintQueues(queue_types))
            {
                //
                // Change the PrintTicket setting queue by queue.
                //
                ChangePrintTicketSetting(queue);
            }
        }//end if -a

        else if ((args.Length == 2) && (args[0] == "-l"))
        {
            //
            // Change PrintTicket setting only for the specified local printer.
            //
            LocalPrintServer server = new LocalPrintServer();
            PrintQueue queue = new PrintQueue(server, args[1]);
            ChangePrintTicketSetting(queue);
        }//end if -l

        else if ((args.Length == 2) && (args[0] == "-r"))
        {
            //
            // Change PrintTicket setting only for the specified remote printer.
            //
            String serverName = args[1].Remove(args[1].LastIndexOf(@"\"));
            String printerName = args[1].Remove(0, args[1].LastIndexOf(@"\")+1);
            PrintServer ps = new PrintServer(serverName);
            PrintQueue queue = new PrintQueue(ps, printerName);
            ChangePrintTicketSetting(queue);
         }//end if -r

        else
        {
            //
            // Unrecognized command line.
            // Show user the correct command line syntax to run this sample program.
            //
            DisplayUsage();
        }
    }
    catch (Exception e)
    {
        Console.WriteLine(e.Message);
        Console.WriteLine(e.StackTrace);

        //
        // Show inner exception information if it's provided.
        //
        if (e.InnerException != null)
        {
            Console.WriteLine("--- Inner Exception ---");
            Console.WriteLine(e.InnerException.Message);
            Console.WriteLine(e.InnerException.StackTrace);
        }
    }
    finally
    {
        Console.WriteLine("Press Return to continue...");
        Console.ReadLine();
    }
}//end Main

Voir aussi

Référence

PrintCapabilities

PrintTicket

GetPrintQueues

PrintServer

EnumeratedPrintQueueTypes

PrintQueue

GetPrintCapabilities

Concepts

Documents dans WPF

Vue d'ensemble de l'impression

Autres ressources

Schéma d'impression (page éventuellement en anglais)