我试图使用Java截取屏幕截图,我有以下代码:
import java.awt.Rectangle;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.IOException;
import javax.imageio.ImageIO;
import javax.swing.JFrame;
public class Visualizer {
public static final void makeScreenshot(JFrame argFrame) {
Rectangle rec = argFrame.getBounds();
BufferedImage bufferedImage = new BufferedImage(rec.width, rec.height,
BufferedImage.TYPE_INT_ARGB);
argFrame.paint(bufferedImage.getGraphics());
try {
// Create temp file.
File temp = File.createTempFile("screenshot", ".png");
// Use the ImageIO API to write the bufferedImage to a temporary file
ImageIO.write(bufferedImage, "png", temp);
// Delete temp file when program exits.
temp.deleteOnExit();
} catch (IOException ioe) {
} // catch
}
public static void main(String[] args) {
JFrame window = new JFrame();
makeScreenshot(window);
}
}
但它引发了一个例外:
线程中的异常" main" java.lang.IllegalArgumentException:Width(0)和height(0)不能是< = 0
答案 0 :(得分:1)
问题是你的框架尺寸返回0.当你调用rec.width()
时,.t返回0 .same表示高度。但如果你调用setVisible(true)
则矩形具有正确的值。实际上你的矩形是空的矩形。java.awt.Rectangle[x=0,y=0,width=0,height=0]
解决这个问题;
致电setVisible(true)
JFrame window = new JFrame();
window.setVisible(true);
makeScreenshot(window);
如果你打电话
JFrame window = new JFrame();
window.pack();
makeScreenshot(window);
它也有效
答案 1 :(得分:0)
来自JFrame#getBounds()
(或更确切地说,Component#getBounds()
)' API:
边界指定此组件相对于其父组件的宽度,高度和位置。
专注于相对于其父级:这可能意味着负值或0
。
反过来,初始化宽度/高度为负值的BufferedImage
将抛出IllegalArgumentException
。
答案 2 :(得分:0)
我试过这个并且有效:
1)从框架中获取图像
public static BufferedImage getFrameImage(JFrame argFrame){
int w = argFrame.getWidth();
int h = argFrame.getHeight();
BufferedImage bi = new BufferedImage(w, h, BufferedImage.TYPE_INT_RGB);
Graphics2D g = bi.createGraphics();
g.setColor(Color.white);
g.fillRect(0, 0, w, h);
argFrame.paint(g);
paint(g);
return bi;
}
2)保存该图片:
public static final void makeScreenshot(JFrame argFrame) {
try {
// Create temp file.
File temp = File.createTempFile("screenshot", ".png");
// Use the ImageIO API to write the bufferedImage to a temporary file
ImageIO.write(getFrameImage(argFrame), "png", temp);
// Delete temp file when program exits.
temp.deleteOnExit();
} catch (IOException ioe) {
} // catch
}
但看到你的代码,我没有看到任何错误。这可能是一个与JFrame相关的问题,它可能永远不会被设置为可见,或者pack(),也许它还没有定义高度和宽度。
如此更好在JFrame窗口上放置一些JLabel或面板,以确保它的大小不会为0。 类似的东西:
public static void main(String[] args) {
JFrame window = new JFrame();
JPanel panel = new JPanel();
JLabel label = new JLabel("Hello Everyone!!");
panel.add(label);
window.add(panel);
window.setVisible(true);
window.pack();
makeScreenshot(window);
}