Get rid of panel.add(listArea);
, it's removing the listArea
from the JScrollPane
Avoid using null
layouts, pixel perfect layouts are an illusion within modern ui design. There are too many factors which affect the individual size of components, none of which you can control. Swing was designed to work with layout managers at the core, discarding these will lead to no end of issues and problems that you will spend more and more time trying to rectify.
JScrollPane
(and JViewport
) have there own layout routines, which you don't control. Setting the size of the JList
will have no effect once you pass it to the JScrollPane
.
See Why is it frowned upon to use a null layout in SWING? for more details
I don't know what you expect listArea.setVisibleRowCount(-1);
to do, but I'd advise against it.
Updated with example

import java.awt.BorderLayout;
import java.awt.EventQueue;
import java.awt.Font;
import java.util.ArrayList;
import java.util.List;
import javax.swing.JFrame;
import javax.swing.JList;
import javax.swing.JPanel;
import javax.swing.JScrollPane;
import javax.swing.ListSelectionModel;
import javax.swing.UIManager;
import javax.swing.UnsupportedLookAndFeelException;
public class TestList {
public static void main(String[] args) {
new TestList();
}
public TestList() {
EventQueue.invokeLater(new Runnable() {
@Override
public void run() {
try {
UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
} catch (ClassNotFoundException | InstantiationException | IllegalAccessException | UnsupportedLookAndFeelException ex) {
ex.printStackTrace();
}
JPanel panel = new JPanel(new BorderLayout());
List<String> labels = new ArrayList<>(25);
for (int index = 0; index < 100; index++) {
labels.add("Item " + index);
}
final JList<String> listArea = new JList<String>(labels.toArray(new String[labels.size()]));
listArea.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
listArea.setFont(new Font("Serif", Font.ITALIC, 14));
JScrollPane listScroller = new JScrollPane();
listScroller.setViewportView(listArea);
listArea.setLayoutOrientation(JList.VERTICAL);
panel.add(listScroller);
JFrame frame = new JFrame("Testing");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add(panel);
frame.pack();
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
});
}
}