Click here to Skip to main content
15,867,568 members
Articles / Web Development / ASP.NET

Web-based real-time SQL Server Performance Dashboard

Rate me:
Please Sign up or sign in to vote.
4.76/5 (63 votes)
16 Oct 2014CPOL6 min read 141.4K   159   41
SQL Server Performance Dashboard (SSPD) is a small open source web app that shows you performance & problems of one or more SQL Server instances and their databases in near real time.

Introduction

SQL Server Performance Dashboard (SSPD) is a small open source web app that shows you performance & problems of one or more SQL Server instances and their databases in near real time. It uses the Dynamic Management Views (DMV) to gather useful data from the verbose output and combines them with utility stored procs in order to get meaningful, easy to understand information out of them. You can use it to quickly spot blocking queries, who is blocking who, expensive query that are consuming high CPU or disk, see if there's unusual locks, very high disk activity and so on.

Image 1

See a live demo:

http://dashboard.omaralzabir.com/

Get the code

The binaries are here, which you can just extract into a IIS folder, put the connection strings in the web.config file and you are ready to roll.

SqlServerPerformanceDashboard GitHub Project Binaries

If you aren't using the sa user, but your own user, give the user the right permission:

SQL
USE master;
GO
GRANT VIEW SERVER STATE TO MyUser;
GO

Here's an example connection string:

XML
<add name="DB1" connectionString="Data Source=.\SQLEXPRESS;Initial Catalog=YourDatabase;User ID=MyUser;Password=MyPassword" />

Or you can get the source code from the GitHub project site: 

https://github.com/oazabir/SQLServerPerformanceDashboard/

Why not use SQL Server Management Studio?

SQL Server Management Studio comes with Activity Report that shows real time performance of the server, as well as various reports to show you top queries, blocked sessions etc. Those are quite useful surely, but what we need is someone telling us exactly what is wrong with the query or what is wrong with a particular WAIT or what is really wrong with some graph that looks high. For ex, on the Top IO query report, it would be useful to know what part of the query is causing high IO. Is there a table scan? Index scan? Similarly, on the blocked session report, it would be useful to know who is blocking who. SSPD tries to make it painless for us by telling us exactly what is wrong. Moreover, it is available as a website, readily available without having to launch SQL Server Management Studio and running the reports. Also SSPD refreshes real time, showing you the latest state of the server every 5-10 seconds.

What's happening on the server now?

SSPD uses some custom made scripts to query the DMVs and then make sense out of it. For ex, let's look at the first one: "What's going on." It shows you near real-time view of what queries are running at this moment, and it will also tell you what is really bad about the queries:

Image 2

It uses the famous Who is Active script made by Adam Machanic, that gives a very informative view of what is currently happening on the server.

Once it pulls the output, it binds to a DataGrid and for each row, and then it checks if there's something off the chart:

<code><asp:GridView CssClass="table table-striped" ID="GridView1" runat="server" DataSourceID="sqlDataSource" EnableModelValidation="True">
    <Columns>
        <asp:TemplateField>
            <ItemTemplate>
                <%# Convert.ToDecimal(Eval("CPU")) > 1000 ? "<span class='label label-warning'>High CPU</span>" : "" %>
                <%# Convert.ToDecimal(Eval("physical_reads")) > 1000 ? "<span class='label label-warning'>High Physical Read</span>" : "" %>
            </ItemTemplate>
        </asp:TemplateField>
    </Columns>  
    <EmptyDataTemplate>
        No Query running at the moment.
    </EmptyDataTemplate>                  
</asp:GridView>         
</code>

Here you see, it looks at specific values and if the values are unusually high, it injects a warning label. This saves you from scanning through the output to see if something is off. You can easily set the threshold values you want and get instant warning labels on the screen.

Wherever you see a query, you can click on it to view the full details.

Image 3

Most expensive queries

This is probably the most useful one for day to day monitoring. It queries the cached plan for the queries SQL Server has run since it was last restarted or DBCC FREEPROCCACHE was called. Then it shows you not just the most expensive query, but also exactly what part of the query is causing the problem. You can see the WHERE clause that is causing the highest IO load.

Image 4

Here you can see some table scan going on. You can also see the part of the WHERE clause that is causing the table scan. 

If you click on the query (scrolling right), it will show the full query.

Expensive stored proc

Next one is the Expensive Stored Proc view, which shows you the most expensive stored procs in terms of CPU or IO.

Image 5

You can see here the AvgLogicalReads for QueryOrders is very high. That stored proc is killing the database.

How it works

Look ma, no AJAX!

You will notice that the panels are refreshing periodically. You might think I am using AJAX to call some serverside web service in order to get JSON/XML response, and then use some jQuery template to render the html output. Nope. I am using what our ancestors have happily used for generations. The natural, organic IFRAME solution, with no side effect. The html output for each panel comes from individual ASP.NET pages, via IFRAMEs and then they get injected into a DIV on the main Dashboard page.

There are several benefits to this approach:

  • The widgets are individual pages, which user can browse directly in full browser view.
  • Each widget is a plain ASP.NET page. No need to build webservices to return data in JSON/XML format. No need for any entity classes either that you usually use to serialize into JSON/XML.
  • The HTML content is generated server side, using regular ASP.NET. Thus there's no need to use any Javascript based HTML templating library.
  • As there's no need for AJAX or html templating, there's no need to worry about jQuery or its plugin breaking compatibility in new versions, and updating javascript libraries regularly.

Let's see how to do this. First the HTML markup to draw the panels:

<code><div class="row">
    <div class="panel panel-success">
        <div class="panel-heading"><a href="WhoIsActive.aspx?c=<%= ConnectionString %>">What's going on</a></div>
        <div class="panel-body panel-body-height" id="WhoIsActive">
            <div class="progress">
                <div class="progress-bar progress-bar-striped" style="width: 60%"><span class="sr-only">100% Complete</span></div>
            </div>
        </div>
        <iframe class="content_loader" onload="setContent(this, 'WhoIsActive')" src="WhoIsActive.aspx?c=<%= ConnectionString %>" style="width: 100%; height: 100%; border: none; display: none" frameborder="0"></iframe>
    </div>
</div>
</code>

This is the markup taken from the Twitter Bootstrap theme.

You will notice there's an invisible IFRAME there. When the IFRAME loads, it calls the setContent function. That function takes the whole content of the IFRAME and injects inside the panel-body div.

<code>function setContent(iframe, id) {
        ...
        $('#' + id)
                .html($(iframe).contents().find("form").html())
            .dblclick(function () {
                iframe.contentWindow.location.reload();
            })
            ...
    }
</code>

There you go, clean AJAX-like solution without any AJAX: no XMLHTTP, no JSON plumbing, no HTML templating, no server-side webservice.

Now this would not work for any event handler that is hooked inside the IFRAME. So, how does the click on a query show the popup window with the full query? Also if it was an IFRAME, shouldn't the popup actually come inside the IFRAME?

The click functionality is done on the main Dashboard page. After injecting the content into the DIV, it hooks the click handlers that shows the popup on the main page:

<code>function setContent(iframe, id) {
    $('#' + id)
        .find('td.large-cell').off('click');

    if ($('#' + id).scrollLeft() == 0) {
            $('#' + id)
                .html($(iframe).contents().find("form").html())
                .dblclick(function () {
                    iframe.contentWindow.location.reload();
                })
                .find('td.large-cell').find('div').click(function () {
                    $('#content_text').text($(this).html());
                    $('#basic-modal-content').modal();
            });
    }
</code>

Here's it looks for any having the class large-cell. It then hooks the click even on it and shows the modal dialog box. The modal dialog box is from Eric Martin's SimpleModal plugin.

Plotting the charts

The chart uses the jQuery plugin Flot to render some of the performance counters as running charts.

Image 6

There's a PerformanceCounter.aspx which is responsible for rendering the table showing the performance counters. It picks some important counters, and marks them to appear on the chart. First it runs through the table, looking for the counters, and marks the label of the counter as x-axis and value of the counter as y-axis:

<code>var plot = ["Batch Requests/sec", "Full Scans/sec", "SQL Compilations/sec", "Total Latch Wait Time (ms)"];
$('td').each(function (i, e) {
        td = $(e);
    if (td.text().trim().length > 0) {
        for (var i = 0; i < plot.length; i ++) {
            if (plot[i] == td.text().trim()) {
                if (td.prev().text() == "_Total" || td.prev().text().trim().length == 0) {
                    td.addClass("x-axis");
                    td.next().addClass("y-axis");
                }
            }
        }
    }
})
</code>

Now this page is hosted on the Dashboard page inside an IFRAME. So, the Dashboard page scans the IFRAME content, looks for these labels, picks their values and passes to the Flot chart plugin:

<code>$(iframe).contents().find("form").find(".x-axis").each(function (i, e) {
        var x = $(e);
    var y = x.next('.y-axis');
    var xname = x.text();
    var yvalue = parseInt(y.text());
    if (datasets[xname]) {
        var data = datasets[xname].data;

        data.pop();

        data.splice(0, 0, yvalue);
    }
});
</code>

Rest of the job of updating the Flot chart is done by the usual Flot code:

<code>function updatePlot() {
    var index = 0;

    $.each(datasets, function (key, val) {
        var items = [];
        for (var i = 0; i < val.data.length; i++)
            items.push([i, val.data[i]]);

        var data = { color: val.color, data: items };

        if (plots[index] != null) {
            plot = plots[index];
            plot.setData([data]);
            plot.draw();
        }
        else {
            plot = $.plot("#placeholder" + (index + 1), [data], {
                series: {
                    //shadowSize: 0 // Drawing is faster without shadows
                },
                lines: { show: true, fill: true },
                grid: {
                    hoverable: true,
                    clickable: true
                },
                yaxis: {
                    min: 0,
                    max: val.ymax
                },
                xaxis: {
                    show: false
                }
            });
</code>

That's it! Again, no AJAX, no webservice, no html templating, no JSON plubing. Pure organic IFRAME and html.

Conclusion

SSPD tries to make it easy for us to monitor SQL Server health. It gives meainingful information out of the verbose data produced by SQL Server's built-in views. It shows you exactly where the problem is. You can customize the code anyway you like, adding your own warnings, own thresholds, and make it suit your specific need.

Image 7

License

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


Written By
Architect BT, UK (ex British Telecom)
United Kingdom United Kingdom

Comments and Discussions

 
QuestionMy vote of 5 Pin
sooster21-Sep-17 19:34
sooster21-Sep-17 19:34 
BugMissing Waits-, Locks- and LongScans-Files Pin
Member 1302132824-Feb-17 0:39
Member 1302132824-Feb-17 0:39 
QuestionNot working Pin
Aless Alessio1-Dec-16 23:12
Aless Alessio1-Dec-16 23:12 
AnswerRe: Not working Pin
Jérôme Rubinstein28-Jun-17 3:33
Jérôme Rubinstein28-Jun-17 3:33 
Seems ok for me. Poke tongue | ;-P
QuestionMissing waits , locks , long scans pages Pin
samchu.tpk27-Jul-15 17:00
samchu.tpk27-Jul-15 17:00 
BugMissing Pages Pin
qwiktek15-Jun-15 8:02
qwiktek15-Jun-15 8:02 
GeneralRe: Missing Pages Pin
Omar Al Zabir15-Jun-15 11:22
Omar Al Zabir15-Jun-15 11:22 
GeneralRe: Missing Pages Pin
qwiktek16-Jun-15 2:55
qwiktek16-Jun-15 2:55 
QuestionMissing Source Files Pin
breadstix23-Jan-15 6:25
breadstix23-Jan-15 6:25 
AnswerRe: Missing Source Files Pin
Member 1144935616-Feb-15 22:44
Member 1144935616-Feb-15 22:44 
GeneralRe: Missing Source Files Pin
Omar Al Zabir17-Feb-15 7:09
Omar Al Zabir17-Feb-15 7:09 
GeneralRe: Missing Source Files Pin
Member 1144935618-Feb-15 21:59
Member 1144935618-Feb-15 21:59 
QuestionThanks Pin
Victor Blanco21-Jan-15 6:53
Victor Blanco21-Jan-15 6:53 
GeneralMy vote of 5 Pin
Humayun Kabir Mamun29-Oct-14 19:27
Humayun Kabir Mamun29-Oct-14 19:27 
QuestionMy vote of 5 Pin
pinguit21-Oct-14 15:28
pinguit21-Oct-14 15:28 
GeneralMy vote of 5 Pin
Humayun Kabir Mamun17-Oct-14 2:41
Humayun Kabir Mamun17-Oct-14 2:41 
QuestionWebConfig Pin
Juzer16-Oct-14 7:57
Juzer16-Oct-14 7:57 
AnswerRe: WebConfig Pin
Omar Al Zabir16-Oct-14 9:46
Omar Al Zabir16-Oct-14 9:46 
AnswerRe: WebConfig Pin
BillProg21-Oct-14 4:32
BillProg21-Oct-14 4:32 
GeneralRe: WebConfig Pin
pinguit21-Oct-14 20:32
pinguit21-Oct-14 20:32 
QuestionHow to setup web.config? Pin
anderson.nishihara8-Oct-14 9:02
anderson.nishihara8-Oct-14 9:02 
AnswerRe: How to setup web.config? Pin
Omar Al Zabir8-Oct-14 12:32
Omar Al Zabir8-Oct-14 12:32 
GeneralRe: How to setup web.config? Pin
anderson.nishihara9-Oct-14 3:29
anderson.nishihara9-Oct-14 3:29 
GeneralRe: How to setup web.config? Pin
Omar Al Zabir9-Oct-14 12:46
Omar Al Zabir9-Oct-14 12:46 
GeneralRe: How to setup web.config? Pin
anderson.nishihara10-Oct-14 4:30
anderson.nishihara10-Oct-14 4:30 

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.