-
Notifications
You must be signed in to change notification settings - Fork 30
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Перепелкин Ярослав. 3823Б1ПР1. Практическая работа №1. Обработка изображений с использованием библиотеки OpenCV #9
Open
TepidmishA
wants to merge
3
commits into
valentina-kustikova:main
Choose a base branch
from
TepidmishA:main
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from 2 commits
Commits
Show all changes
3 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,218 @@ | ||
import numpy as np | ||
import cv2 as cv | ||
import argparse | ||
|
||
|
||
def cli_arguments(): | ||
parser = argparse.ArgumentParser() | ||
|
||
parser.add_argument('--image', '-i', | ||
help='Image path', | ||
type=str, | ||
dest='image_path', | ||
required=False, | ||
default="image.png") | ||
|
||
parser.add_argument("--filter", "-f", | ||
help="Filter type (grey, resize, sepia, vignette, pixelate)", | ||
type=str, | ||
dest="filter_type", | ||
required=False, | ||
default="pixelate", | ||
choices=["grey", "resize", "sepia", "vignette", "pixelate"]) | ||
|
||
# Аргументы для фильтра resize | ||
parser.add_argument("--width", "-w", | ||
help="Width for resizing", | ||
type=int, | ||
dest="width", | ||
required=False, | ||
default=1920) | ||
|
||
parser.add_argument("--height", "-ht", | ||
help="Height for resizing", | ||
type=int, | ||
dest="height", | ||
required=False, | ||
default=1080) | ||
|
||
# Аргумент для фильтра vignette | ||
parser.add_argument("--radius", "-r", | ||
help="Radius for vignette", | ||
type=int, | ||
dest="radius", | ||
required=False, | ||
default=80) | ||
|
||
# Аргумент для фильтра pixelate | ||
parser.add_argument("--pixel_size", "-ps", | ||
help="Pixel size for pixelate", | ||
type=int, | ||
dest="pixel_size", | ||
required=False, | ||
default=10) | ||
|
||
return parser.parse_args() | ||
|
||
|
||
def image_grey(img): | ||
""" | ||
Функция перевода изображения в оттенки серого | ||
|
||
:param img: Исходное изображение | ||
:return: Изменённое изображение в оттенках серого | ||
""" | ||
|
||
weights = np.array([0.1140, 0.5870, 0.2989]) # Параметры инвертированы, т.к. opencv хранит изображения в BGR | ||
res_img = np.dot(img[:, :, :3], weights).astype(np.uint8) # img[..., :3] = img[:,:, :3] - игнорируем альфа канал | ||
|
||
return res_img | ||
|
||
|
||
def image_change_resolution(img, new_width, new_height): | ||
""" | ||
Функция изменения разрешения изображения | ||
|
||
:param img: Исходное изображение | ||
:param new_width: Ширина нового изображения | ||
:param new_height: Высота нового изображения | ||
:return: Изменённое изображение с новым разрешением | ||
""" | ||
|
||
if new_width <= 0 or new_height <= 0: | ||
raise ValueError("Invalid width or height.") | ||
old_height, old_width = img.shape[:2] | ||
|
||
# Коэффициенты масштабирования | ||
x_ratio, y_ratio = old_width / new_width, old_height / new_height | ||
|
||
# Создаем сетку координат для нового изображения | ||
# Пиксель из оригинального изображения для каждого пикселя нового изображения | ||
x_indices = (np.arange(new_width) * x_ratio).astype(np.int32) # np.int32, так как координаты | ||
y_indices = (np.arange(new_height) * y_ratio).astype(np.int32) # np.arange(new_width) -> массив [0, 1, ..., new_width - 1] | ||
|
||
# Индексация с использованием массивов в numpy | ||
# img[[0, 2, 4], [0, 2, 4]] -> выборка пикселей с координатами (0,0), (0,2), (0,4), (2,0), (2,2), (2,4), (4,0), (4,2), (4,4) | ||
res_img = img[y_indices[:, None], x_indices] | ||
|
||
return res_img | ||
|
||
|
||
def image_sepia(img): | ||
""" | ||
Функция применения фотоэффекта сепии к изображению | ||
|
||
:param img: Исходное изображение | ||
:return: Изменённое изображение с эффектом сепии | ||
""" | ||
|
||
weights = np.array([[0.393, 0.769, 0.189], | ||
[0.349, 0.686, 0.168], | ||
[0.272, 0.534, 0.131]][::-1]) # Параметры инвертированы, т.к. opencv хранит изображения в BGR | ||
|
||
res_img = np.dot(img[:, :, :3], weights.T) | ||
res_img = np.clip(res_img, 0, 255).astype(np.uint8) | ||
|
||
return res_img | ||
|
||
|
||
def image_vignette_rad(img, rad): | ||
""" | ||
Функция применения фотоэффекта виньетки к изображению | ||
|
||
:param img: Исходное изображение | ||
:param rad: Радиус виньетки (в процентах от всего изображения) | ||
:return: Изменённое изображение с эффектом виньетки | ||
:raise ValueError("Invalid radius"): rad <= 0 | ||
""" | ||
|
||
if rad <= 0: | ||
raise ValueError("Invalid radius.") | ||
|
||
# Размеры изображения и центр | ||
rows, cols = img.shape[:2] | ||
center_x, center_y = cols / 2, rows / 2 | ||
|
||
# Радиус виньетки | ||
max_distance = np.sqrt(center_x**2 + center_y**2) | ||
radius = (rad / 100) * max_distance | ||
|
||
# Расстояние до центра в диапазоне [0, 1] с учётом радиуса | ||
img_Y, img_X = np.ogrid[:rows, :cols] # задаёт матрицы размера (rows, 1) || (1, cols) и значения 1...val | ||
|
||
# Создаём маску для изменения значений пикселей | ||
distance_from_center = np.sqrt((img_X - center_x) ** 2 + (img_Y - center_y) ** 2) # X + Y -> матрица размера img_cv | ||
mask = np.clip(1 - (distance_from_center / radius), 0, 1) # значения больше radius зануляются | ||
|
||
res_img = (img * mask[..., np.newaxis]).astype(np.uint8) | ||
|
||
return res_img | ||
|
||
|
||
def image_pixelate(img, win_name, pixel_size): | ||
""" | ||
Функция пикселизации выделенной прямоугольной области изображения | ||
|
||
:param img: Исходное изображение | ||
:param win_name: Имя окна с изображением | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. То, что касается окон должно быть извне. Разделить отображение от реализации фильтра. |
||
:param pixel_size: Размер пикселизации | ||
:return: Изменённое изображение с эффектом пикселизации выделенной прямоугольной области | ||
:raise ValueError("Invalid selected area"): Выделенная область слишком мала | ||
""" | ||
|
||
if pixel_size <= 0: | ||
raise ValueError("Invalid pixel size.") | ||
|
||
# Обрезаем изображение | ||
coords = cv.selectROI(win_name, img, showCrosshair=False, printNotice=False) | ||
cropped_image = img[coords[1]:coords[1] + coords[3], | ||
coords[0]:coords[0] + coords[2]] | ||
|
||
# Получаем размеры изображения после разделения на блоки (блок - отдельный пиксель) | ||
new_h = (cropped_image.shape[0] // pixel_size) * pixel_size | ||
new_w = (cropped_image.shape[1] // pixel_size) * pixel_size | ||
|
||
if new_h == 0 or new_w == 0: | ||
raise ValueError("Invalid selected area.") | ||
|
||
# Разбиваем исходное изображение на блоки размером [pixel_size, pixel_size] | ||
# list [блоки по верт, pixel_size, блоки по гориз., pixel_size, 3] | ||
resize_image = cropped_image[:new_h, :new_w].reshape(new_h // pixel_size, pixel_size, | ||
new_w // pixel_size, pixel_size, cropped_image.shape[2]) | ||
|
||
res_cropped_image = resize_image.mean(axis=(1, 3), dtype=int).repeat(pixel_size, axis=0).repeat(pixel_size, axis=1) | ||
res_cropped_image = np.clip(image_change_resolution(res_cropped_image, cropped_image.shape[1], cropped_image.shape[0]), 0, 255).astype(np.uint8) | ||
|
||
res_img = img | ||
res_img[coords[1]:coords[1] + coords[3], coords[0]:coords[0] + coords[2]] = res_cropped_image | ||
return res_img | ||
|
||
|
||
if __name__ == '__main__': | ||
args = cli_arguments() | ||
|
||
image_path = args.image_path | ||
input_image = cv.imread(image_path) | ||
|
||
if input_image is None: | ||
raise ValueError("Image not found or unable to load.") | ||
|
||
input_image = cv.resize(input_image, [int(x / 2) for x in input_image.shape[:2][::-1]]) | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Удалить. |
||
|
||
cv.imshow("Original", input_image) | ||
|
||
filter_type = args.filter_type | ||
match filter_type: | ||
case "grey": | ||
output_image = image_grey(input_image) | ||
case "resize": | ||
output_image = image_change_resolution(input_image, args.width, args.height) | ||
case "sepia": | ||
output_image = image_sepia(input_image) | ||
case "vignette": | ||
output_image = image_vignette_rad(input_image, args.radius) | ||
case "pixelate": | ||
output_image = image_pixelate(input_image, "Original", args.pixel_size) | ||
|
||
cv.imshow("Image", output_image) | ||
cv.waitKey(0) |
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Заменить табуляцию на пробелы.