python_code
stringlengths
0
456k
#!/usr/bin/env python import os, sys, subprocess, argparse, shutil, glob, re, multiprocessing import logging as log SCRIPT_DIR = os.path.dirname(os.path.abspath(__file__)) class Fail(Exception): def __init__(self, text=None): self.t = text def __str__(self): return "ERROR" if self.t is None e...
#!/usr/bin/env python """ The script builds OpenCV.framework for iOS. The built framework is universal, it can be used to build app and run it on either iOS simulator or real device. Usage: ./build_framework.py <outputdir> By cmake conventions (and especially if you work with OpenCV repository), the output dir sh...
ABIs = [ ABI("2", "armeabi-v7a", None, 21, cmake_vars=dict(ANDROID_ABI='armeabi-v7a with NEON')), ABI("3", "arm64-v8a", None, 21), ABI("5", "x86_64", None, 21), ABI("4", "x86", None, 21), ]
ABIs = [ ABI("2", "armeabi-v7a", None, cmake_vars=dict(ANDROID_ABI='armeabi-v7a with NEON')), ABI("3", "arm64-v8a", None), ABI("5", "x86_64", None), ABI("4", "x86", None), ]
ABIs = [ ABI("2", "armeabi-v7a", None, cmake_vars=dict(ANDROID_ABI='armeabi-v7a with NEON')), ABI("3", "arm64-v8a", None), ABI("5", "x86_64", None), ABI("4", "x86", None), ]
ABIs = [ ABI("2", "armeabi-v7a", "arm-linux-androideabi-4.8", cmake_vars=dict(ANDROID_ABI='armeabi-v7a with NEON')), ABI("1", "armeabi", "arm-linux-androideabi-4.8"), ABI("3", "arm64-v8a", "aarch64-linux-android-4.9"), ABI("5", "x86_64", "x86_64-4.9"), ABI("4", "x86", "x86-4.8"), ...
ABIs = [ ABI("2", "armeabi-v7a", "arm-linux-androideabi-4.9", cmake_vars=dict(ANDROID_ABI='armeabi-v7a with NEON')), ABI("1", "armeabi", "arm-linux-androideabi-4.9", cmake_vars=dict(WITH_TBB='OFF')), ABI("3", "arm64-v8a", "aarch64-linux-android-4.9"), ABI("5", "x86_64", "x86_64-4.9"), ABI...
#!/usr/bin/env python import os, sys import argparse import glob import re import shutil import subprocess import time import logging as log import xml.etree.ElementTree as ET SCRIPT_DIR = os.path.dirname(os.path.abspath(__file__)) class Fail(Exception): def __init__(self, text=None): self.t = text ...
#!/usr/bin/env python import unittest import os, sys, subprocess, argparse, shutil, re import logging as log log.basicConfig(format='%(message)s', level=log.DEBUG) CMAKE_TEMPLATE='''\ CMAKE_MINIMUM_REQUIRED(VERSION 2.8) # Enable C++11 set(CMAKE_CXX_STANDARD 11) set(CMAKE_CXX_STANDARD_REQUIRED TRUE) SET(PROJECT_NAM...
#!/usr/bin/env python ''' sample for disctrete fourier transform (dft) USAGE: dft.py <image_file> ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv import sys def shift_dft(src, dst=None): ''' Rearrange the quadrants of Fourier image so that...
#!/usr/bin/env python ''' browse.py ========= Sample shows how to implement a simple hi resolution image navigation Usage ----- browse.py [image filename] ''' # Python 2/3 compatibility from __future__ import print_function import sys PY3 = sys.version_info[0] == 3 if PY3: xrange = range import numpy as np i...
#!/usr/bin/env python ''' This program demonstrates Laplace point/edge detection using OpenCV function Laplacian() It captures from the camera of your choice: 0, 1, ... default 0 Usage: python laplace.py <ddepth> <smoothType> <sigma> If no arguments given default arguments will be used....
#!/usr/bin/env python ''' face detection using haar cascades USAGE: facedetect.py [--cascade <cascade_fn>] [--nested-cascade <cascade_fn>] [<video_source>] ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv # local modules from video import create_capture f...
#!/usr/bin/env python ''' Inpainting sample. Inpainting repairs damage to images by floodfilling the damage with surrounding image areas. Usage: inpaint.py [<image>] Keys: SPACE - inpaint r - reset the inpainting mask ESC - exit ''' # Python 2/3 compatibility from __future__ import print_function im...
#!/usr/bin/env python ''' This is a sample for histogram plotting for RGB images and grayscale images for better understanding of colour distribution Benefit : Learn how to draw histogram of images Get familier with cv.calcHist, cv.equalizeHist,cv.normalize and some drawing functions Level : Beginner or In...
#!/usr/bin/env python ''' This program illustrates the use of findContours and drawContours. The original image is put up along with the image of drawn contours. Usage: contours.py A trackbar is put up which controls the contour level from -3 to 3 ''' # Python 2/3 compatibility from __future__ import print_funct...
#!/usr/bin/env python ''' Digit recognition from video. Run digits.py before, to train and save the SVM. Usage: digits_video.py [{camera_id|video_file}] ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv # built-in modules import os import sys # local module...
#!/usr/bin/env python ''' Robust line fitting. ================== Example of using cv.fitLine function for fitting line to points in presence of outliers. Usage ----- fitline.py Switch through different M-estimator functions and see, how well the robust functions fit the line even in case of ~50% of outliers. Keys...
#!/usr/bin/env python # Python 2/3 compatibility from __future__ import print_function import sys PY3 = sys.version_info[0] == 3 if PY3: xrange = range import numpy as np import cv2 as cv from numpy import random def make_gaussians(cluster_n, img_size): points = [] ref_distrs = [] for _i in xrange(...
#!/usr/bin/env python ''' VideoCapture sample showcasing some features of the Video4Linux2 backend Sample shows how VideoCapture class can be used to control parameters of a webcam such as focus or framerate. Also the sample provides an example how to access raw images delivered by the hardware to get a grayscale im...
#!/usr/bin/env python ''' This sample demonstrates Canny edge detection. Usage: edge.py [<video source>] Trackbars control edge thresholds. ''' # Python 2/3 compatibility from __future__ import print_function import cv2 as cv import numpy as np # relative module import video # built-in module import sys d...
#!/usr/bin/env python ''' Texture flow direction estimation. Sample shows how cv.cornerEigenValsAndVecs function can be used to estimate image texture flow direction. Usage: texture_flow.py [<image>] ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv def m...
#!/usr/bin/env python ''' The sample demonstrates how to train Random Trees classifier (or Boosting classifier, or MLP, or Knearest, or Support Vector Machines) using the provided dataset. We use the sample database letter-recognition.data from UCI Repository, here is the link: Newman, D.J. & Hettich, S. & Blake, C....
#!/usr/bin/env python """ Tracking of rotating point. Rotation speed is constant. Both state and measurements vectors are 1D (a point angle), Measurement is the real point angle + gaussian noise. The real and the estimated points are connected with yellow line segment, the real and the measured points...
#!/usr/bin/env python ''' example to show optical flow estimation using DISOpticalFlow USAGE: dis_opt_flow.py [<video_source>] Keys: 1 - toggle HSV flow visualization 2 - toggle glitch 3 - toggle spatial propagation of flow vectors 4 - toggle temporal propagation of flow vectors ESC - exit ''' # Python 2/3 ...
#!/usr/bin/env python ''' example to show optical flow USAGE: opt_flow.py [<video_source>] Keys: 1 - toggle HSV flow visualization 2 - toggle glitch Keys: ESC - exit ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv import video def draw_flow(img,...
#!/usr/bin/python ''' This example illustrates how to use cv.HoughCircles() function. Usage: houghcircles.py [<image_name>] image argument defaults to board.jpg ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv import sys def main(): try: ...
#!/usr/bin/env python ''' gabor_threads.py ========= Sample demonstrates: - use of multiple Gabor filter convolutions to get Fractalius-like image effect (http://www.redfieldplugins.com/filterFractalius.htm) - use of python threading to accelerate the computation Usage ----- gabor_threads.py [image filename] ''' #...
#!/usr/bin/env python ''' Wiener deconvolution. Sample shows how DFT can be used to perform Weiner deconvolution [1] of an image with user-defined point spread function (PSF) Usage: deconvolution.py [--circle] [--angle <degrees>] [--d <diameter>] [--snr <signal/noise ratio in db>] [<input ...
#!/usr/bin/env python ''' Coherence-enhancing filtering example ===================================== inspired by Joachim Weickert "Coherence-Enhancing Shock Filters" http://www.mia.uni-saarland.de/Publications/weickert-dagm03.pdf ''' # Python 2/3 compatibility from __future__ import print_function import sys PY...
#!/usr/bin/env python ''' Utility for measuring python opencv API coverage by samples. ''' # Python 2/3 compatibility from __future__ import print_function from glob import glob import cv2 as cv import re if __name__ == '__main__': cv2_callable = set(['cv.'+name for name in dir(cv) if callable( getattr(cv, name...
#!/usr/bin/env python ''' mouse_and_match.py [-i path | --input path: default ../data/] Demonstrate using a mouse to interact with an image: Read in the images in a directory one by one Allow the user to select parts of an image with a mouse When they let go of the mouse, it correlates (using matchTemplate) that pa...
#!/usr/bin/env python ''' Digit recognition adjustment. Grid search is used to find the best parameters for SVM and KNearest classifiers. SVM adjustment follows the guidelines given in http://www.csie.ntu.edu.tw/~cjlin/papers/guide/guide.pdf Usage: digits_adjust.py [--model {svm|knearest}] --model {svm|knearest}...
#!/usr/bin/env python ''' MSER detector demo ================== Usage: ------ mser.py [<video source>] Keys: ----- ESC - exit ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv import video import sys def main(): try: video_src = sys.ar...
#!/usr/bin/env python ''' Feature homography ================== Example of using features2d framework for interactive video homography matching. ORB features and FLANN matcher are used. The actual tracking is implemented by PlaneTracker class in plane_tracker.py Inspired by http://www.youtube.com/watch?v=-ZNYoL8rzPY...
#!/usr/bin/env python ''' Lucas-Kanade tracker ==================== Lucas-Kanade sparse optical flow demo. Uses goodFeaturesToTrack for track initialization and back-tracking for match verification between frames. Usage ----- lk_track.py [<video_source>] Keys ---- ESC - exit ''' # Python 2/3 compatibility from __...
#!/usr/bin/env python ''' This program demonstrates OpenCV drawing and text output functions by drawing different shapes and text strings Usage : python3 drawing.py Press any button to exit ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv...
#!/usr/bin/env python ''' Multitarget planar tracking ================== Example of using features2d framework for interactive video homography matching. ORB features and FLANN matcher are used. This sample provides PlaneTracker class and an example of its usage. video: http://www.youtube.com/watch?v=pzVbhxx6aog Us...
#!/usr/bin/env python ''' Camshift tracker ================ This is a demo that shows mean-shift based tracking You select a color objects such as your face and it tracks it. This reads from video camera (0 by default, or the camera number the user enters) [1] http://citeseerx.ist.psu.edu/viewdoc/summary?doi=10.1.1....
#!/usr/bin/env python ''' Scans current directory for *.py files and reports ones with missing __doc__ string. ''' # Python 2/3 compatibility from __future__ import print_function from glob import glob if __name__ == '__main__': print('--- undocumented files:') for fn in glob('*.py'): loc = {} ...
#!/usr/bin/env python # -*- coding: utf-8 -*- # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv from numpy import linspace def inverse_homogeneoux_matrix(M): R = M[0:3, 0:3] T = M[0:3, 3] M_inv = np.identity(4) M_inv[0:3, 0:3] = R.T M_inv[0:3, 3...
#!/usr/bin/env python ''' Planar augmented reality ================== This sample shows an example of augmented reality overlay over a planar object tracked by PlaneTracker from plane_tracker.py. solvePnP function is used to estimate the tracked object location in 3d space. video: http://www.youtube.com/watch?v=pzVb...
#!/usr/bin/env python ''' K-means clusterization sample. Usage: kmeans.py Keyboard shortcuts: ESC - exit space - generate new distribution ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv from gaussian_mix import make_gaussians def main(): clu...
#!/usr/bin/env python ''' Morphology operations. Usage: morphology.py [<image>] Keys: 1 - change operation 2 - change structure element shape ESC - exit ''' # Python 2/3 compatibility from __future__ import print_function import sys PY3 = sys.version_info[0] == 3 import numpy as np import cv2 as cv d...
#!/usr/bin/env python ''' Multithreaded video processing sample. Usage: video_threaded.py {<video device number>|<video file name>} Shows how python threading capabilities can be used to organize parallel captured frame processing pipeline for smoother playback. Keyboard shortcuts: ESC - exit spac...
#!/usr/bin/env python ''' Watershed segmentation ========= This program demonstrates the watershed segmentation algorithm in OpenCV: watershed(). Usage ----- watershed.py [image filename] Keys ---- 1-7 - switch marker color SPACE - update segmentation r - reset a - toggle autoupdate ESC - exit...
#!/usr/bin/env python ''' example to detect upright people in images using HOG features Usage: peopledetect.py <image_names> Press any key to continue, ESC to stop. ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv def inside(r, q): rx, ry, rw, rh = ...
#!/usr/bin/env python ''' Feature-based image matching sample. Note, that you will need the https://github.com/opencv/opencv_contrib repo for SIFT and SURF USAGE find_obj.py [--feature=<sift|surf|orb|akaze|brisk>[-flann]] [ <image1> <image2> ] --feature - Feature to use. Can be sift, surf, orb or brisk. Append...
#!/usr/bin/env python ''' This module contains some common routines used by other samples. ''' # Python 2/3 compatibility from __future__ import print_function import sys PY3 = sys.version_info[0] == 3 if PY3: from functools import reduce import numpy as np import cv2 as cv # built-in modules import os import ...
""" Stitching sample (advanced) =========================== Show how to use Stitcher API from python. """ # Python 2/3 compatibility from __future__ import print_function import argparse from collections import OrderedDict import cv2 as cv import numpy as np EXPOS_COMP_CHOICES = OrderedDict() EXPOS_COMP_CHOICES['g...
#!/usr/bin/env python ''' An example of Laplacian Pyramid construction and merging. Level : Intermediate Usage : python lappyr.py [<video source>] References: http://citeseerx.ist.psu.edu/viewdoc/summary?doi=10.1.1.54.299 Alexander Mordvintsev 6/10/12 ''' # Python 2/3 compatibility from __future__ import print_...
#!/usr/bin/env python ''' Stitching sample ================ Show how to use Stitcher API from python in a simple way to stitch panoramas or scans. ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv import argparse import sys modes = (cv.Stitcher_PANORAMA, cv.S...
#!/usr/bin/env python ''' Simple "Square Detector" program. Loads several images sequentially and tries to find squares in each image. ''' # Python 2/3 compatibility from __future__ import print_function import sys PY3 = sys.version_info[0] == 3 if PY3: xrange = range import numpy as np import cv2 as cv def ...
#!/usr/bin/env python ''' Lucas-Kanade homography tracker =============================== Lucas-Kanade sparse optical flow demo. Uses goodFeaturesToTrack for track initialization and back-tracking for match verification between frames. Finds homography between reference and current views. Usage ----- lk_homography.p...
#!/usr/bin/env python ''' SVM and KNearest digit recognition. Sample loads a dataset of handwritten digits from 'digits.png'. Then it trains a SVM and KNearest classifiers on it and evaluates their accuracy. Following preprocessing is applied to the dataset: - Moment-based image deskew (see deskew()) - Digit image...
#!/usr/bin/env python ''' =============================================================================== Interactive Image Segmentation using GrabCut algorithm. This sample shows interactive image segmentation using grabcut algorithm. USAGE: python grabcut.py <filename> README FIRST: Two windows will show u...
#!/usr/bin/env python ''' Affine invariant feature-based image matching sample. This sample is similar to find_obj.py, but uses the affine transformation space sampling technique, called ASIFT [1]. While the original implementation is based on SIFT, you can try to use SURF or ORB detectors instead. Homography RANSAC ...
#!/usr/bin/env python ''' camera calibration for distorted images with chess board samples reads distorted images, calculates the calibration and write undistorted images usage: calibrate.py [--debug <output path>] [--square_size] [<image mask>] default values: --debug: ./output/ --square_size: 1.0 ...
#!/usr/bin/env python ''' Multiscale Turing Patterns generator ==================================== Inspired by http://www.jonathanmccabe.com/Cyclic_Symmetric_Multi-Scale_Turing_Patterns.pdf ''' # Python 2/3 compatibility from __future__ import print_function import sys PY3 = sys.version_info[0] == 3 if PY3: xr...
#!/usr/bin/env python # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv from numpy import pi, sin, cos defaultSize = 512 class TestSceneRender(): def __init__(self, bgImg = None, fgImg = None, deformation = False, speed = 0.25, **params): se...
#!/usr/bin/env python ''' Floodfill sample. Usage: floodfill.py [<image>] Click on the image to set seed point Keys: f - toggle floating range c - toggle 4/8 connectivity ESC - exit ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv import...
#!/usr/bin/env python ''' Sample-launcher application. ''' # Python 2/3 compatibility from __future__ import print_function import sys # local modules from common import splitfn # built-in modules import webbrowser from glob import glob from subprocess import Popen try: import tkinter as tk # Python 3 fro...
#!/usr/bin/env python ''' prints OpenCV version Usage: opencv_version.py [<params>] params: --build: print complete build info --help: print this help ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv def main(): import sys tr...
#!/usr/bin/env python ''' Video capture sample. Sample shows how VideoCapture class can be used to acquire video frames from a camera of a movie file. Also the sample provides an example of procedural video generation by an object, mimicking the VideoCapture interface (see Chess class). 'create_capture' is a conveni...
#!/usr/bin/env python ''' plots image as logPolar and linearPolar Usage: logpolar.py Keys: ESC - exit ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv def main(): import sys try: fn = sys.argv[1] except IndexError: fn =...
#!/usr/bin/python ''' This example illustrates how to use Hough Transform to find lines Usage: houghlines.py [<image_name>] image argument defaults to pic1.png ''' # Python 2/3 compatibility from __future__ import print_function import cv2 as cv import numpy as np import sys import math def main(): tr...
''' Text skewness correction This tutorial demonstrates how to correct the skewness in a text. The program takes as input a skewed source image and shows non skewed text. Usage: python text_skewness_correction.py --image "Image path" ''' import numpy as np import cv2 as cv import sys import argparse def mai...
#!/usr/bin/env python ''' MOSSE tracking sample This sample implements correlation-based tracking approach, described in [1]. Usage: mosse.py [--pause] [<video source>] --pause - Start with playback paused at the first video frame. Useful for tracking target selection. Draw rectangles around ...
#!/usr/bin/env python ''' Simple example of stereo image matching and point cloud generation. Resulting .ply file cam be easily viewed using MeshLab ( http://meshlab.sourceforge.net/ ) ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv ply_header = '''ply forma...
#!/usr/bin/env python ''' Video histogram sample to show live histogram of video Keys: ESC - exit ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv # built-in modules import sys # local modules import video class App(): def set_scale(self, val):...
#!/usr/bin/env python ''' Distance transform sample. Usage: distrans.py [<image>] Keys: ESC - exit v - toggle voronoi mode ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv from common import make_cmap def main(): import sys try: ...
import numpy as np import cv2 as cv import argparse parser = argparse.ArgumentParser(description='This sample demonstrates the camshift algorithm. \ The example file can be downloaded from: \ https://www.bogotobogo.com/python/O...
import numpy as np import cv2 as cv import argparse parser = argparse.ArgumentParser(description='This sample demonstrates the meanshift algorithm. \ The example file can be downloaded from: \ https://www.bogotobogo.com/python/...
from __future__ import print_function import cv2 as cv import argparse parser = argparse.ArgumentParser(description='This program shows how to use background subtraction methods provided by \ OpenCV. You can process both videos and images.') parser.add_argument('--input', ...
import numpy as np import cv2 as cv import argparse parser = argparse.ArgumentParser(description='This sample demonstrates Lucas-Kanade Optical Flow calculation. \ The example file can be downloaded from: \ https://www.bogotobo...
import numpy as np import cv2 as cv cap = cv.VideoCapture(cv.samples.findFile("vtest.avi")) ret, frame1 = cap.read() prvs = cv.cvtColor(frame1,cv.COLOR_BGR2GRAY) hsv = np.zeros_like(frame1) hsv[...,1] = 255 while(1): ret, frame2 = cap.read() next = cv.cvtColor(frame2,cv.COLOR_BGR2GRAY) flow = cv.calcOptical...
from __future__ import print_function import cv2 as cv import argparse ## [Load image] parser = argparse.ArgumentParser(description='Code for Histogram Equalization tutorial.') parser.add_argument('--input', help='Path to input image.', default='lena.jpg') args = parser.parse_args() src = cv.imread(cv.samples.findFil...
from __future__ import print_function from __future__ import division import cv2 as cv import numpy as np import argparse def Hist_and_Backproj(val): ## [initialize] bins = val histSize = max(bins, 2) ranges = [0, 180] # hue_range ## [initialize] ## [Get the Histogram and normalize it] his...
from __future__ import print_function import cv2 as cv import numpy as np import argparse low = 20 up = 20 def callback_low(val): global low low = val def callback_up(val): global up up = val def pickPoint(event, x, y, flags, param): if event != cv.EVENT_LBUTTONDOWN: return # Fill a...
from __future__ import print_function from __future__ import division import cv2 as cv import numpy as np import argparse ## [Load image] parser = argparse.ArgumentParser(description='Code for Histogram Calculation tutorial.') parser.add_argument('--input', help='Path to input image.', default='lena.jpg') args = parse...
from __future__ import print_function from __future__ import division import cv2 as cv import numpy as np import argparse ## [Load three images with different environment settings] parser = argparse.ArgumentParser(description='Code for Histogram Comparison tutorial.') parser.add_argument('--input1', help='Path to inpu...
from __future__ import division import cv2 as cv import numpy as np # Snippet code for Operations with images tutorial (not intended to be run) def load(): # Input/Output filename = 'img.jpg' ## [Load an image from a file] img = cv.imread(filename) ## [Load an image from a file] ## [Load an i...
from __future__ import print_function import cv2 as cv alpha = 0.5 try: raw_input # Python 2 except NameError: raw_input = input # Python 3 print(''' Simple Linear Blender ----------------------- * Enter alpha [0.0-1.0]: ''') input_alpha = float(raw_input().strip()) if 0 <= alpha <= 1: alpha =...
from __future__ import print_function import numpy as np import cv2 as cv import sys def help(filename): print ( ''' {0} shows the usage of the OpenCV serialization functionality. \n\n usage:\n python3 {0} outputfile.yml.gz\n\n The output file may be either in XML, YAML...
from __future__ import print_function import sys import time import numpy as np import cv2 as cv ## [basic_method] def is_grayscale(my_image): return len(my_image.shape) < 3 def saturated(sum_value): if sum_value > 255: sum_value = 255 if sum_value < 0: sum_value = 0 return sum_valu...
from __future__ import print_function import sys import cv2 as cv import numpy as np def print_help(): print(''' This program demonstrated the use of the discrete Fourier transform (DFT). The dft of an image is taken and it's power spectrum is displayed. Usage: discrete_fourier_transform.py [imag...
from __future__ import print_function import cv2 as cv import numpy as np import argparse import random as rng source_window = 'Image' maxTrackbar = 100 rng.seed(12345) def goodFeaturesToTrack_Demo(val): maxCorners = max(val, 1) # Parameters for Shi-Tomasi algorithm qualityLevel = 0.01 minDistance = ...
from __future__ import print_function import cv2 as cv import numpy as np import argparse import random as rng myHarris_window = 'My Harris corner detector' myShiTomasi_window = 'My Shi Tomasi corner detector' myHarris_qualityLevel = 50 myShiTomasi_qualityLevel = 50 max_qualityLevel = 100 rng.seed(12345) def myHarris...
from __future__ import print_function import cv2 as cv import numpy as np import argparse import random as rng source_window = 'Image' maxTrackbar = 25 rng.seed(12345) def goodFeaturesToTrack_Demo(val): maxCorners = max(val, 1) # Parameters for Shi-Tomasi algorithm qualityLevel = 0.01 minDistance = 1...
from __future__ import print_function import cv2 as cv import numpy as np import argparse source_window = 'Source image' corners_window = 'Corners detected' max_thresh = 255 def cornerHarris_demo(val): thresh = val # Detector parameters blockSize = 2 apertureSize = 3 k = 0.04 # Detecting cor...
from __future__ import print_function import cv2 as cv import numpy as np import argparse morph_size = 0 max_operator = 4 max_elem = 2 max_kernel_size = 21 title_trackbar_operator_type = 'Operator:\n 0: Opening - 1: Closing \n 2: Gradient - 3: Top Hat \n 4: Black Hat' title_trackbar_element_type = 'Element:\n 0: Rect...
import cv2 as cv import numpy as np img = cv.imread(cv.samples.findFile('sudoku.png')) gray = cv.cvtColor(img,cv.COLOR_BGR2GRAY) edges = cv.Canny(gray,50,150,apertureSize = 3) lines = cv.HoughLines(edges,1,np.pi/180,200) for line in lines: rho,theta = line[0] a = np.cos(theta) b = np.sin(theta) x0 = a...
import cv2 as cv import numpy as np img = cv.imread(cv.samples.findFile('sudoku.png')) gray = cv.cvtColor(img,cv.COLOR_BGR2GRAY) edges = cv.Canny(gray,50,150,apertureSize = 3) lines = cv.HoughLinesP(edges,1,np.pi/180,100,minLineLength=100,maxLineGap=10) for line in lines: x1,y1,x2,y2 = line[0] cv.line(img,(x1,...
from __future__ import print_function import sys import cv2 as cv ## [global_variables] use_mask = False img = None templ = None mask = None image_window = "Source Image" result_window = "Result window" match_method = 0 max_Trackbar = 5 ## [global_variables] def main(argv): if (len(sys.argv) < 3): print...
import sys import cv2 as cv import numpy as np # Global Variables DELAY_CAPTION = 1500 DELAY_BLUR = 100 MAX_KERNEL_LENGTH = 31 src = None dst = None window_name = 'Smoothing Demo' def main(argv): cv.namedWindow(window_name, cv.WINDOW_AUTOSIZE) # Load the source image imageName = argv[0] if len(argv) ...
import cv2 as cv import numpy as np input_image = np.array(( [0, 0, 0, 0, 0, 0, 0, 0], [0, 255, 255, 255, 0, 0, 0, 255], [0, 255, 255, 255, 0, 0, 0, 0], [0, 255, 255, 255, 0, 255, 0, 0], [0, 0, 255, 0, 0, 0, 0, 0], [0, 0, 255, 0, 0, 255, 255, 0], [0,255, 0, 255, 0, 0, 255, 0], [0, 255, ...
from __future__ import print_function import cv2 as cv import argparse max_value = 255 max_value_H = 360//2 low_H = 0 low_S = 0 low_V = 0 high_H = max_value_H high_S = max_value high_V = max_value window_capture_name = 'Video Capture' window_detection_name = 'Object Detection' low_H_name = 'Low H' low_S_name = 'Low S'...
from __future__ import print_function import cv2 as cv import argparse max_value = 255 max_type = 4 max_binary_value = 255 trackbar_type = 'Type: \n 0: Binary \n 1: Binary Inverted \n 2: Truncate \n 3: To Zero \n 4: To Zero Inverted' trackbar_value = 'Value' window_name = 'Threshold Demo' ## [Threshold_Demo] def Thre...
from __future__ import print_function from __future__ import division import cv2 as cv import numpy as np import argparse alpha = 1.0 alpha_max = 500 beta = 0 beta_max = 200 gamma = 1.0 gamma_max = 200 def basicLinearTransform(): res = cv.convertScaleAbs(img_original, alpha=alpha, beta=beta) img_corrected = c...
from __future__ import print_function from builtins import input import cv2 as cv import numpy as np import argparse # Read image given by user ## [basic-linear-transform-load] parser = argparse.ArgumentParser(description='Code for Changing the contrast and brightness of an image! tutorial.') parser.add_argument('--in...