0

我在一个项目(Winforms 和 Web 服务项目)中各有两个数据库,并且我使用 Entity Framework 进行查询以将数据从项目 1 发送到项目 2。我的问题是如何将图像从第一个数据库转换为字符串通过查询发送?

这是我的网络服务代码:

// Entity Framework
Person sd = new Person(); 
// Method to get data from winforms app
public void GetData(string name,string picture)
{
    sd.name= name;
    sd.picture= ImageToByteArray(picture);
    context.AddToPerson(sd);
    context.SaveChanges();
}

//Method to save the image into database
private Byte[] ImageToByteArray(string source)
{
    FileInfo fInfo = new FileInfo(source);
    long sizeByte = fInfo.Length;
    FileStream fs = new FileStream(source, FileMode.Open, FileAccess.Read);
    BinaryReader br = new BinaryReader(fs);
    byte[] data = br.ReadBytes((int)sizeByte);
    return data;
}

这是我的 Winforms 代码:

WebService3SD.Service1SoapClient oService = new WebService3SD.Service1SoapClient();

private void SendData()
{
    Driver dr = context.Drivers.FirstOrDefault(d => d.name == "name1");
    oService.GetData(dr.name,????);//here i have no idea what i have to do ?!
}

为此,我需要一种将图像转换为字符串的方法,所以如果有人对此有任何想法,我将不胜感激。

4

1 回答 1

0

您可能希望将图像编码为 Base64 以进行传输。现在您的代码正在尝试读取服务器文件系统。看代码如下:

在您发出请求的应用程序中:

private void btnEncode_Click(object sender, EventArgs e)
{
  if (!string.IsNullOrEmpty(txtInFile.Text))
  {
    FileStream fs = new FileStream(txtInFile.Text, 
                                   FileMode.Open, 
                                   FileAccess.Read);
    byte[] filebytes = new byte[fs.Length];
    fs.Read(filebytes, 0, Convert.ToInt32(fs.Length));
    string encodedData = 
        Convert.ToBase64String(filebytes,                 
                               Base64FormattingOptions.InsertLineBreaks);
    txtEncoded.Text = encodedData; 
  }
}

在接收方:

private void btnDecode_Click(object sender, EventArgs e)
{
  if (!string.IsNullOrEmpty(txtOutFile.Text))
  {
    byte[] filebytes = Convert.FromBase64String(txtEncoded.Text);
    FileStream fs = new FileStream(txtOutFile.Text, 
                                   FileMode.CreateNew, 
                                   FileAccess.Write, 
                                   FileShare.None);
    fs.Write(filebytes, 0, filebytes.Length);
    fs.Close(); 
  }
}
于 2013-04-04T20:42:26.097 回答