Wednesday, December 9, 2015

Send SMS From SQL Server Using SMS API


                Declare @MobileNo varchar(12)='Mobile Number', @smstext as varchar(300)='Message'  
                Declare @iReq int,@hr int   
                Declare @sUrl as varchar(500)   
                DECLARE @errorSource VARCHAR(8000)  
                DECLARE @errorDescription VARCHAR(8000)   
                EXEC @hr = sp_OACreate 'Microsoft.XMLHTTP', @iReq OUT                  
                if @hr <> 0   
                  Raiserror('sp_OACreate Microsoft.XMLHTTP FAILED!', 16, 1)   
                set @sUrl='http://sapteleservices.com/SMS_API/sendsms.php?username=YourUserName&password=YourPassword&mobile=#MobNo#&sendername=YourCode&message=#Msg#&routetype=1'  
                set @sUrl=REPLACE(@sUrl,'#MobNo#',@MobileNo)   
                set @sUrl=REPLACE(@sUrl,'#Msg#',@smstext)   
                EXEC @hr = sp_OAMethod @iReq, 'Open', NULL, 'GET', @sUrl, true   
                if @hr <> 0   
                     Raiserror('sp_OAMethod Open FAILED!', 16, 1)   
                EXEC @hr = sp_OAMethod @iReq, 'send'   
                if @hr <> 0   
                  Begin   
                    EXEC sp_OAGetErrorInfo @iReq, @errorSource OUTPUT, @errorDescription OUTPUT  
                    Raiserror('sp_OAMethod Send FAILED!', 16, 1)   
                  end   
                else   
                Begin  
                  EXEC @hr = sp_OAGetProperty @iReq,'responseText'  
                  /*SMS LOG IF ANY*/  
                end  

*IF THERE ANY ERROR PLEASE EXECUTE THIS FIRST THEN TRY AGAIN

 exec sp_configure 'show advanced options', 1  
 go  
 reconfigure  
 go  
 exec sp_configure 'Ole Automation Procedures', 1 -- Enable  
 -- exec sp_configure 'Ole Automation Procedures', 0 -- Disable  
 go  
 reconfigure  
 go  
 exec sp_configure 'show advanced options', 0  
 go  
 reconfigure  
 go  


Wednesday, October 7, 2015

How To do Case Sensitive String Match in SQL Server

Using:
 COLLATE SQL_Latin1_General_CP1_CS_AS  

Example:
 select * from tblUser where userpwd='aBcD.123' COLLATE SQL_Latin1_General_CP1_CS_AS ; 

Sunday, June 28, 2015

C# Function to Convert Number to Words


 public static string NumbersToWords(int inputNumber)  
   {  
     int inputNo = inputNumber;  
     if (inputNo == 0)  
       return "Zero";  
     int[] numbers = new int[4];  
     int first = 0;  
     int u, h, t;  
     System.Text.StringBuilder sb = new System.Text.StringBuilder();  
     if (inputNo < 0)  
     {  
       sb.Append("Minus ");  
       inputNo = -inputNo;  
     }  
     string[] words0 = {"" ,"One ", "Two ", "Three ", "Four ",  
       "Five " ,"Six ", "Seven ", "Eight ", "Nine "};  
     string[] words1 = {"Ten ", "Eleven ", "Twelve ", "Thirteen ", "Fourteen ",  
       "Fifteen ","Sixteen ","Seventeen ","Eighteen ", "Nineteen "};  
     string[] words2 = {"Twenty ", "Thirty ", "Forty ", "Fifty ", "Sixty ",  
       "Seventy ","Eighty ", "Ninety "};  
     string[] words3 = { "Thousand ", "Lakh ", "Crore " };  
     numbers[0] = inputNo % 1000; // units  
     numbers[1] = inputNo / 1000;  
     numbers[2] = inputNo / 100000;  
     numbers[1] = numbers[1] - 100 * numbers[2]; // thousands  
     numbers[3] = inputNo / 10000000; // crores  
     numbers[2] = numbers[2] - 100 * numbers[3]; // lakhs  
     for (int i = 3; i > 0; i--)  
     {  
       if (numbers[i] != 0)  
       {  
         first = i;  
         break;  
       }  
     }  
     for (int i = first; i >= 0; i--)  
     {  
       if (numbers[i] == 0) continue;  
       u = numbers[i] % 10; // ones  
       t = numbers[i] / 10;  
       h = numbers[i] / 100; // hundreds  
       t = t - 10 * h; // tens  
       if (h > 0) sb.Append(words0[h] + "Hundred ");  
       if (u > 0 || t > 0)  
       {  
         if (h > 0 || i == 0) sb.Append("and ");  
         if (t == 0)  
           sb.Append(words0[u]);  
         else if (t == 1)  
           sb.Append(words1[u]);  
         else  
           sb.Append(words2[t - 2] + words0[u]);  
       }  
       if (i != 0) sb.Append(words3[i - 1]);  
     }  
     return sb.ToString().TrimEnd();  
   }  

Thursday, May 28, 2015

Cursor Example in Sql Server 2008


 Declare @name nvarchar(max)  
 Declare cur cursor for  
      select username from userdet  
 open cur  
 fetch next from cur into @name  
 while @@FETCH_STATUS=0  
 begin  
      print @name  
      fetch next from cur into @name  
 end  
 CLOSE CUR;  
 DEALLOCATE CUR;  

Sunday, May 24, 2015

Asp.net C# code for download file


  protected void DownloadFile(string Path, string FileName)  
   {  
     try  
     {  
       string strURL = Path;  
       WebClient req = new WebClient();  
       HttpResponse response = HttpContext.Current.Response;  
       response.Clear();  
       response.ClearContent();  
       response.ClearHeaders();  
       response.Buffer = true;  
       response.AddHeader("Content-Disposition", "attachment;filename="+FileName);  
       byte[] data = req.DownloadData(Server.MapPath(strURL));  
       response.BinaryWrite(data);  
       response.End();  
     }  
     catch (Exception ex)  
     {  
     }  
   }  

Friday, May 15, 2015

Check all Check boxes in a check box list ASP.NET + Jquery


Design
 <asp:CheckBox ID="checkAllImport" runat="server" AutoPostBack="false" Text="Select All" />  
         <asp:CheckBoxList ID="chkOptions" runat="server" RepeatColumns="5" RepeatDirection="Horizontal"></asp:CheckBoxList>  


Script
  <script type="text/javascript">  
     $(document).ready(function() {  
     $("#<%=checkAllImport.ClientID %>").change(function() {  
     $("input[id *='chkOptions']").prop("checked", this.checked);  
     })  
     });  
   </script>  

Wednesday, April 22, 2015

Sorting rows in a data table C#

Create a new DataTable from a DataView that you create from your original DataTable. 
Apply whatever sorts and/or filters you want on the DataView and then create a new DataTable from the DataView using the DataView.ToTable method

 DataView dv = ft.DefaultView;  
 dv.Sort = "occr desc";  
 DataTable sortedDT = dv.ToTable();  

Monday, April 20, 2015

How to stop IIS asking authentication for default website on localhost

IIS uses Integrated Authentication and by default IE has the ability to use your windows user account...but don't worry, so does Firefox but you'll have to make a quick configuration change.

1) Open up Firefox and type in about:config as the url


2) In the Filter Type in ntlm

3) Double click "network.automatic-ntlm-auth.trusted-uris" and type in localhost and hit enter

Wednesday, April 15, 2015

How to find all the dependencies of a table in sql server

Following are the way can check the depedencies


Method 1: Using sp_depends

 sp_depends 'dbo.First'  
 GO  


Method 2: Using information_schema.routines
 SELECT *   
  FROM information_schema.routines ISR   
  WHERE CHARINDEX('dbo.First', ISR.ROUTINE_DEFINITION) > 0   
  GO  


Method 3: Using DMV sys.dm_sql_referencing_entities

 SELECT referencing_schema_name, referencing_entity_name, referencing_id, 
 referencing_class_desc, is_caller_dependent FROM sys.dm_sql_referencing_entities
 ('dbo.First', 'OBJECT'); GO referencing_id, referencing_class_desc, is_caller_dependent  
 FROM sys.dm_sql_referencing_entities ('dbo.First', 'OBJECT');  
 GO  

Tuesday, April 14, 2015

Insert value from one table to another in SQL Server

Example

 INSERT INTO new_table (Col1, Col2, Col3, Coln)  
 SELECT Value1, Value2, Value3, Valuen
 FROM initial_table  
 -- optionally WHERE / JOINS ...  

Update one table based on another table using JOIN - SQL Server

Example

  UPDATE t1 SET   
     t1.status = 1  
  FROM  table1 t1   
     INNER JOIN table t2   
           ON t1.Id = t2.ID  
  WHERE t2.num = 15   

Sunday, April 12, 2015

When restoring a backup, how do I disconnect all active connections? SQL Server

SQL Server Management Studio 2008

The interface has changed for SQL Server Management studio 2008, here are the steps 

  1. Right-click the server in Object Explorer and select 'Activity Monitor'.
  2. When this opens, expand the Processes group.
  3. Now use the drop-down to filter the results by database name.
  4. Kill off the server connections by selecting the right-click 'Kill Process' option.

Thursday, April 9, 2015

Create a Pop-up div on Mouse hover in jQuery

Script


 <script type="text/javascript" src="https://ajax.googleapis.com/ajax/libs/jquery/1.5.0/jquery.min.js"></script>  
   <script type="text/javascript">  
    $(function() {  
     var moveLeft = 20;  
     var moveDown = 10;  
     $('a#trigger').hover(function(e) {  
      $('div#pop-up').show();  
      //.css('top', e.pageY + moveDown)  
      //.css('left', e.pageX + moveLeft)  
      //.appendTo('body');  
     }, function() {  
      $('div#pop-up').hide();  
     });  
     $('a#trigger').mousemove(function(e) {  
      $("div#pop-up").css('top', e.pageY + moveDown).css('left', e.pageX + moveLeft);  
     });  
    });  
   </script>  

CSS


   <style type="text/css">  
      div#pop-up {  
     display: none;  
     position: absolute;  
     width: 280px;  
     padding: 10px;  
     background: #eeeeee;  
     color: #000000;  
     border: 1px solid #1a1a1a;  
     font-size: 90%;  
    }  
   </style>  

Desigin


  <a href="#" id="trigger">Here is my popup</a>  
 <div id="pop-up">  
    <h3>Pop-up div Successfully Displayed</h3>  
    <p>  
     This div only appears when the trigger link is hovered over.  
     Otherwise it is hidden from view.  
    </p>  
   </div>  

Wednesday, March 18, 2015

Split string using delimiter in sql server


 Create Function [dbo].[SplitString](@String varchar(8000), @Delimiter char(1))  
 returns @temptable TABLE (items varchar(8000),id int)  
 as  
 begin  
 declare @idx int  
 declare @idy int  
 declare @slice varchar(8000)  
 set @idy=1  
 select @idx = 1  
 if len(@String)<1 or @String is null return  
 while @idx!= 0  
 begin  
 set @idx = charindex(@Delimiter,@String)  
 if @idx!=0  
 set @slice = left(@String,@idx - 1)  
 else  
 set @slice = @String  
 if(len(@slice)>0)  
 insert into @temptable(id,Items) values(@idy, @slice)  
 set @idy=@idy+1  
 set @String = right(@String,len(@String) - @idx)  
 if len(@String) = 0 break  
 end  
 return  
 end  

Way to find row details of all tables in a DB - SQL


 SELECT   
   t.NAME AS TableName,  
   i.name as indexName,  
   p.[Rows],  
   sum(a.total_pages) as TotalPages,   
   sum(a.used_pages) as UsedPages,   
   sum(a.data_pages) as DataPages,  
   (sum(a.total_pages) * 8) / 1024 as TotalSpaceMB,   
   (sum(a.used_pages) * 8) / 1024 as UsedSpaceMB,   
   (sum(a.data_pages) * 8) / 1024 as DataSpaceMB  
 FROM   
   sys.tables t  
 INNER JOIN     
   sys.indexes i ON t.OBJECT_ID = i.object_id  
 INNER JOIN   
   sys.partitions p ON i.object_id = p.OBJECT_ID AND i.index_id = p.index_id  
 INNER JOIN   
   sys.allocation_units a ON p.partition_id = a.container_id  
 WHERE   
   t.NAME NOT LIKE 'dt%' AND  
   i.OBJECT_ID > 255 AND    
   i.index_id <= 1  
 GROUP BY   
   t.NAME, i.object_id, i.index_id, i.name, p.[Rows]  
 ORDER BY   
     p.[Rows] desc

Monday, March 16, 2015

Simple two-way encryption for C#

Simple AES

 using System;  
 using System.Data;  
 using System.Security.Cryptography;  
 using System.IO;  
 public class SimpleAES  
 {  
   // Change these keys  
   private byte[] Key = { 123, 217, 19, 11, 24, 26, 85, 45, 114, 184, 27, 162, 37, 112, 222, 209, 241, 24, 175, 144, 173, 53, 196, 29, 24, 26, 17, 218, 131, 236, 53, 209 };  
   private byte[] Vector = { 146, 64, 191, 111, 23, 3, 113, 119, 231, 121, 2521, 112, 79, 32, 114, 156 };  
   private ICryptoTransform EncryptorTransform, DecryptorTransform;  
   private System.Text.UTF8Encoding UTFEncoder;  
   public SimpleAES()  
   {  
     //This is our encryption method  
     RijndaelManaged rm = new RijndaelManaged();  
     //Create an encryptor and a decryptor using our encryption method, key, and vector.  
     EncryptorTransform = rm.CreateEncryptor(this.Key, this.Vector);  
     DecryptorTransform = rm.CreateDecryptor(this.Key, this.Vector);  
     //Used to translate bytes to text and vice versa  
     UTFEncoder = new System.Text.UTF8Encoding();  
   }  
   /// -------------- Two Utility Methods (not used but may be useful) -----------  
   /// Generates an encryption key.  
   static public byte[] GenerateEncryptionKey()  
   {  
     //Generate a Key.  
     RijndaelManaged rm = new RijndaelManaged();  
     rm.GenerateKey();  
     return rm.Key;  
   }  
   /// Generates a unique encryption vector  
   static public byte[] GenerateEncryptionVector()  
   {  
     //Generate a Vector  
     RijndaelManaged rm = new RijndaelManaged();  
     rm.GenerateIV();  
     return rm.IV;  
   }  
   /// ----------- The commonly used methods ------------------------------    
   /// Encrypt some text and return a string suitable for passing in a URL.  
   public string EncryptToString(string TextValue)  
   {  
     return ByteArrToString(Encrypt(TextValue));  
   }  
   /// Encrypt some text and return an encrypted byte array.  
   public byte[] Encrypt(string TextValue)  
   {  
     //Translates our text value into a byte array.  
     Byte[] bytes = UTFEncoder.GetBytes(TextValue);  
     //Used to stream the data in and out of the CryptoStream.  
     MemoryStream memoryStream = new MemoryStream();  
     /*  
      * We will have to write the unencrypted bytes to the stream,  
      * then read the encrypted result back from the stream.  
      */  
     #region Write the decrypted value to the encryption stream  
     CryptoStream cs = new CryptoStream(memoryStream, EncryptorTransform, CryptoStreamMode.Write);  
     cs.Write(bytes, 0, bytes.Length);  
     cs.FlushFinalBlock();  
     #endregion  
     #region Read encrypted value back out of the stream  
     memoryStream.Position = 0;  
     byte[] encrypted = new byte[memoryStream.Length];  
     memoryStream.Read(encrypted, 0, encrypted.Length);  
     #endregion  
     //Clean up.  
     cs.Close();  
     memoryStream.Close();  
     return encrypted;  
   }  
   /// The other side: Decryption methods  
   public string DecryptString(string EncryptedString)  
   {  
     return Decrypt(StrToByteArray(EncryptedString));  
   }  
   /// Decryption when working with byte arrays.    
   public string Decrypt(byte[] EncryptedValue)  
   {  
     #region Write the encrypted value to the decryption stream  
     MemoryStream encryptedStream = new MemoryStream();  
     CryptoStream decryptStream = new CryptoStream(encryptedStream, DecryptorTransform, CryptoStreamMode.Write);  
     decryptStream.Write(EncryptedValue, 0, EncryptedValue.Length);  
     decryptStream.FlushFinalBlock();  
     #endregion  
     #region Read the decrypted value from the stream.  
     encryptedStream.Position = 0;  
     Byte[] decryptedBytes = new Byte[encryptedStream.Length];  
     encryptedStream.Read(decryptedBytes, 0, decryptedBytes.Length);  
     encryptedStream.Close();  
     #endregion  
     return UTFEncoder.GetString(decryptedBytes);  
   }  
   /// Convert a string to a byte array. NOTE: Normally we'd create a Byte Array from a string using an ASCII encoding (like so).  
   //   System.Text.ASCIIEncoding encoding = new System.Text.ASCIIEncoding();  
   //   return encoding.GetBytes(str);  
   // However, this results in character values that cannot be passed in a URL. So, instead, I just  
   // lay out all of the byte values in a long string of numbers (three per - must pad numbers less than 100).  
   public byte[] StrToByteArray(string str)  
   {  
     if (str.Length == 0)  
       throw new Exception("Invalid string value in StrToByteArray");  
     byte val;  
     byte[] byteArr = new byte[str.Length / 3];  
     int i = 0;  
     int j = 0;  
     do  
     {  
       val = byte.Parse(str.Substring(i, 3));  
       byteArr[j++] = val;  
       i += 3;  
     }  
     while (i < str.Length);  
     return byteArr;  
   }  
   // Same comment as above. Normally the conversion would use an ASCII encoding in the other direction:  
   //   System.Text.ASCIIEncoding enc = new System.Text.ASCIIEncoding();  
   //   return enc.GetString(byteArr);    
   public string ByteArrToString(byte[] byteArr)  
   {  
     byte val;  
     string tempStr = "";  
     for (int i = 0; i <= byteArr.GetUpperBound(0); i++)  
     {  
       val = byteArr[i];  
       if (val < (byte)10)  
         tempStr += "00" + val.ToString();  
       else if (val < (byte)100)  
         tempStr += "0" + val.ToString();  
       else  
         tempStr += val.ToString();  
     }  
     return tempStr;  
   }  
 }  

AES Encryption / Decryption for JAVA


 package org.ferris.aes.crypto;  
 import java.io.UnsupportedEncodingException;  
 import java.security.Key;  
 import java.security.spec.KeySpec;  
 import javax.crypto.Cipher;  
 import javax.crypto.SecretKey;  
 import javax.crypto.SecretKeyFactory;  
 import javax.crypto.spec.IvParameterSpec;  
 import javax.crypto.spec.PBEKeySpec;  
 import javax.crypto.spec.SecretKeySpec;  
 import org.apache.commons.codec.binary.Base64;  
 /**  
  *  
  *  
  */  
 public class AesBase64Wrapper {  
   private static String IV = "IV_VALUE_16_BYTE";   
   private static String PASSWORD = "PASSWORD_VALUE";   
   private static String SALT = "SALT_VALUE";   
   public String encryptAndEncode(String raw) {  
     try {  
       Cipher c = getCipher(Cipher.ENCRYPT_MODE);  
       byte[] encryptedVal = c.doFinal(getBytes(raw));  
       String s = getString(Base64.encodeBase64(encryptedVal));  
       return s;  
     } catch (Throwable t) {  
       throw new RuntimeException(t);  
     }  
   }  
   public String decodeAndDecrypt(String encrypted) throws Exception {  
     byte[] decodedValue = Base64.decodeBase64(getBytes(encrypted));  
     Cipher c = getCipher(Cipher.DECRYPT_MODE);  
     byte[] decValue = c.doFinal(decodedValue);  
     return new String(decValue);  
   }  
   private String getString(byte[] bytes) throws UnsupportedEncodingException {  
     return new String(bytes, "UTF-8");  
   }  
   private byte[] getBytes(String str) throws UnsupportedEncodingException {  
     return str.getBytes("UTF-8");  
   }  
   private Cipher getCipher(int mode) throws Exception {  
     Cipher c = Cipher.getInstance("AES/CBC/PKCS5Padding");  
     byte[] iv = getBytes(IV);  
     c.init(mode, generateKey(), new IvParameterSpec(iv));  
     return c;  
   }  
   private Key generateKey() throws Exception {  
     SecretKeyFactory factory = SecretKeyFactory.getInstance("PBKDF2WithHmacSHA1");  
     char[] password = PASSWORD.toCharArray();  
     byte[] salt = getBytes(SALT);  
     KeySpec spec = new PBEKeySpec(password, salt, 65536, 128);  
     SecretKey tmp = factory.generateSecret(spec);  
     byte[] encoded = tmp.getEncoded();  
     return new SecretKeySpec(encoded, "AES");  
   }  
 }  

AES Encryption / Decryption for .NET(C#)


 using System;  
 using System.Collections.Generic;  
 using System.Linq;  
 using System.Text;  
 using System.Security.Cryptography;  
 namespace EncryptDecryptTest  
 {  
   class Program  
   {  
     class AesBase64Wrapper  
     {  
       private static string IV = "IV_VALUE_16_BYTE";  
       private static string PASSWORD = "PASSWORD_VALUE";  
       private static string SALT = "SALT_VALUE";  
       public static string EncryptAndEncode(string raw)  
       {  
         using (var csp = new AesCryptoServiceProvider())  
         {  
           ICryptoTransform e = GetCryptoTransform(csp, true);  
           byte[] inputBuffer = Encoding.UTF8.GetBytes(raw);  
           byte[] output = e.TransformFinalBlock(inputBuffer, 0, inputBuffer.Length);  
           string encrypted = Convert.ToBase64String(output);  
           return encrypted;  
         }  
       }  
       public static string DecodeAndDecrypt(string encrypted)  
       {  
         using (var csp = new AesCryptoServiceProvider())  
         {  
           var d = GetCryptoTransform(csp, false);  
           byte[] output = Convert.FromBase64String(encrypted);  
           byte[] decryptedOutput = d.TransformFinalBlock(output, 0, output.Length);  
           string decypted = Encoding.UTF8.GetString(decryptedOutput);  
           return decypted;  
         }  
       }  
       private static ICryptoTransform GetCryptoTransform(AesCryptoServiceProvider csp, bool encrypting)  
       {  
         csp.Mode = CipherMode.CBC;  
         csp.Padding = PaddingMode.PKCS7;  
         var spec = new Rfc2898DeriveBytes(Encoding.UTF8.GetBytes(PASSWORD), Encoding.UTF8.GetBytes(SALT), 65536);  
         byte[] key = spec.GetBytes(16);  
         csp.IV = Encoding.UTF8.GetBytes(IV);  
         csp.Key = key;  
         if (encrypting)  
         {  
           return csp.CreateEncryptor();  
         }  
         return csp.CreateDecryptor();  
       }  
     }  
     static void Main(string[] args)  
     {  
       string encryptMe;  
       string encrypted;  
       string decrypted;  
       encryptMe = "please encrypt me";  
       Console.WriteLine("encryptMe = " + encryptMe);  
       encrypted = AesBase64Wrapper.EncryptAndEncode(encryptMe);  
       Console.WriteLine("encypted: " + encrypted);  
       decrypted = AesBase64Wrapper.DecodeAndDecrypt(encrypted);  
       Console.WriteLine("decrypted: " + decrypted);  
       Console.WriteLine("press any key to exit....");  
       Console.ReadKey();  
     }  
   }  
 }  

Thursday, February 26, 2015

SQL Query to Backup all the databases in SQL 2008


 DECLARE @name VARCHAR(50) -- database name   
 DECLARE @path VARCHAR(256) -- path for backup files   
 DECLARE @fileName VARCHAR(256) -- filename for backup   
 DECLARE @fileDate VARCHAR(20) -- used for file name   
 SET @path = 'C:\Backup\'   
 SELECT @fileDate = CONVERT(VARCHAR(20),GETDATE(),112)   
 DECLARE db_cursor CURSOR FOR   
 SELECT name   
 FROM master.dbo.sysdatabases   
 WHERE name NOT IN ('master','model','msdb','tempdb')   
 OPEN db_cursor   
 FETCH NEXT FROM db_cursor INTO @name   
 WHILE @@FETCH_STATUS = 0   
 BEGIN   
 SET @fileName = @path + @name + '_' + @fileDate + '.BAK'   
 BACKUP DATABASE @name TO DISK = @fileName WITH COMPRESSION  
 FETCH NEXT FROM db_cursor INTO @name   
 END   
 CLOSE db_cursor   
 DEALLOCATE db_cursor   

Thursday, February 19, 2015

Disable and Enable all the constraints in a SQL database


 Disable all the constraint in database

 EXEC sp_msforeachtable "ALTER TABLE ? NOCHECK CONSTRAINT all"  


Enable all the constraint in database

 EXEC sp_msforeachtable "ALTER TABLE ? WITH CHECK CHECK CONSTRAINT all"  

Wednesday, February 18, 2015

How to set a default button for div


Using this code


 onkeypress="return WebForm_FireDefaultButton(event, '<%=ButtonName.ClientID %>')"  

Example


 <div style="float: left" onkeypress="return WebForm_FireDefaultButton(event, '<%=btnCheckPin.ClientID %>')">  
       <asp:TextBox ID="txtPincode" runat="server" Style="padding: 5px;"></asp:TextBox>  
       <input type="button" class="common_button" onclick="checkDelivery();" value="Check" ID="btnCheckPin" runat="server" />  
  </div>  



Sunday, February 8, 2015

Add a column, with a default value, to an existing table in SQL Server



Syntax


 ALTER TABLE {TABLENAME}   
 ADD {COLUMNNAME} {TYPE} {NULL|NOT NULL}   
 CONSTRAINT {CONSTRAINT_NAME} DEFAULT {DEFAULT_VALUE}  
 [WITH VALUES]  

Example


 ALTER TABLE table  
 ADD column BIT   
 CONSTRAINT Constraint_name DEFAULT 0 WITH VALUES  


Note : WITH VALUES handles the NOT NULL part...

Monday, January 12, 2015

Convert 12 Hour format to 24 Hour Format asp.net C#


12 to 24

   private string ConvertTo24HourFormat(string strTime)  //HH:MM AM/PM
   {  
     string FinalTime=string.Empty;  
     if (!string.IsNullOrEmpty(strTime))  
     {  
       try  
       {  
         string[] InTime = strTime.Split(':');  
         int h = Convert.ToInt32(InTime[0].ToString());  
         string[] AMPM = InTime[1].Split(' ');  
         if (AMPM[1].ToString() == "PM")  
         {  
           h += 12;  
         }  
         if (AMPM[1].ToString() == "AM" && h.ToString()=="12")  
         {  
           h = 00;  
         }  
         FinalTime = h + ":" + InTime[1];  
         //if(h>  
       }  
       catch (Exception) { }  
     }  
     return FinalTime;  
   }  

24 to 12

  private string ConvertTo12HourFormat(string strTime)  //HH:MM AM/PM
   {  
     string FinalTime = string.Empty;  
     if (!string.IsNullOrEmpty(strTime))  
     {  
       try  
       {  
         string[] InTime = strTime.Split(':');  
         int h = Convert.ToInt32(InTime[0].ToString());  
         string[] AMPM = InTime[1].Split(' ');  
         if (AMPM[1].ToString() == "PM")  
         {  
           h -= 12;  
         }  
         if (AMPM[1].ToString() == "AM" && h.ToString() == "00")  
         {  
           h = 12;  
         }  
         FinalTime = h + ":" + InTime[1];  
         //if(h>  
       }  
       catch (Exception) { }  
     }  
     return FinalTime;  
   }  

Monday, January 5, 2015

Fire event on enter key press for a textbox

ASPX:

 <asp:TextBox ID="TextBox1" clientidmode="Static" runat="server" onkeypress="return EnterEvent(event)"></asp:TextBox>    
 <asp:Button ID="Button1" runat="server" style="display:none" Text="Button" />  

JS:
 
 function EnterEvent(e) {  
     if (e.keyCode == 13) {  
       __doPostBack('<%=Button1.UniqueId%>', "");  
     }  
   }  


CS:

 protected void Button1_Click1(object sender, EventArgs e)  
   {  
   }