1

我已经看到这个问题被问了几次,但我似乎无法理解为什么这不起作用。请帮助一个菜鸟(并且要温柔!)。我只是想创建一个类来接受 COM 端口的名称,然后在该端口上启动一个串行对象。我不断收到“Conex 不包含接受 1 个参数的构造函数”错误,尽管在我看来这就是它所包含的全部内容。想法?

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.IO.Ports;

namespace Conex_Commands
{

    public class Conex
    {
        string NewLine = "\r";
        int BaudRate = 921600, DataBits = 8, ReadTimeout = 100, WriteTimeout = 100;
        Parity Parity = Parity.None;
        StopBits StopBits = StopBits.One;


        public Conex(string PortName)
        {
            SerialPort Serial = new SerialPort(PortName, BaudRate, Parity, DataBits, StopBits);
            Serial.ReadTimeout = ReadTimeout;
            Serial.WriteTimeout = WriteTimeout;
            Serial.NewLine = NewLine;
        }



    }


}

我的 main 中包含的调用代码是:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using Conex_Commands;


namespace Tester
{
    class Program
    {
        static void Main(string[] args)
        {

            Conex abc = new Conex("COM5");
         }
    }
}
4

1 回答 1

0

这只是为了调试目的吗?

我的 VS2010 代码显示此代码没有错误。

但是,它在编写时是无用的,因为一旦您调用构造函数 for Conex, theSerialPort就会超出范围。

相反,将您的Serial对象带到构造函数之外:

public class Conex {
  string NewLine = "\r";
  int BaudRate = 921600, DataBits = 8, ReadTimeout = 100, WriteTimeout = 100;
  Parity Parity = Parity.None;
  StopBits StopBits = StopBits.One;
  SerialPort Serial;

  public Conex(string PortName) {
    Serial = new SerialPort(PortName, BaudRate, Parity, DataBits, StopBits);
    Serial.ReadTimeout = ReadTimeout;
    Serial.WriteTimeout = WriteTimeout;
    Serial.NewLine = NewLine;
  }

  public void Open() {
    Serial.Open();
  }

  public void Close() {
    Serial.Close();
  }

}

现在,在您的Main例程中,您实际上可以尝试打开和关闭连接(这在我的 PC 上引发了异常,因为它没有“COM5”端口):

static void Main(string[] args) {
  Conex abc = new Conex("COM5");
  abc.Open();
  abc.Close();
}
于 2013-04-10T17:44:23.713 回答