<%@ Page %>
Storing Database Connection String In Web.config
Introduction
Many times our application requires certain things like connection string, application wide parameters to be stored external to the application. The traditional way to do this was INI files or registry entries. However, when you are talking about web application both of the possibilities are tedious as they have problems of their own. ASP.NET provides a cool way to do that. You can store such values in web.config file in the <appSettings> section. Following code illustrates this.
Storing values in web.config
Add following markup in your web.config file:
<configuration>
<appSettings>
<add key="connectionstring"
value="Integrated Security=SSPI;
Initial Catalog=Northwind;
Data Source=MyServer\NetSDK" />
</appSettings>
Namespaces Required
Following namespaces provide classes required for our operation:
System.Collections.Specialized
System.Configuration
VB.NET Code to retrieve values
Following code shows how to retrieve the values using VB.NET:
Dim myvar As String
Dim nv As NameValueCollection
nv = ConfigurationSettings.AppSettings()
myvar = nv("connectionstring")
You can quickly retrieve single setting as follows:
Dim myvar As String
myvar=ConfigurationSettings.AppSettings("connectionstring")
C# Code to retrieve values
Following code shows how to retrieve the values using C#:
string myvar;
NameValueCollection nv;
nv=ConfigurationSettings.AppSettings;
myvar=nv["connectionstring"];
You can quickly retrieve single setting as follows:
string myvar;
myvar=ConfigurationSettings.AppSettings["connectionstring"];
I hope you found the examples useful.