Introduction

This article is to demonstrate how to load images into a SQLite database and retrieve them for viewing. It is written in VS2010, C#, .NET4.0, and uses an ADO.NET provider System.Data.SQLite to connect to the SQLite database. And this all in a Windows XP environment.

Background

First of all, one has to obtain a few files and install them according to the rules:

SQLite ADO.NET provider: I installed the package into my "C:\" directory and chose not to register the DLL files, due to only wanting to include the DLL files to my project.

Using the code

SQLite

First, I created a new database named ImageLib.s3db and added a table and required fields.

Collapse | Copy Code

CREATE TABLE [ImageStore] (
[ImageStore_Id] INTEGER NOT NULL PRIMARY KEY AUTOINCREMENT,
[ImageFile] NVARCHAR(20) NULL,
[ImageBlob] BLOB NULL
);
VS2010 - C# - .NET 4.0

Next, I created a VS2010 project named StoringImages, changed the default namespace, and added a few folders and files.

  • folder: Database

    • file: StoringImages.s3db

      • Property: Copy to Output Directory => Copy Always
  • folder: Model
    • dBFunctions.cs
    • dBHelper.cs
    • Image.cs
    • ImageHelper.cs
  • file: System.Data.SQLite.dll
    • Property: Copy to Output Directory => Copy Always
  • file: SQLite.Interop.dll
    • Property: Copy to Output Directory => Copy Always
  • form: DisplayImages
    • This is the startup form of the project

Both System.Data.SQLite.dll and SQLite.Interop.dll need to be placed just beneath the root (project) StoringImages. This ensures that both files are installed into the same directory as the the project's "*.exe" file.

Solution Explorer

Model

Within the folder Model, there are a few classes, two for handling all database transactions and two for handling image transactions. The two for handling database transactions, dBFunctions and dBHelper, I've used before in my previous article C# & SQLite. So next, I'll be explaining how to use the remaining two classes, Image andImageHelper.

The class Image I'll be using as a custom made variable, which will be used to store the data of an imported image file, so it can be passed along between methods.

The class that will be doing all the hard work is ImageHelper. Within this class, you'll find various methods for handling the Insert, Delete, and SaveAs of an image. Insert uses another method called LoadImage which handles the binary reading of an image. Delete is for the removal of the data from the database. SaveAs is for saving the image back to a directory of choice. After every transaction, a transaction state is generated in the form ofisSucces. The view (form) DisplayImages requires this state in order to or not to update itself.

ImageHelper - Assigning of references

I try never to use more references than needed, but sometimes forget to remove the ones VS2010 automatically adds to every new class.

Collapse | Copy Code

using System;
using System.IO;
using System.Windows.Forms;
using System.Data;
using System.Data.SQLite;
ImageHelper - Declairation of variables

MaxImageSize is used to declare the maximum number of bytes allowed when importing an image, which in this example is overridden in the LoadImage method.

Collapse | Copy Code

private dBHelper helper = null;
private string fileLocation = string.Empty;
private bool isSucces = false;
private int maxImageSize = 2097152; //2MB - 2097152
//5MB - 5242880
//10MB - 10485760 /* Conversion
* 1 Byte = 8 Bit
* 1 Kilobyte = 1024 Bytes
* 1 Megabyte = 1048576 Bytes
* 1 Gigabyte = 1073741824 Bytes
* */

dBHelper is the class that handles transactions to the database. maxImageSize is for the default maximum number of bytes allowed during upload. isSucces lets the view know that a transaction [Insert, Delete, SaveAs] was a success or not.

ImageHelper - Properties

Collapse | Copy Code

private string FileLocation
{
get { return fileLocation; }
set
{
fileLocation = value;
}
}
ImageHelper - Method GetSucces

This method is used by the form DisplayImage to find if a transaction [Insert, Delete, SaveAs] was a success or not.

Collapse | Copy Code

public Boolean GetSucces()
{
return isSucces;
}
ImageHelper - Method LoadImage

First we ask the user for the selected image file location [path] so that we can use this in our FileStream. Once theFilestream is open, we read the image as binary and store the acquired data in an instance of the Image class, which we'll be sending to the caller of the method LoadImage, the InsertImage method.

Collapse | Copy Code

private Image LoadImage()
{
//Create an instance of the Image Class/Object
//so that we can store the information
//about the picture an send it back for
//processing into the database.
Image image = null; //Ask user to select Image
OpenFileDialog dlg = new OpenFileDialog();
dlg.InitialDirectory = @"C:\\";
dlg.Title = "Select Image File";
//dlg.Filter = "Tag Image File Format (*.tiff)|*.tiff";
//dlg.Filter += "|Graphics Interchange Format (*.gif)|*.gif";
//dlg.Filter += "|Portable Network Graphic Format (*.png)|*.png";
//dlg.Filter += "|Joint Photographic Experts Group Format (*.jpg)|*.jpg";
//dlg.Filter += "|Joint Photographic Experts Group Format (*.jpeg)|*.jpeg";
//dlg.Filter += "|Nikon Electronic Format (*.nef)|*.nef";
//dlg.Filter += "|All files (*.*)|*.*";
dlg.Filter = "Image Files (*.jpg ; *.jpeg ; *.png ; *.gif ; *.tiff ; *.nef)
|*.jpg;*.jpeg;*.png;*.gif;*.tiff;*.nef";
dlg.ShowDialog(); this.FileLocation = dlg.FileName; if (fileLocation == null || fileLocation == string.Empty)
return image; if (FileLocation != string.Empty && fileLocation != null)
{
Cursor.Current = Cursors.WaitCursor; //Get file information and calculate the filesize
FileInfo info = new FileInfo(FileLocation);
long fileSize = info.Length; //reasign the filesize to calculated filesize
maxImageSize = (Int32)fileSize; if (File.Exists(FileLocation))
{
//Retreave image from file and binary it to Object image
using (FileStream stream = File.Open(FileLocation, FileMode.Open))
{
BinaryReader br = new BinaryReader(stream);
byte[] data = br.ReadBytes(maxImageSize);
image = new Image(dlg.SafeFileName, data, fileSize);
}
}
Cursor.Current = Cursors.Default;
}
return image;
}
ImageHelper - Method InsertImage

InsertImage is called from the view (form) DisplayImages via the NewPicture method. Once the insert is successfully completed, it will return the newly obtained image_id back to the view.

As you'll notice, an instance of the class Image is used between the methods InsertImage and LoadImage.

Collapse | Copy Code

public Int32 InsertImage()
{
DataRow dataRow = null;
isSucces = false; Image image = LoadImage(); //if no file was selected and no image was created return 0
if (image == null) return 0; if (image != null)
{
// Determin the ConnectionString
string connectionString = dBFunctions.ConnectionStringSQLite; // Determin the DataAdapter = CommandText + Connection
string commandText = "SELECT * FROM ImageStore WHERE 1=0"; // Make a new object
helper = new dBHelper(connectionString);
{
// Load Data
if (helper.Load(commandText, "image_id") == true)
{
// Add a row and determin the row
helper.DataSet.Tables[0].Rows.Add(
helper.DataSet.Tables[0].NewRow());
dataRow = helper.DataSet.Tables[0].Rows[0]; // Enter the given values
dataRow["imageFileName"] = image.FileName;
dataRow["imageBlob"] = image.ImageData;
dataRow["imageFileSizeBytes"] = image.FileSize; try
{
// Save -> determin succes
if (helper.Save() == true)
{
isSucces = true; }
else
{
isSucces = false;
MessageBox.Show("Error during Insertion");
}
}
catch (Exception ex)
{
// Show the Exception --> Dubbel Id/Name ?
MessageBox.Show(ex.Message);
} }//END IF
}
}
//return the new image_id
return Convert.ToInt32(dataRow[0].ToString());
}
ImageHelper - Method DeleteImage

DeleteImage executes the removal of an image from the database. The method requires an integer, the row number of the dataset, given by the view (form) DisplayImages via the method DeletePicture. And after processing,DeleteImage returns the "state" back to DeletePicture.

Collapse | Copy Code

public void DeleteImage(Int32 imageID)
{
//Set variables
isSucces = false; // Determin the ConnectionString
string connectionString = dBFunctions.ConnectionStringSQLite; // Determin the DataAdapter = CommandText + Connection
string commandText = "SELECT * FROM ImageStore WHERE image_id=" + imageID; // Make a new object
helper = new dBHelper(connectionString);
{
// Load Data
if (helper.Load(commandText, "image_id") == true)
{
// Determin if the row was found
if (helper.DataSet.Tables[0].Rows.Count == 1)
{
// Found, delete row
helper.DataSet.Tables[0].Rows[0].Delete();
try
{
// Save -> determin succes
if (helper.Save() == true)
{
isSucces = true;
}
else
{
isSucces = false;
MessageBox.Show("Delete failed");
}
}
catch (Exception ex)
{
// Show the Exception --> Dubbel ContactId/Name ?
MessageBox.Show(ex.Message);
}
}
}
}
}
ImageHelper - Method SaveAsImage

To top it all off, I've added a SaveAs method. Save the binary data back to an image file, to an allocated directory of the user's choice.

Once again, we need to know which row of the dataset needs to be saved to file, thus our method requires an integer as parameter.

First, we set the local variables to the default values, a C# - .NET requirement and good standard programming practice.

Then we ask the user, via a SaveDialog, for the directory location and file name for the new image. A dialog.Filterrange is set, that we allow, and a check is executed accordingly.

The binary data is retrieved from the database with the use of dBHelper, once again using an instance of the Imageclass. If dBHelper.Load returns the value "true", the FileStream is executed and writing the binary to image processed. To end the process the "state" isSucces is returned to the view (form) DisplayImages.

Collapse | Copy Code

public void SaveAsImage(Int32 imageID)
{
//set variables
DataRow dataRow = null;
Image image = null;
isSucces = false; // Displays a SaveFileDialog so the user can save the Image
SaveFileDialog dlg = new SaveFileDialog();
dlg.InitialDirectory = @"C:\\";
dlg.Title = "Save Image File";
//1
dlg.Filter = "Tag Image File Format (*.tiff)|*.tiff";
//2
dlg.Filter += "|Graphics Interchange Format (*.gif)|*.gif";
//3
dlg.Filter += "|Portable Network Graphic Format (*.png)|*.png";
//4
dlg.Filter += "|Joint Photographic Experts Group Format (*.jpg)|*.jpg";
//5
dlg.Filter += "|Joint Photographic Experts Group Format (*.jpeg)|*.jpeg";
//6
dlg.Filter += "|Bitmap Image File Format (*.bmp)|*.bmp";
//7
dlg.Filter += "|Nikon Electronic Format (*.nef)|*.nef";
dlg.ShowDialog(); // If the file name is not an empty string open it for saving.
if (dlg.FileName != "")
{
Cursor.Current = Cursors.WaitCursor;
//making shore only one of the 7 is being used.
//if not added the default extention to the filename
string defaultExt = ".png";
int pos = -1;
string[] ext = new string[7] {".tiff", ".gif", ".png",
".jpg", ".jpeg", ".bmp", ".nef"};
string extFound = string.Empty;
string filename = dlg.FileName.Trim();
for (int i = 0; i < ext.Length; i++)
{
pos = filename.IndexOf(ext[i], pos + 1);
if (pos > -1)
{
extFound = ext[i];
break;
}
}
if (extFound == string.Empty) filename = filename + defaultExt; // Determin the ConnectionString
string connectionString = dBFunctions.ConnectionStringSQLite; // Determin the DataAdapter = CommandText + Connection
string commandText = "SELECT * FROM ImageStore WHERE image_id=" + imageID; // Make a new object
helper = new dBHelper(connectionString); // Load the data
if (helper.Load(commandText, "") == true)
{
// Show the data in the datagridview
dataRow = helper.DataSet.Tables[0].Rows[0];
image = new Image(
(string)dataRow["imageFileName"],
(byte[])dataRow["imageBlob"],
(long)dataRow["imageFileSizeBytes"]
); // Saves the Image via a FileStream created by the OpenFile method.
using (FileStream stream = new FileStream(filename, FileMode.Create))
{
BinaryWriter bw = new BinaryWriter(stream);
bw.Write(image.ImageData);
isSucces = true;
}
}
Cursor.Current = Cursors.Default;
} if (isSucces)
{
MessageBox.Show("Save succesfull");
}
else
{
MessageBox.Show("Save failed");
}
}
View - (form) DisplayImages

The form contains a splitpanel with a picture box on one side (left) + a label on the other side (right) of aDataGridView. It also contains a ContextMenuStrip which is linked to the DataGridView. TheContextMenuStrip contains the three commands for this little project, the commands being New, Delete, andSaveAs.

The form itself contains a few extra methods for handling the commands, retrieving the data from the database, and filling up the DataGridView. The filling up of the DataGridView is only executed at the start of the application and after every execution of a command if the command was a success.

Remark

I know that the class ImageHelper and its methods need refactoring but I specially left it like this so that all its functionalities are contained; this makes it easier to read.

I hate reading articles about code and it's all over the place, jumping in and out methods to get a grip on things.

Points of Interest

Those who have read my previous article C# & SQLite will recognize the two database classes for handling all database transactions.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)

About the Author

kribo

Software Developer

Belgium

Developer within C#, Dynamics NAV (Navision), Php environments.

C# & SQLite - Storing Images的更多相关文章

  1. what are Datatypes in SQLite supporting android

    As said at Datatypes In SQLite Version 3: Datatypes In SQLite Version 3 Most SQL database engines (e ...

  2. SQLite数据库连接方式

    http://blog.csdn.net/ZF101201/archive/2010/05/26/5626365.aspx SQLite.NET Type:    .NET Framework Cla ...

  3. SQLite/嵌入式数据库

    SQLite/嵌入式数据库 的项目要么不使用数据库(一两个文配置文件就可以搞定),要么就会有很多的数据,用到 postgresql,操练sqlite的还没有.现在我有个自己的小测试例子,写个数据库对比 ...

  4. SQLITE WITH ENTITY FRAMEWORK CODE FIRST AND MIGRATION

    Last month I’ve a chance to develop an app using Sqlite and Entity Framework Code First. Before I st ...

  5. php读取sqlite数据库入门实例

    php读取sqlite数据库的例子,php编程中操作sqlite入门实例.原文参考:http://www.jbxue.com/article/php/22383.html在使用SQLite前,要确保p ...

  6. Persisting iOS Application Data in SQLite Database Using FMDB

    In previous articles we have utilized NSUserDefaults and .NET web services to persist iPhone data. N ...

  7. SQLite connection strings

    Basic Data Source=c:\mydb.db;Version=3; Version 2 is not supported by this class library. SQLite In- ...

  8. 提高sqlite 的运行性能(转载)

    原文地址: https://blog.devart.com/increasing-sqlite-performance.html One the major issues a developer en ...

  9. SQLite is 35% Faster Than The Filesystem

    比方说你要在C++/PHP里实现一个函数Image get_image(string id),不同的图片有1万张(用户头像),你可以把它们存在一个目录/文件夹里,然后fopen()再fread. 你也 ...

随机推荐

  1. Android 设定activity的进入和退出效果

    看了android的源代码和资源文件,终于明白如何去修改设置Dialog和Activity的进入和退出效果了.设置Dialog首先通过 getWindow()方法获取它的窗口,然后通过getAttri ...

  2. Hibernate征途(五)之继承映射和组件映射

    之所以把这两种映射放到一起说,是因为二者都是以复用为目的,减少了代码和配置量,这是相同点:二者之间的不同点类似继承和实现的区别:继承的类是一个事物的抽象,而实现的接口仅仅是功能的抽象. 继承映射 如上 ...

  3. 【转】Java多线程学习

    来源:http://www.cnblogs.com/samzeng/p/3546084.html Java多线程学习总结--线程概述及创建线程的方式(1) 在Java开发中,多线程是很常用的,用得好的 ...

  4. Ubuntu安装已经下载好的文件包

    默认的文件下载都在 ~/Downloads 文件夹里面. 按 ctrl+alt+t 打开命令. 1.解压下载好的文件包,如: tar -xvf Sublime\ Text\ 2.0.2.tar.bz2 ...

  5. linux shell 常用基本语法

    转自网络,真正来源不详.... 一. Linux基本命令 1.1.  cp命令 该命令的功能是将给出的文件或目录拷贝到另一文件或目录中,功能十分强大. 语法: cp [选项] 源文件或目录 目标文件或 ...

  6. bzoj2595

    一开始看是插头dp,后来发现还有一个叫斯坦纳树的东西 什么叫斯坦纳树,就是使给定点连通开销和最小的树(可以包含多余的点) 到这张平面图上,我们不难想到用dp来解决,设f[x,y,S]表示连通集合为S, ...

  7. Linux中的文件特殊权限

    linux中除了常见的读(r).写(w).执行(x)权限以外,还有3个特殊的权限,分别是setuid.setgid和stick bit 1.setuid.setgid 先看个实例,查看你的/usr/b ...

  8. 你真的精通Java吗?

    简历和自我介绍上经常能够读到“精通Java”这样的话,有人和我说,精通Java的人太多了,精通Java已经不能算亮点.不能给自己加分了.可是事实真是这样吗? 对于语言的学习,我有一种观点,一是纵向,即 ...

  9. (4)java方法区

    java方法区[名词解析]        --->和java堆一样,方法区是一块所有线程共享的内存区域.        --->保存系统的类信息,比如,类的字段,方法,常量池等.      ...

  10. 彩色网页变黑白色CSS代码变黑白色调!

    <style> html { -webkit-filter: grayscale(%); -moz-filter: grayscale(%); -ms-filter: grayscale( ...