Чтение TIFF Изображение из Oracle долго сырье с помощью C # не работает - PullRequest
0 голосов
/ 03 сентября 2018

У меня есть длинный необработанный столбец, содержащий изображение tiff, которое сохраняется приложением oracle form, я пытаюсь получить изображение с помощью c # и безуспешно сохранить его, изображение допустимо, но на нем отображается дерьмовый рисунок.

Определение столбца базы данных

SIGNATURE     NOT NULL LONG RAW()  

C # код

внутреннее сохранение void (строка аккаунта) { var commonAccount = new List ();

        using (OracleConnection cn = new OracleConnection(ConfigurationManager.ConnectionStrings["-----"].ConnectionString))
        {
            var imgCmd = new OracleCommand("select SIGNATURE, number, code, name  from table_name where number = ***** and code = *****", cn);
            imgCmd.InitialLONGFetchSize = -1;
            cn.Open();

            var reader = imgCmd.ExecuteReader();
            if (reader.Read())
            {
                //var v1 = reader[0];
                var v2 = reader[1].ToString();
                var v3 = reader[2].ToString();
                var v4 = reader[3].ToString();

                OracleBinary imgBinary = reader.GetOracleBinary(0);

                // Get the bytes from the binary obj
                byte[] imgBytes = imgBinary.IsNull ? null : imgBinary.Value;

                var newData = Convert.ToBase64String(imgBytes);


                MemoryStream stream = new MemoryStream();
                stream.Write(imgBytes, 0, imgBytes.Length);
                Bitmap bm = new Bitmap(stream);
                bm.Save("d:\\image.tif", System.Drawing.Imaging.ImageFormat.Tiff);
            }

            reader.Close();
        }

Сохраненное изображение выглядит как Saved image by c#

Я построил новую форму оракула и связал изображение с колонкой, и оно отображается правильно, есть идеи? By Oracle form

EDIT: Я обнаружил, что изображение в базе данных Oracle сохранено в порядке байтов Big-Endian

1 Ответ

0 голосов
/ 10 сентября 2018

После нескольких дней понимания и поиска решений следующие проблемы решили мою проблему. Приведенный ниже код преобразовывает в другой тип кодирования изображений, также преобразуя его в младший порядок

Обратите внимание, что в коде используется библиотека BitMiracle.LibTiff ,

        private string GetBase64Data(byte [] image)
    {
        var data = string.Empty;
        using (MemoryStream ms = new MemoryStream(image))
        {
            using (Tiff tif = Tiff.ClientOpen("in-memory", "r", ms, new TiffStream()))
            {
                // Find the width and height of the image
                FieldValue[] value = tif.GetField(TiffTag.IMAGEWIDTH);
                int width = value[0].ToInt();

                value = tif.GetField(TiffTag.IMAGELENGTH);
                int height = value[0].ToInt();

                // Read the image into the memory buffer
                int[] raster = new int[height * width];
                if (!tif.ReadRGBAImage(width, height, raster))
                {
                    return data;
                }

                using (Bitmap bmp = new Bitmap(width, height, PixelFormat.Format24bppRgb))
                {
                    Rectangle rect = new Rectangle(0, 0, bmp.Width, bmp.Height);

                    BitmapData bmpdata = bmp.LockBits(rect, ImageLockMode.ReadWrite, PixelFormat.Format24bppRgb);
                    byte[] bits = new byte[bmpdata.Stride * bmpdata.Height];

                    for (int y = 0; y < bmp.Height; y++)
                    {
                        int rasterOffset = y * bmp.Width;
                        int bitsOffset = (bmp.Height - y - 1) * bmpdata.Stride;

                        for (int x = 0; x < bmp.Width; x++)
                        {
                            int rgba = raster[rasterOffset++];
                            bits[bitsOffset++] = (byte)((rgba >> 16) & 0xff);
                            bits[bitsOffset++] = (byte)((rgba >> 8) & 0xff);
                            bits[bitsOffset++] = (byte)(rgba & 0xff);
                        }
                    }

                    System.Runtime.InteropServices.Marshal.Copy(bits, 0, bmpdata.Scan0, bits.Length);
                    bmp.UnlockBits(bmpdata);

                    MemoryStream ims = new MemoryStream();
                    bmp.Save(ims, ImageFormat.Bmp);
                    data = Convert.ToBase64String(ims.ToArray());
                }
            }
        }

        return data;
    }
...