29 Jul 2024
Merge PDFs with SVG Lines
Introduction
We already addressed a sample of adding SVG text to PDFs through the Viewer's Markups Extension in a previous blog:
Now what if you want to do the same for a line using a custom extension?
That's what we'll cover in this blog. We will add a custom extension to draw lines and increment the logic from the previous blog sample to also print these lines.
The approach
We are basically taking advantage of three main resources to make this workflow possible:
- PDF 2D views generated from Model Derivative
- Custom Line extension
- PDF-LIB project
First of all, we need to render the PDF sheet with Viewer and provide a way for the user to add SVGs on top of it. Rendering 2D views is not different from rendering any regular design. For this sample, we are passing the urn of a Revit file that only generated a sheet as a derivative, but in case you need to select a 2D view dynamically, you can simply point to that urn and viewguid or have your user load the view through DocumentBrowser extension.
With the 2D view loaded, it is time to provide our end user the ability to add SVG.
To add lines on top of our design, we can use the custom Viewer extension below, which takes advantage of the ToolInterface to create lines based on two points selected by the user:
const LinesToolName = 'lines-tool';
const LinesOverlayName = 'lines-overlay';
class LinesTool extends Autodesk.Viewing.ToolInterface {
constructor(viewer, options) {
super();
this.viewer = viewer;
this.names = [LinesToolName];
this.active = false;
this.points = []; // Points of the current line
this.linesMeshes = []; // Mesh representing the currently drawn area
this.material = new THREE.MeshBasicMaterial({ color: 0x000, specular: 0xffffff });
this.lineMaterial = new THREE.LineBasicMaterial({
linewidth: 3,
color: 0x000,
transparent: true,
side: THREE.DoubleSide,
depthTest: true,
depthWrite: false,
blending: THREE.NoBlending
});
this.lines = [];
this.lineThickness = 0.05;
// Hack: delete functions defined on the *instance* of a ToolInterface (we want the tool controller to call our class methods instead)
delete this.register;
delete this.deregister;
delete this.activate;
delete this.deactivate;
delete this.getPriority;
delete this.handleMouseMove;
delete this.handleSingleClick;
delete this.handleKeyUp;
}
register() {
console.log('LinesTool registered.');
}
deregister() {
console.log('LinesTool unregistered.');
}
activate(name, viewer) {
if (!this.active) {
this.viewer.overlays.addScene(LinesOverlayName);
console.log('LinesTool activated.');
this.active = true;
}
}
deactivate(name) {
if (this.active) {
this.viewer.overlays.removeScene(LinesOverlayName);
console.log('LinesTool deactivated.');
this.active = false;
this.lines = [];
this._reset();
}
}
getPriority() {
return 13; // Feel free to use any number higher than 0 (which is the priority of all the default viewer tools)
}
handleMouseMove(event) {
if (!this.active) {
return false;
}
this.viewer.clearSelection();
const currentPoint = this.viewer.clientToWorld(event.canvasX, event.canvasY, true);
if (!!currentPoint && this.points.length == 1) {
this._update(currentPoint.point);
}
return false;
}
handleSingleClick(event, button) {
if (!this.active) {
return false;
}
if (button === 0) {
let newPoint = this.viewer.clientToWorld(event.canvasX, event.canvasY, true)
this.points.push(newPoint);
if (this.points.length == 2) {
this.lines.push({
firstPoint: this.points[0],
secondPoint: this.points[1]
})
this._update();
this._reset();
return true; // Stop the event from going to other tools in the stack
}
}
return false;
}
handleKeyUp(event, keyCode) {
if (this.active) {
if (keyCode === 27) {
// Finalize the extrude mesh and initialie a new one
this.points = [];
this.mesh = null;
return true;
}
}
return false;
}
_update(currentPoint = null) {
try{
let firstPoint = this.points[0].point;
let lastPoint = currentPoint? currentPoint : this.points[1].point;
this._updateLine(firstPoint, lastPoint);
}
catch(ex){
console.log(ex)
}
}
_updateLine(firstPoint, lastPoint) {
this._removeLine();
this._drawLine(firstPoint, lastPoint);
}
_removeLine() {
for (let i = 0; i < this.linesMeshes.length; i++) {
this.viewer.overlays.removeMesh(this.linesMeshes[i], LinesOverlayName);
this.viewer.impl.sceneUpdated(true);
}
}
_drawLine(firstPoint, lastPoint) {
let auxDir1 = lastPoint.clone().sub(firstPoint);
let auxDown = (new THREE.Vector3(0,0,1)).cross(auxDir1).normalize();
let auxUp = (new THREE.Vector3(0,0,-1)).cross(auxDir1).normalize();
let firstPoints = [];
let firstLineP1 = firstPoint.clone().add(auxUp.clone().multiplyScalar((this.lineThickness) * 0.5));
firstPoints.push(firstLineP1);
let firstLineP2 = firstLineP1.clone().add(auxDir1.clone().normalize().multiplyScalar(auxDir1.length()));
firstPoints.push(firstLineP2);
let firstLineP3 = firstLineP2.clone().add(auxDown.clone().multiplyScalar(this.lineThickness));
firstPoints.push(firstLineP3);
firstPoints.push(firstLineP3);
firstPoints.push(firstLineP1.clone().add(auxDown.clone().multiplyScalar(this.lineThickness)));
firstPoints.push(firstLineP1);
let firstGeometry = new THREE.BufferGeometry();
let firstBufferPoints = [];
for (let i = 0; i < firstPoints.length; i++) {
firstBufferPoints.push(firstPoints[i].x, firstPoints[i].y, firstPoints[i].z);
}
firstGeometry.addAttribute('position', new THREE.BufferAttribute(new Float32Array(firstBufferPoints), 3));
let line = new THREE.Mesh(firstGeometry, this.lineMaterial);
this.linesMeshes.push(line);
if (!this.viewer.overlays.hasScene(LinesOverlayName)) {
this.viewer.overlays.addScene(LinesOverlayName);
}
this.viewer.overlays.addMesh(line, LinesOverlayName);
}
_reset() {
this.points = [];
this.linesMeshes = [];
}
}
class LinesToolExtension extends Autodesk.Viewing.Extension {
constructor(viewer, options) {
super(viewer, options);
this.tool = new LinesTool(viewer);
this.button = null;
}
async load() {
this.viewer.toolController.registerTool(this.tool);
console.log('LinesToolExtension has been loaded.');
return true;
}
async unload() {
this.viewer.toolController.deregisterTool(this.tool);
console.log('LinesToolExtension has been unloaded.');
return true;
}
onToolbarCreated(toolbar) {
const controller = this.viewer.toolController;
this.button = new Autodesk.Viewing.UI.Button('lines-tool-button');
this.button.onClick = (ev) => {
if (controller.isToolActivated(LinesToolName)) {
controller.deactivateTool(LinesToolName);
this.button.setState(Autodesk.Viewing.UI.Button.State.INACTIVE);
} else {
controller.activateTool(LinesToolName);
this.button.setState(Autodesk.Viewing.UI.Button.State.ACTIVE);
}
};
this.button.setToolTip('Lines Tool');
this.group = new Autodesk.Viewing.UI.ControlGroup('lines-tool-group');
this.group.addControl(this.button);
const icon = this.button.container.querySelector('.adsk-button-icon');
let buttonIconUrl = 'https://img.icons8.com/ios/30/line--v1.png';
if (icon) {
icon.style.backgroundImage = `url(${buttonIconUrl})`;
icon.style.backgroundSize = `24px`;
icon.style.backgroundRepeat = `no-repeat`;
icon.style.backgroundPosition = `center`;
}
toolbar.addControl(this.group);
}
}
Autodesk.Viewing.theExtensionManager.registerExtension('LinesToolExtension', LinesToolExtension);
With that, once the user draws lines on top of our PDF, we'll use PDF-LIB to add these SVG generating a new PDF file.
The main challenge will be correctly positioning and specifying the correct sizes and colors of our fonts.
To properly specify the position, we'll have a logic to convert from Viewer coordinates to PDF-LIB coordinates.
In our specific case, the same PDF has width and height with different values, as in the image below.
To address this compatibility, we have the code below:
function addLineToPDFPage(pdfPage, line, linesExtension){
// Get the width and height of the first page
const { width, height } = pdfPage.getSize();
//Viewer max coordinates
let modelMaxX = globalViewer.model.getData().modelSpaceBBox.max.x;
let modelMaxY = globalViewer.model.getData().modelSpaceBBox.max.y;
//Position in Viewer coordinates
let firstPoint = line.firstPoint.point;
let secondPoint = line.secondPoint.point;
//ratio PDF-LIB/Viewer units
let ratioWidth = width / modelMaxX;
let ratioHeight = height / modelMaxY;
let relativeFirstPoint = getRelativePoint(firstPoint, ratioWidth);
let relativeSecondPoint = getRelativePoint(secondPoint, ratioHeight);
//Positioning of text in the sheet in PDF-LIB coordinates
const firstPointX = -(0.5*width) + relativeFirstPoint.x;
const firstpointY = -(0.5*height) + relativeFirstPoint.y;
const secondPointX = -(0.5*width) + relativeSecondPoint.x;
const secondPointY = -(0.5*height) + relativeSecondPoint.y;
let lineColor = linesExtension.tool.lineMaterial.color;
pdfPage.drawLine({
start: { x: firstPointX, y: firstpointY },
end: { x: secondPointX, y: secondPointY },
thickness: linesExtension.tool.lineThickness * ratioWidth,
color: rgb(lineColor.r, lineColor.g, lineColor.b),
opacity: 0.75,
})
}
To test the workflow you'll need to first draw a line using the line extension and then click the Print PDF with Texts and Lines
button
And once downloaded you can check the resulting file
Limitations
This sample code only reads the lines added on top of the 2D view.
For this workflow to work, your Revit file needs to be from version 2022 or later, and it needs to be published after November 4th of 2021. This last restriction is because only after this date the extractor started adding the Revit version in the manifest (refer to this blog).
Also, for it to download the PDFs you might need to change your browser settings.
Here's the way to do it in Chrome You can go to Settings > Privacy and Security > Additional Content Settings > PDF documents > Download PDFs
Feel free to try our live demo and check its source code: