Click here to Skip to main content
15,916,180 members
Home / Discussions / C#
   

C#

 
GeneralRe: SQL Join over two databases Pin
turbochimp28-Feb-05 16:23
turbochimp28-Feb-05 16:23 
GeneralRe: SQL Join over two databases Pin
ppp00128-Feb-05 17:29
ppp00128-Feb-05 17:29 
GeneralWindows Forms ListBox "GetItemValue" method Pin
Anonymous28-Feb-05 14:54
Anonymous28-Feb-05 14:54 
Generalevents hold objects Pin
bob dole++28-Feb-05 14:39
bob dole++28-Feb-05 14:39 
QuestionHow to format the string Pin
oohungoo28-Feb-05 14:26
oohungoo28-Feb-05 14:26 
AnswerRe: How to format the string Pin
Rob Graham28-Feb-05 15:33
Rob Graham28-Feb-05 15:33 
Generalread Com+ components Pin
28-Feb-05 11:22
suss28-Feb-05 11:22 
Generalsql connection path help i need - pl see the code inside Pin
chandtec28-Feb-05 10:58
chandtec28-Feb-05 10:58 
Hai,Blush | :O
Below is the code i saw @

http://support.microsoft.com/default.aspx?scid=kb;en-us;301240.

Pl go tho' the ex & ans my qns

every thing is fine but sql connection path iam having doubt. actually iam using sql server 2000. in pubs database i have run the below given code.

conn = new SqlConnection( "server=localhost;Integrated Security=SSPI;database=pubs" );

my qn is wht should my connection path should be. directly windows based login iam using for sql server.

Think u got my qns . pl ans

chand
















Create an ASP.NET Application Using C# .NET
1. Open Visual Studio .NET.
2. Create a new ASP.NET Web application, and specify the name and location.
back to the top
Configure the Security Settings in the Web.config File
This section demonstrates how to add and modify the <authentication> and <authorization> configuration sections to configure the ASP.NET application to use forms-based authentication. 1. In Solution Explorer, open the Web.config file.
2. Change the authentication mode to Forms.
3. Insert the <forms> tag, and fill the appropriate attributes. (For more information about these attributes, refer to the MSDN documentation or the QuickStart documentation that is listed in the REFERENCES section.) Copy the following code, and then click Paste as HTML on the Edit menu to paste the code in the <authentication> section of the file:
<authentication mode="Forms">
<forms name=".ASPXFORMSDEMO" loginurl="logon.aspx"
="" protection="All" path="/" timeout="30">



4. Deny access to the anonymous user in the <authorization> section as follows:
<authorization>
<deny users="?">
<allow users="*">



back to the top
Create a Sample Database Table to Store Users Details
This section demonstrates how to create a sample database to store the user name, password, and role for the users. You need the role column if you want to store user roles in the database and implement role-based security. 1. On the Start menu, click Run, and then type notepad to open Notepad.
2. Highlight the following SQL script code, right-click the code, and then click Copy. In Notepad, click Paste on the Edit menu to paste the following code:
if exists (select * from sysobjects where id =
object_id(N'[dbo].[Users]') and OBJECTPROPERTY(id, N'IsUserTable') = 1)
drop table [dbo].[Users]
GO
CREATE TABLE [dbo].[Users] (
[uname] [varchar] (15) NOT NULL ,
[Pwd] [varchar] (25) NOT NULL ,
[userRole] [varchar] (25) NOT NULL ,
) ON [PRIMARY]
GO
ALTER TABLE [dbo].[Users] WITH NOCHECK ADD
CONSTRAINT [PK_Users] PRIMARY KEY NONCLUSTERED
(
[uname]
) ON [PRIMARY]
GO

INSERT INTO Users values('user1','user1','Manager')
INSERT INTO Users values('user2','user2','Admin')
INSERT INTO Users values('user3','user3','User')
GO


3. Save the file as Users.sql.
4. On the Microsoft SQL Server computer, open Users.sql in Query Analyzer. From the list of databases, click pubs, and run the script. This creates a sample users table and populates the table in the Pubs database to be used with this sample application.
back to the top
Create a Logon.aspx Page
1. Add a new Web Form to the project named Logon.aspx.
2. Open the Logon.aspx page in the editor, and switch to HTML view.
3. Copy the following code, and use the Paste as HTML option on the Edit menu to insert the code between the tags:


Logon Page



Email: <asp:requiredfieldvalidator controltovalidate="txtUserName"
="" display="Static" errormessage="*" runat="server" id="vUserName">
Password: <asp:requiredfieldvalidator controltovalidate="txtUserPass"
="" display="Static" errormessage="*" runat="server" id="vUserPass">
Persistent Cookie: <asp:checkbox id="chkPersistCookie" runat="server" autopostback="false">


<asp:label id="lblMsg" forecolor="red" font-name="Verdana" font-size="10" runat="server">

This Web Form is used to present a logon form to users so that they can provide their user name and password to log on to the application.
4. Switch to Design view, and save the page.
back to the top
Code the Event Handler So That It Validates the User Credentials
This section presents the code that is placed in the code-behind page (Logon.aspx.cs). 1. Double-click Logon to open the Logon.aspx.cs file.
2. Import the required namespaces in the code-behind file:
using System.Data.SqlClient;
using System.Web.Security;


3. Create a ValidateUser function to validate the user credentials by looking in the database. (Make sure that you change the Connection string to point to your database).
private bool ValidateUser( string userName, string passWord )
{
SqlConnection conn;
SqlCommand cmd;
string lookupPassword = null;

// Check for invalid userName.
// userName must not be null and must be between 1 and 15 characters.
if ( ( null == userName ) || ( 0 == userName.Length ) || ( userName.Length > 15 ) )
{
System.Diagnostics.Trace.WriteLine( "[ValidateUser] Input validation of userName failed." );
return false;
}

// Check for invalid passWord.
// passWord must not be null and must be between 1 and 25 characters.
if ( ( null == passWord ) || ( 0 == passWord.Length ) || ( passWord.Length > 25 ) )
{
System.Diagnostics.Trace.WriteLine( "[ValidateUser] Input validation of passWord failed." );
return false;
}

try
{
// Consult with your SQL Server administrator for an appropriate connection
// string to use to connect to your local SQL Server.
conn = new SqlConnection( "server=localhost;Integrated Security=SSPI;database=pubs" );
conn.Open();

// Create SqlCommand to select pwd field from users table given supplied userName.
cmd = new SqlCommand( "Select pwd from users where uname=@userName", conn );
cmd.Parameters.Add( "@userName", SqlDbType.VarChar, 25 );
cmd.Parameters["@userName"].Value = userName;

// Execute command and fetch pwd field into lookupPassword string.
lookupPassword = (string) cmd.ExecuteScalar();

// Cleanup command and connection objects.
cmd.Dispose();
conn.Dispose();
}
catch ( Exception ex )
{
// Add error handling here for debugging.
// This error message should not be sent back to the caller.
System.Diagnostics.Trace.WriteLine( "[ValidateUser] Exception " + ex.Message );
}

// If no password found, return false.
if ( null == lookupPassword )
{
// You could write failed login attempts here to event log for additional security.
return false;
}

// Compare lookupPassword and input passWord, using a case-sensitive comparison.
return ( 0 == string.Compare( lookupPassword, passWord, false ) );

}


4. You can use one of two methods to generate the forms authentication cookie and redirect the user to an appropriate page in the cmdLogin_ServerClick event. Sample code is provided for both scenarios. Use either of them according to your requirement. • Call the RedirectFromLoginPage method to automatically generate the forms authentication cookie and redirect the user to an appropriate page in the cmdLogin_ServerClick event:
private void cmdLogin_ServerClick(object sender, System.EventArgs e)
{
if (ValidateUser(txtUserName.Value,txtUserPass.Value) )
FormsAuthentication.RedirectFromLoginPage(txtUserName.Value,
chkPersistCookie.Checked);
else
Response.Redirect("logon.aspx", true);
}


• Generate the authentication ticket, encrypt it, create a cookie, add it to the response, and redirect the user. This gives you more control in how you create the cookie. You can also include custom data along with the FormsAuthenticationTicket in this case.
private void cmdLogin_ServerClick(object sender, System.EventArgs e)
{
if (ValidateUser(txtUserName.Value,txtUserPass.Value) )
{
FormsAuthenticationTicket tkt;
string cookiestr;
HttpCookie ck;
tkt = new FormsAuthenticationTicket(1, txtUserName.Value, DateTime.Now,
DateTime.Now.AddMinutes(30), chkPersistCookie.Checked, "your custom data");
cookiestr = FormsAuthentication.Encrypt(tkt);
ck = new HttpCookie(FormsAuthentication.FormsCookieName, cookiestr);
if (chkPersistCookie.Checked)
ck.Expires=tkt.Expiration;
ck.Path = FormsAuthentication.FormsCookiePath;
Response.Cookies.Add(ck);

string strRedirect;
strRedirect = Request["ReturnUrl"];
if (strRedirect==null)
strRedirect = "default.aspx";
Response.Redirect(strRedirect, true);
}
else
Response.Redirect("logon.aspx", true);
}



5. Make sure that the following code is added to the InitializeComponent method in the code that the Web Form Designer generates:
this.cmdLogin.ServerClick += new System.EventHandler(this.cmdLogin_ServerClick);


back to the top
Create a Default.aspx Page
This section creates a test page to which users are redirected after they authenticate. If users browse to this page without first logging on to the application, they are redirected to the logon page. 1. Rename the existing WebForm1.aspx page as Default.aspx, and open it in the editor.
2. Switch to HTML view, and copy the following code between the tags:


This button is used to log off the forms authentication session.
3. Switch to Design view, and save the page.
4. Import the required namespaces in the code-behind file:
using System.Web.Security;


5. Double-click SignOut to open the code-behind page (Default.aspx.cs), and copy the following code in the cmdSignOut_ServerClick event handler:
private void cmdSignOut_ServerClick(object sender, System.EventArgs e)
{
FormsAuthentication.SignOut();
Response.Redirect("logon.aspx", true);
}


6. Make sure that the following code is added to the InitializeComponent method in the code that the Web Form Designer generates:
this.cmdSignOut.ServerClick += new System.EventHandler(this.cmdSignOut_ServerClick);


7. Save and compile the project. You can now use the application.
back to the top
Additional Notes
• You may want to store passwords securely in a database. You can use the FormsAuthentication class utility function named HashPasswordForStoringInConfigFile to encrypt the passwords before you store them in the database or configuration file.
• You may want to store the SQL connection information in the configuration file (Web.config) so that you can easily modify it if necessary.
• You may consider adding code to prevent hackers who try to use different combinations of passwords from logging on. For example, you can include logic that accepts only two or three logon attempts. If the user cannot log on in a certain number of attempts, you may want to set a flag in the database to not allow that user to log on until that user re-enables his or her account by visiting a different page or by calling your support line. In addition, you should add appropriate error handling wherever necessary.
• Because the user is identified based on the authentication cookie, you may want to use Secure Sockets Layer (SSL) on this application so that no one can deceive the authentication cookie and any other valuable information that is being transmitted.
• Forms-based authentication requires that your client accept or enable cookies on their browser.
• The timeout parameter of the <authentication> configuration section controls the interval at which the authentication cookie is regenerated. You can choose a value that provides better performance and security.
• Certain intermediary proxies and caches on the Internet may cache Web server responses that contain Set-Cookie headers, which are then returned to a different user. Because forms-based authentication uses a cookie to authenticate users, this can cause users to accidentally (or intentionally) impersonate another user by receiving a cookie from an intermediary proxy or cache that was not originally intended for them. The following article explains how to combat
GeneralConvert ListBox selectedvalue into INT Pin
vibyvej28-Feb-05 9:24
vibyvej28-Feb-05 9:24 
GeneralRe: Convert ListBox selectedvalue into INT Pin
Kwai Cheng Kane28-Feb-05 10:26
Kwai Cheng Kane28-Feb-05 10:26 
GeneralRe: Convert ListBox selectedvalue into INT Pin
vibyvej28-Feb-05 11:31
vibyvej28-Feb-05 11:31 
GeneralRe: Convert ListBox selectedvalue into INT Pin
Md Saleem Navalur28-Feb-05 19:41
Md Saleem Navalur28-Feb-05 19:41 
GeneralRe: Convert ListBox selectedvalue into INT Pin
vibyvej28-Feb-05 20:18
vibyvej28-Feb-05 20:18 
GeneralQuick Question&#8230; Pin
HahnTech28-Feb-05 9:13
HahnTech28-Feb-05 9:13 
GeneralRe: Quick Question&#8230; Pin
Dave Kreskowiak28-Feb-05 9:37
mveDave Kreskowiak28-Feb-05 9:37 
GeneralRe: Quick Question&#8230; Pin
adocoder28-Feb-05 10:12
adocoder28-Feb-05 10:12 
GeneralRe: Quick Question&#8230; Pin
HahnTech28-Feb-05 10:17
HahnTech28-Feb-05 10:17 
GeneralRe: Quick Question&#8230; Pin
adocoder28-Feb-05 10:17
adocoder28-Feb-05 10:17 
GeneralDataGrid with indeterminate number of column. Need Your Help! Pin
adocoder28-Feb-05 9:07
adocoder28-Feb-05 9:07 
GeneralSepia ColorMatrix Pin
holl708828-Feb-05 8:24
holl708828-Feb-05 8:24 
GeneralRe: Sepia ColorMatrix Pin
frankforward16-Sep-09 4:00
frankforward16-Sep-09 4:00 
GeneralRe: Sepia ColorMatrix Pin
frankforward16-Sep-09 4:01
frankforward16-Sep-09 4:01 
GeneralRe: Sepia ColorMatrix Pin
Don Grout4-Aug-11 9:55
Don Grout4-Aug-11 9:55 
GeneralSerialization. Pin
fmarcos28-Feb-05 8:12
fmarcos28-Feb-05 8:12 
GeneralRe: Serialization. Pin
turbochimp28-Feb-05 9:45
turbochimp28-Feb-05 9:45 

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.