JSlider 问题:左键后的位置

2022-09-04 20:18:33

每当我单击JSlider时,它就会在单击的方向上定位一个主要的Tick,而不是跳到我实际单击的位置。(如果滑块位于点 47,而我单击 5,它将跳转到 37 而不是 5)。在使用JSliders时,有没有办法改变这一点,或者我必须使用另一个数据结构?


答案 1

尽管这看起来很奇怪,但实际上控制这种行为的是外观和感觉。看看 ,你需要覆盖的方法是 scrollDueToClickInTrack(int)。BasicSliderUI

为了将 的值设置为最接近用户点击轨道的位置的值,您需要在鼠标坐标之间进行一些花哨的裤子转换,以从到有效的跟踪值,同时考虑到的位置,它的方向,大小和刻度之间的距离。幸运的是,为我们提供了两个方便的函数来执行此操作:valueForXPosition(int xPos)valueForYPosition(int yPos)JSlidergetMousePosition()ComponentBasicSliderUI

JSlider slider = new JSlider(JSlider.HORIZONTAL);
slider.setUI(new MetalSliderUI() {
    protected void scrollDueToClickInTrack(int direction) {
        // this is the default behaviour, let's comment that out
        //scrollByBlock(direction);

        int value = slider.getValue(); 

        if (slider.getOrientation() == JSlider.HORIZONTAL) {
            value = this.valueForXPosition(slider.getMousePosition().x);
        } else if (slider.getOrientation() == JSlider.VERTICAL) {
            value = this.valueForYPosition(slider.getMousePosition().y);
        }
        slider.setValue(value);
    }
});

答案 2

这个问题有点老了,但我自己也遇到了这个问题。这是我的解决方案:

JSlider slider = new JSlider(/* your options here if desired */) {
    {
        MouseListener[] listeners = getMouseListeners();
        for (MouseListener l : listeners)
            removeMouseListener(l); // remove UI-installed TrackListener
        final BasicSliderUI ui = (BasicSliderUI) getUI();
        BasicSliderUI.TrackListener tl = ui.new TrackListener() {
            // this is where we jump to absolute value of click
            @Override public void mouseClicked(MouseEvent e) {
                Point p = e.getPoint();
                int value = ui.valueForXPosition(p.x);

                setValue(value);
            }
            // disable check that will invoke scrollDueToClickInTrack
            @Override public boolean shouldScroll(int dir) {
                return false;
            }
        };
        addMouseListener(tl);
    }
};

推荐