30 changed files with 3523 additions and 1601 deletions
@ -0,0 +1,250 @@ |
|||||||
|
/* -*- Mode: Java; tab-width: 2; indent-tabs-mode: nil; c-basic-offset: 2 -*- / |
||||||
|
/* vim: set shiftwidth=2 tabstop=2 autoindent cindent expandtab: */ |
||||||
|
|
||||||
|
"use strict"; |
||||||
|
|
||||||
|
var JpegStreamProxyCounter = 0; |
||||||
|
// WebWorker Proxy for JpegStream.
|
||||||
|
var JpegStreamProxy = (function() { |
||||||
|
function constructor(bytes, dict) { |
||||||
|
this.id = JpegStreamProxyCounter++; |
||||||
|
this.dict = dict; |
||||||
|
|
||||||
|
// Tell the main thread to create an image.
|
||||||
|
postMessage({ |
||||||
|
action: "jpeg_stream", |
||||||
|
data: { |
||||||
|
id: this.id, |
||||||
|
raw: bytesToString(bytes) |
||||||
|
} |
||||||
|
}); |
||||||
|
} |
||||||
|
|
||||||
|
constructor.prototype = { |
||||||
|
getImage: function() { |
||||||
|
return this; |
||||||
|
}, |
||||||
|
getChar: function() { |
||||||
|
error("internal error: getChar is not valid on JpegStream"); |
||||||
|
} |
||||||
|
}; |
||||||
|
|
||||||
|
return constructor; |
||||||
|
})(); |
||||||
|
|
||||||
|
// Really simple GradientProxy. There is currently only one active gradient at
|
||||||
|
// the time, meaning you can't create a gradient, create a second one and then
|
||||||
|
// use the first one again. As this isn't used in pdf.js right now, it's okay.
|
||||||
|
function GradientProxy(cmdQueue, x0, y0, x1, y1) { |
||||||
|
cmdQueue.push(["$createLinearGradient", [x0, y0, x1, y1]]); |
||||||
|
this.addColorStop = function(i, rgba) { |
||||||
|
cmdQueue.push(["$addColorStop", [i, rgba]]); |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
// Really simple PatternProxy.
|
||||||
|
var patternProxyCounter = 0; |
||||||
|
function PatternProxy(cmdQueue, object, kind) { |
||||||
|
this.id = patternProxyCounter++; |
||||||
|
|
||||||
|
if (!(object instanceof CanvasProxy) ) { |
||||||
|
throw "unkown type to createPattern"; |
||||||
|
} |
||||||
|
|
||||||
|
// Flush the object here to ensure it's available on the main thread.
|
||||||
|
// TODO: Make some kind of dependency management, such that the object
|
||||||
|
// gets flushed only if needed.
|
||||||
|
object.flush(); |
||||||
|
cmdQueue.push(["$createPatternFromCanvas", [this.id, object.id, kind]]); |
||||||
|
} |
||||||
|
|
||||||
|
var canvasProxyCounter = 0; |
||||||
|
function CanvasProxy(width, height) { |
||||||
|
this.id = canvasProxyCounter++; |
||||||
|
|
||||||
|
// The `stack` holds the rendering calls and gets flushed to the main thead.
|
||||||
|
var cmdQueue = this.cmdQueue = []; |
||||||
|
|
||||||
|
// Dummy context that gets exposed.
|
||||||
|
var ctx = {}; |
||||||
|
this.getContext = function(type) { |
||||||
|
if (type != "2d") { |
||||||
|
throw "CanvasProxy can only provide a 2d context."; |
||||||
|
} |
||||||
|
return ctx; |
||||||
|
} |
||||||
|
|
||||||
|
// Expose only the minimum of the canvas object - there is no dom to do
|
||||||
|
// more here.
|
||||||
|
this.width = width; |
||||||
|
this.height = height; |
||||||
|
ctx.canvas = this; |
||||||
|
|
||||||
|
// Setup function calls to `ctx`.
|
||||||
|
var ctxFunc = [ |
||||||
|
"createRadialGradient", |
||||||
|
"arcTo", |
||||||
|
"arc", |
||||||
|
"fillText", |
||||||
|
"strokeText", |
||||||
|
"createImageData", |
||||||
|
"drawWindow", |
||||||
|
"save", |
||||||
|
"restore", |
||||||
|
"scale", |
||||||
|
"rotate", |
||||||
|
"translate", |
||||||
|
"transform", |
||||||
|
"setTransform", |
||||||
|
"clearRect", |
||||||
|
"fillRect", |
||||||
|
"strokeRect", |
||||||
|
"beginPath", |
||||||
|
"closePath", |
||||||
|
"moveTo", |
||||||
|
"lineTo", |
||||||
|
"quadraticCurveTo", |
||||||
|
"bezierCurveTo", |
||||||
|
"rect", |
||||||
|
"fill", |
||||||
|
"stroke", |
||||||
|
"clip", |
||||||
|
"measureText", |
||||||
|
"isPointInPath", |
||||||
|
|
||||||
|
// These functions are necessary to track the rendering currentX state.
|
||||||
|
// The exact values can be computed on the main thread only, as the
|
||||||
|
// worker has no idea about text width.
|
||||||
|
"$setCurrentX", |
||||||
|
"$addCurrentX", |
||||||
|
"$saveCurrentX", |
||||||
|
"$restoreCurrentX", |
||||||
|
"$showText" |
||||||
|
]; |
||||||
|
|
||||||
|
function buildFuncCall(name) { |
||||||
|
return function() { |
||||||
|
// console.log("funcCall", name)
|
||||||
|
cmdQueue.push([name, Array.prototype.slice.call(arguments)]); |
||||||
|
} |
||||||
|
} |
||||||
|
var name; |
||||||
|
for (var i = 0; i < ctxFunc.length; i++) { |
||||||
|
name = ctxFunc[i]; |
||||||
|
ctx[name] = buildFuncCall(name); |
||||||
|
} |
||||||
|
|
||||||
|
// Some function calls that need more work.
|
||||||
|
|
||||||
|
ctx.createPattern = function(object, kind) { |
||||||
|
return new PatternProxy(cmdQueue, object, kind); |
||||||
|
} |
||||||
|
|
||||||
|
ctx.createLinearGradient = function(x0, y0, x1, y1) { |
||||||
|
return new GradientProxy(cmdQueue, x0, y0, x1, y1); |
||||||
|
} |
||||||
|
|
||||||
|
ctx.getImageData = function(x, y, w, h) { |
||||||
|
return { |
||||||
|
width: w, |
||||||
|
height: h, |
||||||
|
data: Uint8ClampedArray(w * h * 4) |
||||||
|
}; |
||||||
|
} |
||||||
|
|
||||||
|
ctx.putImageData = function(data, x, y, width, height) { |
||||||
|
cmdQueue.push(["$putImageData", [data, x, y, width, height]]); |
||||||
|
} |
||||||
|
|
||||||
|
ctx.drawImage = function(image, x, y, width, height, sx, sy, swidth, sheight) { |
||||||
|
if (image instanceof CanvasProxy) { |
||||||
|
// Send the image/CanvasProxy to the main thread.
|
||||||
|
image.flush(); |
||||||
|
cmdQueue.push(["$drawCanvas", [image.id, x, y, sx, sy, swidth, sheight]]); |
||||||
|
} else if(image instanceof JpegStreamProxy) { |
||||||
|
cmdQueue.push(["$drawImage", [image.id, x, y, sx, sy, swidth, sheight]]) |
||||||
|
} else { |
||||||
|
throw "unkown type to drawImage"; |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
// Setup property access to `ctx`.
|
||||||
|
var ctxProp = { |
||||||
|
// "canvas"
|
||||||
|
"globalAlpha": "1", |
||||||
|
"globalCompositeOperation": "source-over", |
||||||
|
"strokeStyle": "#000000", |
||||||
|
"fillStyle": "#000000", |
||||||
|
"lineWidth": "1", |
||||||
|
"lineCap": "butt", |
||||||
|
"lineJoin": "miter", |
||||||
|
"miterLimit": "10", |
||||||
|
"shadowOffsetX": "0", |
||||||
|
"shadowOffsetY": "0", |
||||||
|
"shadowBlur": "0", |
||||||
|
"shadowColor": "rgba(0, 0, 0, 0)", |
||||||
|
"font": "10px sans-serif", |
||||||
|
"textAlign": "start", |
||||||
|
"textBaseline": "alphabetic", |
||||||
|
"mozTextStyle": "10px sans-serif", |
||||||
|
"mozImageSmoothingEnabled": "true" |
||||||
|
} |
||||||
|
|
||||||
|
function buildGetter(name) { |
||||||
|
return function() { |
||||||
|
return ctx["$" + name]; |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
function buildSetter(name) { |
||||||
|
return function(value) { |
||||||
|
cmdQueue.push(["$", name, value]); |
||||||
|
return ctx["$" + name] = value; |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
// Setting the value to `stroke|fillStyle` needs special handling, as it
|
||||||
|
// might gets an gradient/pattern.
|
||||||
|
function buildSetterStyle(name) { |
||||||
|
return function(value) { |
||||||
|
if (value instanceof GradientProxy) { |
||||||
|
cmdQueue.push(["$" + name + "Gradient"]); |
||||||
|
} else if (value instanceof PatternProxy) { |
||||||
|
cmdQueue.push(["$" + name + "Pattern", [value.id]]); |
||||||
|
} else { |
||||||
|
cmdQueue.push(["$", name, value]); |
||||||
|
return ctx["$" + name] = value; |
||||||
|
} |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
for (var name in ctxProp) { |
||||||
|
ctx["$" + name] = ctxProp[name]; |
||||||
|
ctx.__defineGetter__(name, buildGetter(name)); |
||||||
|
|
||||||
|
// Special treatment for `fillStyle` and `strokeStyle`: The passed style
|
||||||
|
// might be a gradient. Need to check for that.
|
||||||
|
if (name == "fillStyle" || name == "strokeStyle") { |
||||||
|
ctx.__defineSetter__(name, buildSetterStyle(name)); |
||||||
|
} else { |
||||||
|
ctx.__defineSetter__(name, buildSetter(name)); |
||||||
|
} |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
/** |
||||||
|
* Sends the current cmdQueue of the CanvasProxy over to the main thread and |
||||||
|
* resets the cmdQueue. |
||||||
|
*/ |
||||||
|
CanvasProxy.prototype.flush = function() { |
||||||
|
postMessage({ |
||||||
|
action: "canvas_proxy_cmd_queue", |
||||||
|
data: { |
||||||
|
id: this.id, |
||||||
|
cmdQueue: this.cmdQueue, |
||||||
|
width: this.width, |
||||||
|
height: this.height |
||||||
|
} |
||||||
|
}); |
||||||
|
this.cmdQueue.length = 0; |
||||||
|
} |
Before Width: | Height: | Size: 2.7 KiB After Width: | Height: | Size: 3.8 KiB |
Binary file not shown.
@ -1,146 +0,0 @@ |
|||||||
/* -*- Mode: Java; tab-width: 4; indent-tabs-mode: nil; c-basic-offset: 4 -*- / |
|
||||||
/* vim: set shiftwidth=4 tabstop=8 autoindent cindent expandtab: */ |
|
||||||
|
|
||||||
body { |
|
||||||
background-color: #929292; |
|
||||||
font-family: 'Lucida Grande', 'Lucida Sans Unicode', Helvetica, Arial, Verdana, sans-serif; |
|
||||||
margin: 0px; |
|
||||||
padding: 0px; |
|
||||||
} |
|
||||||
|
|
||||||
canvas { |
|
||||||
box-shadow: 0px 4px 10px #000; |
|
||||||
-moz-box-shadow: 0px 4px 10px #000; |
|
||||||
-webkit-box-shadow: 0px 4px 10px #000; |
|
||||||
} |
|
||||||
|
|
||||||
span { |
|
||||||
font-size: 0.8em; |
|
||||||
} |
|
||||||
|
|
||||||
.control { |
|
||||||
display: inline-block; |
|
||||||
float: left; |
|
||||||
margin: 0px 20px 0px 0px; |
|
||||||
padding: 0px 4px 0px 0px; |
|
||||||
} |
|
||||||
|
|
||||||
.control > input { |
|
||||||
float: left; |
|
||||||
border: 1px solid #4d4d4d; |
|
||||||
height: 20px; |
|
||||||
padding: 0px; |
|
||||||
margin: 0px 2px 0px 0px; |
|
||||||
border-radius: 4px; |
|
||||||
-moz-border-radius: 4px; |
|
||||||
-webkit-border-radius: 4px; |
|
||||||
box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
|
||||||
-moz-box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
|
||||||
-webkit-box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
|
||||||
} |
|
||||||
|
|
||||||
.control > select { |
|
||||||
float: left; |
|
||||||
border: 1px solid #4d4d4d; |
|
||||||
height: 22px; |
|
||||||
padding: 2px 0px 0px; |
|
||||||
margin: 0px 0px 1px; |
|
||||||
border-radius: 4px; |
|
||||||
-moz-border-radius: 4px; |
|
||||||
-webkit-border-radius: 4px; |
|
||||||
box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
|
||||||
-moz-box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
|
||||||
-webkit-box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
|
||||||
} |
|
||||||
|
|
||||||
.control > span { |
|
||||||
cursor: default; |
|
||||||
float: left; |
|
||||||
height: 18px; |
|
||||||
margin: 5px 2px 0px; |
|
||||||
padding: 0px; |
|
||||||
user-select: none; |
|
||||||
-moz-user-select: none; |
|
||||||
-webkit-user-select: none; |
|
||||||
} |
|
||||||
|
|
||||||
.control .label { |
|
||||||
clear: both; |
|
||||||
float: left; |
|
||||||
font-size: 0.65em; |
|
||||||
margin: 2px 0px 0px; |
|
||||||
position: relative; |
|
||||||
text-align: center; |
|
||||||
width: 100%; |
|
||||||
} |
|
||||||
|
|
||||||
.page { |
|
||||||
width: 816px; |
|
||||||
height: 1056px; |
|
||||||
margin: 10px auto; |
|
||||||
} |
|
||||||
|
|
||||||
#controls { |
|
||||||
background-color: #eee; |
|
||||||
border-bottom: 1px solid #666; |
|
||||||
padding: 4px 0px 0px 8px; |
|
||||||
position:fixed; |
|
||||||
left: 0px; |
|
||||||
top: 0px; |
|
||||||
height: 40px; |
|
||||||
width: 100%; |
|
||||||
box-shadow: 0px 2px 8px #000; |
|
||||||
-moz-box-shadow: 0px 2px 8px #000; |
|
||||||
-webkit-box-shadow: 0px 2px 8px #000; |
|
||||||
} |
|
||||||
|
|
||||||
#controls input { |
|
||||||
user-select: text; |
|
||||||
-moz-user-select: text; |
|
||||||
-webkit-user-select: text; |
|
||||||
} |
|
||||||
|
|
||||||
#previousPageButton { |
|
||||||
background: url('images/buttons.png') no-repeat 0px -23px; |
|
||||||
cursor: default; |
|
||||||
display: inline-block; |
|
||||||
float: left; |
|
||||||
margin: 0px; |
|
||||||
width: 28px; |
|
||||||
height: 23px; |
|
||||||
} |
|
||||||
|
|
||||||
#previousPageButton.down { |
|
||||||
background: url('images/buttons.png') no-repeat 0px -46px; |
|
||||||
} |
|
||||||
|
|
||||||
#previousPageButton.disabled { |
|
||||||
background: url('images/buttons.png') no-repeat 0px 0px; |
|
||||||
} |
|
||||||
|
|
||||||
#nextPageButton { |
|
||||||
background: url('images/buttons.png') no-repeat -28px -23px; |
|
||||||
cursor: default; |
|
||||||
display: inline-block; |
|
||||||
float: left; |
|
||||||
margin: 0px; |
|
||||||
width: 28px; |
|
||||||
height: 23px; |
|
||||||
} |
|
||||||
|
|
||||||
#nextPageButton.down { |
|
||||||
background: url('images/buttons.png') no-repeat -28px -46px; |
|
||||||
} |
|
||||||
|
|
||||||
#nextPageButton.disabled { |
|
||||||
background: url('images/buttons.png') no-repeat -28px 0px; |
|
||||||
} |
|
||||||
|
|
||||||
#pageNumber { |
|
||||||
text-align: right; |
|
||||||
} |
|
||||||
|
|
||||||
#viewer { |
|
||||||
margin: 44px 0px 0px; |
|
||||||
padding: 8px 0px; |
|
||||||
} |
|
@ -1,39 +0,0 @@ |
|||||||
<!DOCTYPE html> |
|
||||||
<html> |
|
||||||
<head> |
|
||||||
<title>pdf.js Multi-Page Viewer</title> |
|
||||||
<meta http-equiv="Content-type" content="text/html;charset=UTF-8"/> |
|
||||||
<link rel="stylesheet" href="multi-page-viewer.css" type="text/css" media="screen"/> |
|
||||||
<script type="text/javascript" src="pdf.js"></script> |
|
||||||
<script type="text/javascript" src="fonts.js"></script> |
|
||||||
<script type="text/javascript" src="glyphlist.js"></script> |
|
||||||
<script type="text/javascript" src="multi-page-viewer.js"></script> |
|
||||||
</head> |
|
||||||
<body> |
|
||||||
<div id="controls"> |
|
||||||
<span class="control"> |
|
||||||
<span id="previousPageButton" class="disabled"></span> |
|
||||||
<span id="nextPageButton" class="disabled"></span> |
|
||||||
<span class="label">Previous/Next</span> |
|
||||||
</span> |
|
||||||
<span class="control"> |
|
||||||
<input type="text" id="pageNumber" value="1" size="2"/> |
|
||||||
<span>/</span> |
|
||||||
<span id="numPages">--</span> |
|
||||||
<span class="label">Page Number</span> |
|
||||||
</span> |
|
||||||
<span class="control"> |
|
||||||
<select id="scaleSelect"> |
|
||||||
<option value="50">50%</option> |
|
||||||
<option value="75">75%</option> |
|
||||||
<option value="100" selected="selected">100%</option> |
|
||||||
<option value="125">125%</option> |
|
||||||
<option value="150">150%</option> |
|
||||||
<option value="200">200%</option> |
|
||||||
</select> |
|
||||||
<span class="label">Zoom</span> |
|
||||||
</span> |
|
||||||
</div> |
|
||||||
<div id="viewer"></div> |
|
||||||
</body> |
|
||||||
</html> |
|
@ -1,404 +0,0 @@ |
|||||||
/* -*- Mode: Java; tab-width: 4; indent-tabs-mode: nil; c-basic-offset: 4 -*- / |
|
||||||
/* vim: set shiftwidth=4 tabstop=8 autoindent cindent expandtab: */ |
|
||||||
|
|
||||||
"use strict"; |
|
||||||
|
|
||||||
var PDFViewer = { |
|
||||||
queryParams: {}, |
|
||||||
|
|
||||||
element: null, |
|
||||||
|
|
||||||
previousPageButton: null, |
|
||||||
nextPageButton: null, |
|
||||||
pageNumberInput: null, |
|
||||||
scaleSelect: null, |
|
||||||
|
|
||||||
willJumpToPage: false, |
|
||||||
|
|
||||||
pdf: null, |
|
||||||
|
|
||||||
url: 'compressed.tracemonkey-pldi-09.pdf', |
|
||||||
pageNumber: 1, |
|
||||||
numberOfPages: 1, |
|
||||||
|
|
||||||
scale: 1.0, |
|
||||||
|
|
||||||
pageWidth: function() { |
|
||||||
return 816 * PDFViewer.scale; |
|
||||||
}, |
|
||||||
|
|
||||||
pageHeight: function() { |
|
||||||
return 1056 * PDFViewer.scale; |
|
||||||
}, |
|
||||||
|
|
||||||
lastPagesDrawn: [], |
|
||||||
|
|
||||||
visiblePages: function() { |
|
||||||
var pageHeight = PDFViewer.pageHeight() + 20; // Add 20 for the margins.
|
|
||||||
var windowTop = window.pageYOffset; |
|
||||||
var windowBottom = window.pageYOffset + window.innerHeight; |
|
||||||
var pageStartIndex = Math.floor(windowTop / pageHeight); |
|
||||||
var pageStopIndex = Math.ceil(windowBottom / pageHeight); |
|
||||||
|
|
||||||
var pages = []; |
|
||||||
|
|
||||||
for (var i = pageStartIndex; i <= pageStopIndex; i++) { |
|
||||||
pages.push(i + 1); |
|
||||||
} |
|
||||||
|
|
||||||
return pages; |
|
||||||
}, |
|
||||||
|
|
||||||
createPage: function(num) { |
|
||||||
var anchor = document.createElement('a'); |
|
||||||
anchor.name = '' + num; |
|
||||||
|
|
||||||
var div = document.createElement('div'); |
|
||||||
div.id = 'pageContainer' + num; |
|
||||||
div.className = 'page'; |
|
||||||
div.style.width = PDFViewer.pageWidth() + 'px'; |
|
||||||
div.style.height = PDFViewer.pageHeight() + 'px'; |
|
||||||
|
|
||||||
PDFViewer.element.appendChild(anchor); |
|
||||||
PDFViewer.element.appendChild(div); |
|
||||||
}, |
|
||||||
|
|
||||||
removePage: function(num) { |
|
||||||
var div = document.getElementById('pageContainer' + num); |
|
||||||
|
|
||||||
if (div) { |
|
||||||
while (div.hasChildNodes()) { |
|
||||||
div.removeChild(div.firstChild); |
|
||||||
} |
|
||||||
} |
|
||||||
}, |
|
||||||
|
|
||||||
drawPage: function(num) { |
|
||||||
if (!PDFViewer.pdf) { |
|
||||||
return; |
|
||||||
} |
|
||||||
|
|
||||||
var div = document.getElementById('pageContainer' + num); |
|
||||||
var canvas = document.createElement('canvas'); |
|
||||||
|
|
||||||
if (div && !div.hasChildNodes()) { |
|
||||||
div.appendChild(canvas); |
|
||||||
|
|
||||||
var page = PDFViewer.pdf.getPage(num); |
|
||||||
|
|
||||||
canvas.id = 'page' + num; |
|
||||||
canvas.mozOpaque = true; |
|
||||||
|
|
||||||
// Canvas dimensions must be specified in CSS pixels. CSS pixels
|
|
||||||
// are always 96 dpi. These dimensions are 8.5in x 11in at 96dpi.
|
|
||||||
canvas.width = PDFViewer.pageWidth(); |
|
||||||
canvas.height = PDFViewer.pageHeight(); |
|
||||||
|
|
||||||
var ctx = canvas.getContext('2d'); |
|
||||||
ctx.save(); |
|
||||||
ctx.fillStyle = 'rgb(255, 255, 255)'; |
|
||||||
ctx.fillRect(0, 0, canvas.width, canvas.height); |
|
||||||
ctx.restore(); |
|
||||||
|
|
||||||
var gfx = new CanvasGraphics(ctx); |
|
||||||
var fonts = []; |
|
||||||
|
|
||||||
// page.compile will collect all fonts for us, once we have loaded them
|
|
||||||
// we can trigger the actual page rendering with page.display
|
|
||||||
page.compile(gfx, fonts); |
|
||||||
|
|
||||||
var areFontsReady = true; |
|
||||||
|
|
||||||
// Inspect fonts and translate the missing one
|
|
||||||
var fontCount = fonts.length; |
|
||||||
|
|
||||||
for (var i = 0; i < fontCount; i++) { |
|
||||||
var font = fonts[i]; |
|
||||||
|
|
||||||
if (Fonts[font.name]) { |
|
||||||
areFontsReady = areFontsReady && !Fonts[font.name].loading; |
|
||||||
continue; |
|
||||||
} |
|
||||||
|
|
||||||
new Font(font.name, font.file, font.properties); |
|
||||||
|
|
||||||
areFontsReady = false; |
|
||||||
} |
|
||||||
|
|
||||||
var pageInterval; |
|
||||||
|
|
||||||
var delayLoadFont = function() { |
|
||||||
for (var i = 0; i < fontCount; i++) { |
|
||||||
if (Fonts[font.name].loading) { |
|
||||||
return; |
|
||||||
} |
|
||||||
} |
|
||||||
|
|
||||||
clearInterval(pageInterval); |
|
||||||
|
|
||||||
while (div.hasChildNodes()) { |
|
||||||
div.removeChild(div.firstChild); |
|
||||||
} |
|
||||||
|
|
||||||
PDFViewer.drawPage(num); |
|
||||||
} |
|
||||||
|
|
||||||
if (!areFontsReady) { |
|
||||||
pageInterval = setInterval(delayLoadFont, 10); |
|
||||||
return; |
|
||||||
} |
|
||||||
|
|
||||||
page.display(gfx); |
|
||||||
} |
|
||||||
}, |
|
||||||
|
|
||||||
changeScale: function(num) { |
|
||||||
while (PDFViewer.element.hasChildNodes()) { |
|
||||||
PDFViewer.element.removeChild(PDFViewer.element.firstChild); |
|
||||||
} |
|
||||||
|
|
||||||
PDFViewer.scale = num / 100; |
|
||||||
|
|
||||||
var i; |
|
||||||
|
|
||||||
if (PDFViewer.pdf) { |
|
||||||
for (i = 1; i <= PDFViewer.numberOfPages; i++) { |
|
||||||
PDFViewer.createPage(i); |
|
||||||
} |
|
||||||
|
|
||||||
if (PDFViewer.numberOfPages > 0) { |
|
||||||
PDFViewer.drawPage(1); |
|
||||||
} |
|
||||||
} |
|
||||||
|
|
||||||
for (i = 0; i < PDFViewer.scaleSelect.childNodes; i++) { |
|
||||||
var option = PDFViewer.scaleSelect.childNodes[i]; |
|
||||||
|
|
||||||
if (option.value == num) { |
|
||||||
if (!option.selected) { |
|
||||||
option.selected = 'selected'; |
|
||||||
} |
|
||||||
} else { |
|
||||||
if (option.selected) { |
|
||||||
option.removeAttribute('selected'); |
|
||||||
} |
|
||||||
} |
|
||||||
} |
|
||||||
|
|
||||||
PDFViewer.scaleSelect.value = Math.floor(PDFViewer.scale * 100) + '%'; |
|
||||||
}, |
|
||||||
|
|
||||||
goToPage: function(num) { |
|
||||||
if (1 <= num && num <= PDFViewer.numberOfPages) { |
|
||||||
PDFViewer.pageNumber = num; |
|
||||||
PDFViewer.pageNumberInput.value = PDFViewer.pageNumber; |
|
||||||
PDFViewer.willJumpToPage = true; |
|
||||||
|
|
||||||
document.location.hash = PDFViewer.pageNumber; |
|
||||||
|
|
||||||
PDFViewer.previousPageButton.className = (PDFViewer.pageNumber === 1) ? |
|
||||||
'disabled' : ''; |
|
||||||
PDFViewer.nextPageButton.className = (PDFViewer.pageNumber === PDFViewer.numberOfPages) ? |
|
||||||
'disabled' : ''; |
|
||||||
} |
|
||||||
}, |
|
||||||
|
|
||||||
goToPreviousPage: function() { |
|
||||||
if (PDFViewer.pageNumber > 1) { |
|
||||||
PDFViewer.goToPage(--PDFViewer.pageNumber); |
|
||||||
} |
|
||||||
}, |
|
||||||
|
|
||||||
goToNextPage: function() { |
|
||||||
if (PDFViewer.pageNumber < PDFViewer.numberOfPages) { |
|
||||||
PDFViewer.goToPage(++PDFViewer.pageNumber); |
|
||||||
} |
|
||||||
}, |
|
||||||
|
|
||||||
open: function(url) { |
|
||||||
PDFViewer.url = url; |
|
||||||
document.title = url; |
|
||||||
|
|
||||||
var req = new XMLHttpRequest(); |
|
||||||
req.open('GET', url); |
|
||||||
req.mozResponseType = req.responseType = 'arraybuffer'; |
|
||||||
req.expected = (document.URL.indexOf('file:') === 0) ? 0 : 200; |
|
||||||
|
|
||||||
req.onreadystatechange = function() { |
|
||||||
if (req.readyState === 4 && req.status === req.expected) { |
|
||||||
var data = req.mozResponseArrayBuffer || |
|
||||||
req.mozResponse || |
|
||||||
req.responseArrayBuffer || |
|
||||||
req.response; |
|
||||||
|
|
||||||
PDFViewer.pdf = new PDFDoc(new Stream(data)); |
|
||||||
PDFViewer.numberOfPages = PDFViewer.pdf.numPages; |
|
||||||
document.getElementById('numPages').innerHTML = PDFViewer.numberOfPages.toString(); |
|
||||||
|
|
||||||
for (var i = 1; i <= PDFViewer.numberOfPages; i++) { |
|
||||||
PDFViewer.createPage(i); |
|
||||||
} |
|
||||||
|
|
||||||
if (PDFViewer.numberOfPages > 0) { |
|
||||||
PDFViewer.drawPage(1); |
|
||||||
} |
|
||||||
|
|
||||||
PDFViewer.previousPageButton.className = (PDFViewer.pageNumber === 1) ? |
|
||||||
'disabled' : ''; |
|
||||||
PDFViewer.nextPageButton.className = (PDFViewer.pageNumber === PDFViewer.numberOfPages) ? |
|
||||||
'disabled' : ''; |
|
||||||
} |
|
||||||
}; |
|
||||||
|
|
||||||
req.send(null); |
|
||||||
} |
|
||||||
}; |
|
||||||
|
|
||||||
window.onload = function() { |
|
||||||
|
|
||||||
// Parse the URL query parameters into a cached object.
|
|
||||||
PDFViewer.queryParams = function() { |
|
||||||
var qs = window.location.search.substring(1); |
|
||||||
var kvs = qs.split('&'); |
|
||||||
var params = {}; |
|
||||||
for (var i = 0; i < kvs.length; ++i) { |
|
||||||
var kv = kvs[i].split('='); |
|
||||||
params[unescape(kv[0])] = unescape(kv[1]); |
|
||||||
} |
|
||||||
|
|
||||||
return params; |
|
||||||
}(); |
|
||||||
|
|
||||||
PDFViewer.element = document.getElementById('viewer'); |
|
||||||
|
|
||||||
PDFViewer.pageNumberInput = document.getElementById('pageNumber'); |
|
||||||
PDFViewer.pageNumberInput.onkeydown = function(evt) { |
|
||||||
var charCode = evt.charCode || evt.keyCode; |
|
||||||
|
|
||||||
// Up arrow key.
|
|
||||||
if (charCode === 38) { |
|
||||||
PDFViewer.goToNextPage(); |
|
||||||
this.select(); |
|
||||||
} |
|
||||||
|
|
||||||
// Down arrow key.
|
|
||||||
else if (charCode === 40) { |
|
||||||
PDFViewer.goToPreviousPage(); |
|
||||||
this.select(); |
|
||||||
} |
|
||||||
|
|
||||||
// All other non-numeric keys (excluding Left arrow, Right arrow,
|
|
||||||
// Backspace, and Delete keys).
|
|
||||||
else if ((charCode < 48 || charCode > 57) && |
|
||||||
charCode !== 8 && // Backspace
|
|
||||||
charCode !== 46 && // Delete
|
|
||||||
charCode !== 37 && // Left arrow
|
|
||||||
charCode !== 39 // Right arrow
|
|
||||||
) { |
|
||||||
return false; |
|
||||||
} |
|
||||||
|
|
||||||
return true; |
|
||||||
}; |
|
||||||
PDFViewer.pageNumberInput.onkeyup = function(evt) { |
|
||||||
var charCode = evt.charCode || evt.keyCode; |
|
||||||
|
|
||||||
// All numeric keys, Backspace, and Delete.
|
|
||||||
if ((charCode >= 48 && charCode <= 57) || |
|
||||||
charCode === 8 || // Backspace
|
|
||||||
charCode === 46 // Delete
|
|
||||||
) { |
|
||||||
PDFViewer.goToPage(this.value); |
|
||||||
} |
|
||||||
|
|
||||||
this.focus(); |
|
||||||
}; |
|
||||||
|
|
||||||
PDFViewer.previousPageButton = document.getElementById('previousPageButton'); |
|
||||||
PDFViewer.previousPageButton.onclick = function(evt) { |
|
||||||
if (this.className.indexOf('disabled') === -1) { |
|
||||||
PDFViewer.goToPreviousPage(); |
|
||||||
} |
|
||||||
}; |
|
||||||
PDFViewer.previousPageButton.onmousedown = function(evt) { |
|
||||||
if (this.className.indexOf('disabled') === -1) { |
|
||||||
this.className = 'down'; |
|
||||||
} |
|
||||||
}; |
|
||||||
PDFViewer.previousPageButton.onmouseup = function(evt) { |
|
||||||
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
|
||||||
}; |
|
||||||
PDFViewer.previousPageButton.onmouseout = function(evt) { |
|
||||||
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
|
||||||
}; |
|
||||||
|
|
||||||
PDFViewer.nextPageButton = document.getElementById('nextPageButton'); |
|
||||||
PDFViewer.nextPageButton.onclick = function(evt) { |
|
||||||
if (this.className.indexOf('disabled') === -1) { |
|
||||||
PDFViewer.goToNextPage(); |
|
||||||
} |
|
||||||
}; |
|
||||||
PDFViewer.nextPageButton.onmousedown = function(evt) { |
|
||||||
if (this.className.indexOf('disabled') === -1) { |
|
||||||
this.className = 'down'; |
|
||||||
} |
|
||||||
}; |
|
||||||
PDFViewer.nextPageButton.onmouseup = function(evt) { |
|
||||||
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
|
||||||
}; |
|
||||||
PDFViewer.nextPageButton.onmouseout = function(evt) { |
|
||||||
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
|
||||||
}; |
|
||||||
|
|
||||||
PDFViewer.scaleSelect = document.getElementById('scaleSelect'); |
|
||||||
PDFViewer.scaleSelect.onchange = function(evt) { |
|
||||||
PDFViewer.changeScale(parseInt(this.value)); |
|
||||||
}; |
|
||||||
|
|
||||||
PDFViewer.pageNumber = parseInt(PDFViewer.queryParams.page) || PDFViewer.pageNumber; |
|
||||||
PDFViewer.scale = parseInt(PDFViewer.scaleSelect.value) / 100 || 1.0; |
|
||||||
|
|
||||||
PDFViewer.open(PDFViewer.queryParams.file || PDFViewer.url); |
|
||||||
|
|
||||||
window.onscroll = function(evt) { |
|
||||||
var lastPagesDrawn = PDFViewer.lastPagesDrawn; |
|
||||||
var visiblePages = PDFViewer.visiblePages(); |
|
||||||
|
|
||||||
var pagesToDraw = []; |
|
||||||
var pagesToKeep = []; |
|
||||||
var pagesToRemove = []; |
|
||||||
|
|
||||||
var i; |
|
||||||
|
|
||||||
// Determine which visible pages were not previously drawn.
|
|
||||||
for (i = 0; i < visiblePages.length; i++) { |
|
||||||
if (lastPagesDrawn.indexOf(visiblePages[i]) === -1) { |
|
||||||
pagesToDraw.push(visiblePages[i]); |
|
||||||
PDFViewer.drawPage(visiblePages[i]); |
|
||||||
} else { |
|
||||||
pagesToKeep.push(visiblePages[i]); |
|
||||||
} |
|
||||||
} |
|
||||||
|
|
||||||
// Determine which previously drawn pages are no longer visible.
|
|
||||||
for (i = 0; i < lastPagesDrawn.length; i++) { |
|
||||||
if (visiblePages.indexOf(lastPagesDrawn[i]) === -1) { |
|
||||||
pagesToRemove.push(lastPagesDrawn[i]); |
|
||||||
PDFViewer.removePage(lastPagesDrawn[i]); |
|
||||||
} |
|
||||||
} |
|
||||||
|
|
||||||
PDFViewer.lastPagesDrawn = pagesToDraw.concat(pagesToKeep); |
|
||||||
|
|
||||||
// Update the page number input with the current page number.
|
|
||||||
if (!PDFViewer.willJumpToPage && visiblePages.length > 0) { |
|
||||||
PDFViewer.pageNumber = PDFViewer.pageNumberInput.value = visiblePages[0]; |
|
||||||
PDFViewer.previousPageButton.className = (PDFViewer.pageNumber === 1) ? |
|
||||||
'disabled' : ''; |
|
||||||
PDFViewer.nextPageButton.className = (PDFViewer.pageNumber === PDFViewer.numberOfPages) ? |
|
||||||
'disabled' : ''; |
|
||||||
} else { |
|
||||||
PDFViewer.willJumpToPage = false; |
|
||||||
} |
|
||||||
}; |
|
||||||
}; |
|
@ -0,0 +1,197 @@ |
|||||||
|
/* -*- Mode: Java; tab-width: 2; indent-tabs-mode: nil; c-basic-offset: 2 -*- / |
||||||
|
/* vim: set shiftwidth=2 tabstop=2 autoindent cindent expandtab: */ |
||||||
|
|
||||||
|
body { |
||||||
|
background-color: #929292; |
||||||
|
font-family: 'Lucida Grande', 'Lucida Sans Unicode', Helvetica, Arial, Verdana, sans-serif; |
||||||
|
margin: 0px; |
||||||
|
padding: 0px; |
||||||
|
} |
||||||
|
|
||||||
|
canvas { |
||||||
|
box-shadow: 0px 4px 10px #000; |
||||||
|
-moz-box-shadow: 0px 4px 10px #000; |
||||||
|
-webkit-box-shadow: 0px 4px 10px #000; |
||||||
|
} |
||||||
|
|
||||||
|
span { |
||||||
|
font-size: 0.8em; |
||||||
|
} |
||||||
|
|
||||||
|
.control { |
||||||
|
display: inline-block; |
||||||
|
float: left; |
||||||
|
margin: 0px 20px 0px 0px; |
||||||
|
padding: 0px 4px 0px 0px; |
||||||
|
} |
||||||
|
|
||||||
|
.control > input { |
||||||
|
float: left; |
||||||
|
border: 1px solid #4d4d4d; |
||||||
|
height: 20px; |
||||||
|
padding: 0px; |
||||||
|
margin: 0px 2px 0px 0px; |
||||||
|
border-radius: 4px; |
||||||
|
-moz-border-radius: 4px; |
||||||
|
-webkit-border-radius: 4px; |
||||||
|
box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
||||||
|
-moz-box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
||||||
|
-webkit-box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
||||||
|
} |
||||||
|
|
||||||
|
.control > select { |
||||||
|
float: left; |
||||||
|
border: 1px solid #4d4d4d; |
||||||
|
height: 22px; |
||||||
|
padding: 2px 0px 0px; |
||||||
|
margin: 0px 0px 1px; |
||||||
|
border-radius: 4px; |
||||||
|
-moz-border-radius: 4px; |
||||||
|
-webkit-border-radius: 4px; |
||||||
|
box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
||||||
|
-moz-box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
||||||
|
-webkit-box-shadow: 0px 1px 0px rgba(255, 255, 255, 0.25); |
||||||
|
} |
||||||
|
|
||||||
|
.control > span { |
||||||
|
cursor: default; |
||||||
|
float: left; |
||||||
|
height: 18px; |
||||||
|
margin: 5px 2px 0px; |
||||||
|
padding: 0px; |
||||||
|
user-select: none; |
||||||
|
-moz-user-select: none; |
||||||
|
-webkit-user-select: none; |
||||||
|
} |
||||||
|
|
||||||
|
.control .label { |
||||||
|
clear: both; |
||||||
|
float: left; |
||||||
|
font-size: 0.65em; |
||||||
|
margin: 2px 0px 0px; |
||||||
|
position: relative; |
||||||
|
text-align: center; |
||||||
|
width: 100%; |
||||||
|
} |
||||||
|
|
||||||
|
.page { |
||||||
|
width: 816px; |
||||||
|
height: 1056px; |
||||||
|
margin: 10px auto; |
||||||
|
} |
||||||
|
|
||||||
|
#controls { |
||||||
|
background-color: #eee; |
||||||
|
border-bottom: 1px solid #666; |
||||||
|
padding: 4px 0px 0px 8px; |
||||||
|
position: fixed; |
||||||
|
left: 0px; |
||||||
|
top: 0px; |
||||||
|
height: 40px; |
||||||
|
width: 100%; |
||||||
|
box-shadow: 0px 2px 8px #000; |
||||||
|
-moz-box-shadow: 0px 2px 8px #000; |
||||||
|
-webkit-box-shadow: 0px 2px 8px #000; |
||||||
|
} |
||||||
|
|
||||||
|
#controls input { |
||||||
|
user-select: text; |
||||||
|
-moz-user-select: text; |
||||||
|
-webkit-user-select: text; |
||||||
|
} |
||||||
|
|
||||||
|
#previousPageButton { |
||||||
|
background: url('images/buttons.png') no-repeat 0px -23px; |
||||||
|
cursor: default; |
||||||
|
display: inline-block; |
||||||
|
float: left; |
||||||
|
margin: 0px; |
||||||
|
width: 28px; |
||||||
|
height: 23px; |
||||||
|
} |
||||||
|
|
||||||
|
#previousPageButton.down { |
||||||
|
background: url('images/buttons.png') no-repeat 0px -46px; |
||||||
|
} |
||||||
|
|
||||||
|
#previousPageButton.disabled { |
||||||
|
background: url('images/buttons.png') no-repeat 0px 0px; |
||||||
|
} |
||||||
|
|
||||||
|
#nextPageButton { |
||||||
|
background: url('images/buttons.png') no-repeat -28px -23px; |
||||||
|
cursor: default; |
||||||
|
display: inline-block; |
||||||
|
float: left; |
||||||
|
margin: 0px; |
||||||
|
width: 28px; |
||||||
|
height: 23px; |
||||||
|
} |
||||||
|
|
||||||
|
#nextPageButton.down { |
||||||
|
background: url('images/buttons.png') no-repeat -28px -46px; |
||||||
|
} |
||||||
|
|
||||||
|
#nextPageButton.disabled { |
||||||
|
background: url('images/buttons.png') no-repeat -28px 0px; |
||||||
|
} |
||||||
|
|
||||||
|
#openFileButton { |
||||||
|
background: url('images/buttons.png') no-repeat -56px -23px; |
||||||
|
cursor: default; |
||||||
|
display: inline-block; |
||||||
|
float: left; |
||||||
|
margin: 0px 0px 0px 3px; |
||||||
|
width: 29px; |
||||||
|
height: 23px; |
||||||
|
} |
||||||
|
|
||||||
|
#openFileButton.down { |
||||||
|
background: url('images/buttons.png') no-repeat -56px -46px; |
||||||
|
} |
||||||
|
|
||||||
|
#openFileButton.disabled { |
||||||
|
background: url('images/buttons.png') no-repeat -56px 0px; |
||||||
|
} |
||||||
|
|
||||||
|
#fileInput { |
||||||
|
display: none; |
||||||
|
} |
||||||
|
|
||||||
|
#pageNumber { |
||||||
|
text-align: right; |
||||||
|
} |
||||||
|
|
||||||
|
#sidebar { |
||||||
|
background-color: rgba(0, 0, 0, 0.8); |
||||||
|
position: fixed; |
||||||
|
width: 150px; |
||||||
|
top: 62px; |
||||||
|
bottom: 18px; |
||||||
|
border-top-right-radius: 8px; |
||||||
|
border-bottom-right-radius: 8px; |
||||||
|
-moz-border-radius-topright: 8px; |
||||||
|
-moz-border-radius-bottomright: 8px; |
||||||
|
-webkit-border-top-right-radius: 8px; |
||||||
|
-webkit-border-bottom-right-radius: 8px; |
||||||
|
} |
||||||
|
|
||||||
|
#sidebarScrollView { |
||||||
|
position: absolute; |
||||||
|
overflow: hidden; |
||||||
|
overflow-y: auto; |
||||||
|
top: 40px; |
||||||
|
right: 10px; |
||||||
|
bottom: 10px; |
||||||
|
left: 10px; |
||||||
|
} |
||||||
|
|
||||||
|
#sidebarContentView { |
||||||
|
height: auto; |
||||||
|
width: 100px; |
||||||
|
} |
||||||
|
|
||||||
|
#viewer { |
||||||
|
margin: 44px 0px 0px; |
||||||
|
padding: 8px 0px; |
||||||
|
} |
@ -0,0 +1,51 @@ |
|||||||
|
<!DOCTYPE html> |
||||||
|
<html> |
||||||
|
<head> |
||||||
|
<title>pdf.js Multi-Page Viewer</title> |
||||||
|
<meta http-equiv="Content-type" content="text/html;charset=UTF-8"/> |
||||||
|
<link rel="stylesheet" href="multi_page_viewer.css" type="text/css" media="screen"/> |
||||||
|
<script type="text/javascript" src="pdf.js"></script> |
||||||
|
<script type="text/javascript" src="fonts.js"></script> |
||||||
|
<script type="text/javascript" src="glyphlist.js"></script> |
||||||
|
<script type="text/javascript" src="multi_page_viewer.js"></script> |
||||||
|
</head> |
||||||
|
<body> |
||||||
|
<div id="controls"> |
||||||
|
<span class="control"> |
||||||
|
<span id="previousPageButton" class="disabled"></span> |
||||||
|
<span id="nextPageButton" class="disabled"></span> |
||||||
|
<span class="label">Previous/Next</span> |
||||||
|
</span> |
||||||
|
<span class="control"> |
||||||
|
<input type="text" id="pageNumber" value="1" size="2"/> |
||||||
|
<span>/</span> |
||||||
|
<span id="numPages">--</span> |
||||||
|
<span class="label">Page Number</span> |
||||||
|
</span> |
||||||
|
<span class="control"> |
||||||
|
<select id="scaleSelect"> |
||||||
|
<option value="50">50%</option> |
||||||
|
<option value="75">75%</option> |
||||||
|
<option value="100" selected="selected">100%</option> |
||||||
|
<option value="125">125%</option> |
||||||
|
<option value="150">150%</option> |
||||||
|
<option value="200">200%</option> |
||||||
|
</select> |
||||||
|
<span class="label">Zoom</span> |
||||||
|
</span> |
||||||
|
<span class="control"> |
||||||
|
<span id="openFileButton"></span> |
||||||
|
<input type="file" id="fileInput"/> |
||||||
|
<span class="label">Open File</span> |
||||||
|
</span> |
||||||
|
</div> |
||||||
|
<!--<div id="sidebar"> |
||||||
|
<div id="sidebarScrollView"> |
||||||
|
<div id="sidebarContentView"> |
||||||
|
|
||||||
|
</div> |
||||||
|
</div> |
||||||
|
</div>--> |
||||||
|
<div id="viewer"></div> |
||||||
|
</body> |
||||||
|
</html> |
@ -0,0 +1,423 @@ |
|||||||
|
/* -*- Mode: Java; tab-width: 2; indent-tabs-mode: nil; c-basic-offset: 2 -*- / |
||||||
|
/* vim: set shiftwidth=2 tabstop=2 autoindent cindent expandtab: */ |
||||||
|
|
||||||
|
"use strict"; |
||||||
|
|
||||||
|
var pageTimeout; |
||||||
|
|
||||||
|
var PDFViewer = { |
||||||
|
queryParams: {}, |
||||||
|
|
||||||
|
element: null, |
||||||
|
|
||||||
|
previousPageButton: null, |
||||||
|
nextPageButton: null, |
||||||
|
pageNumberInput: null, |
||||||
|
scaleSelect: null, |
||||||
|
fileInput: null, |
||||||
|
|
||||||
|
willJumpToPage: false, |
||||||
|
|
||||||
|
pdf: null, |
||||||
|
|
||||||
|
url: 'compressed.tracemonkey-pldi-09.pdf', |
||||||
|
pageNumber: 1, |
||||||
|
numberOfPages: 1, |
||||||
|
|
||||||
|
scale: 1.0, |
||||||
|
|
||||||
|
pageWidth: function() { |
||||||
|
return 816 * PDFViewer.scale; |
||||||
|
}, |
||||||
|
|
||||||
|
pageHeight: function() { |
||||||
|
return 1056 * PDFViewer.scale; |
||||||
|
}, |
||||||
|
|
||||||
|
lastPagesDrawn: [], |
||||||
|
|
||||||
|
visiblePages: function() { |
||||||
|
var pageHeight = PDFViewer.pageHeight() + 20; // Add 20 for the margins.
|
||||||
|
var windowTop = window.pageYOffset; |
||||||
|
var windowBottom = window.pageYOffset + window.innerHeight; |
||||||
|
var pageStartIndex = Math.floor(windowTop / pageHeight); |
||||||
|
var pageStopIndex = Math.ceil(windowBottom / pageHeight); |
||||||
|
|
||||||
|
var pages = []; |
||||||
|
|
||||||
|
for (var i = pageStartIndex; i <= pageStopIndex; i++) { |
||||||
|
pages.push(i + 1); |
||||||
|
} |
||||||
|
|
||||||
|
return pages; |
||||||
|
}, |
||||||
|
|
||||||
|
createPage: function(num) { |
||||||
|
var anchor = document.createElement('a'); |
||||||
|
anchor.name = '' + num; |
||||||
|
|
||||||
|
var div = document.createElement('div'); |
||||||
|
div.id = 'pageContainer' + num; |
||||||
|
div.className = 'page'; |
||||||
|
div.style.width = PDFViewer.pageWidth() + 'px'; |
||||||
|
div.style.height = PDFViewer.pageHeight() + 'px'; |
||||||
|
|
||||||
|
PDFViewer.element.appendChild(anchor); |
||||||
|
PDFViewer.element.appendChild(div); |
||||||
|
}, |
||||||
|
|
||||||
|
removePage: function(num) { |
||||||
|
var div = document.getElementById('pageContainer' + num); |
||||||
|
|
||||||
|
if (div) { |
||||||
|
while (div.hasChildNodes()) { |
||||||
|
div.removeChild(div.firstChild); |
||||||
|
} |
||||||
|
} |
||||||
|
}, |
||||||
|
|
||||||
|
drawPage: function(num) { |
||||||
|
if (!PDFViewer.pdf) |
||||||
|
return; |
||||||
|
|
||||||
|
var div = document.getElementById('pageContainer' + num); |
||||||
|
var canvas = document.createElement('canvas'); |
||||||
|
|
||||||
|
if (div && !div.hasChildNodes()) { |
||||||
|
var page = PDFViewer.pdf.getPage(num); |
||||||
|
|
||||||
|
canvas.id = 'page' + num; |
||||||
|
canvas.mozOpaque = true; |
||||||
|
|
||||||
|
// Canvas dimensions must be specified in CSS pixels. CSS pixels
|
||||||
|
// are always 96 dpi. These dimensions are 8.5in x 11in at 96dpi.
|
||||||
|
canvas.width = PDFViewer.pageWidth(); |
||||||
|
canvas.height = PDFViewer.pageHeight(); |
||||||
|
div.appendChild(canvas); |
||||||
|
|
||||||
|
var ctx = canvas.getContext('2d'); |
||||||
|
ctx.save(); |
||||||
|
ctx.fillStyle = 'rgb(255, 255, 255)'; |
||||||
|
ctx.fillRect(0, 0, canvas.width, canvas.height); |
||||||
|
ctx.restore(); |
||||||
|
|
||||||
|
var gfx = new CanvasGraphics(ctx); |
||||||
|
|
||||||
|
// page.compile will collect all fonts for us, once we have loaded them
|
||||||
|
// we can trigger the actual page rendering with page.display
|
||||||
|
var fonts = []; |
||||||
|
page.compile(gfx, fonts); |
||||||
|
|
||||||
|
var loadFont = function() { |
||||||
|
if (!FontLoader.bind(fonts)) { |
||||||
|
pageTimeout = window.setTimeout(loadFont, 10); |
||||||
|
return; |
||||||
|
} |
||||||
|
page.display(gfx); |
||||||
|
} |
||||||
|
loadFont(); |
||||||
|
} |
||||||
|
}, |
||||||
|
|
||||||
|
changeScale: function(num) { |
||||||
|
while (PDFViewer.element.hasChildNodes()) { |
||||||
|
PDFViewer.element.removeChild(PDFViewer.element.firstChild); |
||||||
|
} |
||||||
|
|
||||||
|
PDFViewer.scale = num / 100; |
||||||
|
|
||||||
|
var i; |
||||||
|
|
||||||
|
if (PDFViewer.pdf) { |
||||||
|
for (i = 1; i <= PDFViewer.numberOfPages; i++) { |
||||||
|
PDFViewer.createPage(i); |
||||||
|
} |
||||||
|
|
||||||
|
if (PDFViewer.numberOfPages > 0) { |
||||||
|
PDFViewer.drawPage(1); |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
for (i = 0; i < PDFViewer.scaleSelect.childNodes; i++) { |
||||||
|
var option = PDFViewer.scaleSelect.childNodes[i]; |
||||||
|
|
||||||
|
if (option.value == num) { |
||||||
|
if (!option.selected) { |
||||||
|
option.selected = 'selected'; |
||||||
|
} |
||||||
|
} else { |
||||||
|
if (option.selected) { |
||||||
|
option.removeAttribute('selected'); |
||||||
|
} |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
PDFViewer.scaleSelect.value = Math.floor(PDFViewer.scale * 100) + '%'; |
||||||
|
}, |
||||||
|
|
||||||
|
goToPage: function(num) { |
||||||
|
if (1 <= num && num <= PDFViewer.numberOfPages) { |
||||||
|
PDFViewer.pageNumber = num; |
||||||
|
PDFViewer.pageNumberInput.value = PDFViewer.pageNumber; |
||||||
|
PDFViewer.willJumpToPage = true; |
||||||
|
|
||||||
|
document.location.hash = PDFViewer.pageNumber; |
||||||
|
|
||||||
|
PDFViewer.previousPageButton.className = (PDFViewer.pageNumber === 1) ? 'disabled' : ''; |
||||||
|
PDFViewer.nextPageButton.className = (PDFViewer.pageNumber === PDFViewer.numberOfPages) ? 'disabled' : ''; |
||||||
|
} |
||||||
|
}, |
||||||
|
|
||||||
|
goToPreviousPage: function() { |
||||||
|
if (PDFViewer.pageNumber > 1) { |
||||||
|
PDFViewer.goToPage(--PDFViewer.pageNumber); |
||||||
|
} |
||||||
|
}, |
||||||
|
|
||||||
|
goToNextPage: function() { |
||||||
|
if (PDFViewer.pageNumber < PDFViewer.numberOfPages) { |
||||||
|
PDFViewer.goToPage(++PDFViewer.pageNumber); |
||||||
|
} |
||||||
|
}, |
||||||
|
|
||||||
|
openURL: function(url) { |
||||||
|
PDFViewer.url = url; |
||||||
|
document.title = url; |
||||||
|
|
||||||
|
var req = new XMLHttpRequest(); |
||||||
|
req.open('GET', url); |
||||||
|
req.mozResponseType = req.responseType = 'arraybuffer'; |
||||||
|
req.expected = (document.URL.indexOf('file:') === 0) ? 0 : 200; |
||||||
|
|
||||||
|
req.onreadystatechange = function() { |
||||||
|
if (req.readyState === 4 && req.status === req.expected) { |
||||||
|
var data = req.mozResponseArrayBuffer || req.mozResponse || req.responseArrayBuffer || req.response; |
||||||
|
|
||||||
|
PDFViewer.readPDF(data); |
||||||
|
} |
||||||
|
}; |
||||||
|
|
||||||
|
req.send(null); |
||||||
|
}, |
||||||
|
|
||||||
|
readPDF: function(data) { |
||||||
|
while (PDFViewer.element.hasChildNodes()) { |
||||||
|
PDFViewer.element.removeChild(PDFViewer.element.firstChild); |
||||||
|
} |
||||||
|
|
||||||
|
PDFViewer.pdf = new PDFDoc(new Stream(data)); |
||||||
|
PDFViewer.numberOfPages = PDFViewer.pdf.numPages; |
||||||
|
document.getElementById('numPages').innerHTML = PDFViewer.numberOfPages.toString(); |
||||||
|
|
||||||
|
for (var i = 1; i <= PDFViewer.numberOfPages; i++) { |
||||||
|
PDFViewer.createPage(i); |
||||||
|
} |
||||||
|
|
||||||
|
if (PDFViewer.numberOfPages > 0) { |
||||||
|
PDFViewer.drawPage(1); |
||||||
|
document.location.hash = 1; |
||||||
|
} |
||||||
|
|
||||||
|
PDFViewer.previousPageButton.className = (PDFViewer.pageNumber === 1) ? 'disabled' : ''; |
||||||
|
PDFViewer.nextPageButton.className = (PDFViewer.pageNumber === PDFViewer.numberOfPages) ? 'disabled' : ''; |
||||||
|
} |
||||||
|
}; |
||||||
|
|
||||||
|
window.onload = function() { |
||||||
|
// Parse the URL query parameters into a cached object.
|
||||||
|
PDFViewer.queryParams = function() { |
||||||
|
var qs = window.location.search.substring(1); |
||||||
|
var kvs = qs.split('&'); |
||||||
|
var params = {}; |
||||||
|
|
||||||
|
for (var i = 0; i < kvs.length; ++i) { |
||||||
|
var kv = kvs[i].split('='); |
||||||
|
params[unescape(kv[0])] = unescape(kv[1]); |
||||||
|
} |
||||||
|
|
||||||
|
return params; |
||||||
|
}(); |
||||||
|
|
||||||
|
PDFViewer.element = document.getElementById('viewer'); |
||||||
|
|
||||||
|
PDFViewer.pageNumberInput = document.getElementById('pageNumber'); |
||||||
|
PDFViewer.pageNumberInput.onkeydown = function(evt) { |
||||||
|
var charCode = evt.charCode || evt.keyCode; |
||||||
|
|
||||||
|
// Up arrow key.
|
||||||
|
if (charCode === 38) { |
||||||
|
PDFViewer.goToNextPage(); |
||||||
|
this.select(); |
||||||
|
} |
||||||
|
|
||||||
|
// Down arrow key.
|
||||||
|
else if (charCode === 40) { |
||||||
|
PDFViewer.goToPreviousPage(); |
||||||
|
this.select(); |
||||||
|
} |
||||||
|
|
||||||
|
// All other non-numeric keys (excluding Left arrow, Right arrow,
|
||||||
|
// Backspace, and Delete keys).
|
||||||
|
else if ((charCode < 48 || charCode > 57) && |
||||||
|
charCode !== 8 && // Backspace
|
||||||
|
charCode !== 46 && // Delete
|
||||||
|
charCode !== 37 && // Left arrow
|
||||||
|
charCode !== 39 // Right arrow
|
||||||
|
) { |
||||||
|
return false; |
||||||
|
} |
||||||
|
|
||||||
|
return true; |
||||||
|
}; |
||||||
|
PDFViewer.pageNumberInput.onkeyup = function(evt) { |
||||||
|
var charCode = evt.charCode || evt.keyCode; |
||||||
|
|
||||||
|
// All numeric keys, Backspace, and Delete.
|
||||||
|
if ((charCode >= 48 && charCode <= 57) || |
||||||
|
charCode === 8 || // Backspace
|
||||||
|
charCode === 46 // Delete
|
||||||
|
) { |
||||||
|
PDFViewer.goToPage(this.value); |
||||||
|
} |
||||||
|
|
||||||
|
this.focus(); |
||||||
|
}; |
||||||
|
|
||||||
|
PDFViewer.previousPageButton = document.getElementById('previousPageButton'); |
||||||
|
PDFViewer.previousPageButton.onclick = function(evt) { |
||||||
|
if (this.className.indexOf('disabled') === -1) { |
||||||
|
PDFViewer.goToPreviousPage(); |
||||||
|
} |
||||||
|
}; |
||||||
|
PDFViewer.previousPageButton.onmousedown = function(evt) { |
||||||
|
if (this.className.indexOf('disabled') === -1) { |
||||||
|
this.className = 'down'; |
||||||
|
} |
||||||
|
}; |
||||||
|
PDFViewer.previousPageButton.onmouseup = function(evt) { |
||||||
|
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
||||||
|
}; |
||||||
|
PDFViewer.previousPageButton.onmouseout = function(evt) { |
||||||
|
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
||||||
|
}; |
||||||
|
|
||||||
|
PDFViewer.nextPageButton = document.getElementById('nextPageButton'); |
||||||
|
PDFViewer.nextPageButton.onclick = function(evt) { |
||||||
|
if (this.className.indexOf('disabled') === -1) { |
||||||
|
PDFViewer.goToNextPage(); |
||||||
|
} |
||||||
|
}; |
||||||
|
PDFViewer.nextPageButton.onmousedown = function(evt) { |
||||||
|
if (this.className.indexOf('disabled') === -1) { |
||||||
|
this.className = 'down'; |
||||||
|
} |
||||||
|
}; |
||||||
|
PDFViewer.nextPageButton.onmouseup = function(evt) { |
||||||
|
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
||||||
|
}; |
||||||
|
PDFViewer.nextPageButton.onmouseout = function(evt) { |
||||||
|
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
||||||
|
}; |
||||||
|
|
||||||
|
PDFViewer.scaleSelect = document.getElementById('scaleSelect'); |
||||||
|
PDFViewer.scaleSelect.onchange = function(evt) { |
||||||
|
PDFViewer.changeScale(parseInt(this.value)); |
||||||
|
}; |
||||||
|
|
||||||
|
if (window.File && window.FileReader && window.FileList && window.Blob) { |
||||||
|
var openFileButton = document.getElementById('openFileButton'); |
||||||
|
openFileButton.onclick = function(evt) { |
||||||
|
if (this.className.indexOf('disabled') === -1) { |
||||||
|
PDFViewer.fileInput.click(); |
||||||
|
} |
||||||
|
}; |
||||||
|
openFileButton.onmousedown = function(evt) { |
||||||
|
if (this.className.indexOf('disabled') === -1) { |
||||||
|
this.className = 'down'; |
||||||
|
} |
||||||
|
}; |
||||||
|
openFileButton.onmouseup = function(evt) { |
||||||
|
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
||||||
|
}; |
||||||
|
openFileButton.onmouseout = function(evt) { |
||||||
|
this.className = (this.className.indexOf('disabled') !== -1) ? 'disabled' : ''; |
||||||
|
}; |
||||||
|
|
||||||
|
PDFViewer.fileInput = document.getElementById('fileInput'); |
||||||
|
PDFViewer.fileInput.onchange = function(evt) { |
||||||
|
var files = evt.target.files; |
||||||
|
|
||||||
|
if (files.length > 0) { |
||||||
|
var file = files[0]; |
||||||
|
var fileReader = new FileReader(); |
||||||
|
|
||||||
|
document.title = file.name; |
||||||
|
|
||||||
|
// Read the local file into a Uint8Array.
|
||||||
|
fileReader.onload = function(evt) { |
||||||
|
var data = evt.target.result; |
||||||
|
var buffer = new ArrayBuffer(data.length); |
||||||
|
var uint8Array = new Uint8Array(buffer); |
||||||
|
|
||||||
|
for (var i = 0; i < data.length; i++) { |
||||||
|
uint8Array[i] = data.charCodeAt(i); |
||||||
|
} |
||||||
|
|
||||||
|
PDFViewer.readPDF(uint8Array); |
||||||
|
}; |
||||||
|
|
||||||
|
// Read as a binary string since "readAsArrayBuffer" is not yet
|
||||||
|
// implemented in Firefox.
|
||||||
|
fileReader.readAsBinaryString(file); |
||||||
|
} |
||||||
|
}; |
||||||
|
PDFViewer.fileInput.value = null; |
||||||
|
} else { |
||||||
|
document.getElementById('fileWrapper').style.display = 'none'; |
||||||
|
} |
||||||
|
|
||||||
|
PDFViewer.pageNumber = parseInt(PDFViewer.queryParams.page) || PDFViewer.pageNumber; |
||||||
|
PDFViewer.scale = parseInt(PDFViewer.scaleSelect.value) / 100 || 1.0; |
||||||
|
|
||||||
|
PDFViewer.openURL(PDFViewer.queryParams.file || PDFViewer.url); |
||||||
|
|
||||||
|
window.onscroll = function(evt) { |
||||||
|
var lastPagesDrawn = PDFViewer.lastPagesDrawn; |
||||||
|
var visiblePages = PDFViewer.visiblePages(); |
||||||
|
|
||||||
|
var pagesToDraw = []; |
||||||
|
var pagesToKeep = []; |
||||||
|
var pagesToRemove = []; |
||||||
|
|
||||||
|
var i; |
||||||
|
|
||||||
|
// Determine which visible pages were not previously drawn.
|
||||||
|
for (i = 0; i < visiblePages.length; i++) { |
||||||
|
if (lastPagesDrawn.indexOf(visiblePages[i]) === -1) { |
||||||
|
pagesToDraw.push(visiblePages[i]); |
||||||
|
PDFViewer.drawPage(visiblePages[i]); |
||||||
|
} else { |
||||||
|
pagesToKeep.push(visiblePages[i]); |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
// Determine which previously drawn pages are no longer visible.
|
||||||
|
for (i = 0; i < lastPagesDrawn.length; i++) { |
||||||
|
if (visiblePages.indexOf(lastPagesDrawn[i]) === -1) { |
||||||
|
pagesToRemove.push(lastPagesDrawn[i]); |
||||||
|
PDFViewer.removePage(lastPagesDrawn[i]); |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
PDFViewer.lastPagesDrawn = pagesToDraw.concat(pagesToKeep); |
||||||
|
|
||||||
|
// Update the page number input with the current page number.
|
||||||
|
if (!PDFViewer.willJumpToPage && visiblePages.length > 0) { |
||||||
|
PDFViewer.pageNumber = PDFViewer.pageNumberInput.value = visiblePages[0]; |
||||||
|
PDFViewer.previousPageButton.className = (PDFViewer.pageNumber === 1) ? 'disabled' : ''; |
||||||
|
PDFViewer.nextPageButton.className = (PDFViewer.pageNumber === PDFViewer.numberOfPages) ? 'disabled' : ''; |
||||||
|
} else { |
||||||
|
PDFViewer.willJumpToPage = false; |
||||||
|
} |
||||||
|
}; |
||||||
|
}; |
@ -0,0 +1,88 @@ |
|||||||
|
/* -*- Mode: Java; tab-width: 2; indent-tabs-mode: nil; c-basic-offset: 2 -*- / |
||||||
|
/* vim: set shiftwidth=2 tabstop=2 autoindent cindent expandtab: */ |
||||||
|
|
||||||
|
"use strict"; |
||||||
|
|
||||||
|
var consoleTimer = {}; |
||||||
|
var console = { |
||||||
|
log: function log() { |
||||||
|
var args = Array.prototype.slice.call(arguments); |
||||||
|
postMessage({ |
||||||
|
action: "log", |
||||||
|
data: args |
||||||
|
}); |
||||||
|
}, |
||||||
|
|
||||||
|
time: function(name) { |
||||||
|
consoleTimer[name] = Date.now(); |
||||||
|
}, |
||||||
|
|
||||||
|
timeEnd: function(name) { |
||||||
|
var time = consoleTimer[name]; |
||||||
|
if (time == null) { |
||||||
|
throw "Unkown timer name " + name; |
||||||
|
} |
||||||
|
this.log("Timer:", name, Date.now() - time); |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
//
|
||||||
|
importScripts("canvas_proxy.js"); |
||||||
|
importScripts("pdf.js"); |
||||||
|
importScripts("fonts.js"); |
||||||
|
importScripts("glyphlist.js") |
||||||
|
|
||||||
|
// Use the JpegStreamProxy proxy.
|
||||||
|
JpegStream = JpegStreamProxy; |
||||||
|
|
||||||
|
// Create the WebWorkerProxyCanvas.
|
||||||
|
var canvas = new CanvasProxy(1224, 1584); |
||||||
|
|
||||||
|
// Listen for messages from the main thread.
|
||||||
|
var pdfDocument = null; |
||||||
|
onmessage = function(event) { |
||||||
|
var data = event.data; |
||||||
|
// If there is no pdfDocument yet, then the sent data is the PDFDocument.
|
||||||
|
if (!pdfDocument) { |
||||||
|
pdfDocument = new PDFDoc(new Stream(data)); |
||||||
|
postMessage({ |
||||||
|
action: "pdf_num_pages", |
||||||
|
data: pdfDocument.numPages |
||||||
|
}); |
||||||
|
return; |
||||||
|
} |
||||||
|
// User requested to render a certain page.
|
||||||
|
else { |
||||||
|
console.time("compile"); |
||||||
|
|
||||||
|
// Let's try to render the first page...
|
||||||
|
var page = pdfDocument.getPage(parseInt(data)); |
||||||
|
|
||||||
|
// page.compile will collect all fonts for us, once we have loaded them
|
||||||
|
// we can trigger the actual page rendering with page.display
|
||||||
|
var fonts = []; |
||||||
|
var gfx = new CanvasGraphics(canvas.getContext("2d"), CanvasProxy); |
||||||
|
page.compile(gfx, fonts); |
||||||
|
console.timeEnd("compile"); |
||||||
|
|
||||||
|
console.time("fonts"); |
||||||
|
// Inspect fonts and translate the missing one.
|
||||||
|
var count = fonts.length; |
||||||
|
for (var i = 0; i < count; i++) { |
||||||
|
var font = fonts[i]; |
||||||
|
if (Fonts[font.name]) { |
||||||
|
fontsReady = fontsReady && !Fonts[font.name].loading; |
||||||
|
continue; |
||||||
|
} |
||||||
|
|
||||||
|
// This "builds" the font and sents it over to the main thread.
|
||||||
|
new Font(font.name, font.file, font.properties); |
||||||
|
} |
||||||
|
console.timeEnd("fonts"); |
||||||
|
|
||||||
|
console.time("display"); |
||||||
|
page.display(gfx); |
||||||
|
canvas.flush(); |
||||||
|
console.timeEnd("display"); |
||||||
|
} |
||||||
|
} |
@ -1,221 +0,0 @@ |
|||||||
import json, os, sys, subprocess, urllib2 |
|
||||||
from BaseHTTPServer import BaseHTTPRequestHandler, HTTPServer |
|
||||||
from urlparse import urlparse |
|
||||||
|
|
||||||
ANAL = True |
|
||||||
DEFAULT_MANIFEST_FILE = 'test_manifest.json' |
|
||||||
REFDIR = 'ref' |
|
||||||
VERBOSE = False |
|
||||||
|
|
||||||
MIMEs = { |
|
||||||
'.css': 'text/css', |
|
||||||
'.html': 'text/html', |
|
||||||
'.js': 'application/json', |
|
||||||
'.json': 'application/json', |
|
||||||
'.pdf': 'application/pdf', |
|
||||||
'.xhtml': 'application/xhtml+xml', |
|
||||||
} |
|
||||||
|
|
||||||
class State: |
|
||||||
browsers = [ ] |
|
||||||
manifest = { } |
|
||||||
taskResults = { } |
|
||||||
remaining = 0 |
|
||||||
results = { } |
|
||||||
done = False |
|
||||||
|
|
||||||
class Result: |
|
||||||
def __init__(self, snapshot, failure): |
|
||||||
self.snapshot = snapshot |
|
||||||
self.failure = failure |
|
||||||
|
|
||||||
|
|
||||||
class PDFTestHandler(BaseHTTPRequestHandler): |
|
||||||
# Disable annoying noise by default |
|
||||||
def log_request(code=0, size=0): |
|
||||||
if VERBOSE: |
|
||||||
BaseHTTPRequestHandler.log_request(code, size) |
|
||||||
|
|
||||||
def do_GET(self): |
|
||||||
url = urlparse(self.path) |
|
||||||
# Ignore query string |
|
||||||
path, _ = url.path, url.query |
|
||||||
cwd = os.getcwd() |
|
||||||
path = os.path.abspath(os.path.realpath(cwd + os.sep + path)) |
|
||||||
cwd = os.path.abspath(cwd) |
|
||||||
prefix = os.path.commonprefix(( path, cwd )) |
|
||||||
_, ext = os.path.splitext(path) |
|
||||||
|
|
||||||
if not (prefix == cwd |
|
||||||
and os.path.isfile(path) |
|
||||||
and ext in MIMEs): |
|
||||||
self.send_error(404) |
|
||||||
return |
|
||||||
|
|
||||||
if 'Range' in self.headers: |
|
||||||
# TODO for fetch-as-you-go |
|
||||||
self.send_error(501) |
|
||||||
return |
|
||||||
|
|
||||||
self.send_response(200) |
|
||||||
self.send_header("Content-Type", MIMEs[ext]) |
|
||||||
self.end_headers() |
|
||||||
|
|
||||||
# Sigh, os.sendfile() plz |
|
||||||
f = open(path) |
|
||||||
self.wfile.write(f.read()) |
|
||||||
f.close() |
|
||||||
|
|
||||||
|
|
||||||
def do_POST(self): |
|
||||||
numBytes = int(self.headers['Content-Length']) |
|
||||||
|
|
||||||
self.send_response(200) |
|
||||||
self.send_header('Content-Type', 'text/plain') |
|
||||||
self.end_headers() |
|
||||||
|
|
||||||
result = json.loads(self.rfile.read(numBytes)) |
|
||||||
browser, id, failure, round, page, snapshot = result['browser'], result['id'], result['failure'], result['round'], result['page'], result['snapshot'] |
|
||||||
taskResults = State.taskResults[browser][id] |
|
||||||
taskResults[round].append(Result(snapshot, failure)) |
|
||||||
assert len(taskResults[round]) == page |
|
||||||
|
|
||||||
if result['taskDone']: |
|
||||||
check(State.manifest[id], taskResults, browser) |
|
||||||
# Please oh please GC this ... |
|
||||||
del State.taskResults[browser][id] |
|
||||||
State.remaining -= 1 |
|
||||||
|
|
||||||
State.done = (0 == State.remaining) |
|
||||||
|
|
||||||
|
|
||||||
def set_up(manifestFile): |
|
||||||
# Only serve files from a pdf.js clone |
|
||||||
assert not ANAL or os.path.isfile('pdf.js') and os.path.isdir('.git') |
|
||||||
|
|
||||||
testBrowsers = [ b for b in |
|
||||||
( 'firefox4', ) |
|
||||||
#'chrome12', 'chrome13', 'firefox5', 'firefox6','opera11' ): |
|
||||||
if os.access(b, os.R_OK | os.X_OK) ] |
|
||||||
|
|
||||||
mf = open(manifestFile) |
|
||||||
manifestList = json.load(mf) |
|
||||||
mf.close() |
|
||||||
|
|
||||||
for item in manifestList: |
|
||||||
f, isLink = item['file'], item.get('link', False) |
|
||||||
if isLink and not os.access(f, os.R_OK): |
|
||||||
linkFile = open(f +'.link') |
|
||||||
link = linkFile.read() |
|
||||||
linkFile.close() |
|
||||||
|
|
||||||
sys.stdout.write('Downloading '+ link +' to '+ f +' ...') |
|
||||||
sys.stdout.flush() |
|
||||||
response = urllib2.urlopen(link) |
|
||||||
|
|
||||||
out = open(f, 'w') |
|
||||||
out.write(response.read()) |
|
||||||
out.close() |
|
||||||
|
|
||||||
print 'done' |
|
||||||
|
|
||||||
for b in testBrowsers: |
|
||||||
State.taskResults[b] = { } |
|
||||||
for item in manifestList: |
|
||||||
id, rounds = item['id'], int(item['rounds']) |
|
||||||
State.manifest[id] = item |
|
||||||
taskResults = [ ] |
|
||||||
for r in xrange(rounds): |
|
||||||
taskResults.append([ ]) |
|
||||||
State.taskResults[b][id] = taskResults |
|
||||||
|
|
||||||
State.remaining = len(manifestList) |
|
||||||
|
|
||||||
for b in testBrowsers: |
|
||||||
print 'Launching', b |
|
||||||
qs = 'browser='+ b +'&manifestFile='+ manifestFile |
|
||||||
subprocess.Popen(( os.path.abspath(os.path.realpath(b)), |
|
||||||
'http://localhost:8080/test_slave.html?'+ qs)) |
|
||||||
|
|
||||||
|
|
||||||
def check(task, results, browser): |
|
||||||
failed = False |
|
||||||
for r in xrange(len(results)): |
|
||||||
pageResults = results[r] |
|
||||||
for p in xrange(len(pageResults)): |
|
||||||
pageResult = pageResults[p] |
|
||||||
if pageResult is None: |
|
||||||
continue |
|
||||||
failure = pageResult.failure |
|
||||||
if failure: |
|
||||||
failed = True |
|
||||||
print 'TEST-UNEXPECTED-FAIL | test failed', task['id'], '| in', browser, '| page', p + 1, 'round', r, '|', failure |
|
||||||
|
|
||||||
if failed: |
|
||||||
return |
|
||||||
|
|
||||||
kind = task['type'] |
|
||||||
if 'eq' == kind: |
|
||||||
checkEq(task, results, browser) |
|
||||||
elif 'fbf' == kind: |
|
||||||
checkFBF(task, results, browser) |
|
||||||
elif 'load' == kind: |
|
||||||
checkLoad(task, results, browser) |
|
||||||
else: |
|
||||||
assert 0 and 'Unknown test type' |
|
||||||
|
|
||||||
|
|
||||||
def checkEq(task, results, browser): |
|
||||||
pfx = os.path.join(REFDIR, sys.platform, browser, task['id']) |
|
||||||
results = results[0] |
|
||||||
|
|
||||||
passed = True |
|
||||||
for page in xrange(len(results)): |
|
||||||
ref = None |
|
||||||
try: |
|
||||||
path = os.path.join(pfx, str(page + 1)) |
|
||||||
f = open(path) |
|
||||||
ref = f.read() |
|
||||||
f.close() |
|
||||||
except IOError, ioe: |
|
||||||
continue |
|
||||||
|
|
||||||
snapshot = results[page] |
|
||||||
if ref != snapshot: |
|
||||||
print 'TEST-UNEXPECTED-FAIL | eq', task['id'], '| in', browser, '| rendering of page', page + 1, '!= reference rendering' |
|
||||||
passed = False |
|
||||||
if passed: |
|
||||||
print 'TEST-PASS | eq test', task['id'], '| in', browser |
|
||||||
|
|
||||||
|
|
||||||
def checkFBF(task, results, browser): |
|
||||||
round0, round1 = results[0], results[1] |
|
||||||
assert len(round0) == len(round1) |
|
||||||
|
|
||||||
passed = True |
|
||||||
for page in xrange(len(round1)): |
|
||||||
r0Page, r1Page = round0[page], round1[page] |
|
||||||
if r0Page is None: |
|
||||||
break |
|
||||||
if r0Page.snapshot != r1Page.snapshot: |
|
||||||
print 'TEST-UNEXPECTED-FAIL | forward-back-forward test', task['id'], '| in', browser, '| first rendering of page', page + 1, '!= second' |
|
||||||
passed = False |
|
||||||
if passed: |
|
||||||
print 'TEST-PASS | forward-back-forward test', task['id'], '| in', browser |
|
||||||
|
|
||||||
|
|
||||||
def checkLoad(task, results, browser): |
|
||||||
# Load just checks for absence of failure, so if we got here the |
|
||||||
# test has passed |
|
||||||
print 'TEST-PASS | load test', task['id'], '| in', browser |
|
||||||
|
|
||||||
|
|
||||||
def main(args): |
|
||||||
manifestFile = args[0] if len(args) == 1 else DEFAULT_MANIFEST_FILE |
|
||||||
set_up(manifestFile) |
|
||||||
server = HTTPServer(('127.0.0.1', 8080), PDFTestHandler) |
|
||||||
while not State.done: |
|
||||||
server.handle_request() |
|
||||||
|
|
||||||
if __name__ == '__main__': |
|
||||||
main(sys.argv[1:]) |
|
@ -0,0 +1,10 @@ |
|||||||
|
[ |
||||||
|
{ |
||||||
|
"name":"firefox5", |
||||||
|
"path":"/Applications/Firefox.app" |
||||||
|
}, |
||||||
|
{ |
||||||
|
"name":"firefox6", |
||||||
|
"path":"/Users/sayrer/firefoxen/Aurora.app" |
||||||
|
} |
||||||
|
] |
@ -0,0 +1,4 @@ |
|||||||
|
content specialpowers chrome/specialpowers/content/ |
||||||
|
component {59a52458-13e0-4d93-9d85-a637344f29a1} components/SpecialPowersObserver.js |
||||||
|
contract @mozilla.org/special-powers-observer;1 {59a52458-13e0-4d93-9d85-a637344f29a1} |
||||||
|
category profile-after-change @mozilla.org/special-powers-observer;1 @mozilla.org/special-powers-observer;1 |
@ -0,0 +1,372 @@ |
|||||||
|
/* ***** BEGIN LICENSE BLOCK ***** |
||||||
|
* Version: MPL 1.1/GPL 2.0/LGPL 2.1 |
||||||
|
* |
||||||
|
* The contents of this file are subject to the Mozilla Public License Version |
||||||
|
* 1.1 (the "License"); you may not use this file except in compliance with |
||||||
|
* the License. You may obtain a copy of the License at |
||||||
|
* http://www.mozilla.org/MPL/
|
||||||
|
* |
||||||
|
* Software distributed under the License is distributed on an "AS IS" basis, |
||||||
|
* WITHOUT WARRANTY OF ANY KIND, either express or implied. See the License |
||||||
|
* for the specific language governing rights and limitations under the |
||||||
|
* License. |
||||||
|
* |
||||||
|
* The Original Code is Special Powers code |
||||||
|
* |
||||||
|
* The Initial Developer of the Original Code is |
||||||
|
* Mozilla Foundation. |
||||||
|
* Portions created by the Initial Developer are Copyright (C) 2010 |
||||||
|
* the Initial Developer. All Rights Reserved. |
||||||
|
* |
||||||
|
* Contributor(s): |
||||||
|
* Clint Talbert cmtalbert@gmail.com |
||||||
|
* |
||||||
|
* Alternatively, the contents of this file may be used under the terms of |
||||||
|
* either the GNU General Public License Version 2 or later (the "GPL"), or |
||||||
|
* the GNU Lesser General Public License Version 2.1 or later (the "LGPL"), |
||||||
|
* in which case the provisions of the GPL or the LGPL are applicable instead |
||||||
|
* of those above. If you wish to allow use of your version of this file only |
||||||
|
* under the terms of either the GPL or the LGPL, and not to allow others to |
||||||
|
* use your version of this file under the terms of the MPL, indicate your |
||||||
|
* decision by deleting the provisions above and replace them with the notice |
||||||
|
* and other provisions required by the GPL or the LGPL. If you do not delete |
||||||
|
* the provisions above, a recipient may use your version of this file under |
||||||
|
* the terms of any one of the MPL, the GPL or the LGPL. |
||||||
|
* |
||||||
|
* ***** END LICENSE BLOCK *****/ |
||||||
|
/* This code is loaded in every child process that is started by mochitest in |
||||||
|
* order to be used as a replacement for UniversalXPConnect |
||||||
|
*/ |
||||||
|
|
||||||
|
var Ci = Components.interfaces; |
||||||
|
var Cc = Components.classes; |
||||||
|
|
||||||
|
function SpecialPowers(window) { |
||||||
|
this.window = window; |
||||||
|
bindDOMWindowUtils(this, window); |
||||||
|
this._encounteredCrashDumpFiles = []; |
||||||
|
this._unexpectedCrashDumpFiles = { }; |
||||||
|
this._crashDumpDir = null; |
||||||
|
this._pongHandlers = []; |
||||||
|
this._messageListener = this._messageReceived.bind(this); |
||||||
|
addMessageListener("SPPingService", this._messageListener); |
||||||
|
} |
||||||
|
|
||||||
|
function bindDOMWindowUtils(sp, window) { |
||||||
|
var util = window.QueryInterface(Ci.nsIInterfaceRequestor) |
||||||
|
.getInterface(Ci.nsIDOMWindowUtils); |
||||||
|
// This bit of magic brought to you by the letters
|
||||||
|
// B Z, and E, S and the number 5.
|
||||||
|
//
|
||||||
|
// Take all of the properties on the nsIDOMWindowUtils-implementing
|
||||||
|
// object, and rebind them onto a new object with a stub that uses
|
||||||
|
// apply to call them from this privileged scope. This way we don't
|
||||||
|
// have to explicitly stub out new methods that appear on
|
||||||
|
// nsIDOMWindowUtils.
|
||||||
|
var proto = Object.getPrototypeOf(util); |
||||||
|
var target = {}; |
||||||
|
function rebind(desc, prop) { |
||||||
|
if (prop in desc && typeof(desc[prop]) == "function") { |
||||||
|
var oldval = desc[prop]; |
||||||
|
desc[prop] = function() { return oldval.apply(util, arguments); }; |
||||||
|
} |
||||||
|
} |
||||||
|
for (var i in proto) { |
||||||
|
var desc = Object.getOwnPropertyDescriptor(proto, i); |
||||||
|
rebind(desc, "get"); |
||||||
|
rebind(desc, "set"); |
||||||
|
rebind(desc, "value"); |
||||||
|
Object.defineProperty(target, i, desc); |
||||||
|
} |
||||||
|
sp.DOMWindowUtils = target; |
||||||
|
} |
||||||
|
|
||||||
|
SpecialPowers.prototype = { |
||||||
|
toString: function() { return "[SpecialPowers]"; }, |
||||||
|
sanityCheck: function() { return "foo"; }, |
||||||
|
|
||||||
|
// This gets filled in in the constructor.
|
||||||
|
DOMWindowUtils: undefined, |
||||||
|
|
||||||
|
// Mimic the get*Pref API
|
||||||
|
getBoolPref: function(aPrefName) { |
||||||
|
return (this._getPref(aPrefName, 'BOOL')); |
||||||
|
}, |
||||||
|
getIntPref: function(aPrefName) { |
||||||
|
return (this._getPref(aPrefName, 'INT')); |
||||||
|
}, |
||||||
|
getCharPref: function(aPrefName) { |
||||||
|
return (this._getPref(aPrefName, 'CHAR')); |
||||||
|
}, |
||||||
|
getComplexValue: function(aPrefName, aIid) { |
||||||
|
return (this._getPref(aPrefName, 'COMPLEX', aIid)); |
||||||
|
}, |
||||||
|
|
||||||
|
// Mimic the set*Pref API
|
||||||
|
setBoolPref: function(aPrefName, aValue) { |
||||||
|
return (this._setPref(aPrefName, 'BOOL', aValue)); |
||||||
|
}, |
||||||
|
setIntPref: function(aPrefName, aValue) { |
||||||
|
return (this._setPref(aPrefName, 'INT', aValue)); |
||||||
|
}, |
||||||
|
setCharPref: function(aPrefName, aValue) { |
||||||
|
return (this._setPref(aPrefName, 'CHAR', aValue)); |
||||||
|
}, |
||||||
|
setComplexValue: function(aPrefName, aIid, aValue) { |
||||||
|
return (this._setPref(aPrefName, 'COMPLEX', aValue, aIid)); |
||||||
|
}, |
||||||
|
|
||||||
|
// Mimic the clearUserPref API
|
||||||
|
clearUserPref: function(aPrefName) { |
||||||
|
var msg = {'op':'clear', 'prefName': aPrefName, 'prefType': ""}; |
||||||
|
sendSyncMessage('SPPrefService', msg); |
||||||
|
}, |
||||||
|
|
||||||
|
// Private pref functions to communicate to chrome
|
||||||
|
_getPref: function(aPrefName, aPrefType, aIid) { |
||||||
|
var msg = {}; |
||||||
|
if (aIid) { |
||||||
|
// Overloading prefValue to handle complex prefs
|
||||||
|
msg = {'op':'get', 'prefName': aPrefName, 'prefType':aPrefType, 'prefValue':[aIid]}; |
||||||
|
} else { |
||||||
|
msg = {'op':'get', 'prefName': aPrefName,'prefType': aPrefType}; |
||||||
|
} |
||||||
|
return(sendSyncMessage('SPPrefService', msg)[0]); |
||||||
|
}, |
||||||
|
_setPref: function(aPrefName, aPrefType, aValue, aIid) { |
||||||
|
var msg = {}; |
||||||
|
if (aIid) { |
||||||
|
msg = {'op':'set','prefName':aPrefName, 'prefType': aPrefType, 'prefValue': [aIid,aValue]}; |
||||||
|
} else { |
||||||
|
msg = {'op':'set', 'prefName': aPrefName, 'prefType': aPrefType, 'prefValue': aValue}; |
||||||
|
} |
||||||
|
return(sendSyncMessage('SPPrefService', msg)[0]); |
||||||
|
}, |
||||||
|
|
||||||
|
//XXX: these APIs really ought to be removed, they're not e10s-safe.
|
||||||
|
// (also they're pretty Firefox-specific)
|
||||||
|
_getTopChromeWindow: function(window) { |
||||||
|
return window.QueryInterface(Ci.nsIInterfaceRequestor) |
||||||
|
.getInterface(Ci.nsIWebNavigation) |
||||||
|
.QueryInterface(Ci.nsIDocShellTreeItem) |
||||||
|
.rootTreeItem |
||||||
|
.QueryInterface(Ci.nsIInterfaceRequestor) |
||||||
|
.getInterface(Ci.nsIDOMWindow) |
||||||
|
.QueryInterface(Ci.nsIDOMChromeWindow); |
||||||
|
}, |
||||||
|
_getDocShell: function(window) { |
||||||
|
return window.QueryInterface(Ci.nsIInterfaceRequestor) |
||||||
|
.getInterface(Ci.nsIWebNavigation) |
||||||
|
.QueryInterface(Ci.nsIDocShell); |
||||||
|
}, |
||||||
|
_getMUDV: function(window) { |
||||||
|
return this._getDocShell(window).contentViewer |
||||||
|
.QueryInterface(Ci.nsIMarkupDocumentViewer); |
||||||
|
}, |
||||||
|
_getAutoCompletePopup: function(window) { |
||||||
|
return this._getTopChromeWindow(window).document |
||||||
|
.getElementById("PopupAutoComplete"); |
||||||
|
}, |
||||||
|
addAutoCompletePopupEventListener: function(window, listener) { |
||||||
|
this._getAutoCompletePopup(window).addEventListener("popupshowing", |
||||||
|
listener, |
||||||
|
false); |
||||||
|
}, |
||||||
|
removeAutoCompletePopupEventListener: function(window, listener) { |
||||||
|
this._getAutoCompletePopup(window).removeEventListener("popupshowing", |
||||||
|
listener, |
||||||
|
false); |
||||||
|
}, |
||||||
|
isBackButtonEnabled: function(window) { |
||||||
|
return !this._getTopChromeWindow(window).document |
||||||
|
.getElementById("Browser:Back") |
||||||
|
.hasAttribute("disabled"); |
||||||
|
}, |
||||||
|
|
||||||
|
addChromeEventListener: function(type, listener, capture, allowUntrusted) { |
||||||
|
addEventListener(type, listener, capture, allowUntrusted); |
||||||
|
}, |
||||||
|
removeChromeEventListener: function(type, listener, capture) { |
||||||
|
removeEventListener(type, listener, capture); |
||||||
|
}, |
||||||
|
|
||||||
|
getFullZoom: function(window) { |
||||||
|
return this._getMUDV(window).fullZoom; |
||||||
|
}, |
||||||
|
setFullZoom: function(window, zoom) { |
||||||
|
this._getMUDV(window).fullZoom = zoom; |
||||||
|
}, |
||||||
|
getTextZoom: function(window) { |
||||||
|
return this._getMUDV(window).textZoom; |
||||||
|
}, |
||||||
|
setTextZoom: function(window, zoom) { |
||||||
|
this._getMUDV(window).textZoom = zoom; |
||||||
|
}, |
||||||
|
|
||||||
|
createSystemXHR: function() { |
||||||
|
return Cc["@mozilla.org/xmlextras/xmlhttprequest;1"] |
||||||
|
.createInstance(Ci.nsIXMLHttpRequest); |
||||||
|
}, |
||||||
|
|
||||||
|
gc: function() { |
||||||
|
this.DOMWindowUtils.garbageCollect(); |
||||||
|
}, |
||||||
|
|
||||||
|
hasContentProcesses: function() { |
||||||
|
try { |
||||||
|
var rt = Cc["@mozilla.org/xre/app-info;1"].getService(Ci.nsIXULRuntime); |
||||||
|
return rt.processType != Ci.nsIXULRuntime.PROCESS_TYPE_DEFAULT; |
||||||
|
} catch (e) { |
||||||
|
return true; |
||||||
|
} |
||||||
|
}, |
||||||
|
|
||||||
|
registerProcessCrashObservers: function() { |
||||||
|
addMessageListener("SPProcessCrashService", this._messageListener); |
||||||
|
sendSyncMessage("SPProcessCrashService", { op: "register-observer" }); |
||||||
|
}, |
||||||
|
|
||||||
|
_messageReceived: function(aMessage) { |
||||||
|
switch (aMessage.name) { |
||||||
|
case "SPProcessCrashService": |
||||||
|
if (aMessage.json.type == "crash-observed") { |
||||||
|
var self = this; |
||||||
|
aMessage.json.dumpIDs.forEach(function(id) { |
||||||
|
self._encounteredCrashDumpFiles.push(id + ".dmp"); |
||||||
|
self._encounteredCrashDumpFiles.push(id + ".extra"); |
||||||
|
}); |
||||||
|
} |
||||||
|
break; |
||||||
|
|
||||||
|
case "SPPingService": |
||||||
|
if (aMessage.json.op == "pong") { |
||||||
|
var handler = this._pongHandlers.shift(); |
||||||
|
if (handler) { |
||||||
|
handler(); |
||||||
|
} |
||||||
|
} |
||||||
|
break; |
||||||
|
} |
||||||
|
return true; |
||||||
|
}, |
||||||
|
|
||||||
|
removeExpectedCrashDumpFiles: function(aExpectingProcessCrash) { |
||||||
|
var success = true; |
||||||
|
if (aExpectingProcessCrash) { |
||||||
|
var message = { |
||||||
|
op: "delete-crash-dump-files", |
||||||
|
filenames: this._encounteredCrashDumpFiles |
||||||
|
}; |
||||||
|
if (!sendSyncMessage("SPProcessCrashService", message)[0]) { |
||||||
|
success = false; |
||||||
|
} |
||||||
|
} |
||||||
|
this._encounteredCrashDumpFiles.length = 0; |
||||||
|
return success; |
||||||
|
}, |
||||||
|
|
||||||
|
findUnexpectedCrashDumpFiles: function() { |
||||||
|
var self = this; |
||||||
|
var message = { |
||||||
|
op: "find-crash-dump-files", |
||||||
|
crashDumpFilesToIgnore: this._unexpectedCrashDumpFiles |
||||||
|
}; |
||||||
|
var crashDumpFiles = sendSyncMessage("SPProcessCrashService", message)[0]; |
||||||
|
crashDumpFiles.forEach(function(aFilename) { |
||||||
|
self._unexpectedCrashDumpFiles[aFilename] = true; |
||||||
|
}); |
||||||
|
return crashDumpFiles; |
||||||
|
}, |
||||||
|
|
||||||
|
executeAfterFlushingMessageQueue: function(aCallback) { |
||||||
|
this._pongHandlers.push(aCallback); |
||||||
|
sendAsyncMessage("SPPingService", { op: "ping" }); |
||||||
|
}, |
||||||
|
|
||||||
|
executeSoon: function(aFunc) { |
||||||
|
var tm = Cc["@mozilla.org/thread-manager;1"].getService(Ci.nsIThreadManager); |
||||||
|
tm.mainThread.dispatch({ |
||||||
|
run: function() { |
||||||
|
aFunc(); |
||||||
|
} |
||||||
|
}, Ci.nsIThread.DISPATCH_NORMAL); |
||||||
|
}, |
||||||
|
|
||||||
|
/* from http://mxr.mozilla.org/mozilla-central/source/testing/mochitest/tests/SimpleTest/quit.js |
||||||
|
* by Bob Clary, Jeff Walden, and Robert Sayre. |
||||||
|
*/ |
||||||
|
quitApplication: function() { |
||||||
|
function canQuitApplication() |
||||||
|
{ |
||||||
|
var os = Cc["@mozilla.org/observer-service;1"].getService(Ci.nsIObserverService); |
||||||
|
if (!os) |
||||||
|
return true; |
||||||
|
|
||||||
|
try { |
||||||
|
var cancelQuit = Cc["@mozilla.org/supports-PRBool;1"].createInstance(Ci.nsISupportsPRBool); |
||||||
|
os.notifyObservers(cancelQuit, "quit-application-requested", null); |
||||||
|
|
||||||
|
// Something aborted the quit process.
|
||||||
|
if (cancelQuit.data) |
||||||
|
return false; |
||||||
|
} catch (ex) {} |
||||||
|
return true; |
||||||
|
} |
||||||
|
|
||||||
|
if (!canQuitApplication()) |
||||||
|
return false; |
||||||
|
|
||||||
|
var appService = Cc['@mozilla.org/toolkit/app-startup;1'].getService(Ci.nsIAppStartup); |
||||||
|
appService.quit(Ci.nsIAppStartup.eForceQuit); |
||||||
|
return true; |
||||||
|
} |
||||||
|
}; |
||||||
|
|
||||||
|
// Expose everything but internal APIs (starting with underscores) to
|
||||||
|
// web content.
|
||||||
|
SpecialPowers.prototype.__exposedProps__ = {}; |
||||||
|
for each (i in Object.keys(SpecialPowers.prototype).filter(function(v) {return v.charAt(0) != "_";})) { |
||||||
|
SpecialPowers.prototype.__exposedProps__[i] = "r"; |
||||||
|
} |
||||||
|
|
||||||
|
// Attach our API to the window.
|
||||||
|
function attachSpecialPowersToWindow(aWindow) { |
||||||
|
try { |
||||||
|
if ((aWindow !== null) && |
||||||
|
(aWindow !== undefined) && |
||||||
|
(aWindow.wrappedJSObject) && |
||||||
|
!(aWindow.wrappedJSObject.SpecialPowers)) { |
||||||
|
aWindow.wrappedJSObject.SpecialPowers = new SpecialPowers(aWindow); |
||||||
|
} |
||||||
|
} catch(ex) { |
||||||
|
dump("TEST-INFO | specialpowers.js | Failed to attach specialpowers to window exception: " + ex + "\n"); |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
// This is a frame script, so it may be running in a content process.
|
||||||
|
// In any event, it is targeted at a specific "tab", so we listen for
|
||||||
|
// the DOMWindowCreated event to be notified about content windows
|
||||||
|
// being created in this context.
|
||||||
|
|
||||||
|
function SpecialPowersManager() { |
||||||
|
addEventListener("DOMWindowCreated", this, false); |
||||||
|
} |
||||||
|
|
||||||
|
SpecialPowersManager.prototype = { |
||||||
|
handleEvent: function handleEvent(aEvent) { |
||||||
|
var window = aEvent.target.defaultView; |
||||||
|
|
||||||
|
// Need to make sure we are called on what we care about -
|
||||||
|
// content windows. DOMWindowCreated is called on *all* HTMLDocuments,
|
||||||
|
// some of which belong to chrome windows or other special content.
|
||||||
|
//
|
||||||
|
var uri = window.document.documentURIObject; |
||||||
|
if (uri.scheme === "chrome" || uri.spec.split(":")[0] == "about") { |
||||||
|
return; |
||||||
|
} |
||||||
|
|
||||||
|
attachSpecialPowersToWindow(window); |
||||||
|
} |
||||||
|
}; |
||||||
|
|
||||||
|
var specialpowersmanager = new SpecialPowersManager(); |
@ -0,0 +1,293 @@ |
|||||||
|
/* ***** BEGIN LICENSE BLOCK ***** |
||||||
|
* Version: MPL 1.1/GPL 2.0/LGPL 2.1 |
||||||
|
* |
||||||
|
* The contents of this file are subject to the Mozilla Public License Version |
||||||
|
* 1.1 (the "License"); you may not use this file except in compliance with |
||||||
|
* the License. You may obtain a copy of the License at |
||||||
|
* http://www.mozilla.org/MPL/
|
||||||
|
* |
||||||
|
* Software distributed under the License is distributed on an "AS IS" basis, |
||||||
|
* WITHOUT WARRANTY OF ANY KIND, either express or implied. See the License |
||||||
|
* for the specific language governing rights and limitations under the |
||||||
|
* License. |
||||||
|
* |
||||||
|
* The Original Code is Special Powers code |
||||||
|
* |
||||||
|
* The Initial Developer of the Original Code is |
||||||
|
* Mozilla Foundation. |
||||||
|
* Portions created by the Initial Developer are Copyright (C) 2010 |
||||||
|
* the Initial Developer. All Rights Reserved. |
||||||
|
* |
||||||
|
* Contributor(s): |
||||||
|
* Jesse Ruderman <jruderman@mozilla.com> |
||||||
|
* Robert Sayre <sayrer@gmail.com> |
||||||
|
* |
||||||
|
* Alternatively, the contents of this file may be used under the terms of |
||||||
|
* either the GNU General Public License Version 2 or later (the "GPL"), or |
||||||
|
* the GNU Lesser General Public License Version 2.1 or later (the "LGPL"), |
||||||
|
* in which case the provisions of the GPL or the LGPL are applicable instead |
||||||
|
* of those above. If you wish to allow use of your version of this file only |
||||||
|
* under the terms of either the GPL or the LGPL, and not to allow others to |
||||||
|
* use your version of this file under the terms of the MPL, indicate your |
||||||
|
* decision by deleting the provisions above and replace them with the notice |
||||||
|
* and other provisions required by the GPL or the LGPL. If you do not delete |
||||||
|
* the provisions above, a recipient may use your version of this file under |
||||||
|
* the terms of any one of the MPL, the GPL or the LGPL. |
||||||
|
* |
||||||
|
* ***** END LICENSE BLOCK *****/ |
||||||
|
|
||||||
|
// Based on:
|
||||||
|
// https://bugzilla.mozilla.org/show_bug.cgi?id=549539
|
||||||
|
// https://bug549539.bugzilla.mozilla.org/attachment.cgi?id=429661
|
||||||
|
// https://developer.mozilla.org/en/XPCOM/XPCOM_changes_in_Gecko_1.9.3
|
||||||
|
// http://mxr.mozilla.org/mozilla-central/source/toolkit/components/console/hudservice/HUDService.jsm#3240
|
||||||
|
// https://developer.mozilla.org/en/how_to_build_an_xpcom_component_in_javascript
|
||||||
|
|
||||||
|
Components.utils.import("resource://gre/modules/XPCOMUtils.jsm"); |
||||||
|
Components.utils.import("resource://gre/modules/Services.jsm"); |
||||||
|
|
||||||
|
const Cc = Components.classes; |
||||||
|
const Ci = Components.interfaces; |
||||||
|
|
||||||
|
const CHILD_SCRIPT = "chrome://specialpowers/content/specialpowers.js" |
||||||
|
|
||||||
|
/** |
||||||
|
* Special Powers Exception - used to throw exceptions nicely |
||||||
|
**/ |
||||||
|
function SpecialPowersException(aMsg) { |
||||||
|
this.message = aMsg; |
||||||
|
this.name = "SpecialPowersException"; |
||||||
|
} |
||||||
|
|
||||||
|
SpecialPowersException.prototype.toString = function() { |
||||||
|
return this.name + ': "' + this.message + '"'; |
||||||
|
}; |
||||||
|
|
||||||
|
/* XPCOM gunk */ |
||||||
|
function SpecialPowersObserver() { |
||||||
|
this._isFrameScriptLoaded = false; |
||||||
|
this._messageManager = Cc["@mozilla.org/globalmessagemanager;1"]. |
||||||
|
getService(Ci.nsIChromeFrameMessageManager); |
||||||
|
} |
||||||
|
|
||||||
|
SpecialPowersObserver.prototype = { |
||||||
|
classDescription: "Special powers Observer for use in testing.", |
||||||
|
classID: Components.ID("{59a52458-13e0-4d93-9d85-a637344f29a1}"), |
||||||
|
contractID: "@mozilla.org/special-powers-observer;1", |
||||||
|
QueryInterface: XPCOMUtils.generateQI([Components.interfaces.nsIObserver]), |
||||||
|
_xpcom_categories: [{category: "profile-after-change", service: true }], |
||||||
|
|
||||||
|
observe: function(aSubject, aTopic, aData) |
||||||
|
{ |
||||||
|
switch (aTopic) { |
||||||
|
case "profile-after-change": |
||||||
|
this.init(); |
||||||
|
break; |
||||||
|
|
||||||
|
case "chrome-document-global-created": |
||||||
|
if (!this._isFrameScriptLoaded) { |
||||||
|
// Register for any messages our API needs us to handle
|
||||||
|
this._messageManager.addMessageListener("SPPrefService", this); |
||||||
|
this._messageManager.addMessageListener("SPProcessCrashService", this); |
||||||
|
this._messageManager.addMessageListener("SPPingService", this); |
||||||
|
|
||||||
|
this._messageManager.loadFrameScript(CHILD_SCRIPT, true); |
||||||
|
this._isFrameScriptLoaded = true; |
||||||
|
} |
||||||
|
break; |
||||||
|
|
||||||
|
case "xpcom-shutdown": |
||||||
|
this.uninit(); |
||||||
|
break; |
||||||
|
|
||||||
|
case "plugin-crashed": |
||||||
|
case "ipc:content-shutdown": |
||||||
|
function addDumpIDToMessage(propertyName) { |
||||||
|
var id = aSubject.getPropertyAsAString(propertyName); |
||||||
|
if (id) { |
||||||
|
message.dumpIDs.push(id); |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
var message = { type: "crash-observed", dumpIDs: [] }; |
||||||
|
aSubject = aSubject.QueryInterface(Ci.nsIPropertyBag2); |
||||||
|
if (aTopic == "plugin-crashed") { |
||||||
|
addDumpIDToMessage("pluginDumpID"); |
||||||
|
addDumpIDToMessage("browserDumpID"); |
||||||
|
} else { // ipc:content-shutdown
|
||||||
|
addDumpIDToMessage("dumpID"); |
||||||
|
} |
||||||
|
this._messageManager.sendAsyncMessage("SPProcessCrashService", message); |
||||||
|
break; |
||||||
|
} |
||||||
|
}, |
||||||
|
|
||||||
|
init: function() |
||||||
|
{ |
||||||
|
var obs = Services.obs; |
||||||
|
obs.addObserver(this, "xpcom-shutdown", false); |
||||||
|
obs.addObserver(this, "chrome-document-global-created", false); |
||||||
|
}, |
||||||
|
|
||||||
|
uninit: function() |
||||||
|
{ |
||||||
|
var obs = Services.obs; |
||||||
|
obs.removeObserver(this, "chrome-document-global-created", false); |
||||||
|
this.removeProcessCrashObservers(); |
||||||
|
}, |
||||||
|
|
||||||
|
addProcessCrashObservers: function() { |
||||||
|
if (this._processCrashObserversRegistered) { |
||||||
|
return; |
||||||
|
} |
||||||
|
|
||||||
|
Services.obs.addObserver(this, "plugin-crashed", false); |
||||||
|
Services.obs.addObserver(this, "ipc:content-shutdown", false); |
||||||
|
this._processCrashObserversRegistered = true; |
||||||
|
}, |
||||||
|
|
||||||
|
removeProcessCrashObservers: function() { |
||||||
|
if (!this._processCrashObserversRegistered) { |
||||||
|
return; |
||||||
|
} |
||||||
|
|
||||||
|
Services.obs.removeObserver(this, "plugin-crashed"); |
||||||
|
Services.obs.removeObserver(this, "ipc:content-shutdown"); |
||||||
|
this._processCrashObserversRegistered = false; |
||||||
|
}, |
||||||
|
|
||||||
|
getCrashDumpDir: function() { |
||||||
|
if (!this._crashDumpDir) { |
||||||
|
var directoryService = Cc["@mozilla.org/file/directory_service;1"] |
||||||
|
.getService(Ci.nsIProperties); |
||||||
|
this._crashDumpDir = directoryService.get("ProfD", Ci.nsIFile); |
||||||
|
this._crashDumpDir.append("minidumps"); |
||||||
|
} |
||||||
|
return this._crashDumpDir; |
||||||
|
}, |
||||||
|
|
||||||
|
deleteCrashDumpFiles: function(aFilenames) { |
||||||
|
var crashDumpDir = this.getCrashDumpDir(); |
||||||
|
if (!crashDumpDir.exists()) { |
||||||
|
return false; |
||||||
|
} |
||||||
|
|
||||||
|
var success = aFilenames.length != 0; |
||||||
|
aFilenames.forEach(function(crashFilename) { |
||||||
|
var file = crashDumpDir.clone(); |
||||||
|
file.append(crashFilename); |
||||||
|
if (file.exists()) { |
||||||
|
file.remove(false); |
||||||
|
} else { |
||||||
|
success = false; |
||||||
|
} |
||||||
|
}); |
||||||
|
return success; |
||||||
|
}, |
||||||
|
|
||||||
|
findCrashDumpFiles: function(aToIgnore) { |
||||||
|
var crashDumpDir = this.getCrashDumpDir(); |
||||||
|
var entries = crashDumpDir.exists() && crashDumpDir.directoryEntries; |
||||||
|
if (!entries) { |
||||||
|
return []; |
||||||
|
} |
||||||
|
|
||||||
|
var crashDumpFiles = []; |
||||||
|
while (entries.hasMoreElements()) { |
||||||
|
var file = entries.getNext().QueryInterface(Ci.nsIFile); |
||||||
|
var path = String(file.path); |
||||||
|
if (path.match(/\.(dmp|extra)$/) && !aToIgnore[path]) { |
||||||
|
crashDumpFiles.push(path); |
||||||
|
} |
||||||
|
} |
||||||
|
return crashDumpFiles.concat(); |
||||||
|
}, |
||||||
|
|
||||||
|
/** |
||||||
|
* messageManager callback function |
||||||
|
* This will get requests from our API in the window and process them in chrome for it |
||||||
|
**/ |
||||||
|
receiveMessage: function(aMessage) { |
||||||
|
switch(aMessage.name) { |
||||||
|
case "SPPrefService": |
||||||
|
var prefs = Services.prefs; |
||||||
|
var prefType = aMessage.json.prefType.toUpperCase(); |
||||||
|
var prefName = aMessage.json.prefName; |
||||||
|
var prefValue = "prefValue" in aMessage.json ? aMessage.json.prefValue : null; |
||||||
|
|
||||||
|
if (aMessage.json.op == "get") { |
||||||
|
if (!prefName || !prefType) |
||||||
|
throw new SpecialPowersException("Invalid parameters for get in SPPrefService"); |
||||||
|
} else if (aMessage.json.op == "set") { |
||||||
|
if (!prefName || !prefType || prefValue === null) |
||||||
|
throw new SpecialPowersException("Invalid parameters for set in SPPrefService"); |
||||||
|
} else if (aMessage.json.op == "clear") { |
||||||
|
if (!prefName) |
||||||
|
throw new SpecialPowersException("Invalid parameters for clear in SPPrefService"); |
||||||
|
} else { |
||||||
|
throw new SpecialPowersException("Invalid operation for SPPrefService"); |
||||||
|
} |
||||||
|
// Now we make the call
|
||||||
|
switch(prefType) { |
||||||
|
case "BOOL": |
||||||
|
if (aMessage.json.op == "get") |
||||||
|
return(prefs.getBoolPref(prefName)); |
||||||
|
else |
||||||
|
return(prefs.setBoolPref(prefName, prefValue)); |
||||||
|
case "INT": |
||||||
|
if (aMessage.json.op == "get") |
||||||
|
return(prefs.getIntPref(prefName)); |
||||||
|
else |
||||||
|
return(prefs.setIntPref(prefName, prefValue)); |
||||||
|
case "CHAR": |
||||||
|
if (aMessage.json.op == "get") |
||||||
|
return(prefs.getCharPref(prefName)); |
||||||
|
else |
||||||
|
return(prefs.setCharPref(prefName, prefValue)); |
||||||
|
case "COMPLEX": |
||||||
|
if (aMessage.json.op == "get") |
||||||
|
return(prefs.getComplexValue(prefName, prefValue[0])); |
||||||
|
else |
||||||
|
return(prefs.setComplexValue(prefName, prefValue[0], prefValue[1])); |
||||||
|
case "": |
||||||
|
if (aMessage.json.op == "clear") { |
||||||
|
prefs.clearUserPref(prefName); |
||||||
|
return; |
||||||
|
} |
||||||
|
} |
||||||
|
break; |
||||||
|
|
||||||
|
case "SPProcessCrashService": |
||||||
|
switch (aMessage.json.op) { |
||||||
|
case "register-observer": |
||||||
|
this.addProcessCrashObservers(); |
||||||
|
break; |
||||||
|
case "unregister-observer": |
||||||
|
this.removeProcessCrashObservers(); |
||||||
|
break; |
||||||
|
case "delete-crash-dump-files": |
||||||
|
return this.deleteCrashDumpFiles(aMessage.json.filenames); |
||||||
|
case "find-crash-dump-files": |
||||||
|
return this.findCrashDumpFiles(aMessage.json.crashDumpFilesToIgnore); |
||||||
|
default: |
||||||
|
throw new SpecialPowersException("Invalid operation for SPProcessCrashService"); |
||||||
|
} |
||||||
|
break; |
||||||
|
|
||||||
|
case "SPPingService": |
||||||
|
if (aMessage.json.op == "ping") { |
||||||
|
aMessage.target |
||||||
|
.QueryInterface(Ci.nsIFrameLoaderOwner) |
||||||
|
.frameLoader |
||||||
|
.messageManager |
||||||
|
.sendAsyncMessage("SPPingService", { op: "pong" }); |
||||||
|
} |
||||||
|
break; |
||||||
|
|
||||||
|
default: |
||||||
|
throw new SpecialPowersException("Unrecognized Special Powers API"); |
||||||
|
} |
||||||
|
} |
||||||
|
}; |
||||||
|
|
||||||
|
const NSGetFactory = XPCOMUtils.generateNSGetFactory([SpecialPowersObserver]); |
@ -0,0 +1,26 @@ |
|||||||
|
<?xml version="1.0"?> |
||||||
|
|
||||||
|
<RDF xmlns="http://www.w3.org/1999/02/22-rdf-syntax-ns#" |
||||||
|
xmlns:em="http://www.mozilla.org/2004/em-rdf#"> |
||||||
|
|
||||||
|
<Description about="urn:mozilla:install-manifest"> |
||||||
|
<em:id>special-powers@mozilla.org</em:id> |
||||||
|
<em:version>2010.07.23</em:version> |
||||||
|
<em:type>2</em:type> |
||||||
|
|
||||||
|
<!-- Target Application this extension can install into, |
||||||
|
with minimum and maximum supported versions. --> |
||||||
|
<em:targetApplication> |
||||||
|
<Description> |
||||||
|
<em:id>toolkit@mozilla.org</em:id> |
||||||
|
<em:minVersion>3.0</em:minVersion> |
||||||
|
<em:maxVersion>7.0a1</em:maxVersion> |
||||||
|
</Description> |
||||||
|
</em:targetApplication> |
||||||
|
|
||||||
|
<!-- Front End MetaData --> |
||||||
|
<em:name>Special Powers</em:name> |
||||||
|
<em:description>Special powers for use in testing.</em:description> |
||||||
|
<em:creator>Mozilla</em:creator> |
||||||
|
</Description> |
||||||
|
</RDF> |
@ -0,0 +1,35 @@ |
|||||||
|
user_pref("browser.console.showInPanel", true); |
||||||
|
user_pref("browser.dom.window.dump.enabled", true); |
||||||
|
user_pref("browser.firstrun.show.localepicker", false); |
||||||
|
user_pref("browser.firstrun.show.uidiscovery", false); |
||||||
|
user_pref("dom.allow_scripts_to_close_windows", true); |
||||||
|
user_pref("dom.disable_open_during_load", false); |
||||||
|
user_pref("dom.max_script_run_time", 0); // no slow script dialogs
|
||||||
|
user_pref("dom.max_chrome_script_run_time", 0); |
||||||
|
user_pref("dom.popup_maximum", -1); |
||||||
|
user_pref("dom.send_after_paint_to_content", true); |
||||||
|
user_pref("dom.successive_dialog_time_limit", 0); |
||||||
|
user_pref("security.warn_submit_insecure", false); |
||||||
|
user_pref("browser.shell.checkDefaultBrowser", false); |
||||||
|
user_pref("shell.checkDefaultClient", false); |
||||||
|
user_pref("browser.warnOnQuit", false); |
||||||
|
user_pref("accessibility.typeaheadfind.autostart", false); |
||||||
|
user_pref("javascript.options.showInConsole", true); |
||||||
|
user_pref("devtools.errorconsole.enabled", true); |
||||||
|
user_pref("layout.debug.enable_data_xbl", true); |
||||||
|
user_pref("browser.EULA.override", true); |
||||||
|
user_pref("javascript.options.tracejit.content", true); |
||||||
|
user_pref("javascript.options.methodjit.content", true); |
||||||
|
user_pref("javascript.options.jitprofiling.content", true); |
||||||
|
user_pref("javascript.options.methodjit_always", false); |
||||||
|
user_pref("gfx.color_management.force_srgb", true); |
||||||
|
user_pref("network.manage-offline-status", false); |
||||||
|
user_pref("test.mousescroll", true); |
||||||
|
user_pref("network.http.prompt-temp-redirect", false); |
||||||
|
user_pref("media.cache_size", 100); |
||||||
|
user_pref("security.warn_viewing_mixed", false); |
||||||
|
user_pref("app.update.enabled", false); |
||||||
|
user_pref("browser.panorama.experienced_first_run", true); // Assume experienced
|
||||||
|
user_pref("dom.w3c_touch_events.enabled", true); |
||||||
|
user_pref("extensions.checkCompatibility", false); |
||||||
|
user_pref("extensions.installDistroAddons", false); // prevent testpilot etc
|
@ -0,0 +1,431 @@ |
|||||||
|
import json, platform, os, shutil, sys, subprocess, tempfile, threading, time, urllib, urllib2 |
||||||
|
from BaseHTTPServer import BaseHTTPRequestHandler, HTTPServer |
||||||
|
import SocketServer |
||||||
|
from optparse import OptionParser |
||||||
|
from urlparse import urlparse |
||||||
|
|
||||||
|
USAGE_EXAMPLE = "%prog" |
||||||
|
|
||||||
|
# The local web server uses the git repo as the document root. |
||||||
|
DOC_ROOT = os.path.abspath(os.path.join(os.path.dirname(__file__),"..")) |
||||||
|
|
||||||
|
ANAL = True |
||||||
|
DEFAULT_MANIFEST_FILE = 'test_manifest.json' |
||||||
|
EQLOG_FILE = 'eq.log' |
||||||
|
REFDIR = 'ref' |
||||||
|
TMPDIR = 'tmp' |
||||||
|
VERBOSE = False |
||||||
|
|
||||||
|
class TestOptions(OptionParser): |
||||||
|
def __init__(self, **kwargs): |
||||||
|
OptionParser.__init__(self, **kwargs) |
||||||
|
self.add_option("-m", "--masterMode", action="store_true", dest="masterMode", |
||||||
|
help="Run the script in master mode.", default=False) |
||||||
|
self.add_option("--manifestFile", action="store", type="string", dest="manifestFile", |
||||||
|
help="A JSON file in the form of test_manifest.json (the default).") |
||||||
|
self.add_option("-b", "--browser", action="store", type="string", dest="browser", |
||||||
|
help="The path to a single browser (right now, only Firefox is supported).") |
||||||
|
self.add_option("--browserManifestFile", action="store", type="string", |
||||||
|
dest="browserManifestFile", |
||||||
|
help="A JSON file in the form of those found in resources/browser_manifests") |
||||||
|
self.set_usage(USAGE_EXAMPLE) |
||||||
|
|
||||||
|
def verifyOptions(self, options): |
||||||
|
if options.masterMode and options.manifestFile: |
||||||
|
self.error("--masterMode and --manifestFile must not be specified at the same time.") |
||||||
|
if not options.manifestFile: |
||||||
|
options.manifestFile = DEFAULT_MANIFEST_FILE |
||||||
|
if options.browser and options.browserManifestFile: |
||||||
|
print "Warning: ignoring browser argument since manifest file was also supplied" |
||||||
|
return options |
||||||
|
|
||||||
|
def prompt(question): |
||||||
|
'''Return True iff the user answered "yes" to |question|.''' |
||||||
|
inp = raw_input(question +' [yes/no] > ') |
||||||
|
return inp == 'yes' |
||||||
|
|
||||||
|
MIMEs = { |
||||||
|
'.css': 'text/css', |
||||||
|
'.html': 'text/html', |
||||||
|
'.js': 'application/javascript', |
||||||
|
'.json': 'application/json', |
||||||
|
'.pdf': 'application/pdf', |
||||||
|
'.xhtml': 'application/xhtml+xml', |
||||||
|
} |
||||||
|
|
||||||
|
class State: |
||||||
|
browsers = [ ] |
||||||
|
manifest = { } |
||||||
|
taskResults = { } |
||||||
|
remaining = 0 |
||||||
|
results = { } |
||||||
|
done = False |
||||||
|
masterMode = False |
||||||
|
numErrors = 0 |
||||||
|
numEqFailures = 0 |
||||||
|
numEqNoSnapshot = 0 |
||||||
|
numFBFFailures = 0 |
||||||
|
numLoadFailures = 0 |
||||||
|
eqLog = None |
||||||
|
|
||||||
|
class Result: |
||||||
|
def __init__(self, snapshot, failure, page): |
||||||
|
self.snapshot = snapshot |
||||||
|
self.failure = failure |
||||||
|
self.page = page |
||||||
|
|
||||||
|
class TestServer(SocketServer.TCPServer): |
||||||
|
allow_reuse_address = True |
||||||
|
|
||||||
|
class PDFTestHandler(BaseHTTPRequestHandler): |
||||||
|
|
||||||
|
# Disable annoying noise by default |
||||||
|
def log_request(code=0, size=0): |
||||||
|
if VERBOSE: |
||||||
|
BaseHTTPRequestHandler.log_request(code, size) |
||||||
|
|
||||||
|
def do_GET(self): |
||||||
|
url = urlparse(self.path) |
||||||
|
# Ignore query string |
||||||
|
path, _ = url.path, url.query |
||||||
|
path = os.path.abspath(os.path.realpath(DOC_ROOT + os.sep + path)) |
||||||
|
prefix = os.path.commonprefix(( path, DOC_ROOT )) |
||||||
|
_, ext = os.path.splitext(path) |
||||||
|
|
||||||
|
if not (prefix == DOC_ROOT |
||||||
|
and os.path.isfile(path) |
||||||
|
and ext in MIMEs): |
||||||
|
self.send_error(404) |
||||||
|
return |
||||||
|
|
||||||
|
if 'Range' in self.headers: |
||||||
|
# TODO for fetch-as-you-go |
||||||
|
self.send_error(501) |
||||||
|
return |
||||||
|
|
||||||
|
self.send_response(200) |
||||||
|
self.send_header("Content-Type", MIMEs[ext]) |
||||||
|
self.end_headers() |
||||||
|
|
||||||
|
# Sigh, os.sendfile() plz |
||||||
|
f = open(path) |
||||||
|
self.wfile.write(f.read()) |
||||||
|
f.close() |
||||||
|
|
||||||
|
|
||||||
|
def do_POST(self): |
||||||
|
numBytes = int(self.headers['Content-Length']) |
||||||
|
|
||||||
|
self.send_response(200) |
||||||
|
self.send_header('Content-Type', 'text/plain') |
||||||
|
self.end_headers() |
||||||
|
|
||||||
|
result = json.loads(self.rfile.read(numBytes)) |
||||||
|
browser, id, failure, round, page, snapshot = result['browser'], result['id'], result['failure'], result['round'], result['page'], result['snapshot'] |
||||||
|
taskResults = State.taskResults[browser][id] |
||||||
|
taskResults[round].append(Result(snapshot, failure, page)) |
||||||
|
|
||||||
|
def isTaskDone(): |
||||||
|
numPages = result["numPages"] |
||||||
|
rounds = State.manifest[id]["rounds"] |
||||||
|
for round in range(0,rounds): |
||||||
|
if len(taskResults[round]) < numPages: |
||||||
|
return False |
||||||
|
return True |
||||||
|
|
||||||
|
if isTaskDone(): |
||||||
|
# sort the results since they sometimes come in out of order |
||||||
|
for results in taskResults: |
||||||
|
results.sort(key=lambda result: result.page) |
||||||
|
check(State.manifest[id], taskResults, browser) |
||||||
|
# Please oh please GC this ... |
||||||
|
del State.taskResults[browser][id] |
||||||
|
State.remaining -= 1 |
||||||
|
|
||||||
|
State.done = (0 == State.remaining) |
||||||
|
|
||||||
|
# this just does Firefox for now |
||||||
|
class BrowserCommand(): |
||||||
|
def __init__(self, browserRecord): |
||||||
|
self.name = browserRecord["name"] |
||||||
|
self.path = browserRecord["path"] |
||||||
|
self.tempDir = None |
||||||
|
self.process = None |
||||||
|
|
||||||
|
if platform.system() == "Darwin" and (self.path.endswith(".app") or self.path.endswith(".app/")): |
||||||
|
self._fixupMacPath() |
||||||
|
|
||||||
|
if not os.path.exists(self.path): |
||||||
|
throw("Path to browser '%s' does not exist." % self.path) |
||||||
|
|
||||||
|
def _fixupMacPath(self): |
||||||
|
self.path = os.path.join(self.path, "Contents", "MacOS", "firefox-bin") |
||||||
|
|
||||||
|
def setup(self): |
||||||
|
self.tempDir = tempfile.mkdtemp() |
||||||
|
self.profileDir = os.path.join(self.tempDir, "profile") |
||||||
|
shutil.copytree(os.path.join(DOC_ROOT, "test", "resources", "firefox"), |
||||||
|
self.profileDir) |
||||||
|
|
||||||
|
def teardown(self): |
||||||
|
# If the browser is still running, wait up to ten seconds for it to quit |
||||||
|
if self.process and self.process.poll() is None: |
||||||
|
checks = 0 |
||||||
|
while self.process.poll() is None and checks < 20: |
||||||
|
checks += 1 |
||||||
|
time.sleep(.5) |
||||||
|
# If it's still not dead, try to kill it |
||||||
|
if self.process.poll() is None: |
||||||
|
print "Process %s is still running. Killing." % self.name |
||||||
|
self.process.kill() |
||||||
|
|
||||||
|
if self.tempDir is not None and os.path.exists(self.tempDir): |
||||||
|
shutil.rmtree(self.tempDir) |
||||||
|
|
||||||
|
def start(self, url): |
||||||
|
cmds = [self.path] |
||||||
|
if platform.system() == "Darwin": |
||||||
|
cmds.append("-foreground") |
||||||
|
cmds.extend(["-no-remote", "-profile", self.profileDir, url]) |
||||||
|
self.process = subprocess.Popen(cmds) |
||||||
|
|
||||||
|
def makeBrowserCommands(browserManifestFile): |
||||||
|
with open(browserManifestFile) as bmf: |
||||||
|
browsers = [BrowserCommand(browser) for browser in json.load(bmf)] |
||||||
|
return browsers |
||||||
|
|
||||||
|
def setUp(options): |
||||||
|
# Only serve files from a pdf.js clone |
||||||
|
assert not ANAL or os.path.isfile('../pdf.js') and os.path.isdir('../.git') |
||||||
|
|
||||||
|
State.masterMode = options.masterMode |
||||||
|
if options.masterMode and os.path.isdir(TMPDIR): |
||||||
|
print 'Temporary snapshot dir tmp/ is still around.' |
||||||
|
print 'tmp/ can be removed if it has nothing you need.' |
||||||
|
if prompt('SHOULD THIS SCRIPT REMOVE tmp/? THINK CAREFULLY'): |
||||||
|
subprocess.call(( 'rm', '-rf', 'tmp' )) |
||||||
|
|
||||||
|
assert not os.path.isdir(TMPDIR) |
||||||
|
|
||||||
|
testBrowsers = [] |
||||||
|
if options.browserManifestFile: |
||||||
|
testBrowsers = makeBrowserCommands(options.browserManifestFile) |
||||||
|
elif options.browser: |
||||||
|
testBrowsers = [BrowserCommand({"path":options.browser, "name":"firefox"})] |
||||||
|
else: |
||||||
|
print "No test browsers found. Use --browserManifest or --browser args." |
||||||
|
|
||||||
|
with open(options.manifestFile) as mf: |
||||||
|
manifestList = json.load(mf) |
||||||
|
|
||||||
|
for item in manifestList: |
||||||
|
f, isLink = item['file'], item.get('link', False) |
||||||
|
if isLink and not os.access(f, os.R_OK): |
||||||
|
linkFile = open(f +'.link') |
||||||
|
link = linkFile.read() |
||||||
|
linkFile.close() |
||||||
|
|
||||||
|
sys.stdout.write('Downloading '+ link +' to '+ f +' ...') |
||||||
|
sys.stdout.flush() |
||||||
|
response = urllib2.urlopen(link) |
||||||
|
|
||||||
|
out = open(f, 'w') |
||||||
|
out.write(response.read()) |
||||||
|
out.close() |
||||||
|
|
||||||
|
print 'done' |
||||||
|
|
||||||
|
for b in testBrowsers: |
||||||
|
State.taskResults[b.name] = { } |
||||||
|
for item in manifestList: |
||||||
|
id, rounds = item['id'], int(item['rounds']) |
||||||
|
State.manifest[id] = item |
||||||
|
taskResults = [ ] |
||||||
|
for r in xrange(rounds): |
||||||
|
taskResults.append([ ]) |
||||||
|
State.taskResults[b.name][id] = taskResults |
||||||
|
|
||||||
|
State.remaining = len(testBrowsers) * len(manifestList) |
||||||
|
|
||||||
|
return testBrowsers |
||||||
|
|
||||||
|
def startBrowsers(browsers, options): |
||||||
|
for b in browsers: |
||||||
|
b.setup() |
||||||
|
print 'Launching', b.name |
||||||
|
qs = 'browser='+ urllib.quote(b.name) +'&manifestFile='+ urllib.quote(options.manifestFile) |
||||||
|
b.start('http://localhost:8080/test/test_slave.html?'+ qs) |
||||||
|
|
||||||
|
def teardownBrowsers(browsers): |
||||||
|
for b in browsers: |
||||||
|
try: |
||||||
|
b.teardown() |
||||||
|
except: |
||||||
|
print "Error cleaning up after browser at ", b.path |
||||||
|
print "Temp dir was ", b.tempDir |
||||||
|
print "Error:", sys.exc_info()[0] |
||||||
|
|
||||||
|
def check(task, results, browser): |
||||||
|
failed = False |
||||||
|
for r in xrange(len(results)): |
||||||
|
pageResults = results[r] |
||||||
|
for p in xrange(len(pageResults)): |
||||||
|
pageResult = pageResults[p] |
||||||
|
if pageResult is None: |
||||||
|
continue |
||||||
|
failure = pageResult.failure |
||||||
|
if failure: |
||||||
|
failed = True |
||||||
|
State.numErrors += 1 |
||||||
|
print 'TEST-UNEXPECTED-FAIL | test failed', task['id'], '| in', browser, '| page', p + 1, 'round', r, '|', failure |
||||||
|
|
||||||
|
if failed: |
||||||
|
return |
||||||
|
|
||||||
|
kind = task['type'] |
||||||
|
if 'eq' == kind: |
||||||
|
checkEq(task, results, browser) |
||||||
|
elif 'fbf' == kind: |
||||||
|
checkFBF(task, results, browser) |
||||||
|
elif 'load' == kind: |
||||||
|
checkLoad(task, results, browser) |
||||||
|
else: |
||||||
|
assert 0 and 'Unknown test type' |
||||||
|
|
||||||
|
|
||||||
|
def checkEq(task, results, browser): |
||||||
|
pfx = os.path.join(REFDIR, sys.platform, browser, task['id']) |
||||||
|
results = results[0] |
||||||
|
taskId = task['id'] |
||||||
|
|
||||||
|
passed = True |
||||||
|
for page in xrange(len(results)): |
||||||
|
snapshot = results[page].snapshot |
||||||
|
ref = None |
||||||
|
eq = True |
||||||
|
|
||||||
|
path = os.path.join(pfx, str(page + 1)) |
||||||
|
if not os.access(path, os.R_OK): |
||||||
|
print 'WARNING: no reference snapshot', path |
||||||
|
State.numEqNoSnapshot += 1 |
||||||
|
else: |
||||||
|
f = open(path) |
||||||
|
ref = f.read() |
||||||
|
f.close() |
||||||
|
|
||||||
|
eq = (ref == snapshot) |
||||||
|
if not eq: |
||||||
|
print 'TEST-UNEXPECTED-FAIL | eq', taskId, '| in', browser, '| rendering of page', page + 1, '!= reference rendering' |
||||||
|
# XXX need to dump this always, somehow, when we have |
||||||
|
# the reference repository |
||||||
|
if State.masterMode: |
||||||
|
if not State.eqLog: |
||||||
|
State.eqLog = open(EQLOG_FILE, 'w') |
||||||
|
eqLog = State.eqLog |
||||||
|
|
||||||
|
# NB: this follows the format of Mozilla reftest |
||||||
|
# output so that we can reuse its reftest-analyzer |
||||||
|
# script |
||||||
|
print >>eqLog, 'REFTEST TEST-UNEXPECTED-FAIL |', browser +'-'+ taskId +'-page'+ str(page + 1), '| image comparison (==)' |
||||||
|
print >>eqLog, 'REFTEST IMAGE 1 (TEST):', snapshot |
||||||
|
print >>eqLog, 'REFTEST IMAGE 2 (REFERENCE):', ref |
||||||
|
|
||||||
|
passed = False |
||||||
|
State.numEqFailures += 1 |
||||||
|
|
||||||
|
if State.masterMode and (ref is None or not eq): |
||||||
|
tmpTaskDir = os.path.join(TMPDIR, sys.platform, browser, task['id']) |
||||||
|
try: |
||||||
|
os.makedirs(tmpTaskDir) |
||||||
|
except OSError, e: |
||||||
|
pass |
||||||
|
|
||||||
|
of = open(os.path.join(tmpTaskDir, str(page + 1)), 'w') |
||||||
|
of.write(snapshot) |
||||||
|
of.close() |
||||||
|
|
||||||
|
if passed: |
||||||
|
print 'TEST-PASS | eq test', task['id'], '| in', browser |
||||||
|
|
||||||
|
|
||||||
|
def checkFBF(task, results, browser): |
||||||
|
round0, round1 = results[0], results[1] |
||||||
|
assert len(round0) == len(round1) |
||||||
|
|
||||||
|
passed = True |
||||||
|
for page in xrange(len(round1)): |
||||||
|
r0Page, r1Page = round0[page], round1[page] |
||||||
|
if r0Page is None: |
||||||
|
break |
||||||
|
if r0Page.snapshot != r1Page.snapshot: |
||||||
|
print 'TEST-UNEXPECTED-FAIL | forward-back-forward test', task['id'], '| in', browser, '| first rendering of page', page + 1, '!= second' |
||||||
|
passed = False |
||||||
|
State.numFBFFailures += 1 |
||||||
|
if passed: |
||||||
|
print 'TEST-PASS | forward-back-forward test', task['id'], '| in', browser |
||||||
|
|
||||||
|
|
||||||
|
def checkLoad(task, results, browser): |
||||||
|
# Load just checks for absence of failure, so if we got here the |
||||||
|
# test has passed |
||||||
|
print 'TEST-PASS | load test', task['id'], '| in', browser |
||||||
|
|
||||||
|
|
||||||
|
def processResults(): |
||||||
|
print '' |
||||||
|
numErrors, numEqFailures, numEqNoSnapshot, numFBFFailures = State.numErrors, State.numEqFailures, State.numEqNoSnapshot, State.numFBFFailures |
||||||
|
numFatalFailures = (numErrors + numFBFFailures) |
||||||
|
if 0 == numEqFailures and 0 == numFatalFailures: |
||||||
|
print 'All tests passed.' |
||||||
|
else: |
||||||
|
print 'OHNOES! Some tests failed!' |
||||||
|
if 0 < numErrors: |
||||||
|
print ' errors:', numErrors |
||||||
|
if 0 < numEqFailures: |
||||||
|
print ' different ref/snapshot:', numEqFailures |
||||||
|
if 0 < numFBFFailures: |
||||||
|
print ' different first/second rendering:', numFBFFailures |
||||||
|
|
||||||
|
if State.masterMode and (0 < numEqFailures or 0 < numEqNoSnapshot): |
||||||
|
print "Some eq tests failed or didn't have snapshots." |
||||||
|
print 'Checking to see if master references can be updated...' |
||||||
|
if 0 < numFatalFailures: |
||||||
|
print ' No. Some non-eq tests failed.' |
||||||
|
else: |
||||||
|
' Yes! The references in tmp/ can be synced with ref/.' |
||||||
|
if not prompt('Would you like to update the master copy in ref/?'): |
||||||
|
print ' OK, not updating.' |
||||||
|
else: |
||||||
|
sys.stdout.write(' Updating ... ') |
||||||
|
|
||||||
|
# XXX unclear what to do on errors here ... |
||||||
|
# NB: do *NOT* pass --delete to rsync. That breaks this |
||||||
|
# entire scheme. |
||||||
|
subprocess.check_call(( 'rsync', '-arv', 'tmp/', 'ref/' )) |
||||||
|
|
||||||
|
print 'done' |
||||||
|
|
||||||
|
|
||||||
|
def main(): |
||||||
|
optionParser = TestOptions() |
||||||
|
options, args = optionParser.parse_args() |
||||||
|
options = optionParser.verifyOptions(options) |
||||||
|
if options == None: |
||||||
|
sys.exit(1) |
||||||
|
|
||||||
|
httpd = TestServer(('127.0.0.1', 8080), PDFTestHandler) |
||||||
|
httpd_thread = threading.Thread(target=httpd.serve_forever) |
||||||
|
httpd_thread.setDaemon(True) |
||||||
|
httpd_thread.start() |
||||||
|
|
||||||
|
browsers = setUp(options) |
||||||
|
try: |
||||||
|
startBrowsers(browsers, options) |
||||||
|
while not State.done: |
||||||
|
time.sleep(1) |
||||||
|
processResults() |
||||||
|
finally: |
||||||
|
teardownBrowsers(browsers) |
||||||
|
|
||||||
|
if __name__ == '__main__': |
||||||
|
main() |
@ -1,21 +1,21 @@ |
|||||||
[ |
[ |
||||||
{ "id": "tracemonkey-eq", |
{ "id": "tracemonkey-eq", |
||||||
"file": "tests/tracemonkey.pdf", |
"file": "pdfs/tracemonkey.pdf", |
||||||
"rounds": 1, |
"rounds": 1, |
||||||
"type": "eq" |
"type": "eq" |
||||||
}, |
}, |
||||||
{ "id": "tracemonkey-fbf", |
{ "id": "tracemonkey-fbf", |
||||||
"file": "tests/tracemonkey.pdf", |
"file": "pdfs/tracemonkey.pdf", |
||||||
"rounds": 2, |
"rounds": 2, |
||||||
"type": "fbf" |
"type": "fbf" |
||||||
}, |
}, |
||||||
{ "id": "html5-canvas-cheat-sheet-load", |
{ "id": "html5-canvas-cheat-sheet-load", |
||||||
"file": "tests/canvas.pdf", |
"file": "pdfs/canvas.pdf", |
||||||
"rounds": 1, |
"rounds": 1, |
||||||
"type": "load" |
"type": "load" |
||||||
}, |
}, |
||||||
{ "id": "pdfspec-load", |
{ "id": "pdfspec-load", |
||||||
"file": "tests/pdf.pdf", |
"file": "pdfs/pdf.pdf", |
||||||
"link": true, |
"link": true, |
||||||
"rounds": 1, |
"rounds": 1, |
||||||
"type": "load" |
"type": "load" |
@ -0,0 +1,46 @@ |
|||||||
|
<html> |
||||||
|
<head> |
||||||
|
<title>Simple pdf.js page worker viewer</title> |
||||||
|
<script type="text/javascript" src="worker_client.js"></script> |
||||||
|
<script> |
||||||
|
|
||||||
|
|
||||||
|
var pdfDoc; |
||||||
|
window.onload = function() { |
||||||
|
window.canvas = document.getElementById("canvas"); |
||||||
|
window.ctx = canvas.getContext("2d"); |
||||||
|
|
||||||
|
pdfDoc = new WorkerPDFDoc(window.canvas); |
||||||
|
pdfDoc.onChangePage = function(numPage) { |
||||||
|
document.getElementById("pageNumber").value = numPage; |
||||||
|
} |
||||||
|
// pdfDoc.open("canvas.pdf", function() { |
||||||
|
pdfDoc.open("compressed.tracemonkey-pldi-09.pdf", function() { |
||||||
|
document.getElementById("numPages").innerHTML = "/" + pdfDoc.numPages; |
||||||
|
}) |
||||||
|
} |
||||||
|
</script> |
||||||
|
<link rel="stylesheet" href="viewer.css"></link> |
||||||
|
</head> |
||||||
|
<body> |
||||||
|
<div id="controls"> |
||||||
|
<input type="file" style="float: right; margin: auto 32px;" onChange="load(this.value.toString());"></input> |
||||||
|
<!-- This only opens supported PDFs from the source path... |
||||||
|
-- Can we use JSONP to overcome the same-origin restrictions? --> |
||||||
|
<button onclick="pdfDoc.prevPage();">Previous</button> |
||||||
|
<button onclick="pdfDoc.nextPage();">Next</button> |
||||||
|
<input type="text" id="pageNumber" onchange="pdfDoc.showPage(this.value);" |
||||||
|
value="1" size="4"></input> |
||||||
|
<span id="numPages">--</span> |
||||||
|
<span id="info"></span> |
||||||
|
</div> |
||||||
|
|
||||||
|
<div id="viewer"> |
||||||
|
<!-- Canvas dimensions must be specified in CSS pixels. CSS pixels |
||||||
|
are always 96 dpi. 816x1056 is 8.5x11in at 96dpi. --> |
||||||
|
<!-- We're rendering here at 1.5x scale. --> |
||||||
|
<canvas id="canvas" width="1224" height="1584"></canvas> |
||||||
|
</div> |
||||||
|
</body> |
||||||
|
</html> |
||||||
|
|
@ -0,0 +1,272 @@ |
|||||||
|
/* -*- Mode: Java; tab-width: 2; indent-tabs-mode: nil; c-basic-offset: 2 -*- / |
||||||
|
/* vim: set shiftwidth=2 tabstop=2 autoindent cindent expandtab: */ |
||||||
|
|
||||||
|
"use strict"; |
||||||
|
|
||||||
|
if (typeof console.time == "undefined") { |
||||||
|
var consoleTimer = {}; |
||||||
|
console.time = function(name) { |
||||||
|
consoleTimer[name] = Date.now(); |
||||||
|
}; |
||||||
|
|
||||||
|
console.timeEnd = function(name) { |
||||||
|
var time = consoleTimer[name]; |
||||||
|
if (time == null) { |
||||||
|
throw "Unkown timer name " + name; |
||||||
|
} |
||||||
|
this.log("Timer:", name, Date.now() - time); |
||||||
|
}; |
||||||
|
} |
||||||
|
|
||||||
|
function WorkerPDFDoc(canvas) { |
||||||
|
var timer = null |
||||||
|
|
||||||
|
this.ctx = canvas.getContext("2d"); |
||||||
|
this.canvas = canvas; |
||||||
|
this.worker = new Worker('pdf_worker.js'); |
||||||
|
|
||||||
|
this.numPage = 1; |
||||||
|
this.numPages = null; |
||||||
|
|
||||||
|
var imagesList = {}; |
||||||
|
var canvasList = { |
||||||
|
0: canvas |
||||||
|
}; |
||||||
|
var patternList = {}; |
||||||
|
var gradient; |
||||||
|
|
||||||
|
var currentX = 0; |
||||||
|
var currentXStack = []; |
||||||
|
|
||||||
|
var ctxSpecial = { |
||||||
|
"$setCurrentX": function(value) { |
||||||
|
currentX = value; |
||||||
|
}, |
||||||
|
|
||||||
|
"$addCurrentX": function(value) { |
||||||
|
currentX += value; |
||||||
|
}, |
||||||
|
|
||||||
|
"$saveCurrentX": function() { |
||||||
|
currentXStack.push(currentX); |
||||||
|
}, |
||||||
|
|
||||||
|
"$restoreCurrentX": function() { |
||||||
|
currentX = currentXStack.pop(); |
||||||
|
}, |
||||||
|
|
||||||
|
"$showText": function(y, text) { |
||||||
|
this.translate(currentX, -1 * y); |
||||||
|
this.fillText(text, 0, 0); |
||||||
|
currentX += this.measureText(text).width; |
||||||
|
}, |
||||||
|
|
||||||
|
"$putImageData": function(imageData, x, y) { |
||||||
|
var imgData = this.getImageData(0, 0, imageData.width, imageData.height); |
||||||
|
|
||||||
|
// Store the .data property to avaid property lookups.
|
||||||
|
var imageRealData = imageData.data; |
||||||
|
var imgRealData = imgData.data; |
||||||
|
|
||||||
|
// Copy over the imageData.
|
||||||
|
var len = imageRealData.length; |
||||||
|
while (len--) |
||||||
|
imgRealData[len] = imageRealData[len] |
||||||
|
|
||||||
|
this.putImageData(imgData, x, y); |
||||||
|
}, |
||||||
|
|
||||||
|
"$drawImage": function(id, x, y, sx, sy, swidth, sheight) { |
||||||
|
var image = imagesList[id]; |
||||||
|
if (!image) { |
||||||
|
throw "Image not found: " + id; |
||||||
|
} |
||||||
|
this.drawImage(image, x, y, image.width, image.height, |
||||||
|
sx, sy, swidth, sheight); |
||||||
|
}, |
||||||
|
|
||||||
|
"$drawCanvas": function(id, x, y, sx, sy, swidth, sheight) { |
||||||
|
var canvas = canvasList[id]; |
||||||
|
if (!canvas) { |
||||||
|
throw "Canvas not found"; |
||||||
|
} |
||||||
|
if (sheight != null) { |
||||||
|
this.drawImage(canvas, x, y, canvas.width, canvas.height, |
||||||
|
sx, sy, swidth, sheight); |
||||||
|
} else { |
||||||
|
this.drawImage(canvas, x, y, canvas.width, canvas.height); |
||||||
|
} |
||||||
|
}, |
||||||
|
|
||||||
|
"$createLinearGradient": function(x0, y0, x1, y1) { |
||||||
|
gradient = this.createLinearGradient(x0, y0, x1, y1); |
||||||
|
}, |
||||||
|
|
||||||
|
"$createPatternFromCanvas": function(patternId, canvasId, kind) { |
||||||
|
var canvas = canvasList[canvasId]; |
||||||
|
if (!canvas) { |
||||||
|
throw "Canvas not found"; |
||||||
|
} |
||||||
|
patternList[patternId] = this.createPattern(canvas, kind); |
||||||
|
}, |
||||||
|
|
||||||
|
"$addColorStop": function(i, rgba) { |
||||||
|
gradient.addColorStop(i, rgba); |
||||||
|
}, |
||||||
|
|
||||||
|
"$fillStyleGradient": function() { |
||||||
|
this.fillStyle = gradient; |
||||||
|
}, |
||||||
|
|
||||||
|
"$fillStylePattern": function(id) { |
||||||
|
var pattern = patternList[id]; |
||||||
|
if (!pattern) { |
||||||
|
throw "Pattern not found"; |
||||||
|
} |
||||||
|
this.fillStyle = pattern; |
||||||
|
}, |
||||||
|
|
||||||
|
"$strokeStyleGradient": function() { |
||||||
|
this.strokeStyle = gradient; |
||||||
|
}, |
||||||
|
|
||||||
|
"$strokeStylePattern": function(id) { |
||||||
|
var pattern = patternList[id]; |
||||||
|
if (!pattern) { |
||||||
|
throw "Pattern not found"; |
||||||
|
} |
||||||
|
this.strokeStyle = pattern; |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
function renderProxyCanvas(canvas, cmdQueue) { |
||||||
|
var ctx = canvas.getContext("2d"); |
||||||
|
var cmdQueueLength = cmdQueue.length; |
||||||
|
for (var i = 0; i < cmdQueueLength; i++) { |
||||||
|
var opp = cmdQueue[i]; |
||||||
|
if (opp[0] == "$") { |
||||||
|
ctx[opp[1]] = opp[2]; |
||||||
|
} else if (opp[0] in ctxSpecial) { |
||||||
|
ctxSpecial[opp[0]].apply(ctx, opp[1]); |
||||||
|
} else { |
||||||
|
ctx[opp[0]].apply(ctx, opp[1]); |
||||||
|
} |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
/** |
||||||
|
* Functions to handle data sent by the WebWorker. |
||||||
|
*/ |
||||||
|
var actionHandler = { |
||||||
|
"log": function(data) { |
||||||
|
console.log.apply(console, data); |
||||||
|
}, |
||||||
|
|
||||||
|
"pdf_num_pages": function(data) { |
||||||
|
this.numPages = parseInt(data); |
||||||
|
if (this.loadCallback) { |
||||||
|
this.loadCallback(); |
||||||
|
} |
||||||
|
}, |
||||||
|
|
||||||
|
"font": function(data) { |
||||||
|
var base64 = window.btoa(data.raw); |
||||||
|
|
||||||
|
// Add the @font-face rule to the document
|
||||||
|
var url = "url(data:" + data.mimetype + ";base64," + base64 + ");"; |
||||||
|
var rule = "@font-face { font-family:'" + data.fontName + "';src:" + url + "}"; |
||||||
|
var styleSheet = document.styleSheets[0]; |
||||||
|
styleSheet.insertRule(rule, styleSheet.length); |
||||||
|
|
||||||
|
// Just adding the font-face to the DOM doesn't make it load. It
|
||||||
|
// seems it's loaded once Gecko notices it's used. Therefore,
|
||||||
|
// add a div on the page using the loaded font.
|
||||||
|
var div = document.createElement("div"); |
||||||
|
var style = 'font-family:"' + data.fontName + |
||||||
|
'";position: absolute;top:-99999;left:-99999;z-index:-99999'; |
||||||
|
div.setAttribute("style", style); |
||||||
|
document.body.appendChild(div); |
||||||
|
}, |
||||||
|
|
||||||
|
"jpeg_stream": function(data) { |
||||||
|
var img = new Image(); |
||||||
|
img.src = "data:image/jpeg;base64," + window.btoa(data.raw); |
||||||
|
imagesList[data.id] = img; |
||||||
|
}, |
||||||
|
|
||||||
|
"canvas_proxy_cmd_queue": function(data) { |
||||||
|
var id = data.id; |
||||||
|
var cmdQueue = data.cmdQueue; |
||||||
|
|
||||||
|
// Check if there is already a canvas with the given id. If not,
|
||||||
|
// create a new canvas.
|
||||||
|
if (!canvasList[id]) { |
||||||
|
var newCanvas = document.createElement("canvas"); |
||||||
|
newCanvas.width = data.width; |
||||||
|
newCanvas.height = data.height; |
||||||
|
canvasList[id] = newCanvas; |
||||||
|
} |
||||||
|
|
||||||
|
// There might be fonts that need to get loaded. Shedule the
|
||||||
|
// rendering at the end of the event queue ensures this.
|
||||||
|
setTimeout(function() { |
||||||
|
if (id == 0) { |
||||||
|
console.time("canvas rendering"); |
||||||
|
var ctx = this.ctx; |
||||||
|
ctx.save(); |
||||||
|
ctx.fillStyle = "rgb(255, 255, 255)"; |
||||||
|
ctx.fillRect(0, 0, canvas.width, canvas.height); |
||||||
|
ctx.restore(); |
||||||
|
} |
||||||
|
renderProxyCanvas(canvasList[id], cmdQueue); |
||||||
|
if (id == 0) console.timeEnd("canvas rendering") |
||||||
|
}, 0, this); |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
// List to the WebWorker for data and call actionHandler on it.
|
||||||
|
this.worker.onmessage = function(event) { |
||||||
|
var data = event.data; |
||||||
|
if (data.action in actionHandler) { |
||||||
|
actionHandler[data.action].call(this, data.data); |
||||||
|
} else { |
||||||
|
throw "Unkown action from worker: " + data.action; |
||||||
|
} |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
WorkerPDFDoc.prototype.open = function(url, callback) { |
||||||
|
var req = new XMLHttpRequest(); |
||||||
|
req.open("GET", url); |
||||||
|
req.mozResponseType = req.responseType = "arraybuffer"; |
||||||
|
req.expected = (document.URL.indexOf("file:") == 0) ? 0 : 200; |
||||||
|
req.onreadystatechange = function() { |
||||||
|
if (req.readyState == 4 && req.status == req.expected) { |
||||||
|
var data = req.mozResponseArrayBuffer || req.mozResponse || |
||||||
|
req.responseArrayBuffer || req.response; |
||||||
|
|
||||||
|
this.loadCallback = callback; |
||||||
|
this.worker.postMessage(data); |
||||||
|
this.showPage(this.numPage); |
||||||
|
} |
||||||
|
}.bind(this); |
||||||
|
req.send(null); |
||||||
|
} |
||||||
|
|
||||||
|
WorkerPDFDoc.prototype.showPage = function(numPage) { |
||||||
|
this.numPage = parseInt(numPage); |
||||||
|
this.worker.postMessage(numPage); |
||||||
|
if (this.onChangePage) { |
||||||
|
this.onChangePage(numPage); |
||||||
|
} |
||||||
|
} |
||||||
|
|
||||||
|
WorkerPDFDoc.prototype.nextPage = function() { |
||||||
|
if (this.numPage == this.numPages) return; |
||||||
|
this.showPage(++this.numPage); |
||||||
|
} |
||||||
|
|
||||||
|
WorkerPDFDoc.prototype.prevPage = function() { |
||||||
|
if (this.numPage == 1) return; |
||||||
|
this.showPage(--this.numPage); |
||||||
|
} |
Loading…
Reference in new issue