Click here to Skip to main content
15,881,027 members
Articles / Programming Languages / C#

Deploy your Application and Database

Rate me:
Please Sign up or sign in to vote.
4.38/5 (31 votes)
3 Nov 2006CPOL3 min read 299.7K   10.1K   117   60
Describes how to add custom script to install project

Introduction

This article describes a simple way to deploy your application and database. Once the development and testing of application are done, it is necessary to create some script that installs your application to the target computer. In VS2003/2005, it can be done by adding setup project to your solution and performing build on it. Get more information about setup projects on the MSDN site. But sometimes, the situation is more complicated.

Database

Usually your application has some storage for saving its data. In my example, we are talking about SQL server database. My database is schema (table definitions), stored procedures and some predefined data (like ENUMs, application users and so on, that are stored in database). So as you can see, my Setup project is not only script that deploys application's binaries to target computer but also contains some logic for finding local SQL server (can be modified to find any SQL server in local network), creating database and inserting all predefined application data. The following steps will describe how it can be done.

Step 1

Perform backup operation on your database. It can be done in SQL EM. Choose your database, perform right click and choose backup database. See picture 1:

Sample screenshot

Picture 1

After choosing backup database, in SQL Server backup form, click add button and choose backup file name. (In my example, I called it dbBackup.) See picture 2.

Sample screenshot

Picture 2

Finally, click OK button and Backup will be executed. The created file will contain your database information.

Step 2

Now add your file to your Setup project. Perform Right click on setup project in (Visual Studio). See Picture 3:

Sample screenshot

Picture 3

In file dialog, choose dbBackUp file and perform build. Now your msi contains dbBackupFile, that will be copied to the target directory during setup process.

Step 3

Create a new project (SetupScripts) that will contain your deployment logic. Add a new class that inherits from System.Configuration.Install.Installer (Installer class in Add New Item dialog) and perform override on Install method. In Step 5, I'll give more explanation about the Install method. Compile your project.

Step 4

Now perform right mouse click on your setup project and click Custom actions. See picture 4.

Sample screenshot

Picture 4

In custom actions screen, click on install folder and add SetupScripts.dll from the previous step. Now during install, your SetupScript.dll will be used, so if it contains a class that inherits from Installer (as we've done in step 3), the Installer's class Install method will be invoked. You can pass parameters to your install method by performing the following steps: Right mouse click on SetupScripts.dll in Custom actions -> Install folder. Go to properties window and add parameters to CustomActionData row. See picture 5.

Sample screenshot

Picture 5

Step 5

Finally, we can add code that installs the database.

C#
public override void Install(System.Collections.IDictionary stateSaver)
{
    try
    {   
        base.Install( stateSaver );   
        SetupDataBase db = new SetupDataBase();
        // Database name to create
        db.DbName = Context.Parameters["dbName"]; 
        log.WriteLine( "Database name: " + db.DbName );
        // Backup file ( full name ) 
        db.BackUpFilePath = Context.Parameters["BackUpFile"]; 
        log.WriteLine( "Backup file: " + db.BackUpFilePath );
        // Application config file ( to update connection string )
        db.AppConfigFileName =    Context.Parameters["ConfigFile"];
        log.WriteLine( "Config file: " + db.AppConfigFileName );
        // Application file                
        db.AppPath = Context.Parameters["AppPath"];
        log.WriteLine( "AppPath: " + db.AppPath );
        db.m_datFilePath = Context.Parameters["DATFile"];   
        log.WriteLine( "DATFile: " + db.m_datFilePath );
        db.Execute();           
    }           
    catch( Exception e ) 
    {  
        throw new ApplicationException("Database creation fault: \n" + e.Message );
    }                
}

Setup database is a class that performs database install. (You can find its full code in the attached ZIP file). Now I'll show only its execute and GetConnStringToLocalServer() methods.

C#
public void Execute() 
{             
    SqlCommand cmd = null;            
    SqlConnection conn = null;
    try            
    {                
        // Create connection string to database

        string connString = GetConnStringToLocalServer(); 
        conn = new SqlConnection( connString );    
        // Create query to perform on DB           
        string query = string.Format(               
            @"restore database {1} from disk='{2}{0}'",
            m_backUpFilePath,                  
            m_dbName,                    
            m_datFilePath            );        
        // Create SQL command             
        cmd = new SqlCommand( query, conn );     
        cmd.CommandType = CommandType.Text;
        conn.Open();              
        cmd.ExecuteNonQuery(); 
        // Get              
        string[] parts = connString.Split( new char[] { ';' } );
        foreach( string part in parts )             
        {                  
            if( part.StartsWith( "Initial" ) )
            {                     
                connString = connString.Replace(      
                    part,                     
                    string.Format( "Initial Catalog={0}", m_dbName)
                    );
            }
        }                 
        // Update Connection string in application's config
        UpdateAttribute( connString );
    }            
    finally            
    {                
        if( cmd != null ) cmd.Dispose(); 
        if( conn != null ) conn.Dispose(); 
    }        
}

private string GetConnStringToLocalServer()
{            
    SqlDataSourceEnumerator sqlEnum = SqlDataSourceEnumerator.Instance;
    DataTable table = sqlEnum.GetDataSources();
    // Get local machine name 

    string machineName = Environment.MachineName;    
    foreach( DataRow row in table.Rows )   
    {               
        if( row[0].ToString() == machineName )
        {                 
            string connString = string.Format(
                "Persist Security Info=False;Integrated Security=SSPI;" +
                "Initial Catalog=master;Data Source={0}",
                machineName );
            return connString;   
        }
    }
    throw new ApplicationException( "No local sql Server is installed" );
}

Ok folks, that’s all. May be one more tip, install code is extremely hard to debug, so use logging mechanism to log almost every step of install operation. In the attached code (in ZIP file), I've used regular Windows Form to see the installation progress status. Use this example to create something more elegant.

History

  • 3rd November, 2006: Initial post

License

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


Written By
Retired
Israel Israel
Name: Statz Dima
Fields of interest: software

Comments and Discussions

 
Generalattach sql backup file in msi Pin
mbrawat17-Jun-10 4:17
mbrawat17-Jun-10 4:17 
GeneralPlease send me the solution Pin
vamajor8-Jun-10 6:42
vamajor8-Jun-10 6:42 
GeneralRe: Please send me the solution Pin
vamajor8-Jun-10 6:42
vamajor8-Jun-10 6:42 
Generalsample application Pin
mbrawat7-Jun-10 3:04
mbrawat7-Jun-10 3:04 
GeneralRe: sample application Pin
jackthomson22-Jul-12 8:13
jackthomson22-Jul-12 8:13 
GeneralSetupScripts project type Pin
mbrawat7-Jun-10 2:54
mbrawat7-Jun-10 2:54 
Generalexplain the parameters Pin
mbrawat7-Jun-10 2:45
mbrawat7-Jun-10 2:45 
Generalhi Dima Pin
dhilsen304-May-10 22:30
dhilsen304-May-10 22:30 
I have one error in installation time of my application using your installer application.... that is database creation is failed because syntax error near '/' shall you give me ideas to resolve this error... also send me Ur screen shot to this mail id dhilsen.nov30@gmail.com
.....thank you
QuestionParameters... Pin
vinghese23-Feb-10 0:47
vinghese23-Feb-10 0:47 
Generalcreated a windows application and attached a data base file with .sdf when deployed The database file cannot be found error Pin
ANKHE17-Jan-10 20:02
ANKHE17-Jan-10 20:02 
QuestionCan we get a better explaination of the settings string? Pin
bamf7514-Sep-09 22:31
bamf7514-Sep-09 22:31 
GeneralHi Dima , Plz send me test solution Pin
ram saurabh13-Sep-09 1:35
ram saurabh13-Sep-09 1:35 
Generaldeployment an Sqlserver And C#.net Application Pin
sai2598-Sep-09 21:29
sai2598-Sep-09 21:29 
QuestionError: cannot be restored over the existing ... Pin
hodinhle7-Jan-09 7:31
hodinhle7-Jan-09 7:31 
GeneralSome more explanation Pin
reubenxl5-Aug-08 4:30
reubenxl5-Aug-08 4:30 
GeneralInstaller problem Pin
Miguel Mesa12-Jun-08 5:28
Miguel Mesa12-Jun-08 5:28 
GeneralMinor problem I have Pin
trfcrich3-Oct-07 3:14
trfcrich3-Oct-07 3:14 
GeneralJust a Problem Pin
mafpinedo3-Aug-07 1:07
mafpinedo3-Aug-07 1:07 
GeneralThank you! Pin
Aivar92122-May-07 9:24
Aivar92122-May-07 9:24 
GeneralDeploy app and database Pin
ruga77714-Nov-06 0:30
ruga77714-Nov-06 0:30 
GeneralRe: Deploy app and database Pin
Dima Statz14-Nov-06 22:10
Dima Statz14-Nov-06 22:10 
GeneralRe: Deploy app and database Pin
hiteshapatel16-Aug-07 1:05
hiteshapatel16-Aug-07 1:05 
GeneralRe: Deploy app and database Pin
MD Sanata21-Sep-07 18:20
MD Sanata21-Sep-07 18:20 
GeneralRe: Deploy app and database Pin
Member 92661676-Aug-12 0:43
Member 92661676-Aug-12 0:43 
GeneralRe: Deploy app and database Pin
R_B_10-Apr-13 20:54
R_B_10-Apr-13 20:54 

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.