C# 如何从拉伸中获取像素 bitmap/picturebox
C# How to get pixel from stretched bitmap/picturebox
好的,我有一个带有图像的 pictureBox,其 sizeMode 设置为:StretchImage,
现在,我想获得我点击的像素。 (bitmap.GetPixel(x,y))。
但是当图像从正常尺寸拉伸时,我得到了原始像素。就像在 strech 之前的像素中一样(如果这有意义?)
我的代码:
Private void pictureBox1_MouseUp(object sender, MouseEventArgs e) {
Bitmap img = (Bitmap)pictureBox1.Image;
var color = img.GetPixel(e.X, e.Y)
}
提前致谢
应该有一种方法可以补偿由图片框引起的拉伸因素。我正在考虑从图片框获取拉伸后的宽度和高度,以及从原始图像获取拉伸后的宽度和高度,计算拉伸因子,然后将它们与 e.X
和 e.Y
坐标相乘。
也许是这样的:
Bitmap img = (Bitmap)pictureBox1.Image;
float stretch_X = img.Width / (float)pictureBox1.Width;
float stretch_Y = img.Height / (float)pictureBox1.Height;
var color = img.GetPixel((int)(e.X * stretch_X), (int)(e.Y * stretch_Y));
您可以存储原始图像并保持原样。这比调整拉伸图像的大小并获得指定的像素后缀更容易。确保 e.X 和 e.Y 不超出原始位图的范围。
private Bitmap _img;
public void LoadImage(string file) {
// Get the image from the file.
pictureBox1.Image = Bitmap.FromFile(file);
// Convert it to a bitmap and store it for later use.
_img = (Bitmap)pictureBox1.Image;
// Code for stretching the picturebox here.
// ...
}
private void pictureBox1_MouseUp(object sender, MouseEventArgs e) {
var color = _img.GetPixel(e.X, e.Y);
}
编辑:无视。 Maximilian 的回答更好。
用拉伸因子除以 e.X
和 e.Y
。这是拉伸图像填充整个图片框。
Bitmap img = (Bitmap)pictureBox1.Image;
float factor_x = (float)pictureBox1.Width / img.Width;
float factor_y = (float)pictureBox1.Height / img.Height;
var color = img.GetPixel(e.X / factor_x, e.Y / factor_y)
通过这样做,我们确保 e.X
和 e.Y
不会超出原始图像的限制。
好的,我有一个带有图像的 pictureBox,其 sizeMode 设置为:StretchImage,
现在,我想获得我点击的像素。 (bitmap.GetPixel(x,y))。
但是当图像从正常尺寸拉伸时,我得到了原始像素。就像在 strech 之前的像素中一样(如果这有意义?)
我的代码:
Private void pictureBox1_MouseUp(object sender, MouseEventArgs e) {
Bitmap img = (Bitmap)pictureBox1.Image;
var color = img.GetPixel(e.X, e.Y)
}
提前致谢
应该有一种方法可以补偿由图片框引起的拉伸因素。我正在考虑从图片框获取拉伸后的宽度和高度,以及从原始图像获取拉伸后的宽度和高度,计算拉伸因子,然后将它们与 e.X
和 e.Y
坐标相乘。
也许是这样的:
Bitmap img = (Bitmap)pictureBox1.Image;
float stretch_X = img.Width / (float)pictureBox1.Width;
float stretch_Y = img.Height / (float)pictureBox1.Height;
var color = img.GetPixel((int)(e.X * stretch_X), (int)(e.Y * stretch_Y));
您可以存储原始图像并保持原样。这比调整拉伸图像的大小并获得指定的像素后缀更容易。确保 e.X 和 e.Y 不超出原始位图的范围。
private Bitmap _img;
public void LoadImage(string file) {
// Get the image from the file.
pictureBox1.Image = Bitmap.FromFile(file);
// Convert it to a bitmap and store it for later use.
_img = (Bitmap)pictureBox1.Image;
// Code for stretching the picturebox here.
// ...
}
private void pictureBox1_MouseUp(object sender, MouseEventArgs e) {
var color = _img.GetPixel(e.X, e.Y);
}
编辑:无视。 Maximilian 的回答更好。
用拉伸因子除以 e.X
和 e.Y
。这是拉伸图像填充整个图片框。
Bitmap img = (Bitmap)pictureBox1.Image;
float factor_x = (float)pictureBox1.Width / img.Width;
float factor_y = (float)pictureBox1.Height / img.Height;
var color = img.GetPixel(e.X / factor_x, e.Y / factor_y)
通过这样做,我们确保 e.X
和 e.Y
不会超出原始图像的限制。