在 DOS 中,我们可以这样做:
ECHO MESSAGE>LPT1
我们如何在 C# .NET 中实现相同的目标?
使用 C# .NET 向 COM1 发送信息似乎很容易。
LPT1 端口呢?
我想向热敏打印机发送 Escape 命令。
在 C# 4.0 及更高版本中,首先您需要使用该CreateFile
方法连接到该端口,然后打开该端口的文件流以最终写入该端口。这是一个示例类,它将两行写入LPT1
.
using Microsoft.Win32.SafeHandles;
using System;
using System.IO;
using System.Runtime.InteropServices;
namespace YourNamespace
{
public static class Print2LPT
{
[DllImport("kernel32.dll", SetLastError = true)]
static extern SafeFileHandle CreateFile(string lpFileName, FileAccess dwDesiredAccess,uint dwShareMode, IntPtr lpSecurityAttributes, FileMode dwCreationDisposition, uint dwFlagsAndAttributes, IntPtr hTemplateFile);
public static bool Print()
{
string nl = Convert.ToChar(13).ToString() + Convert.ToChar(10).ToString();
bool IsConnected= false;
string sampleText ="Hello World!" + nl +
"Enjoy Printing...";
try
{
Byte[] buffer = new byte[sampleText.Length];
buffer = System.Text.Encoding.ASCII.GetBytes(sampleText);
SafeFileHandle fh = CreateFile("LPT1:", FileAccess.Write, 0, IntPtr.Zero, FileMode.OpenOrCreate, 0, IntPtr.Zero);
if (!fh.IsInvalid)
{
IsConnected= true;
FileStream lpt1 = new FileStream(fh,FileAccess.ReadWrite);
lpt1.Write(buffer, 0, buffer.Length);
lpt1.Close();
}
}
catch (Exception ex)
{
string message = ex.Message;
}
return IsConnected;
}
}
}
假设您的打印机连接在LPT1
端口上,如果没有,您将需要调整CreateFile
方法以匹配您正在使用的端口。
您可以使用以下行在程序中的任何位置调用该方法
Print2LPT.Print();
我认为这是解决您的问题的最短和最有效的解决方案。