Click here to Skip to main content
15,885,366 members
Articles / Database Development / SQL Server
Article

Simple Movie Database in C# using Microsoft Access

Rate me:
Please Sign up or sign in to vote.
4.78/5 (59 votes)
28 Mar 2008CPOL3 min read 366.9K   27K   128   60
Simple database project, C# frontend for Microsoft Access movie database
app.gif

Introduction

For a while now, I'm a member of CodeProject family, and I've never contributed any of my projects. Since this site has been very helpful for me while learning C#, I've decided to share my first project in C#. It was written about a year ago when I joined here. Anyhow, this article is about a simple database built in Microsoft Access and C#. I wanted to explore this because the end user doesn't need to install any SQL servers, he just needs executable binary and *.mdb file. As I mentioned, it is one of my first projects, so it is not very advanced, but the provided code snippets are useful, i.e. connecting to *.mdb file, read/write data, using dataGridView control, adding buttons to cells, etc.

Using the Code

First, you need to create a database in Microsoft Access. The database is very simple and therefore, there is a lot of scope for future work and improvement.

//  First table contains movies
//  where movieID is auto-increment value, also primary key, and typeID foreign key
//  movies (movieID, Title, Publisher, Previewed, Year, typeID) 
//  --------------------------------------------------------------- 
//  Second table contains movie types
//  movietypes (typeID, Type)

If you have a bigger database in your mind, you can use some generator to create the database. For a small project like this, those kinds of tools aren't necessary (also, try to keep it in 3NF).

Ok, now we have our database. Microsoft Access allows us to add records, but we want to create our own front end. To be able to connect to the database and manipulate with records, it is necessary to use the System.Data.OleDb namespace which will provide the required methods.

In the constructor of the initial form, the application connects to the database using the following code:

C#
public Form1()
{
    InitializeComponent();
    // initiate DB connection
    string connectionString = "Provider=Microsoft.Jet.OLEDB.4.0;
        Data Source=moviedb.mdb";
    try
    {
        database = new OleDbConnection(connectionString);
        database.Open();
        //SQL query to list movies
        string queryString = "SELECT movieID, Title, 
            Publisher, Previewed, Year, Type 
            FROM movie,movieType WHERE movietype.typeID = movie.typeID";
        loadDataGrid(queryString);
    }
    catch (Exception ex)
    {
        MessageBox.Show(ex.Message);
        return;
    }
}

The method loadDataGrid loads the data from the database to the dataGridView control, using the SQL query in the string variable, queryString. Here is the implementation:

C#
public void loadDataGrid(string sqlQueryString) {

            OleDbCommand SQLQuery = new OleDbCommand();
            DataTable data = null;
            dataGridView1.DataSource = null;
            SQLQuery.Connection = null;
            OleDbDataAdapter dataAdapter = null;
            dataGridView1.Columns.Clear(); // <-- clear columns

            SQLQuery.CommandText = sqlQueryString;
            SQLQuery.Connection = database;
            data = new DataTable();
            dataAdapter = new OleDbDataAdapter(SQLQuery);
            dataAdapter.Fill(data);
            dataGridView1.DataSource = data;

            dataGridView1.AllowUserToAddRows = false; // <-- remove the null line
            dataGridView1.ReadOnly = true;          // <-- so the user cannot type 

            // following code defines column sizes
            dataGridView1.Columns[0].Visible = false; 
            dataGridView1.Columns[1].Width = 340;
            dataGridView1.Columns[3].Width = 55;
            dataGridView1.Columns[4].Width = 50;
            dataGridView1.Columns[5].Width = 80;

            // insert edit button into datagridview
            editButton = new DataGridViewButtonColumn();
            editButton.HeaderText = "Edit";
            editButton.Text = "Edit";
            editButton.UseColumnTextForButtonValue = true;
            editButton.Width = 80;
            dataGridView1.Columns.Add(editButton);

            // insert delete button to datagridview
            deleteButton = new DataGridViewButtonColumn();
            deleteButton.HeaderText = "Delete";
            deleteButton.Text = "Delete";
            deleteButton.UseColumnTextForButtonValue = true;
            deleteButton.Width = 80;
            dataGridView1.Columns.Add(deleteButton);
        }

The interesting part of this code is adding buttons to dataGridView cells. Using these buttons, you can update or delete the selected row. The other way to do this is to place only two buttons outside the dataGridView control, and then select the row you want to edit/delete and press the button. Here, every row has its own buttons.

The question remains, how can I detect when the button is pressed, and where do I place my code to do some action. Well, here is the way to do it:

C#
private void dataGridView1_CellContentClick
    (object sender, DataGridViewCellEventArgs e)
{
    string queryString = "SELECT movieID, Title, Publisher, 
        Previewed, Year, Type 
        FROM movie, movieType WHERE movietype.typeID = movie.typeID";
    
    int currentRow = int.Parse(e.RowIndex.ToString());
    try
    {
        string movieIDString = dataGridView1[0, currentRow].Value.ToString();
        movieIDInt = int.Parse(movieIDString);
    }
    catch (Exception ex) { }
    // edit button
    if (dataGridView1.Columns[e.ColumnIndex] == editButton && currentRow >= 0)
    {
        string title = dataGridView1[1, currentRow].Value.ToString();
        string publisher = dataGridView1[2, currentRow].Value.ToString();
        string previewed = dataGridView1[3, currentRow].Value.ToString();
        string year = dataGridView1[4, currentRow].Value.ToString();
        string type = dataGridView1[5, currentRow].Value.ToString();
                    
        Form2 f2 = new Form2();
        f2.title = title;
        f2.publisher = publisher;
        f2.previewed = previewed;
        f2.year = year;
        f2.type  = type;
        f2.movieID = movieIDInt;
        f2.Show();
        dataGridView1.Update();
    }
... 

I used the CellContentClick event. So now, when the button is down, I need to know the selected row. I do this by using the e.RowIndex. Using this variable, you can fetch any column value of the selected row. As shown, the first parameter is column index, and the second is row index. When the update of the selected row is completed in Form2, now using the Update() method on the dataGridView1 object, you can see the changes that were made.

The delete button works the same way.

C#
// delete button
else if (dataGridView1.Columns[e.ColumnIndex] == 
deleteButton && currentRow >= 0)
{
    // delete SQL query
    string queryDeleteString = 
        "DELETE FROM movie WHERE movieID = "+movieIDInt+"";
    OleDbCommand sqlDelete = new OleDbCommand();
    sqlDelete.CommandText = queryDeleteString;
    sqlDelete.Connection = database;
    sqlDelete.ExecuteNonQuery();
    loadDataGrid(queryString);
}

Conclusion

This project shows a simple way how to use Microsoft Access database and .NET controls to display stored data. Everything that you need to start your own more advanced application for a similar purpose is shown here. The project is for C# beginners, and with a little bit of imagination, it can be improved and useful. Hope you like it. Cheers!!

History

  • 28.3.2008 - Insertion bug fixed, added SelectionMode property to dataGridView1

License

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


Written By
Croatia Croatia
Ivan Svogor, is a final year graduate student of Information and Software Engineering at university of Zagreb, Croatia. His interests is SOA, human computer interaction, computer & embedded systems (sensors) integration, basically he likes cool stuff Smile | :) ...

Comments and Discussions

 
Generalsearch Pin
hamidhkhhkh10-Jun-10 11:13
hamidhkhhkh10-Jun-10 11:13 
GeneralNeed Help: GridView control problem Pin
Purish Dwivedi28-Oct-09 22:50
Purish Dwivedi28-Oct-09 22:50 
GeneralThanks Pin
wasimmn9-Sep-09 14:33
wasimmn9-Sep-09 14:33 
Generalcontent combobox Pin
guidoursus27-Jul-09 4:24
guidoursus27-Jul-09 4:24 
GeneralExcellent Pin
tkw20092-Jul-09 6:20
tkw20092-Jul-09 6:20 
Generalvery useful ! Pin
Hieroma13-Jan-09 11:56
Hieroma13-Jan-09 11:56 
QuestionSelecting Items. Pin
koen-sjohn7-Jan-09 14:16
koen-sjohn7-Jan-09 14:16 
Generalthanks a million Pin
calvin120615-Dec-08 7:14
calvin120615-Dec-08 7:14 
thanks a million i got saved caz of u
QuestionC# with simple Access tables Pin
rana radaideh23-Nov-08 7:27
rana radaideh23-Nov-08 7:27 
AnswerRe: C# with simple Access tables Pin
Ivan Svogor23-Nov-08 7:58
Ivan Svogor23-Nov-08 7:58 
GeneralGreat Example Thanks - Question Pin
tracam23-Oct-08 12:30
tracam23-Oct-08 12:30 
GeneralRe: Great Example Thanks - Question Pin
Ivan Svogor23-Nov-08 7:57
Ivan Svogor23-Nov-08 7:57 
QuestionClose Form1 Class? Pin
MeistahLampe10-Jun-08 11:28
MeistahLampe10-Jun-08 11:28 
AnswerRe: Close Form1 Class? Pin
Ivan Svogor23-Nov-08 7:55
Ivan Svogor23-Nov-08 7:55 
GeneralOnline Pin
noughtica15-May-08 17:54
noughtica15-May-08 17:54 
GeneralThanks Pin
Jan Boer4-Apr-08 3:13
Jan Boer4-Apr-08 3:13 
GeneralRe: Thanks Pin
Ivan Svogor4-Apr-08 6:48
Ivan Svogor4-Apr-08 6:48 
GeneralRe: Thanks Pin
Jan Boer14-Apr-08 3:06
Jan Boer14-Apr-08 3:06 
Generalrefresh datagridview Pin
Member 6706853-Apr-08 11:35
Member 6706853-Apr-08 11:35 
GeneralRe: refresh datagridview Pin
Member 6706853-Apr-08 12:05
Member 6706853-Apr-08 12:05 
GeneralRe: refresh datagridview Pin
Ivan Svogor4-Apr-08 6:49
Ivan Svogor4-Apr-08 6:49 
Generalthank you Pin
HayLin25-Mar-08 7:55
HayLin25-Mar-08 7:55 
GeneralRe: thank you Pin
Ivan Svogor25-Mar-08 8:28
Ivan Svogor25-Mar-08 8:28 
GeneralRe: thank you Pin
Chanaka Ishara27-Mar-08 4:24
Chanaka Ishara27-Mar-08 4:24 
GeneralRe: thank you [modified] Pin
Ivan Svogor28-Mar-08 11:17
Ivan Svogor28-Mar-08 11:17 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.