目前正在检索我的机器上安装的默认打印机以进行打印.我希望能够选择文档转到哪台打印机.这样做的最佳方法是什么?
码:
PrintService[] services =
PrintServiceLookup.lookupPrintServices(psInFormat, null);
System.out.println("Printer Selected " + services[Printerinx]);
//PrintService defaultService = PrintServiceLookup.lookupDefaultPrintService();
DocFlavor[] docFalvor = services[Printerinx].getSupportedDocFlavors();
for (int i = 0; i < docFalvor.length; i++) {
System.out.println(docFalvor[i].getMimeType());
}
Run Code Online (Sandbox Code Playgroud)
小智 9
该PrintServiceLookup.lookupPrintService()方法提供了一种按名称查找打印机的方法.HashAttributeSet使用PrinterName属性对象准备a 并将其传递给lookup方法.
使用如下代码:
AttributeSet aset = new HashAttributeSet();
aset.add(new PrinterName("MyPrinter", null));
PrintService[] pservices =
PrintServiceLookup.lookupPrintServices(null, aset);
Run Code Online (Sandbox Code Playgroud)
可在Linux上使用CUPS.
在PrintUtility下面创建类,将其导入,然后PrintUtility.findPrintService("name_of_my_printer");在知道打印机名称的情况下尝试调用;如果您不知道可以访问哪些打印机,请调用PrintUtility.getPrinterServiceNameList();一个List包含所有可行的已注册打印机名称的名称。
也可以查看我对这个SO问题的答案以了解更多详细信息:
package com.stackoverflow.print;
import java.awt.print.PrinterJob;
import javax.print.PrintService;
import java.util.List;
import java.util.ArrayList;
public final class PrintUtility {
/**
* Retrieve a Print Service with a name containing the specified PrinterName; will return null if not found.
*
* @return
*/
public static PrintService findPrintService(String printerName) {
printerName = printerName.toLowerCase();
PrintService service = null;
// Get array of all print services
PrintService[] services = PrinterJob.lookupPrintServices();
// Retrieve a print service from the array
for (int index = 0; service == null && index < services.length; index++) {
if (services[index].getName().toLowerCase().indexOf(printerName) >= 0) {
service = services[index];
}
}
// Return the print service
return service;
}
/**
* Retrieves a List of Printer Service Names.
*
* @return List
*/
public static List<String> getPrinterServiceNameList() {
// get list of all print services
PrintService[] services = PrinterJob.lookupPrintServices();
List<String> list = new ArrayList<String>();
for (int i = 0; i < services.length; i++) {
list.add(services[i].getName());
}
return list;
}
/**
* Utility class; no construction!
*/
private PrintUtility() {}
}
Run Code Online (Sandbox Code Playgroud)