Currently struggling to do this, and I'm now thinking that it may be better to handle this server-side but here goes.
I currently creating a small app which get a users drawn signature which is using HTML canvas and uploads it to Dropbox using their API:
const Canvas = () => {
const [imageURL, setImageURL] = useState('');
window.addEventListener('load', () => {
const canvas = document.querySelector('#canvas');
const ctx = canvas.getContext('2d');
const rect = canvas.getBoundingClientRect();
const clear = document.getElementById('clear');
// Resizing
canvas.height = 300;
canvas.width = 600;
// Vars
let painting = false;
function startPosition(e) {
painting = true;
draw(e);
}
function finishedPosition() {
painting = false;
ctx.beginPath();
const newSignature = canvas.toDataURL();
setImageURL(newSignature);
}
function draw(e) {
if (!painting) return;
ctx.lineWidth = 2;
ctx.lineCap = 'round';
ctx.lineTo(e.clientX - rect.left, e.clientY - rect.top);
ctx.stroke();
ctx.beginPath();
ctx.moveTo(e.clientX - rect.left, e.clientY - rect.top);
}
function clearCanvas() {
ctx.clearRect(0, 0, canvas.width, canvas.height);
setImageURL('');
}
// Listeners
canvas.addEventListener('mousedown', startPosition);
canvas.addEventListener('mouseup', finishedPosition);
canvas.addEventListener('mousemove', draw);
clear.addEventListener('click', clearCanvas);
});
function uploadFile() {
axios.post(
'https://content.dropboxapi.com/2/files/upload',
{ data: imageURL },
{
headers: {
Authorization: 'Bearer TOKEN_HERE',
'Content-Type': 'application/octet-stream',
'Dropbox-API-Arg': '{"path": "/signature","mode": "add","autorename": true,"mute": false}',
},
},
);
}
return (
<Fragment>
<div className={styles.wrapper}>
<canvas id="canvas" className={styles.nwicanvas} />
<Button buttonId="clear">Clear</Button>
<h3 className={styles.title}>Signature preview</h3>
{imageURL !== '' ? <img src={imageURL} alt="signature" /> : <p>No signature drawn.</p>}
{imageURL !== '' ? <a download="signature.png" href={imageURL}>Download</a> : null}
{imageURL !== '' ? <Button onClick={uploadFile}>Upload</Button> : null}
</div>
</Fragment>
);
};
This works to the point of creating a base64 image with the .toDataURL()
function which works great for displaying the preview to the user, however when I send to data up to Dropbox it ends being a corrupted image. I've also tried converting the base64 image to a blob
but I get another corrupted image.
I don't suppose it would be possible to convert this base64 image to raw binary data in Javascript and send that up instead?
Any help is very appreciated.