以tcpclient连接方式为例,首先取得服务器发回的数据流。
networkstream streamaccount=tcpclient.getstream();
当我们对smtp服务器发送请求,例如连接,传送用户名,密码后,服务器会返回应答数据流。
我们必须对服务器返回数据流进行读取,这一步我经历了3次改动。
最开始的程序是按照《visaul c#.net网络核心编程》这本书上的例子来写的:
private string readfromnetstream(ref networkstream netstream)
{
byte[] by=new byte[512];
netstream.read(by,0,by.length);
string read=system.text.encoding.ascii.getstring(by);
return read;
}
这种方式其实就是把读到的数据流全部变成字符串形式,但是实际网络传输中,smtp服务器发回的其实不一定全部是有效的命令,命令都是以<crlf>(回车加换行)结束的。因此这样的读取方式存在问题。
修改以后的代码如下:
private string readfromnetstream(ref networkstream netstream,string strendflag)
{
string resultdata = "";
byte[] ubbuff=new byte[1024];
try
{
while(true)
{
int ncount = netstream.read(ubbuff,0,ubbuff.length);
if( ncount > 0 )
{
resultdata += encoding.ascii.getstring( ubbuff, 0, ncount);
}
if( resultdata.endswith(strendflag) )
{
break;
}
if( ncount == 0 )
{
throw new system.exception("timeout");
}
}
}
catch(system.exception se)
{
throw se;
messagebox.show(se.tostring());
return "";
}
return resultdata;
}
这样一来,就可以截取出以回车换行结束的命令。但是这样做还是不够正确的,因为smtp服务器在某些情况下会发回一些欢迎信息之类的东西,它们也是以<crlf>(回车加换行)结束的,我们用上边的程序得到的很有可能不是我们实际想要得到的正确命令。
于是我只有再次修改程序如下:
/**
*
* 读取服务器的返回信息流
*
*/
public string readfromnetstream(ref networkstream netstream)
{
if( netstream == null )
return "";
string resultdata = "";
try
{
while(true)
{
string linedata = readlinestr(netstream);
if( null != linedata
&& linedata.length > 4)
{
if(linedata.substring(3,1).compareto(" ") != 0)
{
resultdata += linedata + "\r\n";
continue;
}
else
{
resultdata += linedata;
break;
}
}
else
{
resultdata += linedata;
break;
}
}
}
catch(exception e)
{
throw e;
}
return resultdata;
}
/**
*
* 逐行读取服务器的返回信息
*
*/
public byte[] readline(networkstream m_strmsource)
{
arraylist linebuf = new arraylist();
byte prevbyte = 0;
int currbyteint = m_strmsource.readbyte();
while(currbyteint > -1)
{
linebuf.add((byte)currbyteint);
if((prevbyte == (byte)\r && (byte)currbyteint == (byte)\n))
{
byte[] retval = new byte[linebuf.count-2];
linebuf.copyto(0,retval,0,linebuf.count-2);
return retval;
}
prevbyte = (byte)currbyteint;
currbyteint = m_strmsource.readbyte();
}
if(linebuf.count > 0)
{
byte[] retval = new byte[linebuf.count];
linebuf.copyto(0,retval,0,linebuf.count);
return retval;
}
return null;
}
/**
*
* 将服务器的返回信息逐行转换成字符串
*
*/
public string readlinestr(networkstream mystream)
{
byte[] b = readline(mystream);
if( null == b)
{
return null;
}
else
{
return system.text.encoding.ascii.getstring( b );
}
}
这样一来,我们就能读到那些以3位应答码开始,加一个空格,然后是一些发回的数据流,结尾是回车加换行的正确命令格式。