In most browsers on linux, CTRL+(WHEEL)SCROLL allows the user to zoom in and out of the page by enlarging or shrinking the size of all elements. Now I want to ove
https://developer.mozilla.org/en/Code_snippets/Miscellaneous#Detecting_mouse_wheel_events describes how to add a handler for mousewheel events in Firefox — including, theoretically, Ctrl+mousewheel events — but it mentions that if the user's preferences are such that a given modifier+mousewheel combination changes the text size, then these event-listeners will not be called. So, it doesn't seem to be possible (though I haven't tested myself to confirm the accuracy of that page).
Other browsers may behave differently, of course. If you're O.K. with it not working in Firefox, you can try registering your handler by setting window.onmousewheel.
There are a lot of difficulties in a question like this. Basically, there are two steps:
keydown
and keyup
events, and keep track of when Ctrl is downBut here are the problems you have to address:
mousewheel
event. You'll have to use DOMMouseScroll
instead.DOMMouseScroll
event, when used with Ctrl, never even gets fired!I'm not saying they're insurmountable, or even that they're big problems. Using a good JavaScript library should abstract away most of them, if not all. Being selective in your choice of browsers/OSs to support will also help quite a bit, if that's doable.
If I were to do this with jQuery (and a jQuery mousewheel plugin), it would look something like this:
(function ($) {
var isCtrl = false;
function ctrlCheck(e) {
if (e.which === 17) {
isCtrl = e.type === 'keydown' ? true : false;
}
}
function wheelCheck(e, delta) {
// `delta` will be the distance that the page would have scrolled;
// might be useful for increasing the SVG size, might not
if (isCtrl) {
e.preventDefault();
yourResizeMethod(delta);
}
}
$(document).
keydown(ctrlCheck).
keyup(ctrlCheck).
mousewheel(wheelCheck);
}(jQuery));
To add on to sdleihssirhc's answer... Instead of keeping track of the ctrl key yourself you can call e.ctrlKey in the wheelCheck method (in place of isCtrl). This will return true if the ctrl key was down.
I haven't confirmed this works on other platforms, but in Windows it works in Chrome, Explorer, and FireFox.