There is no way to directly modify a single component of the transform. Sadly, the various possible transforms were implemented as values on the transform
attribute, rather than attributes themselves. There is no object model for CSS attribute values - attribute values are always just a string, as far as JavaScript is concerned. It would've been nice if transform
was treated as a shorthand attribute for, eg, transform-rotate-y
, transform-*
, etc, the same way that background
is a shorthand attribute for all the background-*
attributes. This would've allowed us direct access to the values via JavaScript, but it was not implemented that way, so we are out of luck.
Edit: The simplest way to accomplish this (without studying the spec and doing a bunch of math) would be to nest your elements, applying different transformations to each. If you apply several transformations that won't change, go ahead and combine those on to one element. Any transformation that you do want to change, use a separate element:
Works here: jsfiddle.net/mkTKH/15
Edit: My original solution below won't work. In testing it out I discovered that getComputedStyle()
converts the transform into a matrix()
. An early draft of the spec says:
The transform
property of the style object returned by getComputedStyle
contains a single CSSTransformValue with a type of CSS_MATRIX. The 6 parameters represent the 3x2 matrix that is the result of applying the individual functions listed in the transform
property.
So, you have to parse it. If you want to change just one portion of an attribute value, you can use a regular expression to parse the value:
var rotateY = "rotateY(" + deg + "deg)";
var transform = el.style.webkitTransform.replace(/\brotateY([^)]+)\b/, rotateY);
el.style.webkitTransform = transform;
I'd create a reusable function:
function setTransformValue(el, name, value) {
var currentValue = new RegExp(name + "([^)]+)");
var style = window.getComputedStyle ? getComputedStyle(el) : el.currentStyle;
var currentTransform = style.transform ||
style.webkitTransform ||
style.MozTransform ||
style.msTransform ||
style.OTransform;
var transform;
if (currentValue.test(currentTransform )) {
transform = currentTransform.replace(currentValue, name + "(" + value + ")");
}
else {
transform = currentTransform + " " + name + "(" + value + ")";
}
el.style.transform = transform;
}
Untested.