miniprofiler 0.1.7.1 → 0.1.7.2

Sign up to get free protection for your applications and to get access to all the features.
data/Gemfile.lock CHANGED
@@ -1,7 +1,7 @@
1
1
  PATH
2
2
  remote: .
3
3
  specs:
4
- miniprofiler (0.1.7.1)
4
+ miniprofiler (0.1.7.2)
5
5
  rack (>= 1.1.3)
6
6
 
7
7
  GEM
data/Rakefile CHANGED
@@ -26,7 +26,7 @@ end
26
26
  desc "copy files from other parts of the tree"
27
27
  task :copy_files do
28
28
  `rm -R -f lib/html && mkdir lib/html 1>&2`
29
- path = File.expand_path('../StackExchange.Profiling/UI')
29
+ path = File.expand_path('./UI')
30
30
  `ln -s #{path}/includes.less lib/html/includes.less`
31
31
  `ln -s #{path}/includes.js lib/html/includes.js`
32
32
  `ln -s #{path}/includes.tmpl lib/html/includes.tmpl`
@@ -0,0 +1,419 @@
1
+ using System;
2
+ using System.Collections.Generic;
3
+ using System.IO;
4
+ using System.Web;
5
+ using System.Web.Routing;
6
+ using System.Linq;
7
+
8
+ using StackExchange.Profiling.Helpers;
9
+ using System.Text;
10
+ using System.Collections.Concurrent;
11
+
12
+ namespace StackExchange.Profiling.UI
13
+ {
14
+ /// <summary>
15
+ /// Understands how to route and respond to MiniProfiler UI urls.
16
+ /// </summary>
17
+ public class MiniProfilerHandler : IRouteHandler, IHttpHandler
18
+ {
19
+ internal static HtmlString RenderIncludes(MiniProfiler profiler, RenderPosition? position = null, bool? showTrivial = null, bool? showTimeWithChildren = null, int? maxTracesToShow = null, bool? showControls = null, bool? useExistingjQuery = null)
20
+ {
21
+ string format = GetResource("include.partial.html");
22
+
23
+ var result = "";
24
+
25
+ if (profiler != null)
26
+ {
27
+ // HACK: unviewed ids are added to this list during Storage.Save, but we know we haven't see the current one yet,
28
+ // so go ahead and add it to the end - it's usually the only id, but if there was a redirect somewhere, it'll be there, too
29
+ MiniProfiler.Settings.EnsureStorageStrategy();
30
+
31
+ var authorized =
32
+ MiniProfiler.Settings.Results_Authorize == null ||
33
+ MiniProfiler.Settings.Results_Authorize(HttpContext.Current.Request);
34
+
35
+ List<Guid> ids;
36
+ if (authorized)
37
+ {
38
+ ids = MiniProfiler.Settings.Storage.GetUnviewedIds(profiler.User);
39
+ ids.Add(profiler.Id);
40
+ }
41
+ else
42
+ {
43
+ ids = new List<Guid> { profiler.Id };
44
+ }
45
+
46
+ result = format.Format(new
47
+ {
48
+ path = VirtualPathUtility.ToAbsolute(MiniProfiler.Settings.RouteBasePath).EnsureTrailingSlash(),
49
+ version = MiniProfiler.Settings.Version,
50
+ ids = ids.ToJson(),
51
+ position = (position ?? MiniProfiler.Settings.PopupRenderPosition).ToString().ToLower(),
52
+ showTrivial = showTrivial ?? MiniProfiler.Settings.PopupShowTrivial ? "true" : "false",
53
+ showChildren = showTimeWithChildren ?? MiniProfiler.Settings.PopupShowTimeWithChildren ? "true" : "false",
54
+ maxTracesToShow = maxTracesToShow ?? MiniProfiler.Settings.PopupMaxTracesToShow,
55
+ showControls = showControls ?? MiniProfiler.Settings.ShowControls ? "true" : "false",
56
+ currentId = profiler.Id,
57
+ authorized = authorized ? "true" : "false",
58
+ useExistingjQuery = useExistingjQuery ?? MiniProfiler.Settings.UseExistingjQuery ? "true" : "false"
59
+ });
60
+
61
+ }
62
+
63
+ return new HtmlString(result);
64
+ }
65
+
66
+ /// <summary>
67
+ /// Usually called internally, sometimes you may clear the routes during the apps lifecycle, if you do that call this to bring back mp
68
+ /// </summary>
69
+ public static void RegisterRoutes()
70
+ {
71
+
72
+ var routes = RouteTable.Routes;
73
+ var handler = new MiniProfilerHandler();
74
+ var prefix = MiniProfiler.Settings.RouteBasePath.Replace("~/", "").EnsureTrailingSlash();
75
+
76
+ using (routes.GetWriteLock())
77
+ {
78
+ var route = new Route(prefix + "{filename}", handler)
79
+ {
80
+ // we have to specify these, so no MVC route helpers will match, e.g. @Html.ActionLink("Home", "Index", "Home")
81
+ Defaults = new RouteValueDictionary( new { controller = "MiniProfilerHandler", action = "ProcessRequest" }),
82
+ Constraints = new RouteValueDictionary( new { controller = "MiniProfilerHandler", action = "ProcessRequest" })
83
+ };
84
+
85
+ // put our routes at the beginning, like a boss
86
+ routes.Insert(0, route);
87
+ }
88
+ }
89
+
90
+ /// <summary>
91
+ /// Returns this <see cref="MiniProfilerHandler"/> to handle <paramref name="requestContext"/>.
92
+ /// </summary>
93
+ public IHttpHandler GetHttpHandler(RequestContext requestContext)
94
+ {
95
+ return this; // elegant? I THINK SO.
96
+ }
97
+
98
+ /// <summary>
99
+ /// Try to keep everything static so we can easily be reused.
100
+ /// </summary>
101
+ public bool IsReusable
102
+ {
103
+ get { return true; }
104
+ }
105
+
106
+ /// <summary>
107
+ /// Returns either includes' css/javascript or results' html.
108
+ /// </summary>
109
+ public void ProcessRequest(HttpContext context)
110
+ {
111
+ string output;
112
+ string path = context.Request.AppRelativeCurrentExecutionFilePath;
113
+
114
+ switch (Path.GetFileNameWithoutExtension(path).ToLowerInvariant())
115
+ {
116
+ case "jquery.1.7.1":
117
+ case "jquery.tmpl":
118
+ case "includes":
119
+ case "list":
120
+ output = Includes(context, path);
121
+ break;
122
+
123
+ case "results-index":
124
+ output = Index(context);
125
+ break;
126
+
127
+ case "results-list":
128
+ output = ResultList(context);
129
+ break;
130
+
131
+ case "results":
132
+ output = Results(context);
133
+ break;
134
+
135
+ default:
136
+ output = NotFound(context);
137
+ break;
138
+ }
139
+
140
+ context.Response.Write(output);
141
+ }
142
+
143
+ private static string ResultList(HttpContext context)
144
+ {
145
+ string message;
146
+ if (!AuthorizeRequest(context, isList: true, message: out message))
147
+ {
148
+ return message;
149
+ }
150
+
151
+ var lastId = context.Request["last-id"];
152
+ Guid lastGuid = Guid.Empty;
153
+
154
+ if (!lastId.IsNullOrWhiteSpace()) {
155
+ Guid.TryParse(lastId, out lastGuid);
156
+ }
157
+
158
+ var guids = MiniProfiler.Settings.Storage.List(100);
159
+
160
+ if (lastGuid != Guid.Empty)
161
+ {
162
+ guids = guids.TakeWhile(g => g != lastGuid);
163
+ }
164
+
165
+ guids = guids.Reverse();
166
+
167
+ return guids.Select(g =>
168
+ {
169
+ var profiler = MiniProfiler.Settings.Storage.Load(g);
170
+ return new
171
+ {
172
+ profiler.Id,
173
+ profiler.Name,
174
+ profiler.DurationMilliseconds,
175
+ profiler.DurationMillisecondsInSql,
176
+ profiler.ClientTimings,
177
+ profiler.Started,
178
+ profiler.ExecutedNonQueries,
179
+ profiler.ExecutedReaders,
180
+ profiler.ExecutedScalars,
181
+ profiler.HasAllTrivialTimings,
182
+ profiler.HasDuplicateSqlTimings,
183
+ profiler.HasSqlTimings,
184
+ profiler.HasTrivialTimings,
185
+ profiler.HasUserViewed,
186
+ profiler.MachineName,
187
+ profiler.User
188
+ };
189
+ }
190
+
191
+ ).ToJson();
192
+ }
193
+
194
+ private static string Index(HttpContext context)
195
+ {
196
+ string message;
197
+ if (!AuthorizeRequest(context, isList: true, message: out message))
198
+ {
199
+ return message;
200
+ }
201
+
202
+ context.Response.ContentType = "text/html";
203
+
204
+ var path = VirtualPathUtility.ToAbsolute(MiniProfiler.Settings.RouteBasePath).EnsureTrailingSlash();
205
+
206
+ return new StringBuilder()
207
+ .AppendLine("<html><head>")
208
+ .AppendFormat("<title>List of profiling sessions</title>")
209
+ .AppendLine()
210
+ .AppendLine("<script type='text/javascript' src='" + path + "jquery.1.7.1.js?v=" + MiniProfiler.Settings.Version + "'></script>")
211
+ .AppendLine("<script type='text/javascript' src='" + path + "jquery.tmpl.js?v=" + MiniProfiler.Settings.Version + "'></script>")
212
+ .AppendLine("<script type='text/javascript' src='" + path + "includes.js?v=" + MiniProfiler.Settings.Version + "'></script>")
213
+ .AppendLine("<script type='text/javascript' src='" + path + "list.js?v=" + MiniProfiler.Settings.Version + "'></script>")
214
+ .AppendLine("<link href='" + path +"list.css?v=" + MiniProfiler.Settings.Version + "' rel='stylesheet' type='text/css'>")
215
+ .AppendLine("<script type='text/javascript'>MiniProfiler.list.init({path: '" + path + "', version: '" + MiniProfiler.Settings.Version + "'})</script>")
216
+ .AppendLine("</head><body></body></html>")
217
+ .ToString();
218
+ }
219
+
220
+ /// <summary>
221
+ /// Handles rendering static content files.
222
+ /// </summary>
223
+ private static string Includes(HttpContext context, string path)
224
+ {
225
+ var response = context.Response;
226
+
227
+ switch (Path.GetExtension(path))
228
+ {
229
+ case ".js":
230
+ response.ContentType = "application/javascript";
231
+ break;
232
+ case ".css":
233
+ response.ContentType = "text/css";
234
+ break;
235
+ case ".tmpl":
236
+ response.ContentType = "text/x-jquery-tmpl";
237
+ break;
238
+ default:
239
+ return NotFound(context);
240
+ }
241
+
242
+ #if !DEBUG
243
+ var cache = response.Cache;
244
+ cache.SetCacheability(System.Web.HttpCacheability.Public);
245
+ cache.SetExpires(DateTime.Now.AddDays(7));
246
+ cache.SetValidUntilExpires(true);
247
+ #endif
248
+
249
+
250
+ var embeddedFile = Path.GetFileName(path);
251
+ return GetResource(embeddedFile);
252
+ }
253
+
254
+ /// <summary>
255
+ /// Handles rendering a previous MiniProfiler session, identified by its "?id=GUID" on the query.
256
+ /// </summary>
257
+ private static string Results(HttpContext context)
258
+ {
259
+ // when we're rendering as a button/popup in the corner, we'll pass ?popup=1
260
+ // if it's absent, we're rendering results as a full page for sharing
261
+ var isPopup = !string.IsNullOrWhiteSpace(context.Request["popup"]);
262
+
263
+ // this guid is the MiniProfiler.Id property
264
+ Guid id;
265
+ if (!Guid.TryParse(context.Request["id"], out id))
266
+ return isPopup ? NotFound(context) : NotFound(context, "text/plain", "No Guid id specified on the query string");
267
+
268
+ MiniProfiler.Settings.EnsureStorageStrategy();
269
+ var profiler = MiniProfiler.Settings.Storage.Load(id);
270
+
271
+ var provider = WebRequestProfilerProvider.Settings.UserProvider;
272
+ string user = null;
273
+ if (provider != null)
274
+ {
275
+ user = provider.GetUser(context.Request);
276
+ }
277
+
278
+ MiniProfiler.Settings.Storage.SetViewed(user, id);
279
+
280
+ if (profiler == null)
281
+ {
282
+ return isPopup ? NotFound(context) : NotFound(context, "text/plain", "No MiniProfiler results found with Id=" + id.ToString());
283
+ }
284
+
285
+ bool needsSave = false;
286
+ if (profiler.ClientTimings == null)
287
+ {
288
+ profiler.ClientTimings = ClientTimings.FromRequest(context.Request);
289
+ if (profiler.ClientTimings != null)
290
+ {
291
+ needsSave = true;
292
+ }
293
+ }
294
+
295
+ if (profiler.HasUserViewed == false)
296
+ {
297
+ profiler.HasUserViewed = true;
298
+ needsSave = true;
299
+ }
300
+
301
+ if (needsSave) MiniProfiler.Settings.Storage.Save(profiler);
302
+
303
+
304
+ var authorize = MiniProfiler.Settings.Results_Authorize;
305
+
306
+
307
+ if (authorize != null && !authorize(context.Request))
308
+ {
309
+ context.Response.ContentType = "application/json";
310
+ return "hidden".ToJson();
311
+ }
312
+
313
+ return isPopup ? ResultsJson(context, profiler) : ResultsFullPage(context, profiler);
314
+ }
315
+
316
+ private static bool AuthorizeRequest(HttpContext context, bool isList, out string message)
317
+ {
318
+ message = null;
319
+ var authorize = MiniProfiler.Settings.Results_Authorize;
320
+ var authorizeList = MiniProfiler.Settings.Results_List_Authorize;
321
+
322
+ if (authorize != null && !authorize(context.Request) || (isList && (authorizeList == null || !authorizeList(context.Request))))
323
+ {
324
+ context.Response.StatusCode = 401;
325
+ context.Response.ContentType = "text/plain";
326
+ message = "unauthorized";
327
+ return false;
328
+ }
329
+ return true;
330
+ }
331
+
332
+ private static string ResultsJson(HttpContext context, MiniProfiler profiler)
333
+ {
334
+ context.Response.ContentType = "application/json";
335
+ return MiniProfiler.ToJson(profiler);
336
+ }
337
+
338
+ private static string ResultsFullPage(HttpContext context, MiniProfiler profiler)
339
+ {
340
+ context.Response.ContentType = "text/html";
341
+
342
+ var template = GetResource("share.html");
343
+ return template.Format(new
344
+ {
345
+ name = profiler.Name,
346
+ duration = profiler.DurationMilliseconds.ToString(),
347
+ path = VirtualPathUtility.ToAbsolute(MiniProfiler.Settings.RouteBasePath).EnsureTrailingSlash(),
348
+ json = MiniProfiler.ToJson(profiler),
349
+ includes = RenderIncludes(profiler),
350
+ version = MiniProfiler.Settings.Version
351
+ });
352
+ }
353
+
354
+ private static bool bypassLocalLoad = false;
355
+ private static string GetResource(string filename)
356
+ {
357
+ filename = filename.ToLower();
358
+ string result;
359
+
360
+ #if DEBUG
361
+ // attempt to simply load from file system, this lets up modify js without needing to recompile A MILLION TIMES
362
+ if (!bypassLocalLoad)
363
+ {
364
+
365
+ var trace = new System.Diagnostics.StackTrace(true);
366
+ var path = System.IO.Path.GetDirectoryName(trace.GetFrames()[0].GetFileName()) + "\\..\\UI\\" + filename;
367
+ try
368
+ {
369
+ return File.ReadAllText(path);
370
+ }
371
+ catch
372
+ {
373
+ bypassLocalLoad = true;
374
+ }
375
+ }
376
+
377
+ #endif
378
+
379
+ if (!_ResourceCache.TryGetValue(filename, out result))
380
+ {
381
+ string customTemplatesPath = HttpContext.Current.Server.MapPath(MiniProfiler.Settings.CustomUITemplates);
382
+ string customTemplateFile = System.IO.Path.Combine(customTemplatesPath, filename);
383
+
384
+ if (System.IO.File.Exists(customTemplateFile))
385
+ {
386
+ result = File.ReadAllText(customTemplateFile);
387
+ }
388
+ else
389
+ {
390
+ using (var stream = typeof(MiniProfilerHandler).Assembly.GetManifestResourceStream("StackExchange.Profiling.UI." + filename))
391
+ using (var reader = new StreamReader(stream))
392
+ {
393
+ result = reader.ReadToEnd();
394
+ }
395
+ }
396
+ _ResourceCache[filename] = result;
397
+ }
398
+
399
+ return result;
400
+ }
401
+
402
+ /// <summary>
403
+ /// Embedded resource contents keyed by filename.
404
+ /// </summary>
405
+ private static readonly ConcurrentDictionary<string, string> _ResourceCache = new ConcurrentDictionary<string, string>();
406
+
407
+ /// <summary>
408
+ /// Helper method that sets a proper 404 response code.
409
+ /// </summary>
410
+ private static string NotFound(HttpContext context, string contentType = "text/plain", string message = null)
411
+ {
412
+ context.Response.StatusCode = 404;
413
+ context.Response.ContentType = contentType;
414
+
415
+ return message;
416
+ }
417
+
418
+ }
419
+ }
@@ -0,0 +1,62 @@
1
+ <script type="text/javascript">
2
+ (function(){{
3
+ var init = function() {{
4
+ var load = function(s,f){{
5
+ var sc = document.createElement('script');
6
+ sc.async = 'async';
7
+ sc.type = 'text/javascript';
8
+ sc.src = s;
9
+ var l = false;
10
+ sc.onload = sc.onreadystatechange = function(_, abort) {{
11
+ if (!l && (!sc.readyState || /loaded|complete/.test(sc.readyState))) {{
12
+ if (!abort){{l=true; f();}}
13
+ }}
14
+ }};
15
+
16
+ document.getElementsByTagName('head')[0].appendChild(sc);
17
+ }};
18
+
19
+ var initMp = function(){{
20
+ load('{path}includes.js?v={version}',function(){{
21
+ MiniProfiler.init({{
22
+ ids: {ids},
23
+ path: '{path}',
24
+ version: '{version}',
25
+ renderPosition: '{position}',
26
+ showTrivial: {showTrivial},
27
+ showChildrenTime: {showChildren},
28
+ maxTracesToShow: {maxTracesToShow},
29
+ showControls: {showControls},
30
+ currentId: '{currentId}',
31
+ authorized: {authorized}
32
+ }});
33
+ }});
34
+ }};
35
+ if ({useExistingjQuery}) {{
36
+ jQueryMP = jQuery;
37
+ initMp();
38
+ }} else {{
39
+ load('{path}jquery.1.7.1.js?v={version}', initMp);
40
+ }}
41
+
42
+ }};
43
+
44
+ var w = 0;
45
+ var f = false;
46
+ var deferInit = function(){{
47
+ if (f) return;
48
+ if (window.performance && window.performance.timing && window.performance.timing.loadEventEnd == 0 && w < 10000){{
49
+ setTimeout(deferInit, 100);
50
+ w += 100;
51
+ }} else {{
52
+ f = true;
53
+ init();
54
+ }}
55
+ }};
56
+ if (document.addEventListener) {{
57
+ document.addEventListener('DOMContentLoaded',deferInit);
58
+ }}
59
+ var o = window.onload;
60
+ window.onload = function(){{if(o)o; deferInit()}};
61
+ }})();
62
+ </script>
data/UI/includes.css ADDED
@@ -0,0 +1 @@
1
+ .profiler-result,.profiler-queries{color:#555;line-height:1;font-size:12px;}.profiler-result pre,.profiler-queries pre,.profiler-result code,.profiler-queries code,.profiler-result label,.profiler-queries label,.profiler-result table,.profiler-queries table,.profiler-result tbody,.profiler-queries tbody,.profiler-result thead,.profiler-queries thead,.profiler-result tfoot,.profiler-queries tfoot,.profiler-result tr,.profiler-queries tr,.profiler-result th,.profiler-queries th,.profiler-result td,.profiler-queries td{margin:0;padding:0;border:0;font-size:100%;font:inherit;vertical-align:baseline;background-color:transparent;overflow:visible;max-height:none;}.profiler-result table,.profiler-queries table{border-collapse:collapse;border-spacing:0;}.profiler-result a,.profiler-queries a,.profiler-result a:hover,.profiler-queries a:hover{cursor:pointer;color:#07c;}.profiler-result a,.profiler-queries a{text-decoration:none;}.profiler-result a:hover,.profiler-queries a:hover{text-decoration:underline;}.profiler-result{font-family:Helvetica,Arial,sans-serif;}.profiler-result .profiler-toggle-duration-with-children{float:right;}.profiler-result table.profiler-client-timings{margin-top:10px;}.profiler-result .profiler-label{color:#555;overflow:hidden;text-overflow:ellipsis;}.profiler-result .profiler-unit{color:#aaa;}.profiler-result .profiler-trivial{display:none;}.profiler-result .profiler-trivial td,.profiler-result .profiler-trivial td *{color:#aaa !important;}.profiler-result pre,.profiler-result code,.profiler-result .profiler-number,.profiler-result .profiler-unit{font-family:Consolas,monospace,serif;}.profiler-result .profiler-number{color:#111;}.profiler-result .profiler-info{text-align:right;}.profiler-result .profiler-info .profiler-name{float:left;}.profiler-result .profiler-info .profiler-server-time{white-space:nowrap;}.profiler-result .profiler-timings th{background-color:#fff;color:#aaa;text-align:right;}.profiler-result .profiler-timings th,.profiler-result .profiler-timings td{white-space:nowrap;}.profiler-result .profiler-timings .profiler-duration-with-children{display:none;}.profiler-result .profiler-timings .profiler-duration{font-family:Consolas,monospace,serif;color:#111;text-align:right;}.profiler-result .profiler-timings .profiler-indent{letter-spacing:4px;}.profiler-result .profiler-timings .profiler-queries-show .profiler-number,.profiler-result .profiler-timings .profiler-queries-show .profiler-unit{color:#07c;}.profiler-result .profiler-timings .profiler-queries-duration{padding-left:6px;}.profiler-result .profiler-timings .profiler-percent-in-sql{white-space:nowrap;text-align:right;}.profiler-result .profiler-timings tfoot td{padding-top:10px;text-align:right;}.profiler-result .profiler-timings tfoot td a{font-size:95%;display:inline-block;margin-left:12px;}.profiler-result .profiler-timings tfoot td a:first-child{float:left;margin-left:0px;}.profiler-result .profiler-queries{font-family:Helvetica,Arial,sans-serif;}.profiler-result .profiler-queries .profiler-stack-trace{margin-bottom:15px;}.profiler-result .profiler-queries pre{font-family:Consolas,monospace,serif;white-space:pre-wrap;}.profiler-result .profiler-queries th{background-color:#fff;border-bottom:1px solid #555;font-weight:bold;padding:15px;white-space:nowrap;}.profiler-result .profiler-queries td{padding:15px;text-align:left;background-color:#fff;}.profiler-result .profiler-queries td:last-child{padding-right:25px;}.profiler-result .profiler-queries .profiler-odd td{background-color:#e5e5e5;}.profiler-result .profiler-queries .profiler-since-start,.profiler-result .profiler-queries .profiler-duration{text-align:right;}.profiler-result .profiler-queries .profiler-info div{text-align:right;margin-bottom:5px;}.profiler-result .profiler-queries .profiler-gap-info,.profiler-result .profiler-queries .profiler-gap-info td{background-color:#ccc;}.profiler-result .profiler-queries .profiler-gap-info .profiler-unit{color:#777;}.profiler-result .profiler-queries .profiler-gap-info .profiler-info{text-align:right;}.profiler-result .profiler-queries .profiler-gap-info.profiler-trivial-gaps{display:none;}.profiler-result .profiler-queries .profiler-trivial-gap-container{text-align:center;}.profiler-result .profiler-queries .str{color:maroon;}.profiler-result .profiler-queries .kwd{color:#00008b;}.profiler-result .profiler-queries .com{color:gray;}.profiler-result .profiler-queries .typ{color:#2b91af;}.profiler-result .profiler-queries .lit{color:maroon;}.profiler-result .profiler-queries .pun{color:#000;}.profiler-result .profiler-queries .pln{color:#000;}.profiler-result .profiler-queries .tag{color:maroon;}.profiler-result .profiler-queries .atn{color:red;}.profiler-result .profiler-queries .atv{color:blue;}.profiler-result .profiler-queries .dec{color:purple;}.profiler-result .profiler-warning,.profiler-result .profiler-warning *,.profiler-result .profiler-warning .profiler-queries-show,.profiler-result .profiler-warning .profiler-queries-show .profiler-unit{color:#f00;}.profiler-result .profiler-warning:hover,.profiler-result .profiler-warning *:hover,.profiler-result .profiler-warning .profiler-queries-show:hover,.profiler-result .profiler-warning .profiler-queries-show .profiler-unit:hover{color:#f00;}.profiler-result .profiler-nuclear{color:#f00;font-weight:bold;padding-right:2px;}.profiler-result .profiler-nuclear:hover{color:#f00;}.profiler-results{z-index:2147483643;position:fixed;top:0px;}.profiler-results.profiler-left{left:0px;}.profiler-results.profiler-left.profiler-no-controls .profiler-result:last-child .profiler-button,.profiler-results.profiler-left .profiler-controls{-webkit-border-bottom-right-radius:10px;-moz-border-radius-bottomright:10px;border-bottom-right-radius:10px;}.profiler-results.profiler-left .profiler-button,.profiler-results.profiler-left .profiler-controls{border-right:1px solid #888;}.profiler-results.profiler-right{right:0px;}.profiler-results.profiler-right.profiler-no-controls .profiler-result:last-child .profiler-button,.profiler-results.profiler-right .profiler-controls{-webkit-border-bottom-left-radius:10px;-moz-border-radius-bottomleft:10px;border-bottom-left-radius:10px;}.profiler-results.profiler-right .profiler-button,.profiler-results.profiler-right .profiler-controls{border-left:1px solid #888;}.profiler-results .profiler-button,.profiler-results .profiler-controls{display:none;z-index:2147483640;border-bottom:1px solid #888;background-color:#fff;padding:4px 7px;text-align:right;cursor:pointer;}.profiler-results .profiler-button.profiler-button-active,.profiler-results .profiler-controls.profiler-button-active{background-color:maroon;}.profiler-results .profiler-button.profiler-button-active .profiler-number,.profiler-results .profiler-controls.profiler-button-active .profiler-number,.profiler-results .profiler-button.profiler-button-active .profiler-nuclear,.profiler-results .profiler-controls.profiler-button-active .profiler-nuclear{color:#fff;font-weight:bold;}.profiler-results .profiler-button.profiler-button-active .profiler-unit,.profiler-results .profiler-controls.profiler-button-active .profiler-unit{color:#fff;font-weight:normal;}.profiler-results .profiler-controls{display:block;font-size:12px;font-family:Consolas,monospace,serif;cursor:default;text-align:center;}.profiler-results .profiler-controls span{border-right:1px solid #aaa;padding-right:5px;margin-right:5px;cursor:pointer;}.profiler-results .profiler-controls span:last-child{border-right:none;}.profiler-results .profiler-popup{display:none;z-index:2147483641;position:absolute;background-color:#fff;border:1px solid #aaa;padding:5px 10px;text-align:left;line-height:18px;overflow:auto;-moz-box-shadow:0px 1px 15px #555;-webkit-box-shadow:0px 1px 15px #555;box-shadow:0px 1px 15px #555;}.profiler-results .profiler-popup .profiler-info{margin-bottom:3px;padding-bottom:2px;border-bottom:1px solid #ddd;}.profiler-results .profiler-popup .profiler-info .profiler-name{font-size:110%;font-weight:bold;}.profiler-results .profiler-popup .profiler-info .profiler-name .profiler-overall-duration{display:none;}.profiler-results .profiler-popup .profiler-info .profiler-server-time{font-size:95%;}.profiler-results .profiler-popup .profiler-timings th,.profiler-results .profiler-popup .profiler-timings td{padding-left:6px;padding-right:6px;}.profiler-results .profiler-popup .profiler-timings th{font-size:95%;padding-bottom:3px;}.profiler-results .profiler-popup .profiler-timings .profiler-label{max-width:275px;}.profiler-results .profiler-queries{display:none;z-index:2147483643;position:absolute;overflow-y:auto;overflow-x:hidden;background-color:#fff;}.profiler-results .profiler-queries th{font-size:17px;}.profiler-results.profiler-min .profiler-result{display:none;}.profiler-results.profiler-min .profiler-controls span{display:none;}.profiler-results.profiler-min .profiler-controls .profiler-min-max{border-right:none;padding:0px;margin:0px;}.profiler-queries-bg{z-index:2147483642;display:none;background:#000;opacity:0.7;position:absolute;top:0px;left:0px;min-width:100%;}.profiler-result-full .profiler-result{width:950px;margin:30px auto;}.profiler-result-full .profiler-result .profiler-button{display:none;}.profiler-result-full .profiler-result .profiler-popup .profiler-info{font-size:25px;border-bottom:1px solid #aaa;padding-bottom:3px;margin-bottom:25px;}.profiler-result-full .profiler-result .profiler-popup .profiler-info .profiler-overall-duration{padding-right:20px;font-size:80%;color:#888;}.profiler-result-full .profiler-result .profiler-popup .profiler-timings td,.profiler-result-full .profiler-result .profiler-popup .profiler-timings th{padding-left:8px;padding-right:8px;}.profiler-result-full .profiler-result .profiler-popup .profiler-timings th{padding-bottom:7px;}.profiler-result-full .profiler-result .profiler-popup .profiler-timings td{font-size:14px;padding-bottom:4px;}.profiler-result-full .profiler-result .profiler-popup .profiler-timings td:first-child{padding-left:10px;}.profiler-result-full .profiler-result .profiler-popup .profiler-timings .profiler-label{max-width:550px;}.profiler-result-full .profiler-result .profiler-queries{margin:25px 0;}.profiler-result-full .profiler-result .profiler-queries table{width:100%;}.profiler-result-full .profiler-result .profiler-queries th{font-size:16px;color:#555;line-height:20px;}.profiler-result-full .profiler-result .profiler-queries td{padding:15px 10px;text-align:left;}.profiler-result-full .profiler-result .profiler-queries .profiler-info div{text-align:right;margin-bottom:5px;}