document.getElementsByClassName returns a NodeList, not an individual element. You can loop through the list, e.g.:
var list = document.getElementsByClassName('Qty');
var n;
for (n = 0; n < list.length; ++n) {
list[n].value='100';
}
Or if you know there will be only one match (and you know there won't be zero matches):
document.getElementsByClassName('Qty')[0].value = '100';
You might also look at querySelector and querySelectorAll, because they're actually better-supported than getElementsByClassName (specifically: IE8 supports them, but doesn't have getElementsByClassName). querySelector looks for the first element in the document that matches the given CSS selector and returns that element instance (or null if there are none). querySelectorAll returns a NodeList of all matching elements. (That NodeList is not quite the same as the one returned by getElementsByClassName, in that it's a snapshot as of when you make the call, not a live NodeList).
So for instance:
document.querySelector('.Qty').value = '100';
Or:
var list = document.querySelectorAll('.Qty');
var n;
for (n = 0; n < list.length; ++n) {
list[n].value='100';
}