[llvm-commits] [zorg] r146452 - in /zorg/trunk/lnt/lnt/server/ui/static: View2D.js sorttable.js

Daniel Dunbar daniel at zuster.org
Mon Dec 12 16:01:41 PST 2011


Author: ddunbar
Date: Mon Dec 12 18:01:40 2011
New Revision: 146452

URL: http://llvm.org/viewvc/llvm-project?rev=146452&view=rev
Log:
lnt.server.ui: Restore some resources that I accidentally removed (forgot I had
just symlinked to the old Quixote based versions).

Modified:
    zorg/trunk/lnt/lnt/server/ui/static/View2D.js   (contents, props changed)
    zorg/trunk/lnt/lnt/server/ui/static/sorttable.js   (contents, props changed)

Modified: zorg/trunk/lnt/lnt/server/ui/static/View2D.js
URL: http://llvm.org/viewvc/llvm-project/zorg/trunk/lnt/lnt/server/ui/static/View2D.js?rev=146452&r1=146451&r2=146452&view=diff
==============================================================================
--- zorg/trunk/lnt/lnt/server/ui/static/View2D.js (original)
+++ zorg/trunk/lnt/lnt/server/ui/static/View2D.js Mon Dec 12 18:01:40 2011
@@ -1 +1,939 @@
-link ../../../viewer/js/View2D.js
\ No newline at end of file
+//===-- View2D.js - HTML5 Canvas Based 2D View/Graph Widget ---------------===//
+//
+//                     The LLVM Compiler Infrastructure
+//
+// This file is distributed under the University of Illinois Open Source
+// License. See LICENSE.TXT for details.
+//
+//===----------------------------------------------------------------------===//
+//
+// This file implements a generic 2D view widget and a 2D graph widget on top of
+// it, using the HTML5 Canvas. It currently supports Chrome, Firefox, and
+// Safari.
+//
+// See the Graph2D implementation for details of how to extend the View2D
+// object.
+//
+//===----------------------------------------------------------------------===//
+
+function lerp(a, b, t) {
+    return a * (1.0 - t) + b * t;
+}
+
+function clamp(a, lower, upper) {
+    return Math.max(lower, Math.min(upper, a));
+}
+
+function vec2_neg (a)    { return [-a[0]    , -a[1]    ]; };
+function vec2_add (a, b) { return [a[0]+b[0], a[1]+b[1]]; };
+function vec2_addN(a, b) { return [a[0]+b   , a[1]+b   ]; };
+function vec2_sub (a, b) { return [a[0]-b[0], a[1]-b[1]]; };
+function vec2_subN(a, b) { return [a[0]-b   , a[1]-b   ]; };
+function vec2_mul (a, b) { return [a[0]*b[0], a[1]*b[1]]; };
+function vec2_mulN(a, b) { return [a[0]*b   , a[1]*b   ]; };
+function vec2_div (a, b) { return [a[0]/b[0], a[1]/b[1]]; };
+function vec2_divN(a, b) { return [a[0]/b   , a[1]/b   ]; };
+
+function vec3_neg (a)    { return [-a[0]    , -a[1]    , -a[2]    ]; };
+function vec3_add (a, b) { return [a[0]+b[0], a[1]+b[1], a[2]+b[2]]; };
+function vec3_addN(a, b) { return [a[0]+b   , a[1]+b,    a[2]+b   ]; };
+function vec3_sub (a, b) { return [a[0]-b[0], a[1]-b[1], a[2]-b[2]]; };
+function vec3_subN(a, b) { return [a[0]-b   , a[1]-b,    a[2]-b   ]; };
+function vec3_mul (a, b) { return [a[0]*b[0], a[1]*b[1], a[2]*b[2]]; };
+function vec3_mulN(a, b) { return [a[0]*b   , a[1]*b,    a[2]*b   ]; };
+function vec3_div (a, b) { return [a[0]/b[0], a[1]/b[1], a[2]/b[2]]; };
+function vec3_divN(a, b) { return [a[0]/b   , a[1]/b,    a[2]/b   ]; };
+
+function vec2_lerp(a, b, t) {
+    return [lerp(a[0], b[0], t), lerp(a[1], b[1], t)];
+}
+function vec2_mag(a) {
+    return a[0] * a[0] + a[1] * a[1];
+}
+function vec2_len(a) {
+    return Math.sqrt(vec2_mag(a));
+}
+
+function vec2_floor(a) {
+    return [Math.floor(a[0]), Math.floor(a[1])];
+}
+function vec2_ceil(a) {
+    return [Math.ceil(a[0]), Math.ceil(a[1])];
+}
+
+function vec3_floor(a) {
+    return [Math.floor(a[0]), Math.floor(a[1]), Math.floor(a[2])];
+}
+function vec3_ceil(a) {
+    return [Math.ceil(a[0]), Math.ceil(a[1]), Math.ceil(a[2])];
+}
+
+function vec2_log(a) {
+    return [Math.log(a[0]), Math.log(a[1])];
+}
+function vec2_pow(a, b) {
+   return [Math.pow(a[0], b[0]), Math.pow(a[1], b[1])];
+}
+function vec2_Npow(a, b) {
+   return [Math.pow(a, b[0]), Math.pow(a, b[1])];
+}
+function vec2_powN(a, b) {
+   return [Math.pow(a[0], b), Math.pow(a[1], b)];
+}
+
+function vec2_min(a, b) {
+    return [Math.min(a[0], b[0]), Math.min(a[1], b[1])];
+}
+function vec2_max(a, b) {
+    return [Math.max(a[0], b[0]), Math.max(a[1], b[1])];
+}
+function vec2_clamp(a, lower, upper) {
+    return [clamp(a[0], lower[0], upper[0]),
+            clamp(a[1], lower[1], upper[1])];
+}
+function vec2_clampN(a, lower, upper) {
+    return [clamp(a[0], lower, upper),
+            clamp(a[1], lower, upper)];
+}
+
+function vec3_min(a, b) {
+    return [Math.min(a[0], b[0]), Math.min(a[1], b[1]), Math.min(a[2], b[2])];
+}
+function vec3_max(a, b) {
+    return [Math.max(a[0], b[0]), Math.max(a[1], b[1]), Math.max(a[2], b[2])];
+}
+function vec3_clamp(a, lower, upper) {
+    return [clamp(a[0], lower[0], upper[0]),
+            clamp(a[1], lower[1], upper[1]),
+            clamp(a[2], lower[2], upper[2])];
+}
+function vec3_clampN(a, lower, upper) {
+    return [clamp(a[0], lower, upper),
+            clamp(a[1], lower, upper),
+            clamp(a[2], lower, upper)];
+}
+
+function vec2_cswap(a, swap) {
+    if (swap)
+        return [a[1],a[0]];
+    return a;
+}
+
+function col3_to_rgb(col) {
+    var norm = vec3_floor(vec3_clampN(vec3_mulN(col, 255), 0, 255));
+    return "rgb(" + norm[0] + "," + norm[1] + "," + norm[2] + ")";
+}
+
+function col4_to_rgba(col) {
+    var norm = vec3_floor(vec3_clampN(vec3_mulN(col, 255), 0, 255));
+    return "rgb(" + norm[0] + "," + norm[1] + "," + norm[2] + "," + col[3] + ")";
+}
+
+/* ViewData Class */
+
+function ViewData(location, scale) {
+    if (!location)
+        location = [0, 0];
+    if (!scale)
+        scale = [1, 1];
+
+    this.location = location;
+    this.scale = scale;
+}
+
+ViewData.prototype.copy = function() {
+    return new ViewData(this.location, this.scale);
+}
+
+/* ViewAction Class */
+function ViewAction(mode, v2d, start) {
+    this.mode = mode;
+    this.start = start;
+    this.vd = v2d.viewData.copy();
+}
+
+ViewAction.prototype.update = function(v2d, co) {
+    if (this.mode == 'p') {
+        var delta = vec2_sub(v2d.convertClientToNDC(co, this.vd),
+            v2d.convertClientToNDC(this.start, this.vd))
+        v2d.viewData.location = vec2_add(this.vd.location, delta);
+    } else {
+        var delta = vec2_sub(v2d.convertClientToNDC(co, this.vd),
+            v2d.convertClientToNDC(this.start, this.vd))
+        v2d.viewData.scale = vec2_Npow(Math.E,
+                                       vec2_addN(vec2_log(this.vd.scale),
+                                                 delta[1]))
+        v2d.viewData.location = vec2_mul(this.vd.location,
+                                         vec2_div(v2d.viewData.scale,
+                                                  this.vd.scale))
+    }
+
+    v2d.refresh();
+}
+
+ViewAction.prototype.complete = function(v2d, co) {
+    this.update(v2d, co);
+}
+
+ViewAction.prototype.abort = function(v2d) {
+    v2d.viewData = this.vd;
+}
+
+/* EventWrapper Class */
+
+function EventWrapper(domevent) {
+    this.domevent = domevent;
+    this.client = {
+        x: domevent.clientX,
+        y: domevent.clientY,
+    };
+    this.alt = domevent.altKey;
+    this.shift = domevent.shiftKey;
+    this.meta = domevent.metaKey;
+    this.wheel = (domevent.wheelDelta) ? domevent.wheelDelta / 120 : -(domevent.detail || 0) / 3;
+}
+
+EventWrapper.prototype.stop = function() {
+    this.domevent.stopPropagation();
+    this.domevent.preventDefault();
+}
+
+/* View2D Class */
+
+function View2D(canvasname)  {
+    this.canvasname = canvasname;
+    this.viewData = new ViewData();
+    this.size = [1, 1];
+    this.aspect = 1;
+    this.registered = false;
+
+    this.viewAction = null;
+
+    this.useWidgets = true;
+    this.previewPosition = [5, 5];
+    this.previewSize = [60, 60];
+
+    this.clearColor = [1, 1, 1];
+
+    // Bound once registered.
+    this.canvas = null;
+}
+
+View2D.prototype.registerEvents = function(canvas) {
+    if (this.registered)
+        return;
+
+    this.registered = true;
+
+    this.canvas = canvas;
+
+    // FIXME: Why do I have to do this?
+    var obj = this;
+
+    canvas.onmousedown = function(event) { obj.onMouseDown(new EventWrapper(event)); };
+    canvas.onmousemove = function(event) { obj.onMouseMove(new EventWrapper(event)); };
+    canvas.onmouseup = function(event) { obj.onMouseUp(new EventWrapper(event)); };
+    canvas.onmousewheel = function(event) { obj.onMouseWheel(new EventWrapper(event)); };
+    if (canvas.addEventListener) {
+        canvas.addEventListener('DOMMouseScroll', function(event) { obj.onMouseWheel(new EventWrapper(event)); }, false);
+    }
+
+    // FIXME: Capturing!
+}
+
+View2D.prototype.onMouseDown = function(event) {
+    pos = [event.client.x - this.canvas.offsetLeft,
+           this.size[1] - 1 - (event.client.y - this.canvas.offsetTop)];
+
+    if (this.viewAction != null)
+        this.viewAction.abort(this);
+
+    if (event.shift)
+        this.viewAction = new ViewAction('p', this, pos);
+    else if (event.alt || event.meta)
+        this.viewAction = new ViewAction('z', this, pos);
+    event.stop();
+}
+
+View2D.prototype.onMouseMove = function(event) {
+    pos = [event.client.x - this.canvas.offsetLeft,
+           this.size[1] - 1 - (event.client.y - this.canvas.offsetTop)];
+
+    if (this.viewAction != null)
+        this.viewAction.update(this, pos);
+    event.stop();
+}
+
+View2D.prototype.onMouseUp = function(event) {
+    pos = [event.client.x - this.canvas.offsetLeft,
+           this.size[1] - 1 - (event.client.y - this.canvas.offsetTop)];
+
+    if (this.viewAction != null)
+        this.viewAction.complete(this, pos);
+    this.viewAction = null;
+    event.stop();
+}
+
+View2D.prototype.onMouseWheel = function(event) {
+    if (this.viewAction == null) {
+        var factor = event.wheel;
+        if (event.shift)
+            factor *= .1;
+        var zoom = 1.0 + .03 * factor;
+        this.viewData.location = vec2_mulN(this.viewData.location, zoom);
+        this.viewData.scale = vec2_mulN(this.viewData.scale, zoom);
+
+        // Arbitrary limit min and max scales for now, ideally would be derived
+        // based on the view contents.
+        this.viewData.scale = vec2_clampN(this.viewData.scale, 10e-6, 10e6);
+
+        this.refresh();
+    }
+    event.stop();
+}
+
+View2D.prototype.setViewData = function(vd) {
+    // FIXME: Check equality and avoid refresh.
+    this.viewData = vd;
+    this.refresh();
+}
+
+View2D.prototype.refresh = function() {
+    // FIXME: Event loop?
+    this.draw();
+}
+
+// Coordinate conversion.
+
+View2D.prototype.getAspectScale = function() {
+    if (this.aspect > 1) {
+        return [1.0 / this.aspect, 1.0];
+    } else {
+        return [1.0, this.aspect];
+    }
+}
+
+View2D.prototype.getPixelSize = function() {
+    return vec2_sub(this.convertClientToWorld([1,1]),
+                    this.convertClientToWorld([0,0]));
+}
+
+View2D.prototype.convertClientToNDC = function(pt, vd) {
+    if (vd == null)
+        vd = this.viewData
+    return [pt[0] / this.size[0] * 2 - 1,
+            pt[1] / this.size[1] * 2 - 1];
+}
+
+View2D.prototype.convertClientToWorld = function(pt, vd) {
+    if (vd == null)
+        vd = this.viewData
+    pt = this.convertClientToNDC(pt, vd)
+    pt = vec2_sub(pt, vd.location);
+    pt = vec2_div(pt, vec2_mul(vd.scale, this.getAspectScale()));
+    return pt;
+}
+
+View2D.prototype.convertWorldToPreview = function(pt, pos, size) {
+    var asp_scale = this.getAspectScale();
+    pt = vec2_mul(pt, asp_scale);
+    pt = vec2_addN(pt, 1);
+    pt = vec2_mulN(pt, .5);
+    pt = vec2_mul(pt, size);
+    pt = vec2_add(pt, pos);
+    return pt;
+}
+
+View2D.prototype.setViewMatrix = function(ctx) {
+    ctx.scale(this.size[0], this.size[1]);
+    ctx.scale(.5, .5);
+    ctx.translate(1, 1);
+    ctx.translate(this.viewData.location[0], this.viewData.location[1]);
+    var scale = vec2_mul(this.viewData.scale, this.getAspectScale());
+    ctx.scale(scale[0], scale[1]);
+}
+
+View2D.prototype.setPreviewMatrix = function(ctx, pos, size) {
+    ctx.translate(pos[0], pos[1]);
+    ctx.scale(size[0], size[1]);
+    ctx.scale(.5, .5);
+    ctx.translate(1, 1);
+    var scale = this.getAspectScale();
+    ctx.scale(scale[0], scale[1]);
+}
+
+View2D.prototype.setWindowMatrix = function(ctx) {
+    ctx.translate(.5, .5);
+    ctx.translate(0, this.size[1]);
+    ctx.scale(1, -1);
+}
+
+View2D.prototype.draw = function() {
+    var canvas = document.getElementById(this.canvasname);
+    var ctx = canvas.getContext("2d");
+
+    this.registerEvents(canvas);
+
+    if (canvas.width != this.size[0] || canvas.height != this.size[1]) {
+        this.size = [canvas.width, canvas.height];
+        this.aspect = canvas.width / canvas.height;
+        this.previewPosition[0] = this.size[0] - this.previewSize[0] - 5;
+        this.on_size_change();
+    }
+
+    this.on_draw_start();
+
+    ctx.save();
+
+    // Clear and draw the view content.
+    ctx.save();
+    this.setWindowMatrix(ctx);
+
+    ctx.clearRect(0, 0, this.size[0], this.size[1]);
+    ctx.fillStyle = col3_to_rgb(this.clearColor);
+    ctx.fillRect(0, 0, this.size[0], this.size[1]);
+
+    this.setViewMatrix(ctx);
+    this.on_draw(canvas, ctx);
+    ctx.restore();
+
+    if (this.useWidgets)
+        this.drawPreview(canvas, ctx)
+
+    ctx.restore();
+}
+
+View2D.prototype.drawPreview = function(canvas, ctx) {
+    // Setup the preview context.
+    this.setWindowMatrix(ctx);
+
+    // Draw the preview area outline.
+    ctx.fillStyle = "rgba(128,128,128,.5)";
+    ctx.fillRect(this.previewPosition[0]-1, this.previewPosition[1]-1,
+                 this.previewSize[0]+2, this.previewSize[1]+2);
+    ctx.lineWidth = 1;
+    ctx.strokeStyle = "rgb(0,0,0)";
+    ctx.strokeRect(this.previewPosition[0]-1, this.previewPosition[1]-1,
+                   this.previewSize[0]+2, this.previewSize[1]+2);
+
+    // Compute the aspect corrected preview area.
+    var pv_size = [this.previewSize[0], this.previewSize[1]];
+    if (this.aspect > 1) {
+        pv_size[1] /= this.aspect;
+    } else {
+        pv_size[0] *= this.aspect;
+    }
+    var pv_pos = vec2_add(this.previewPosition,
+        vec2_mulN(vec2_sub(this.previewSize, pv_size), .5));
+
+    // Draw the preview, making sure to clip to the proper area.
+    ctx.save();
+    ctx.beginPath();
+    ctx.rect(pv_pos[0], pv_pos[1], pv_size[0], pv_size[1]);
+    ctx.clip();
+    ctx.closePath();
+
+    this.setPreviewMatrix(ctx, pv_pos, pv_size);
+    this.on_draw_preview(canvas, ctx);
+    ctx.restore();
+
+    // Draw the current view overlay.
+    //
+    // FIXME: Find a replacement for stippling.
+    ll = this.convertClientToWorld([0, 0])
+    ur = this.convertClientToWorld(this.size);
+
+    // Convert to pixel coordinates instead of drawing in content
+    // perspective.
+    ll = vec2_floor(this.convertWorldToPreview(ll, pv_pos, pv_size))
+    ur = vec2_ceil(this.convertWorldToPreview(ur, pv_pos, pv_size))
+    ll = vec2_clamp(ll, this.previewPosition,
+                    vec2_add(this.previewPosition, this.previewSize))
+    ur = vec2_clamp(ur, this.previewPosition,
+                    vec2_add(this.previewPosition, this.previewSize))
+
+    ctx.strokeStyle = "rgba(128,128,128,255)";
+    ctx.lineWidth = 1;
+    ctx.strokeRect(ll[0], ll[1], ur[0] - ll[0], ur[1] - ll[1]);
+}
+
+View2D.prototype.on_size_change = function() {}
+View2D.prototype.on_draw_start = function() {}
+View2D.prototype.on_draw = function(canvas, ctx) {}
+View2D.prototype.on_draw_preview = function(canvas, ctx) {}
+
+/* View2DTest Class */
+
+function View2DTest(canvasname) {
+    View2D.call(this, canvasname);
+}
+View2DTest.prototype = new View2D();
+View2DTest.prototype.constructor = View2DTest;
+
+View2DTest.prototype.on_draw = function(canvas, ctx) {
+    ctx.fillStyle = "rgb(255,255,255)";
+    ctx.fillRect(-1000, -1000, 2000, 20000);
+
+    ctx.lineWidth = .01;
+    ctx.strokeTyle = "rgb(0,200,0)";
+    ctx.strokeRect(-1, -1, 2, 2);
+
+    ctx.fillStyle = "rgb(200,0,0)";
+    ctx.fillRect(-.8, -.8, 1, 1);
+
+    ctx.fillStyle = "rgb(0,0,200)";
+    ctx.beginPath();
+    ctx.arc(0, 0, .5, 0, 2 * Math.PI, false);
+    ctx.fill();
+    ctx.closePath();
+}
+
+View2DTest.prototype.on_draw_preview = function(canvas, ctx) {
+    ctx.fillStyle = "rgba(255,255,255,.4)";
+    ctx.fillRect(-1000, -1000, 2000, 20000);
+
+    ctx.lineWidth = .01;
+    ctx.strokeTyle = "rgba(0,200,0,.4)";
+    ctx.strokeRect(-1, -1, 2, 2);
+
+    ctx.fillStyle = "rgba(200,0,0,.4)";
+    ctx.fillRect(-.8, -.8, 1, 1);
+
+    ctx.fillStyle = "rgba(0,0,200,.4)";
+    ctx.beginPath();
+    ctx.arc(0, 0, .5, 0, 2 * Math.PI, false);
+    ctx.fill();
+    ctx.closePath();
+}
+
+/* Graph2D_GraphInfo Class */
+
+function Graph2D_GraphInfo() {
+    this.xAxisH = 0;
+    this.yAxisW = 0;
+    this.ll = [0, 0];
+    this.ur = [1, 1];
+}
+
+Graph2D_GraphInfo.prototype.toNDC = function(pt) {
+    return [2 * (pt[0] - this.ll[0]) / (this.ur[0] - this.ll[0]) - 1,
+            2 * (pt[1] - this.ll[1]) / (this.ur[1] - this.ll[1]) - 1];
+}
+
+Graph2D_GraphInfo.prototype.fromNDC = function(pt) {
+    return [this.ll[0] + (this.ur[0] - this.ll[0]) * (pt[0] + 1) * .5,
+            this.ll[1] + (this.ur[1] - this.ll[1]) * (pt[1] + 1) * .5];
+}
+
+/* Graph2D_PlotStyle Class */
+
+function Graph2D_PlotStyle() {
+}
+
+Graph2D_PlotStyle.prototype.plot = function(graph, ctx, data) {}
+
+/* Graph2D_LinePlotStyle Class */
+
+function Graph2D_LinePlotStyle(width, color) {
+    Graph2D_PlotStyle.call(this);
+
+    if (!width)
+        width = 1;
+    if (!color)
+        color = [0,0,0];
+
+    this.width = width;
+    this.color = color;
+}
+Graph2D_LinePlotStyle.prototype = new Graph2D_PlotStyle();
+Graph2D_LinePlotStyle.prototype.constructor = Graph2D_LinePlotStyle;
+
+Graph2D_LinePlotStyle.prototype.plot = function(graph, ctx, data) {
+    if (data.length === 0)
+        return;
+
+    ctx.beginPath();
+    var co = graph.graphInfo.toNDC(data[0]);
+    ctx.moveTo(co[0], co[1]);
+    for (var i = 1, e = data.length; i != e; ++i) {
+        var co = graph.graphInfo.toNDC(data[i]);
+        ctx.lineTo(co[0], co[1]);
+    }
+    ctx.lineWidth = this.width * (graph.getPixelSize()[0] + graph.getPixelSize()[1]) * .5;
+    ctx.strokeStyle = col3_to_rgb(this.color);
+    ctx.stroke();
+}
+
+/* Graph2D_PointPlotStyle Class */
+
+function Graph2D_PointPlotStyle(width, color) {
+    Graph2D_PlotStyle.call(this);
+
+    if (!width)
+        width = 1;
+    if (!color)
+        color = [0,0,0];
+
+    this.width = width;
+    this.color = color;
+}
+Graph2D_PointPlotStyle.prototype = new Graph2D_PlotStyle();
+Graph2D_PointPlotStyle.prototype.constructor = Graph2D_PointPlotStyle;
+
+Graph2D_PointPlotStyle.prototype.plot = function(graph, ctx, data) {
+    if (data.length === 0)
+        return;
+
+    ctx.beginPath();
+    var radius = this.width * (graph.getPixelSize()[0] + graph.getPixelSize()[1]) * .5;
+    for (var i = 0, e = data.length; i != e; ++i) {
+        var co = graph.graphInfo.toNDC(data[i]);
+        ctx.moveTo(co[0], co[1]);
+        ctx.arc(co[0], co[1], radius, 0, Math.PI * 2, /*anticlockwise=*/false);
+    }
+    ctx.fillStyle = col3_to_rgb(this.color);
+    ctx.fill();
+}
+
+/* Graph2D_ErrorBarPlotStyle Class */
+
+function Graph2D_ErrorBarPlotStyle(width, color) {
+    Graph2D_PlotStyle.call(this);
+
+    if (!width)
+        width = 1;
+    if (!color)
+        color = [0,0,0];
+
+    this.width = width;
+    this.color = color;
+}
+Graph2D_ErrorBarPlotStyle.prototype = new Graph2D_PlotStyle();
+Graph2D_ErrorBarPlotStyle.prototype.constructor = Graph2D_ErrorBarPlotStyle;
+
+Graph2D_ErrorBarPlotStyle.prototype.plot = function(graph, ctx, data) {
+    if (data.length === 0)
+        return;
+
+    ctx.beginPath();
+    for (var i = 0, e = data.length; i != e; ++i) {
+        var co_min = graph.graphInfo.toNDC([data[i][0], data[i][1]]);
+        var co_max = graph.graphInfo.toNDC([data[i][0], data[i][2]]);
+        ctx.moveTo(co_min[0], co_min[1]);
+        ctx.lineTo(co_max[0], co_max[1]);
+    }
+    ctx.lineWidth = this.width * (graph.getPixelSize()[0] + graph.getPixelSize()[1]) * .5;
+    ctx.strokeStyle = col3_to_rgb(this.color);
+    ctx.stroke();
+}
+
+/* Graph2D_Axis Class */
+
+function Graph2D_Axis(dir, format) {
+    if (!format)
+        format = this.formats.normal;
+
+    this.dir = dir;
+    this.format = format;
+}
+
+// Static Methods
+Graph2D_Axis.prototype.formats = {
+    normal: function(value, iDigits, fDigits) {
+        // FIXME: iDigits?
+        return value.toFixed(fDigits);
+    },
+    day: function(value, iDigits, fDigits) {
+        var date = new Date(value * 1000.);
+        var res = date.getUTCFullYear();
+        res += "-" + (date.getUTCMonth() + 1);
+        res += "-" + (date.getUTCDate() + 1);
+        return res;
+    },
+};
+
+Graph2D_Axis.prototype.draw = function(graph, ctx, ll, ur, mainUR) {
+    var dir = this.dir, ndir = 1 - this.dir;
+    var vMin = ll[dir];
+    var vMax = ur[dir];
+    var near = ll[ndir];
+    var far = ur[ndir];
+    var border = mainUR[ndir];
+
+    var line_base = (graph.getPixelSize()[0] + graph.getPixelSize()[1]) * .5;
+    ctx.lineWidth = 2 * line_base;
+    ctx.strokeStyle = "rgb(0,0,0)";
+
+    ctx.beginPath();
+    var co = vec2_cswap([vMin, far], dir);
+    co = graph.graphInfo.toNDC(co);
+    ctx.moveTo(co[0], co[1]);
+    var co = vec2_cswap([vMax, far], dir);
+    co = graph.graphInfo.toNDC(co);
+    ctx.lineTo(co[0], co[1]);
+    ctx.stroke();
+
+    var delta = vMax - vMin;
+    var steps = Math.floor(Math.log(delta) / Math.log(10));
+    if (delta / Math.pow(10, steps) >= 5.0) {
+        var size = .5;
+    } else if (delta / Math.pow(10, steps) >= 2.5) {
+        var size = .25;
+    } else {
+        var size = .1;
+    }
+    size *= Math.pow(10, steps);
+
+    if (steps <= 0) {
+        var iDigits = 0, fDigits = 1 + Math.abs(steps);
+    } else {
+        var iDigits = steps, fDigits = 0;
+    }
+
+    var start = Math.ceil(vMin / size);
+    var end = Math.ceil(vMax / size);
+
+    // FIXME: Draw in window coordinates to make crisper.
+
+    // FIXME: Draw grid in layers to avoid ugly overlaps.
+
+    for (var i = start; i != end; ++i) {
+        if (i == 0) {
+            ctx.lineWidth = 3 * line_base;
+            var p = .5;
+        } else if (!(i & 1)) {
+            ctx.lineWidth = 2 * line_base;
+            var p = .5;
+        } else {
+            ctx.lineWidth = 1 * line_base;
+            var p = .75;
+        }
+
+        ctx.beginPath();
+        var co = vec2_cswap([i * size, lerp(near, far, p)], dir);
+        co = graph.graphInfo.toNDC(co);
+        ctx.moveTo(co[0], co[1]);
+        var co = vec2_cswap([i * size, far], dir);
+        co = graph.graphInfo.toNDC(co);
+        ctx.lineTo(co[0], co[1]);
+        ctx.stroke();
+    }
+
+    for (var alt = 0; alt < 2; ++alt) {
+        if (alt)
+            ctx.strokeStyle = "rgba(190,190,190,.5)";
+        else
+            ctx.strokeStyle = "rgba(128,128,128,.5)";
+        ctx.lineWidth = 1 * line_base;
+        ctx.beginPath();
+        for (var i = start; i != end; ++i) {
+            if (i == 0)
+                continue;
+            if ((i & 1) == alt) {
+                var co = vec2_cswap([i * size, far], dir);
+                co = graph.graphInfo.toNDC(co);
+                ctx.moveTo(co[0], co[1]);
+                var co = vec2_cswap([i * size, border], dir);
+                co = graph.graphInfo.toNDC(co);
+                ctx.lineTo(co[0], co[1]);
+            }
+        }
+        ctx.stroke();
+
+        if (start <= 0 && 0 < end) {
+            ctx.beginPath();
+            var co = vec2_cswap([0, far], dir);
+            co = graph.graphInfo.toNDC(co);
+            ctx.moveTo(co[0], co[1]);
+            var co = vec2_cswap([0, border], dir);
+            co = graph.graphInfo.toNDC(co);
+            ctx.lineTo(co[0], co[1]);
+            ctx.strokeStyle = "rgba(64,64,64,.5)";
+            ctx.lineWidth = 3 * line_base;
+            ctx.stroke();
+        }
+    }
+
+    // FIXME: Draw this in screen coordinates, and stop being stupid. Also,
+    // figure out font height?
+    if (this.dir == 1) {
+        var offset = [-.5, -.25];
+    } else {
+        var offset = [-.5, 1.1];
+    }
+    ctx.fillStyle = "rgb(0,0,0)";
+    var pxl = graph.getPixelSize();
+    for (var i = start; i != end; ++i) {
+        if ((i & 1) == 0) {
+            var label = this.format(i * size, iDigits, fDigits);
+            ctx.save();
+            var co = vec2_cswap([i*size, lerp(near, far, .5)], dir);
+            co = graph.graphInfo.toNDC(co);
+            ctx.translate(co[0], co[1]);
+            ctx.scale(pxl[0], -pxl[1]);
+            // FIXME: Abstract.
+            var bb_w = label.length * 5;
+            if (ctx.measureText != null)
+                bb_w = ctx.measureText(label).width;
+            var bb_h = 12;
+            // FIXME: Abstract? Or ignore.
+            if (ctx.fillText != null) {
+                ctx.fillText(label, bb_w*offset[0], bb_h*offset[1]);
+            } else if (ctx.mozDrawText != null) {
+                ctx.translate(bb_w*offset[0], bb_h*offset[1]);
+                ctx.mozDrawText(label);
+            }
+            ctx.restore();
+        }
+    }
+}
+
+
+/* Graph2D Class */
+
+function Graph2D(canvasname) {
+    View2D.call(this, canvasname)
+
+    this.useWidgets = false;
+    this.plots = [];
+    this.graphInfo = null;
+    this.xAxis = new Graph2D_Axis(0);
+    this.yAxis = new Graph2D_Axis(1);
+    this.debugText = null;
+
+    this.clearColor = [.8, .8, .8];
+}
+Graph2D.prototype = new View2D();
+Graph2D.prototype.constructor = Graph2D;
+
+//
+
+Graph2D.prototype.graphChanged = function() {
+    this.graphInfo = null;
+    // FIXME: Need event loop.
+    this.refresh();
+}
+
+Graph2D.prototype.layoutGraph = function() {
+    var gi = new Graph2D_GraphInfo();
+
+    gi.xAxisH = 40;
+    gi.yAxisW = 60;
+
+    var min = null, max = null;
+    for (var i = 0, e = this.plots.length; i != e; ++i) {
+        var data = this.plots[i][0];
+        for (var i2 = 0, e2 = data.length; i2 != e2; ++i2) {
+            if (min == null)
+                min = data[i2];
+            else
+                min = vec2_min(min, data[i2]);
+
+            if (max == null)
+                max = data[i2];
+            else
+                max = vec2_max(max, data[i2]);
+        }
+    }
+
+    if (min === null)
+        min = [0, 0];
+    if (max === null)
+        max = [0, 0];
+    if (Math.abs(max[0] - min[0]) < .001)
+        max[0] += 1;
+    if (Math.abs(max[1] - min[1]) < .001)
+        max[1] += 1;
+
+    // Set graph transform to the [min,max] rect to the content area with
+    // some padding.
+    //
+    // FIXME: Add real mat3 and implement this properly.
+    var pad = 5;
+    var vd = new ViewData();
+    var ll_target = this.convertClientToWorld([gi.yAxisW + pad, gi.xAxisH + pad], vd);
+    var ur_target = this.convertClientToWorld(vec2_subN(this.size, pad), vd);
+    var target_size = vec2_sub(ur_target, ll_target);
+    var target_center = vec2_add(ll_target, vec2_mulN(target_size, .5));
+
+    var center = vec2_mulN(vec2_add(min, max), .5);
+    var size = vec2_sub(max, min);
+
+    var scale = vec2_mulN(target_size, .5);
+    size = vec2_div(size, scale);
+    center = vec2_sub(center, vec2_mulN(vec2_mul(target_center, size), .5));
+
+    gi.ll = vec2_sub(center, vec2_mulN(size, .5));
+    gi.ur = vec2_add(center, vec2_mulN(size, .5));
+
+    return gi;
+}
+
+//
+
+Graph2D.prototype.convertClientToGraph = function(pt) {
+    return this.graphInfo.fromNDC(this.convertClientToWorld(pt));
+}
+
+//
+
+Graph2D.prototype.on_size_change = function() {
+    this.graphInfo = null;
+}
+
+Graph2D.prototype.on_draw_start = function() {
+    if (!this.graphInfo)
+        this.graphInfo = this.layoutGraph();
+}
+
+Graph2D.prototype.on_draw = function(canvas, ctx) {
+    var gi = this.graphInfo;
+    var w = this.size[0], h = this.size[1];
+
+    this.xAxis.draw(this, ctx,
+                    this.convertClientToGraph([gi.yAxisW, 0]),
+                    this.convertClientToGraph([w, gi.xAxisH]),
+                    this.convertClientToGraph([w, h]))
+    this.yAxis.draw(this, ctx,
+                    this.convertClientToGraph([0, gi.xAxisH]),
+                    this.convertClientToGraph([gi.yAxisW, h]),
+                    this.convertClientToGraph([w, h]))
+
+    if (this.debugText != null) {
+        ctx.save();
+        ctx.setTransform(1, 0, 0, 1, 0, 0);
+        ctx.fillText(this.debugText, this.size[0]/2 + 10, this.size[1]/2 + 10);
+        ctx.restore();
+    }
+
+    // Draw the contents.
+    ctx.save();
+    ctx.beginPath();
+    var content_ll = this.convertClientToWorld([gi.yAxisW, gi.xAxisH]);
+    var content_ur = this.convertClientToWorld(this.size);
+    ctx.rect(content_ll[0], content_ll[1],
+             content_ur[0]-content_ll[0], content_ur[1]-content_ll[1]);
+    ctx.clip();
+
+    for (var i = 0, e = this.plots.length; i != e; ++i) {
+        var data = this.plots[i][0];
+        var style = this.plots[i][1];
+        style.plot(this, ctx, data);
+    }
+    ctx.restore();
+}
+
+// Client API.
+
+Graph2D.prototype.clearPlots = function() {
+    this.plots = [];
+    this.graphChanged();
+}
+
+Graph2D.prototype.addPlot = function(data, style) {
+    if (!style)
+        style = new Graph2D_LinePlotStyle(1);
+    this.plots.push( [data, style] );
+    this.graphChanged();
+}
+

Propchange: zorg/trunk/lnt/lnt/server/ui/static/View2D.js
------------------------------------------------------------------------------
--- svn:special (original)
+++ svn:special (removed)
@@ -1 +0,0 @@
-*

Modified: zorg/trunk/lnt/lnt/server/ui/static/sorttable.js
URL: http://llvm.org/viewvc/llvm-project/zorg/trunk/lnt/lnt/server/ui/static/sorttable.js?rev=146452&r1=146451&r2=146452&view=diff
==============================================================================
--- zorg/trunk/lnt/lnt/server/ui/static/sorttable.js (original)
+++ zorg/trunk/lnt/lnt/server/ui/static/sorttable.js Mon Dec 12 18:01:40 2011
@@ -1 +1,500 @@
-link ../../../viewer/resources/sorttable.js
\ No newline at end of file
+/*
+  SortTable
+  version 2
+  7th April 2007
+  Stuart Langridge, http://www.kryogenix.org/code/browser/sorttable/
+
+  Instructions:
+  Download this file
+  Add <script src="sorttable.js"></script> to your HTML
+  Add class="sortable" to any table you'd like to make sortable
+  Click on the headers to sort
+
+  Thanks to many, many people for contributions and suggestions.
+  Licenced as X11: http://www.kryogenix.org/code/browser/licence.html
+  This basically means: do what you want with it.
+*/
+
+
+var stIsIE = /*@cc_on!@*/false;
+
+sorttable = {
+  init: function() {
+    // quit if this function has already been called
+    if (arguments.callee.done) return;
+    // flag this function so we don't do the same thing twice
+    arguments.callee.done = true;
+    // kill the timer
+    if (_timer) clearInterval(_timer);
+
+    if (!document.createElement || !document.getElementsByTagName) return;
+
+    sorttable.DATE_RE = /^(\d\d?)[\/\.-](\d\d?)[\/\.-]((\d\d)?\d\d)$/;
+
+    forEach(document.getElementsByTagName('table'), function(table) {
+      if (table.className.search(/\bsortable\b/) != -1) {
+        sorttable.makeSortable(table);
+      }
+    });
+
+  },
+
+  makeSortable: function(table) {
+    if (table.getElementsByTagName('thead').length == 0) {
+      // table doesn't have a tHead. Since it should have, create one and
+      // put the first table row in it.
+      the = document.createElement('thead');
+      the.appendChild(table.rows[0]);
+      table.insertBefore(the,table.firstChild);
+    }
+    // Safari doesn't support table.tHead, sigh
+    if (table.tHead == null) table.tHead = table.getElementsByTagName('thead')[0];
+
+    //DWD:    if (table.tHead.rows.length != 1) return; // can't cope with two header rows
+
+
+    // Sorttable v1 put rows with a class of "sortbottom" at the bottom (as
+    // "total" rows, for example). This is B&R, since what you're supposed
+    // to do is put them in a tfoot. So, if there are sortbottom rows,
+    // for backwards compatibility, move them to tfoot (creating it if needed).
+    sortbottomrows = [];
+    for (var i=0; i<table.rows.length; i++) {
+      if (table.rows[i].className.search(/\bsortbottom\b/) != -1) {
+        sortbottomrows[sortbottomrows.length] = table.rows[i];
+      }
+    }
+    if (sortbottomrows) {
+      if (table.tFoot == null) {
+        // table doesn't have a tfoot. Create one.
+        tfo = document.createElement('tfoot');
+        table.appendChild(tfo);
+      }
+      for (var i=0; i<sortbottomrows.length; i++) {
+        tfo.appendChild(sortbottomrows[i]);
+      }
+      delete sortbottomrows;
+    }
+
+    // work through each column and calculate its type
+    for (var j=0; j<table.tHead.rows.length; j++) {
+    headrow = table.tHead.rows[j].cells;
+    for (var i=0; i<headrow.length; i++) {
+      // manually override the type with a sorttable_type attribute
+      if (!headrow[i].className.match(/\bsorttable_nosort\b/)) { // skip this col
+        mtch = headrow[i].className.match(/\bsorttable_([a-z0-9]+)\b/);
+        if (mtch) { override = mtch[1]; }
+        if (mtch && typeof sorttable["sort_"+override] == 'function') {
+          headrow[i].sorttable_sortfunction = sorttable["sort_"+override];
+        } else {
+          headrow[i].sorttable_sortfunction = sorttable.guessType(table,i);
+        }
+        // make it clickable to sort
+        var index = i;
+        if (headrow[i].getAttribute("sorttable_index") != null)
+            index = headrow[i].getAttribute("sorttable_index");
+
+        headrow[i].sorttable_columnindex = index;
+        headrow[i].sorttable_tbody = table.tBodies[0];
+        dean_addEvent(headrow[i],"click", function(e) {
+
+          if (this.className.search(/\bsorttable_sorted\b/) != -1) {
+            // if we're already sorted by this column, just
+            // reverse the table, which is quicker
+            sorttable.reverse(this.sorttable_tbody);
+            this.className = this.className.replace('sorttable_sorted',
+                                                    'sorttable_sorted_reverse');
+            this.removeChild(document.getElementById('sorttable_sortfwdind'));
+            sortrevind = document.createElement('span');
+            sortrevind.id = "sorttable_sortrevind";
+            sortrevind.innerHTML = stIsIE ? '&nbsp<font face="webdings">5</font>' : ' &#x25B4;';
+            this.appendChild(sortrevind);
+            return;
+          }
+          if (this.className.search(/\bsorttable_sorted_reverse\b/) != -1) {
+            // if we're already sorted by this column in reverse, just
+            // re-reverse the table, which is quicker
+            sorttable.reverse(this.sorttable_tbody);
+            this.className = this.className.replace('sorttable_sorted_reverse',
+                                                    'sorttable_sorted');
+            this.removeChild(document.getElementById('sorttable_sortrevind'));
+            sortfwdind = document.createElement('span');
+            sortfwdind.id = "sorttable_sortfwdind";
+            sortfwdind.innerHTML = stIsIE ? '&nbsp<font face="webdings">6</font>' : ' &#x25BE;';
+            this.appendChild(sortfwdind);
+            return;
+          }
+
+          // remove sorttable_sorted classes
+          forEach(table.tHead.rows, function(row) {
+            forEach(row.childNodes, function(cell) {
+              if (cell.nodeType == 1) { // an element
+                cell.className = cell.className.replace('sorttable_sorted_reverse','');
+                cell.className = cell.className.replace('sorttable_sorted','');
+              }
+            })});
+          sortfwdind = document.getElementById('sorttable_sortfwdind');
+          if (sortfwdind) { sortfwdind.parentNode.removeChild(sortfwdind); }
+          sortrevind = document.getElementById('sorttable_sortrevind');
+          if (sortrevind) { sortrevind.parentNode.removeChild(sortrevind); }
+
+          this.className += ' sorttable_sorted';
+          sortfwdind = document.createElement('span');
+          sortfwdind.id = "sorttable_sortfwdind";
+          sortfwdind.innerHTML = stIsIE ? '&nbsp<font face="webdings">6</font>' : ' &#x25BE;';
+          this.appendChild(sortfwdind);
+
+          // build an array to sort. This is a Schwartzian transform thing,
+          // i.e., we "decorate" each row with the actual sort key,
+          // sort based on the sort keys, and then put the rows back in order
+          // which is a lot faster because you only do getInnerText once per row
+          row_array = [];
+          col = this.sorttable_columnindex;
+          rows = this.sorttable_tbody.rows;
+          for (var j=0; j<rows.length; j++) {
+            row_array[row_array.length] = [sorttable.getInnerText(rows[j].cells[col]), rows[j]];
+          }
+          /* If you want a stable sort, uncomment the following line */
+          //sorttable.shaker_sort(row_array, this.sorttable_sortfunction);
+          /* and comment out this one */
+          row_array.sort(this.sorttable_sortfunction);
+
+          tb = this.sorttable_tbody;
+          for (var j=0; j<row_array.length; j++) {
+            tb.appendChild(row_array[j][1]);
+          }
+
+          delete row_array;
+        });
+      }
+    }
+    }
+  },
+
+  guessType: function(table, column) {
+    // guess the type of a column based on its first non-blank row
+    sortfn = sorttable.sort_alpha;
+    for (var i=0; i<table.tBodies[0].rows.length; i++) {
+      text = sorttable.getInnerText(table.tBodies[0].rows[i].cells[column]);
+      if (text != '') {
+        if (text.match(/^-?[£$¤]?[\d,.]+%?$/)) {
+          return sorttable.sort_numeric;
+        }
+        // check for a date: dd/mm/yyyy or dd/mm/yy
+        // can have / or . or - as separator
+        // can be mm/dd as well
+        possdate = text.match(sorttable.DATE_RE)
+        if (possdate) {
+          // looks like a date
+          first = parseInt(possdate[1]);
+          second = parseInt(possdate[2]);
+          if (first > 12) {
+            // definitely dd/mm
+            return sorttable.sort_ddmm;
+          } else if (second > 12) {
+            return sorttable.sort_mmdd;
+          } else {
+            // looks like a date, but we can't tell which, so assume
+            // that it's dd/mm (English imperialism!) and keep looking
+            sortfn = sorttable.sort_ddmm;
+          }
+        }
+      }
+    }
+    return sortfn;
+  },
+
+  getInnerText: function(node) {
+    // gets the text we want to use for sorting for a cell.
+    // strips leading and trailing whitespace.
+    // this is *not* a generic getInnerText function; it's special to sorttable.
+    // for example, you can override the cell text with a customkey attribute.
+    // it also gets .value for <input> fields.
+
+    hasInputs = (typeof node.getElementsByTagName == 'function') &&
+                 node.getElementsByTagName('input').length;
+
+    if (node.getAttribute("sorttable_customkey") != null) {
+      return node.getAttribute("sorttable_customkey");
+    }
+    else if (typeof node.textContent != 'undefined' && !hasInputs) {
+      return node.textContent.replace(/^\s+|\s+$/g, '');
+    }
+    else if (typeof node.innerText != 'undefined' && !hasInputs) {
+      return node.innerText.replace(/^\s+|\s+$/g, '');
+    }
+    else if (typeof node.text != 'undefined' && !hasInputs) {
+      return node.text.replace(/^\s+|\s+$/g, '');
+    }
+    else {
+      switch (node.nodeType) {
+        case 3:
+          if (node.nodeName.toLowerCase() == 'input') {
+            return node.value.replace(/^\s+|\s+$/g, '');
+          }
+        case 4:
+          return node.nodeValue.replace(/^\s+|\s+$/g, '');
+          break;
+        case 1:
+        case 11:
+          var innerText = '';
+          for (var i = 0; i < node.childNodes.length; i++) {
+            innerText += sorttable.getInnerText(node.childNodes[i]);
+          }
+          return innerText.replace(/^\s+|\s+$/g, '');
+          break;
+        default:
+          return '';
+      }
+    }
+  },
+
+  reverse: function(tbody) {
+    // reverse the rows in a tbody
+    newrows = [];
+    for (var i=0; i<tbody.rows.length; i++) {
+      newrows[newrows.length] = tbody.rows[i];
+    }
+    for (var i=newrows.length-1; i>=0; i--) {
+       tbody.appendChild(newrows[i]);
+    }
+    delete newrows;
+  },
+
+  /* sort functions
+     each sort function takes two parameters, a and b
+     you are comparing a[0] and b[0] */
+  sort_numeric: function(a,b) {
+    aa = parseFloat(a[0].replace(/[^0-9.-]/g,''));
+    if (isNaN(aa)) aa = 0;
+    bb = parseFloat(b[0].replace(/[^0-9.-]/g,''));
+    if (isNaN(bb)) bb = 0;
+    return aa-bb;
+  },
+  sort_alpha: function(a,b) {
+    if (a[0]==b[0]) return 0;
+    if (a[0]<b[0]) return -1;
+    return 1;
+  },
+  sort_ddmm: function(a,b) {
+    mtch = a[0].match(sorttable.DATE_RE);
+    y = mtch[3]; m = mtch[2]; d = mtch[1];
+    if (m.length == 1) m = '0'+m;
+    if (d.length == 1) d = '0'+d;
+    dt1 = y+m+d;
+    mtch = b[0].match(sorttable.DATE_RE);
+    y = mtch[3]; m = mtch[2]; d = mtch[1];
+    if (m.length == 1) m = '0'+m;
+    if (d.length == 1) d = '0'+d;
+    dt2 = y+m+d;
+    if (dt1==dt2) return 0;
+    if (dt1<dt2) return -1;
+    return 1;
+  },
+  sort_mmdd: function(a,b) {
+    mtch = a[0].match(sorttable.DATE_RE);
+    y = mtch[3]; d = mtch[2]; m = mtch[1];
+    if (m.length == 1) m = '0'+m;
+    if (d.length == 1) d = '0'+d;
+    dt1 = y+m+d;
+    mtch = b[0].match(sorttable.DATE_RE);
+    y = mtch[3]; d = mtch[2]; m = mtch[1];
+    if (m.length == 1) m = '0'+m;
+    if (d.length == 1) d = '0'+d;
+    dt2 = y+m+d;
+    if (dt1==dt2) return 0;
+    if (dt1<dt2) return -1;
+    return 1;
+  },
+
+  shaker_sort: function(list, comp_func) {
+    // A stable sort function to allow multi-level sorting of data
+    // see: http://en.wikipedia.org/wiki/Cocktail_sort
+    // thanks to Joseph Nahmias
+    var b = 0;
+    var t = list.length - 1;
+    var swap = true;
+
+    while(swap) {
+        swap = false;
+        for(var i = b; i < t; ++i) {
+            if ( comp_func(list[i], list[i+1]) > 0 ) {
+                var q = list[i]; list[i] = list[i+1]; list[i+1] = q;
+                swap = true;
+            }
+        } // for
+        t--;
+
+        if (!swap) break;
+
+        for(var i = t; i > b; --i) {
+            if ( comp_func(list[i], list[i-1]) < 0 ) {
+                var q = list[i]; list[i] = list[i-1]; list[i-1] = q;
+                swap = true;
+            }
+        } // for
+        b++;
+
+    } // while(swap)
+  }
+}
+
+/* ******************************************************************
+   Supporting functions: bundled here to avoid depending on a library
+   ****************************************************************** */
+
+// Dean Edwards/Matthias Miller/John Resig
+
+/* for Mozilla/Opera9 */
+if (document.addEventListener) {
+    document.addEventListener("DOMContentLoaded", sorttable.init, false);
+}
+
+/* for Internet Explorer */
+/*@cc_on @*/
+/*@if (@_win32)
+    document.write("<script id=__ie_onload defer src=javascript:void(0)><\/script>");
+    var script = document.getElementById("__ie_onload");
+    script.onreadystatechange = function() {
+        if (this.readyState == "complete") {
+            sorttable.init(); // call the onload handler
+        }
+    };
+/*@end @*/
+
+/* for Safari */
+if (/WebKit/i.test(navigator.userAgent)) { // sniff
+    var _timer = setInterval(function() {
+        if (/loaded|complete/.test(document.readyState)) {
+            sorttable.init(); // call the onload handler
+        }
+    }, 10);
+}
+
+/* for other browsers */
+window.onload = sorttable.init;
+
+// written by Dean Edwards, 2005
+// with input from Tino Zijdel, Matthias Miller, Diego Perini
+
+// http://dean.edwards.name/weblog/2005/10/add-event/
+
+function dean_addEvent(element, type, handler) {
+  if (element.addEventListener) {
+    element.addEventListener(type, handler, false);
+  } else {
+    // assign each event handler a unique ID
+    if (!handler.$$guid) handler.$$guid = dean_addEvent.guid++;
+    // create a hash table of event types for the element
+    if (!element.events) element.events = {};
+    // create a hash table of event handlers for each element/event pair
+    var handlers = element.events[type];
+    if (!handlers) {
+      handlers = element.events[type] = {};
+      // store the existing event handler (if there is one)
+      if (element["on" + type]) {
+        handlers[0] = element["on" + type];
+      }
+    }
+    // store the event handler in the hash table
+    handlers[handler.$$guid] = handler;
+    // assign a global event handler to do all the work
+    element["on" + type] = handleEvent;
+  }
+};
+// a counter used to create unique IDs
+dean_addEvent.guid = 1;
+
+function removeEvent(element, type, handler) {
+  if (element.removeEventListener) {
+    element.removeEventListener(type, handler, false);
+  } else {
+    // delete the event handler from the hash table
+    if (element.events && element.events[type]) {
+      delete element.events[type][handler.$$guid];
+    }
+  }
+};
+
+function handleEvent(event) {
+  var returnValue = true;
+  // grab the event object (IE uses a global event object)
+  event = event || fixEvent(((this.ownerDocument || this.document || this).parentWindow || window).event);
+  // get a reference to the hash table of event handlers
+  var handlers = this.events[event.type];
+  // execute each event handler
+  for (var i in handlers) {
+    this.$$handleEvent = handlers[i];
+    if (this.$$handleEvent(event) === false) {
+      returnValue = false;
+    }
+  }
+  return returnValue;
+};
+
+function fixEvent(event) {
+  // add W3C standard event methods
+  event.preventDefault = fixEvent.preventDefault;
+  event.stopPropagation = fixEvent.stopPropagation;
+  return event;
+};
+fixEvent.preventDefault = function() {
+  this.returnValue = false;
+};
+fixEvent.stopPropagation = function() {
+  this.cancelBubble = true;
+}
+
+// Dean's forEach: http://dean.edwards.name/base/forEach.js
+/*
+  forEach, version 1.0
+  Copyright 2006, Dean Edwards
+  License: http://www.opensource.org/licenses/mit-license.php
+*/
+
+// array-like enumeration
+if (!Array.forEach) { // mozilla already supports this
+  Array.forEach = function(array, block, context) {
+    for (var i = 0; i < array.length; i++) {
+      block.call(context, array[i], i, array);
+    }
+  };
+}
+
+// generic enumeration
+Function.prototype.forEach = function(object, block, context) {
+  for (var key in object) {
+    if (typeof this.prototype[key] == "undefined") {
+      block.call(context, object[key], key, object);
+    }
+  }
+};
+
+// character enumeration
+String.forEach = function(string, block, context) {
+  Array.forEach(string.split(""), function(chr, index) {
+    block.call(context, chr, index, string);
+  });
+};
+
+// globally resolve forEach enumeration
+var forEach = function(object, block, context) {
+  if (object) {
+    var resolve = Object; // default
+    if (object instanceof Function) {
+      // functions have a "length" property
+      resolve = Function;
+    } else if (object.forEach instanceof Function) {
+      // the object implements a custom forEach method so use that
+      object.forEach(block, context);
+      return;
+    } else if (typeof object == "string") {
+      // the object is a string
+      resolve = String;
+    } else if (typeof object.length == "number") {
+      // the object is array-like
+      resolve = Array;
+    }
+    resolve.forEach(object, block, context);
+  }
+};
+

Propchange: zorg/trunk/lnt/lnt/server/ui/static/sorttable.js
------------------------------------------------------------------------------
--- svn:special (original)
+++ svn:special (removed)
@@ -1 +0,0 @@
-*





More information about the llvm-commits mailing list