Thursday, December 18, 2014

Stock Price Plugin Live


Source
 <iframe frameborder="0" src="http://www.indianotes.com/widgets/indices-ticker/index.php?type=indices-ticker&w=500" width="500" height="100" scrolling="no"></iframe>  
Demo

Live Cricket Score Plugins


Source
 <iframe frameborder='0' src='http://www.ecb.co.uk/stats-live/live-scores-widget.html?colour=Blue&countiesTeams=null&feed=%2Fstats-live%2Flive-scores-widget.json&internationalTeams=184%2C182%2C5%2C24%2C8%2C2%2C95%2C7%2C3%2C15%2C13%2C11%2C181%2C1%2C6%2C14%2C10%2C4%2C9&miscTeams=null' style='width: 580px; height: 450px;'></iframe>  
Demo

Friday, November 28, 2014

C# Code to get Last day of a month


 
  Method Name : DateTime.DaysInMonth()
  int DateTime.DaysInMonth(year,month)
  Eg:

  txtNoOfDays.Text = DateTime.DaysInMonth(Convert.ToDateTime(txtDate.Text).Year, Convert.ToDateTime(txtDate.Text).Month).ToString();  


Saturday, November 8, 2014

Cannot find template file for the new query [Solved]


Error
Cannot find template file for the new query (‘C:\Program Files\Microsoft SQL Server\100\Tools\Binn\VSShell\Common7\IDE\SqlWorkbenchProjectItems\SQL\SQLFile.sql’)
Solution:
Step 1: Go to C:\Program Files\Microsoft SQL Server\100\Tools\Binn\VSShell\Common7\IDE\SqlWorkbenchProjectItems\SQL\
Step 2: Create .SQL File named SQLFile.SQL

Thursday, November 6, 2014

Tuesday, November 4, 2014

Drop all the tables, stored procedures, triggers, constraints and all the dependencies in one sql statement


 /* Drop all non-system stored procs */  

 DECLARE @name VARCHAR(128)  
 DECLARE @SQL VARCHAR(254)  
 SELECT @name = (SELECT TOP 1 [name] FROM sysobjects WHERE [type] = 'P' AND category = 0 ORDER BY [name])  
 WHILE @name is not null  
 BEGIN  
   SELECT @SQL = 'DROP PROCEDURE [dbo].[' + RTRIM(@name) +']'  
   EXEC (@SQL)  
   PRINT 'Dropped Procedure: ' + @name  
   SELECT @name = (SELECT TOP 1 [name] FROM sysobjects WHERE [type] = 'P' AND category = 0 AND [name] > @name ORDER BY [name])  
 END  
 GO  

 /* Drop all views */  

 DECLARE @name VARCHAR(128)  
 DECLARE @SQL VARCHAR(254)  
 SELECT @name = (SELECT TOP 1 [name] FROM sysobjects WHERE [type] = 'V' AND category = 0 ORDER BY [name])  
 WHILE @name IS NOT NULL  
 BEGIN  
   SELECT @SQL = 'DROP VIEW [dbo].[' + RTRIM(@name) +']'  
   EXEC (@SQL)  
   PRINT 'Dropped View: ' + @name  
   SELECT @name = (SELECT TOP 1 [name] FROM sysobjects WHERE [type] = 'V' AND category = 0 AND [name] > @name ORDER BY [name])  
 END  
 GO  
 /* Drop all functions */  

 DECLARE @name VARCHAR(128)  
 DECLARE @SQL VARCHAR(254)  
 SELECT @name = (SELECT TOP 1 [name] FROM sysobjects WHERE [type] IN (N'FN', N'IF', N'TF', N'FS', N'FT') AND category = 0 ORDER BY [name])  
 WHILE @name IS NOT NULL  
 BEGIN  
   SELECT @SQL = 'DROP FUNCTION [dbo].[' + RTRIM(@name) +']'  
   EXEC (@SQL)  
   PRINT 'Dropped Function: ' + @name  
   SELECT @name = (SELECT TOP 1 [name] FROM sysobjects WHERE [type] IN (N'FN', N'IF', N'TF', N'FS', N'FT') AND category = 0 AND [name] > @name ORDER BY [name])  
 END  
 GO
  
 /* Drop all Foreign Key constraints */  

 DECLARE @name VARCHAR(128)  
 DECLARE @constraint VARCHAR(254)  
 DECLARE @SQL VARCHAR(254)  
 SELECT @name = (SELECT TOP 1 TABLE_NAME FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS WHERE constraint_catalog=DB_NAME() AND CONSTRAINT_TYPE = 'FOREIGN KEY' ORDER BY TABLE_NAME)  
 WHILE @name is not null  
 BEGIN  
   SELECT @constraint = (SELECT TOP 1 CONSTRAINT_NAME FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS WHERE constraint_catalog=DB_NAME() AND CONSTRAINT_TYPE = 'FOREIGN KEY' AND TABLE_NAME = @name ORDER BY CONSTRAINT_NAME)  
   WHILE @constraint IS NOT NULL  
   BEGIN  
     SELECT @SQL = 'ALTER TABLE [dbo].[' + RTRIM(@name) +'] DROP CONSTRAINT [' + RTRIM(@constraint) +']'  
     EXEC (@SQL)  
     PRINT 'Dropped FK Constraint: ' + @constraint + ' on ' + @name  
     SELECT @constraint = (SELECT TOP 1 CONSTRAINT_NAME FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS WHERE constraint_catalog=DB_NAME() AND CONSTRAINT_TYPE = 'FOREIGN KEY' AND CONSTRAINT_NAME <> @constraint AND TABLE_NAME = @name ORDER BY CONSTRAINT_NAME)  
   END  
 SELECT @name = (SELECT TOP 1 TABLE_NAME FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS WHERE constraint_catalog=DB_NAME() AND CONSTRAINT_TYPE = 'FOREIGN KEY' ORDER BY TABLE_NAME)  
 END  
 GO  

 /* Drop all Primary Key constraints */  

 DECLARE @name VARCHAR(128)  
 DECLARE @constraint VARCHAR(254)  
 DECLARE @SQL VARCHAR(254)  
 SELECT @name = (SELECT TOP 1 TABLE_NAME FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS WHERE constraint_catalog=DB_NAME() AND CONSTRAINT_TYPE = 'PRIMARY KEY' ORDER BY TABLE_NAME)  
 WHILE @name IS NOT NULL  
 BEGIN  
   SELECT @constraint = (SELECT TOP 1 CONSTRAINT_NAME FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS WHERE constraint_catalog=DB_NAME() AND CONSTRAINT_TYPE = 'PRIMARY KEY' AND TABLE_NAME = @name ORDER BY CONSTRAINT_NAME)  
   WHILE @constraint is not null  
   BEGIN  
     SELECT @SQL = 'ALTER TABLE [dbo].[' + RTRIM(@name) +'] DROP CONSTRAINT [' + RTRIM(@constraint)+']'  
     EXEC (@SQL)  
     PRINT 'Dropped PK Constraint: ' + @constraint + ' on ' + @name  
     SELECT @constraint = (SELECT TOP 1 CONSTRAINT_NAME FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS WHERE constraint_catalog=DB_NAME() AND CONSTRAINT_TYPE = 'PRIMARY KEY' AND CONSTRAINT_NAME <> @constraint AND TABLE_NAME = @name ORDER BY CONSTRAINT_NAME)  
   END  
 SELECT @name = (SELECT TOP 1 TABLE_NAME FROM INFORMATION_SCHEMA.TABLE_CONSTRAINTS WHERE constraint_catalog=DB_NAME() AND CONSTRAINT_TYPE = 'PRIMARY KEY' ORDER BY TABLE_NAME)  
 END  
 GO  

 /* Drop all tables */  

 DECLARE @name VARCHAR(128)  
 DECLARE @SQL VARCHAR(254)  
 SELECT @name = (SELECT TOP 1 [name] FROM sysobjects WHERE [type] = 'U' AND category = 0 ORDER BY [name])  
 WHILE @name IS NOT NULL  
 BEGIN  
   SELECT @SQL = 'DROP TABLE [dbo].[' + RTRIM(@name) +']'  
   EXEC (@SQL)  
   PRINT 'Dropped Table: ' + @name  
   SELECT @name = (SELECT TOP 1 [name] FROM sysobjects WHERE [type] = 'U' AND category = 0 AND [name] > @name ORDER BY [name])  
 END  
 GO  

How to drop all stored procedures at once in SQL Server database?


 declare @procName varchar(500)  
 declare cur cursor   
 for select [name] from sys.objects where type = 'p'  
 open cur  
 fetch next from cur into @procName  
 while @@fetch_status = 0  
 begin  
   exec('drop procedure ' + @procName)  
   fetch next from cur into @procName  
 end  
 close cur  
 deallocate cur  

Sunday, November 2, 2014

What is the test card credentials for verifying the payment option in EBS TEST mode?


 
 Card No: 4111 -1111 - 1111 - 1111  
 Exp Date: 07/2016  
 CVV: 123  
 Name of the Issuing Bank: EBS  


Note: No other Card number would be accepted by the Gateway in test phase.

Tuesday, October 28, 2014

How to delete duplicate rows in SQL Server 2008

Imagine that you have a table like:
create table T (
    id int identity,
    colA varchar(30) not null,
    colB varchar(30) not null
)
Then you can say something like:
delete T
from T t1
where exists
(select null from T t2
where t2.colA = t1.colA
and t2.colB = t1.colB
and t2.id <> t1.id)
Another trick is to select out the distinct records with the minimum id, and keep those:
delete T
where id not in
(select min(id) from T
group by colA, colB)

Random Number Between 2 Double Numbers


 public double GetRandomNumber(double minimum, double maximum)  
 {   
   Random random = new Random();  
   return random.NextDouble() * (maximum - minimum) + minimum;  
 }  

Get the time difference between two datetimes [Solved]


 var now = "04/09/2013 15:00:00";  
 var then = "04/09/2013 14:20:30";  
 moment.utc(moment(now,"DD/MM/YYYY HH:mm:ss").diff(moment(then,"DD/MM/YYYY HH:mm:ss"))).format("HH:mm:ss")  
 // outputs: "00:39:30"  


But be aware that if you have 24 hours or more, the hours will reset to zero.

If you want to get a valid response for durations of 24 hours or greater, then you'll have to do something like this instead:

  var now = "04/09/2013 15:00:00";   
  var then = "02/09/2013 14:20:30";   
  var ms = moment(now,"DD/MM/YYYY HH:mm:ss").diff(moment(then,"DD/MM/YYYY HH:mm:ss"));   
  var d = moment.duration(ms);   
  var s = Math.floor(d.asHours()) + moment.utc(ms).format(":mm:ss");   
  // outputs: "48:39:30"   


Note that I'm using the utc time as a shortcut. You could pull out d.minutes() and d.seconds()separately, but you would also have to zeropad them.

JavaScript to change the opacity for an element


 <html>  
 <body>  
 <p id="p1">Select a value from the list below, to change this element's opacity!</p>  
 <select onchange="myFunction(this);" size="5">  
  <option>0  
  <option>0.2  
  <option>0.5  
  <option>0.8  
  <option selected="selected">1  
 </select>  
 <script>  
 function myFunction(x) {  
 // Return the text of the selected option  
   var opacity = x.options[x.selectedIndex].text;  
   var el = document.getElementById("p1");  
   if (el.style.opacity !== undefined) {  
     el.style.opacity = opacity;  
   } else {  
     alert("Your browser doesn't support this example!");  
   }  
 }  
 </script>  
 </body>  
 </html>  
OutPut
Output Image

Calculate difference between two dates (number of days)?

Assuming StartDate and EndDate are of type DateTime:
(EndDate - StartDate).TotalDays

Easiest way to subtract time - C#


 DateTime original = new DateTime(year, month, day, 8, 0, 0);  
 DateTime updated = original.Add(new TimeSpan(5,0,0));  
 DateTime original = new DateTime(year, month, day, 17, 0, 0);  
 DateTime updated = original.Add(new TimeSpan(-2,0,0));  
 DateTime original = new DateTime(year, month, day, 17, 30, 0);  
 DateTime updated = original.Add(new TimeSpan(0,45,0));  

Sunday, October 26, 2014

Query to list number of records in each table in a database


 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   
   --object_name(i.object_id)   
   rows desc  
OR
 SELECT sc.name +'.'+ ta.name TableName  
 ,SUM(pa.rows) RowCnt  
 FROM sys.tables ta  
 INNER JOIN sys.partitions pa  
 ON pa.OBJECT_ID = ta.OBJECT_ID  
 INNER JOIN sys.schemas sc  
 ON ta.schema_id = sc.schema_id  
 WHERE ta.is_ms_shipped = 0 AND pa.index_id IN (1,0)  
 GROUP BY sc.name,ta.name  
 ORDER BY SUM(pa.rows) DESC  

Thursday, October 23, 2014

Login failed for user 'NT AUTHORITY\NETWORK SERVICE' [Solved]

The solution that resolved my problem was:
  1. Login to SqlExpress via SQL Server Management Studio
  2. Go to the "Security" directory of the database
  3. Right-click the Users directory
  4. Select "New User..."
  5. Add 'NT AUTHORITY\NETWORK SERVICE' as a new user
  6. In the Data Role Membership area, select db_owner
  7. Set server roles "Public" and "Sysadmin"
  8. Click OK
    Here's a screenshot of the above: 

Wednesday, October 22, 2014

HTTP Error 503. The service is unavailable in IIS [Solved]

HTTP Error 503. The service is unavailable in IIS  is caused if application pool is paused or disabled as shown in the picture below:



Steps to solve HTTP Error 503. The service is unavailable are as follows:

Step 1: Open IIS and look for the  application pool of the selected website. here in this example the website name is test.
Step 2: Select the Application Pool as shown in the diagram below:


Step 3:Write click on the website name in the Application Pool and then click  on Start as shown in the picture below:


Browse the website and the error would be resolved.

Monday, September 15, 2014

Linq with Datatable : Asp.net C#

1. Show all data
********************************
 protected void Button1_Click(object sender, EventArgs e)
    {
        string srt = @"select e.EmployeeId,d.Designation,u.username,u.userpwd from Employees e 
                    inner join DesignationMaster d on d.Designationid=e.DesignationID
                    inner join userdet u on u.EmpId=e.EmployeeId";
        SqlDataAdapter adt = new SqlDataAdapter(srt, con);
        DataTable dt = new DataTable();
        adt.Fill(dt);
        GridView1.DataSource = dt;
        GridView1.DataBind();
    }

Output
********************************
Image1


2. Show all Asst.Professor
********************************
 protected void Button2_Click(object sender, EventArgs e)
    {
        string srt = @"select e.EmployeeId,d.Designation,u.username,u.userpwd from Employees e 
                    inner join DesignationMaster d on d.Designationid=e.DesignationID
                    inner join userdet u on u.EmpId=e.EmployeeId";
        SqlDataAdapter adt = new SqlDataAdapter(srt, con);
        DataTable dt = new DataTable();
        adt.Fill(dt);
       


        EnumerableRowCollection<DataRow> filter = from row in dt.AsEnumerable() where row.Field<string>("Designation") == "Asst.Professor" select row;
        DataView DV = new DataView();
        DV = filter.AsDataView();
        GridView1.DataSource = DV;
        GridView1.DataBind();
    }

Output
********************************
Image2


3. Filer based on user name
********************************
 protected void Button3_Click(object sender, EventArgs e)
    {
        string srt = @"select e.EmployeeId,d.Designation,u.username,u.userpwd from Employees e 
                    inner join DesignationMaster d on d.Designationid=e.DesignationID
                    inner join userdet u on u.EmpId=e.EmployeeId";
        SqlDataAdapter adt = new SqlDataAdapter(srt, con);
        DataTable dt = new DataTable();
        adt.Fill(dt);

        EnumerableRowCollection<DataRow> filter = from row in dt.AsEnumerable() where row.Field<string>("username").Contains(TextBox1.Text) select row;

        DataView dv = new DataView();
        dv = filter.AsDataView();
        GridView1.DataSource = dv;
        GridView1.DataBind();

    }

Output
********************************
Image3

Linq Simple Example with Array C#


  protected void Button1_Click(object sender, EventArgs e)
    {
        Label1.Text = "";
        int[] a = { 1, 5, 4, 8, 9, 6 };

        Label1.Text = "Original Array";

        for (int i = 0; i < a.Length; i++)
        {
            Label1.Text += "<br>" + a[i].ToString();
        }

        Label1.Text = "<br>Linq";

        var elements =from element in a where element>5 select element;

        foreach (var x in elements)
        {
            Label1.Text += "<br>" + x;
        }

    }
Output
OutPut Image

Wednesday, September 3, 2014

C# code 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();        
    }

Tuesday, August 26, 2014

Pivot table in SQL Server 2008 - Example

Introduction

A pivot table is a regularly used technique of shortening and displaying particular report information by means of consortium and aggregating values. Pivot tables are easily shaped by office users using Microsoft Excel or MS Access. Sincepivot table enables information builders and BI (Business Intelligence) specialists authorize their appearance of information and amplify the visibility andunderstandabilityof mined information, pivot tables are widespread and favored widely. Pivot tables exhibit information in tabular form. The pivot table formatting is not dissimilar than a tabular report formatting. But the tuples are produced by the statement information itself.

In this example i am using a temp table.

Sample Table


CREATE TABLE #Product(Cust VARCHAR(25), Product VARCHAR(20), QTY INT)

INSERT INTO #Product(Cust, Product, QTY)
VALUES('KATE','VEG',2)

INSERT INTO #Product(Cust, Product, QTY)
VALUES('KATE','SODA',6)
INSERT INTO #Product(Cust, Product, QTY)
VALUES('KATE','MILK',1)
INSERT INTO #Product(Cust, Product, QTY)
VALUES('KATE','BEER',12)
INSERT INTO #Product(Cust, Product, QTY)
VALUES('FRED','MILK',3)
INSERT INTO #Product(Cust, Product, QTY)
VALUES('FRED','BEER',24)
INSERT INTO #Product(Cust, Product, QTY)
VALUES('KATE','VEG',3)



Select * from #Product order by Cust

Cust                      Product              QTY
------------------------- -------------------- -----------
FRED                      MILK                 3
FRED                      BEER                 24
KATE                      VEG                  3
KATE                      VEG                  2
KATE                      SODA                 6
KATE                      MILK                 1
KATE                      BEER                 12

(7 row(s) affected)


Pivot table based on customer field


SELECT CUST, VEG, SODA, MILK, BEER, CHIPS
FROM (
SELECT CUST, PRODUCT, QTY
FROM #Product) up
PIVOT (  SUM(QTY) FOR PRODUCT IN (VEG, SODA, MILK, BEER, CHIPS)  
) AS pvt
ORDER BY CUST


CUST                      VEG         SODA        MILK        BEER        CHIPS
--------- ----------- ----------- ----------- ----------- ----------- ---------
FRED                      NULL        NULL        3           24          NULL
KATE                      5           6           1           12          NULL

(2 row(s) affected)

Pivot table based on product field


SELECT PRODUCT, FRED, KATE
FROM (
SELECT CUST, PRODUCT, QTY
FROM #Product) up
PIVOT (SUM(QTY) FOR CUST IN (FRED, KATE)) AS pvt
ORDER BY PRODUCT

PRODUCT              FRED        KATE
-------------------- ----------- -----------
BEER                 24          12
MILK                 3           1
SODA                 NULL        6
VEG                  NULL        5

(4 row(s) affected)





Friday, August 22, 2014

Checking Image resolution using Javascript - Asp.net File Uploader

Script

Download jquery.min.2.0.2.js

  <script src="js/jquery.min2.0.2.js" type="text/javascript"></script>
  <script type="text/javascript">
 function setEvent() {
     $(document.getElementById('<%=flpPhoto.ClientID%>')).change(function() {


         // alert(this.files[0]);
         var reader = new FileReader();
         var image = new Image();
         reader.readAsDataURL(this.files[0]);
         reader.onload = function(_file) {
             image.src = _file.target.result;
             image.onload = function() {
                 var w = this.width;
                 var h = this.height;
                 // alert(w + ' ' + h);
                 if (w != 155 && h != 200) {
                     $(document.getElementById('<%=flpPhoto.ClientID%>')).val('');
                     alert('Invalid Student Photo Size. Please upload photo of resolution 155x200 Pixels.');
                   
                 }

             };
         };
     });
   }

function pageLoad() {
setEvent();
}

  </script>


HTML

 <asp:FileUpload ID="flpPhoto" TabIndex="52" runat="server" />

 

 

Tuesday, July 1, 2014

PDF Creation using iTextSharp - Asp.net C#



Download iTextSharp.dll


Code

 protected void Button1_Click(object sender, EventArgs e)
    {
        ExportToPDF();
    }
    private void ExportToPDF()
    {
        Document MyDocumnet = new Document(PageSize.LEDGER, 30, 30, 30, 30);
        System.IOMemoryStream MyReport = new System.IOMemoryStream();

        PdfWriter writer =  PdfWriter.GetInstance(MyDocumnet, MyReport);
        MyDocumnet.AddAuthor("Aravind");
        MyDocumnet.AddSubject("My Firsr Pdf");
        MyDocumnet.Open();

        string strImagePath = Server.MapPath("StudentsPhoto/6353878428761513791.gif");


        iTextSharp.textTable tblHead = new iTextSharp.textTable(1) { WidthPercentage = 50 };
        tblHead.Padding = 2;
        tblHead.Spacing = 0;


        iTextSharp.textImage imgLogo = iTextSharp.text.Image.GetInstance(strImagePath);
       


        Cell cellHead1 = new Cell(imgLogo);
        cellHead1.HorizontalAlignment = Element.ALIGN_CENTER;
        cellHead1.VerticalAlignment = Element.ALIGN_MIDDLE;
        cellHead1.Leading = 8;
        cellHead1.Colspan = 1;
        cellHead1.BackgroundColor = Color.LIGHT_GRAY;
        cellHead1.Border = Rectangle.NO_BORDER;
        tblHead.AddCell(cellHead1);


        Cell cellHead2 = new Cell(new Phrase("APPLICATION FOR ADMISSION TO B-TECH COURSE UNDER MANAGEMENT QUOTA",FontFactory.GetFont("Arial Narrow", 14, Font.BOLD + Font.UNDERLINE,Color.BLACK )));
        cellHead2.HorizontalAlignment = Element.ALIGN_CENTER;
        cellHead2.VerticalAlignment = Element.ALIGN_MIDDLE;
        cellHead2.Leading = 8;
        cellHead2.Colspan = 1;
        cellHead2.BackgroundColor = Color.LIGHT_GRAY;
        cellHead2.Border = Rectangle.NO_BORDER;
        tblHead.AddCell(cellHead2);

        Cell cellHead3 = new Cell(new Phrase(" "));
        cellHead3.HorizontalAlignment = Element.ALIGN_CENTER;
        cellHead3.VerticalAlignment = Element.ALIGN_MIDDLE;
        cellHead3.Leading = 8;
        cellHead3.Colspan = 1;
        cellHead3.BackgroundColor = Color.LIGHT_GRAY;
        cellHead3.Border = Rectangle.NO_BORDER;
        tblHead.AddCell(cellHead3);

        cellHead3 = new Cell(new Phrase(" "));
        cellHead3.HorizontalAlignment = Element.ALIGN_CENTER;
        cellHead3.VerticalAlignment = Element.ALIGN_MIDDLE;
        cellHead3.Leading = 8;
        cellHead3.Colspan = 1;
        cellHead3.BackgroundColor = Color.LIGHT_GRAY;
        cellHead3.Border = Rectangle.NO_BORDER;
        tblHead.AddCell(cellHead3);


        MyDocumnet.Add(tblHead);



        iTextSharp.textTable tblStdDetails = new iTextSharp.textTable(4) { WidthPercentage = 50 };
        tblStdDetails.Padding = 3;
        tblStdDetails.Spacing = 2;


        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "");



        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "Application Number");
        AddCell(tblStdDetails, ": " + lblApplicaionNo.Text);
        AddCell(tblStdDetails, "");


        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "Category");
        AddCell(tblStdDetails,": Management");
        AddCell(tblStdDetails, "");


        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "Name");
        AddCell(tblStdDetails, ": " + lblFname.Text + " " + lblMidName.Text + " " + lblLastName.Text);
        AddCell(tblStdDetails, "");

        string strAdress = lblHomeName.Text + "\n " + lblPo.Text + "\n " + lblPlace.Text + "\n " + lblDistrict.Text + "\n " + lblState.Text + "\n " + lblPo.Text;

        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "Address");
        AddCell(tblStdDetails, ": " + strAdress);
        AddCell(tblStdDetails,"");



        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "Date");
        AddCell(tblStdDetails, ": " + DateTime.Now.ToShortDateString());
        AddCell(tblStdDetails, "");



        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "");
        AddCell(tblStdDetails, "");

        MyDocumnet.Add(tblStdDetails);

        MyDocumnet.Close();
        Response.Clear();

        Response.AddHeader("content-disposition", "attachment;filename=MyPdf.pdf");
        Response.ContentType = "application/pdf";
        Response.BinaryWrite(MyReport.ToArray());
        Response.End(); 


    }

    private void AddCell(iTextSharp.textTable tbl, string strData)
    {
        Cell MyCell = new Cell(new Phrase(strData, FontFactory.GetFont("Arial Narrow", 12, iTextSharp.text.Font.NORMAL)));
        MyCell.HorizontalAlignment = Element.ALIGN_LEFT;
        MyCell.VerticalAlignment = Element.ALIGN_TOP;
        MyCell.Leading = 8;
        MyCell.Colspan = 1;
        MyCell.Border = iTextSharp.text.Rectangle.NO_BORDER;
        tbl.AddCell(MyCell);
    }

Monday, June 30, 2014

SQL Query Practice - Interview Question and Answers

Table Name : Employee
EMPLOYEE_ID
FIRST_NAME
LAST_NAME
SALARY
JOINING_DATE
DEPARTMENT
1
John
Abraham
1000000
01-JAN-13 12.00.00 AM
Banking
2
Michael
Clarke
800000
01-JAN-13 12.00.00 AM
Insurance
3
Roy
Thomas
700000
01-FEB-13 12.00.00 AM
Banking
4
Tom
Jose
600000
01-FEB-13 12.00.00 AM
Insurance
5
Jerry
Pinto
650000
01-FEB-13 12.00.00 AM
Insurance
6
Philip
Mathew
750000
01-JAN-13 12.00.00 AM
Services
7
TestName1
123
650000
01-JAN-13 12.00.00 AM
Services
8
TestName2
Lname%
600000
01-FEB-13 12.00.00 AM
Insurance

Table Name : Incentives 

EMPLOYEE_REF_ID
INCENTIVE_DATE
INCENTIVE_AMOUNT
1
01-FEB-13
5000
2
01-FEB-13
3000
3
01-FEB-13
4000
1
01-JAN-13
4500
2
01-JAN-13
3500

1   1.  Get all employee details from the employee table
SELECT * FROM EMPLOYEE
2.      Get First_Name,Last_Name from employee table
              
               SELECT FIRST_NAME,LAST_NAME FROM EMPLOYEE

3.      Get First_Name from employee table using alias

        SELECT FIRST_NAME AS NAME FROM EMPLOYEE
4.      Get First_Name from employee table in upper case
SELECT UPPER(FIRST_NAME) AS FIRST_NAME FROM EMPLOYEE
5.      Get First_Name from employee table in lower case
SELECT LOWER(FIRST_NAME) AS FIRST_NAME FROM EMPLOYEE
6.      Get unique DEPARTMENT from employee table
SELECT DISTINCT(DEPARTMENT) FROM EMPLOYEE
7.      Select first 3 characters of FIRST_NAME from EMPLOYEE
SELECT SUBSTRING(FIRST_NAME,1,3) AS FIRST_NAME FROM EMPLOYEE
8.      Get position of 'o' in name 'John' from employee table
SELECT  CHARINDEX('O',FIRST_NAME) AS POSITION FROM EMPLOYEE WHERE FIRST_NAME='JOHN'
9.      Get FIRST_NAME from employee table after removing white spaces from right side
SELECT RTRIM(FIRST_NAME) AS FIRST_NAME FROM EMPLOYEE
10.  Get FIRST_NAME from employee table after removing white spaces from left side
SELECT LTRIM(FIRST_NAME) AS FIRST_NAME FROM EMPLOYEE
11.  Get length of FIRST_NAME from employee table
SELECT LEN(FIRST_NAME) AS LENGTH FROM EMPLOYEE
12.  Get First_Name from employee table after replacing 'o' with '$'
SELECT REPLACE(FIRST_NAME,'O','$') AS FIRST_NAME FROM EMPLOYEE
13.  Get First_Name and Last_Name as single column from employee table separated by a '_'
SELECT FIRST_NAME +'_'+ LAST_NAME AS NAME  FROM EMPLOYEE
14.  Get FIRST_NAME ,Joining year,Joining Month and Joining Date from employee table
SELECT FIRST_NAME,YEAR(JOINING_DATE) AS YEAR,MONTH(JOINING_DATE) AS MONTH,JOINING_DATE  FROM EMPLOYEE
15.  Get all employee details from the employee table order by First_Name Ascending
SELECT * FROM EMPLOYEE ORDER BY FIRST_NAME
16.   Get all employee details from the employee table order by First_Name descending
SELECT * FROM EMPLOYEE ORDER BY FIRST_NAME DESC

 
17.  Get all employee details from the employee table order by First_Name Ascending and Salary descending
SELECT * FROM EMPLOYEE ORDER BY FIRST_NAME ASC,SALARY DESC
18.  Get employee details from employee table whose employee name is “John”
SELECT * FROM EMPLOYEE WHERE FIRST_NAME ='JOHN'
19.  Get employee details from employee table whose employee name are “John” and “Roy”
SELECT * FROM EMPLOYEE WHERE FIRST_NAME IN('JOHN','ROY')
20.  Get employee details from employee table whose employee name are not “John” and “Roy”
SELECT * FROM EMPLOYEE WHERE FIRST_NAME NOT IN('JOHN','ROY')
21.  Get employee details from employee table whose first name starts with 'J'
SELECT * FROM EMPLOYEE WHERE FIRST_NAME LIKE 'J%'
22.  Get employee details from employee table whose first name contains 'o'
SELECT * FROM EMPLOYEE WHERE FIRST_NAME LIKE '%O%'
23.  Get employee details from employee table whose first name ends with 'n'
SELECT * FROM EMPLOYEE WHERE FIRST_NAME LIKE '%N'
24.  Get employee details from employee table whose first name ends with 'n' and name contains 4 letters
SELECT * FROM EMPLOYEE WHERE FIRST_NAME LIKE '%N' AND LEN(FIRST_NAME)=4
25.  Get employee details from employee table whose first name starts with 'J' and name contains 4 letters
SELECT * FROM EMPLOYEE WHERE FIRST_NAME LIKE 'J%' AND LEN(FIRST_NAME)=4
26.  Get employee details from employee table whose Salary greater than 600000
SELECT * FROM EMPLOYEE WHERE SALARY > 600000
27.  Get employee details from employee table whose Salary less than 800000
            SELECT * FROM EMPLOYEE WHERE SALARY < 800000
28.  Get employee details from employee table whose Salary between 500000 and 800000
SELECT * FROM EMPLOYEE WHERE SALARY BETWEEN 500000 AND 800000
29.  Get employee details from employee table whose name is 'John' and 'Michael'
SELECT * FROM EMPLOYEE WHERE FIRST_NAME IN('JOHN','MICHAEL')
30.  Get employee details from employee table whose joining year is “2013”
SELECT * FROM EMPLOYEE WHERE YEAR(JOINING_DATE)=2013
31.  Get employee details from employee table whose joining month is “January”
SELECT * FROM EMPLOYEE WHERE   DATENAME(MONTH,JOINING_DATE) ='January'
32.  Get employee details from employee table who joined before January 1st 2013
SELECT * FROM EMPLOYEE WHERE   JOINING_DATE < '1-1-2013'
33.  Get employee details from employee table who joined after January 31st
SELECT * FROM EMPLOYEE WHERE   JOINING_DATE > '1-31-2013'
34.  Get Joining Date and Time from employee table
SELECT JOINING_DATE FROM EMPLOYEE
35.  Get Joining Date,Time including milliseconds from employee table
SELECT CONVERT(DATE,JOINING_DATE,103) AS DATE,CONVERT(time,JOINING_DATE,101) as TIME FROM EMPLOYEE
36.  Get difference between JOINING_DATE and INCENTIVE_DATE from employee and incentives table
SELECT DATEDIFF(DAY,EMP.JOINING_DATE,INS.INCENTIVE_DATE) AS DATE_DIFF FROM EMPLOYEE EMP INNER JOIN INCENTIVE INS ON INS.EMPLOYEE_RFF_ID=EMP.EMPLOYEE_ID
37.  Get database date
SELECT  GETDATE() AS DATE
38.  Get names of employees from employee table who has '%' in Last_Name. Tip : Escape character for special characters in a query.
SELECT FIRST_NAME +' '+LAST_NAME FROM EMPLOYEE WHERE LAST_NAME LIKE '%\%%' ESCAPE '\'
39.  Get Last Name from employee table after replacing special character with white space
SELECT REPLACE(REPLACE(REPLACE(REPLACE(LAST_NAME,'%',''),'1',''),'2',''),'3','') FROM  EMPLOYEE
40.  Get department,total salary with respect to a department from employee table.
SELECT DEPARTMENT,SUM(SALARY) AS SALARY FROM EMPLOYEE GROUP BY DEPARTMENT
41.  Get department,total salary with respect to a department from employee table order by total salary descending
SELECT DEPARTMENT,SUM(SALARY) AS SALARY FROM EMPLOYEE  GROUP BY DEPARTMENT ORDER BY SALARY DESC
42.  Get department,no of employees in a department,total salary with respect to a department from employee table order by total salary descending
SELECT DEPARTMENT,SUM(SALARY) AS SALARY,COUNT(EMPLOYEE_ID) AS EMP_COUNT FROM EMPLOYEE  GROUP BY DEPARTMENT ORDER BY SALARY DESC 
43.  Get department wise average salary from employee table order by salary ascending
SELECT (X.SALARY/X.EMP_COUNT) AVERAGE_SALARY FROM (SELECT SUM(SALARY) AS SALARY ,COUNT(EMPLOYEE_ID) AS EMP_COUNT FROM EMPLOYEE GROUP BY DEPARTMENT ) ASORDER BY X.SALARY
44.  Get department wise maximum salary from employee table order by salary ascending
SELECT MAX(SALARY) AS MAX_SALARY FROM EMPLOYEE GROUP BY DEPARTMENT ORDER BY MAX_SALARY
45.  Get department wise minimum salary from employee table order by salary ascending
SELECT MIN(SALARY) AS MIN_SALARY FROM EMPLOYEE GROUP BY DEPARTMENT ORDER BY MIN_SALARY
46.  Select no of employees joined with respect to year and month from employee table
SELECT COUNT(EMPLOYEE_ID) AS EMP_COUNT,YEAR(JOINING_DATE)AS YEAR, MONTH(JOINING_DATE)AS MONTH FROM EMPLOYEE GROUP BY YEAR(JOINING_DATE),MONTH(JOINING_DATE)

 
47.  Select department,total salary with respect to a department from employee table where total salary greater than 800000 order by Total_Salary descending
SELECT X.* FROM(SELECT DEPARTMENT,SUM(SALARY) AS TOTAL FROM EMPLOYEE GROUP BY DEPARTMENT ) AS X WHERE X.TOTAL>800000 ORDER BY X.TOTAL DESC
48.  Select first_name, incentive amount from employee and incentives table for those employees who have incentives
SELECT EMP.FIRST_NAME,INS.INCENTIVE_AMOUNT FROM EMPLOYEE EMP INNER JOIN INCENTIVE INS ON INS.EMPLOYEE_RFF_ID=EMP.EMPLOYEE_ID
49.  Select first_name, incentive amount from employee and incentives table for those employees who have incentives and incentive amount greater than 3000
SELECT EMP.FIRST_NAME,INS.INCENTIVE_AMOUNT FROM EMPLOYEE EMP INNER JOIN INCENTIVE INS ON INS.EMPLOYEE_RFF_ID=EMP.EMPLOYEE_ID WHERE INS.INCENTIVE_AMOUNT>3000
50.  Select first_name, incentive amount from employee and incentives table for all employes even if they didn't get incentives
SELECT EMP.FIRST_NAME,INS.INCENTIVE_AMOUNT FROM EMPLOYEE EMP LEFT JOIN INCENTIVE INS ON INS.EMPLOYEE_RFF_ID=EMP.EMPLOYEE_ID
51.   Select first_name, incentive amount from employee and incentives table for all employees even if they didn't get incentives and set incentive amount as 0 for those employees who didn't get incentives.
SELECT EMP.FIRST_NAME,ISNULL(INS.INCENTIVE_AMOUNT,0)AS INCENTIVE_AMOUNT FROM EMPLOYEE EMP LEFT JOIN INCENTIVE INS ON INS.EMPLOYEE_RFF_ID=EMP.EMPLOYEE_ID
52.   Select first_name, incentive amount from employee and incentives table for all employees who got incentives using left join
SELECT EMP.FIRST_NAME,INS.INCENTIVE_AMOUNT FROM INCENTIVE INS LEFT JOIN EMPLOYEE EMP ON EMP.EMPLOYEE_ID=INS.EMPLOYEE_RFF_ID
53.   Select max incentive with respect to employee from employee and incentives table using sub query

SELECT X.FIRST_NAME,MAX(X.INCENTIVE_AMOUNT) AS MAX_AMOUND FROM
(SELECT EMP.FIRST_NAME,INS.INCENTIVE_AMOUNT FROM INCENTIVE INS INNER JOIN EMPLOYEE EMP ON EMP.EMPLOYEE_ID=INS.EMPLOYEE_RFF_ID) AS X GROUP BY X.FIRST_NAME
54.   Select TOP 2 salary from employee table
SELECT TOP 2 SALARY FROM EMPLOYEE ORDER BY SALARY DESC
55.   Select TOP N salary from employee table
DECLARE @N INT = 4
SELECT TOP(@N) SALARY FROM EMPLOYEE ORDER BY SALARY DESC
56.   Select 2nd Highest salary from employee table
SELECT MIN(X.SALARY) AS MIN_SALARY FROM(SELECT TOP 2 SALARY FROM EMPLOYEE) AS X
57.   Select Nth Highest salary from employee table
SELECT X.SALARY FROM
(SELECT EMP.SALARY,RANK() OVER(ORDER BY SALARY DESC) AS ROW FROM EMPLOYEE EMP) AS X WHERE X.ROW=2
58.   Select First_Name,LAST_NAME from employee table as separate rows
SELECT FIRST_NAME FROM EMPLOYEE UNION
SELECT LAST_NAME FROM EMPLOYEE
59.          What is the difference between UNION and UNION ALL ?
UNION
The UNION command is used to select related information from two tables, much like the JOIN command. However, when using the UNION command all selected columns need to be of the same data type. With UNION, only distinct values are selected.
UNION ALL
The UNION ALL command is equal to the UNION command, except that UNION ALL selects all values.
The difference between Union and Union all is that Union all will not eliminate duplicate rows, instead it just pulls all rows from all tables fitting your query specifics and combines them into a table.
A UNION statement effectively does a SELECT DISTINCT on the results set. If you know that all the records returned are unique from your union, use UNION ALL instead, it gives faster results.
60.   Select employee details from employee table if data exists in incentive table ?
select * from EMPLOYEE where EMPLOYEE_ID IN(select DISTINCT(EMPLOYEE_RFF_ID) from INCENTIVE)

 
61.   How to fetch data that are common in two query results?
SELECT * FROM EMPLOYEE  INTERSECT SELECT TOP 4 * FROM EMPLOYEE

62.   Get Employee ID's of those employees who didn't receive incentives
select * from EMPLOYEE where EMPLOYEE_ID NOT IN(select DISTINCT(EMPLOYEE_RFF_ID) from INCENTIVE)
63.   Select 20 % of salary from John , 10% of Salary for Roy and for other 15 % of salary from employee table
SELECT EMP.FIRST_NAME,(CASE EMP.FIRST_NAME WHEN 'JOHN' THEN EMP.SALARY *.20 WHEN 'ROY' THEN EMP.SALARY *.10 ELSE EMP.SALARY *.15 END) AS SALARY FROM EMPLOYEE EMP
64.   Select Banking as 'Bank Dept', Insurance as 'Insurance Dept' and Services as 'Services Dept' from employee table
SELECT (CASE DEPARTMENT WHEN 'BANKING' THEN 'BANK DEPT' WHEN 'INSURANCE' THEN 'INSURANCE DEPT' WHEN 'SERVICES' THEN 'SERVICES DEPT' END)AS DEPARTMENT  FROM EMPLOYEE
65.   Delete employee data from employee table who got incentives in incentive table
DELETE FROM EMPLOYEE WHERE EMPLOYEE_ID IN (SELECT EMPLOYEE_RFF_ID FROM INCENTIVE)
66.   Insert into employee table Last Name with " ' " (Single Quote - Special Character)
INSERT INTO EMPLOYEE(FIRST_NAME,LAST_NAME,SALARY,JOINING_DATE,DEPARTMENT)
VALUES('SAM','DEEN''',750000,'2-2-2013','BANKING')
67.   Select Last Name from employee table which contain only numbers
SELECT LAST_NAME FROM EMPLOYEE WHERE LAST_NAME NOT LIKE '%[^0-9]%'
68.   Write a query to rank employees based on their incentives for a month
SELECT EMP.FIRST_NAME,INS.INCENTIVE_AMOUNT,RANK() OVER(ORDER BY INS.INCENTIVE_AMOUNT DESC) AS RANK FROM EMPLOYEE EMP INNER JOIN INCENTIVE INS ON EMP.EMPLOYEE_ID=INS.EMPLOYEE_RFF_ID