2

我有一个 div,我想使用两个文本输入设置自定义尺寸。

<div id="theFrame"></div>
    width: <input id="custWidth" type="text">
    height: <input id="custHeight" type="text">
<br>
<button id="custSet">Set my width!</button>

我试过用变量设置高度和宽度,但我现在不知道该怎么做。

var frame = $('div#theFrame');

$("#custWidth")
    .keyup(function () {
        var custWidth = $(this).attr('value');
    })
    .keyup();

$("#custHeight")
    .keyup(function () {
        var custHeight = $(this).attr('value');
    })
    .keyup();

$('#custSet')
    .click( function() {
        frame.css({height: custHeight, width: custWidth});
    });

谢谢。

http://jsfiddle.net/Kyle_Sevenoaks/6MUuv/

4

5 回答 5

5
var frame = $('div#theFrame');
var custWidth;
var custHeight;
$("#custWidth").keyup(function () {
      custWidth = $(this).attr('value');
    }).keyup();

$("#custHeight").keyup(function () {
      custHeight = $(this).attr('value');
    }).keyup();

$('#custSet').click( function() {
    frame.css({height: custHeight, width: custWidth});
});

您的变量范围已关闭。

于 2012-09-13T08:48:52.893 回答
3

你的问题是那些宽度和高度的变量是有范围的。您需要在事件处理程序之外定义它们,然后在没有var之前的情况下将它们设置在其中。

于 2012-09-13T08:47:56.403 回答
3

在外部范围内声明你的变量:

var frame = $('div#theFrame');
var custWidth = 40;  // declared outside and assigned a default value
var custHeight = 40; // declared outside and assigned a default value

$("#custWidth").keyup(function () {
      custWidth = $(this).attr('value');
    }).keyup();

$("#custHeight").keyup(function () {
     custHeight = $(this).attr('value');
    }).keyup();

$('#custSet').click( function() {
    //frame.height(custHeight); // Alternative to .css() if you like, also doesn't need 'px' as it always is in pixels.
    //frame.width(custWidth);  // Alternative to .css() if you like, also doesn't need 'px' as it always is in pixels.
    frame.css({height: custHeight, width: custWidth});
});

演示

于 2012-09-13T08:48:51.713 回答
2

在设置 CSS 时,您很可能需要包含“px”:

frame.css({height: custHeight + 'px', width: custWidth + 'px'});

此外,您需要全局定义 custHeight 和 custWidth 参数,因为它们仅在 key up 函数中是本地的。

var frame = $('div#theFrame'), custWidth = 0, custHeight = 0;

$("#custWidth")
    .keyup(function () {
        window.custWidth = $(this).attr('value');
    })
    .keyup();

而且...我相信您不需要那里的第二个 keyup() 调用:

$("#custWidth")
    .keyup(function () {
        window.custWidth = $(this).attr('value');
    });
于 2012-09-13T08:47:55.880 回答
1

只需将两个变量设为全局 custWidth,custHeight

var frame = $('div#theFrame');
var custWidth,custHeight ;
$("#custWidth").keyup(function () {
      custWidth = $(this).attr('value');
}).keyup();

$("#custHeight").keyup(function () {
      custHeight = $(this).attr('value');
}).keyup();

$('#custSet').click( function() {
    frame.css({height: custHeight, width: custWidth});
});
于 2012-09-13T08:49:55.857 回答