python_code
stringlengths
0
456k
import cv2 as cv import numpy as np W = 400 ## [my_ellipse] def my_ellipse(img, angle): thickness = 2 line_type = 8 cv.ellipse(img, (W // 2, W // 2), (W // 4, W // 16), angle, 0, 360, (255, 0, 0), ...
import sys import cv2 as cv def main(argv): print(""" Zoom In-Out demo ------------------ * [i] -> Zoom [i]n * [o] -> Zoom [o]ut * [ESC] -> Close program """) ## [load] filename = argv[0] if len(argv) > 0 else 'chicky_512.png' # Load the image src = cv.imread(cv.samples.fi...
from __future__ import print_function import cv2 as cv import numpy as np import argparse erosion_size = 0 max_elem = 2 max_kernel_size = 21 title_trackbar_element_type = 'Element:\n 0: Rect \n 1: Cross \n 2: Ellipse' title_trackbar_kernel_size = 'Kernel size:\n 2n +1' title_erosion_window = 'Erosion Demo' title_dilat...
""" @file morph_lines_detection.py @brief Use morphology transformations for extracting horizontal and vertical lines sample code """ import numpy as np import sys import cv2 as cv def show_wait_destroy(winname, img): cv.imshow(winname, img) cv.moveWindow(winname, 500, 0) cv.waitKey(0) cv.destroyWindo...
import cv2 as cv import numpy as np import argparse W = 52 # window size is WxW C_Thr = 0.43 # threshold for coherency LowThr = 35 # threshold1 for orientation, it ranges from 0 to 180 HighThr = 57 # threshold2 for orientation, it ranges from 0 to 180 ## [calcGST] ## [calcJ_header] ## [calcGST_pro...
print('Not showing this text because it is outside the snippet') ## [hello_world] print('Hello world!') ## [hello_world]
from __future__ import print_function import cv2 as cv import argparse def detectAndDisplay(frame): frame_gray = cv.cvtColor(frame, cv.COLOR_BGR2GRAY) frame_gray = cv.equalizeHist(frame_gray) #-- Detect faces faces = face_cascade.detectMultiScale(frame_gray) for (x,y,w,h) in faces: center ...
""" @file copy_make_border.py @brief Sample code that shows the functionality of copyMakeBorder """ import sys from random import randint import cv2 as cv def main(argv): ## [variables] # First we declare the variables we are going to use borderType = cv.BORDER_CONSTANT window_name = "copyMakeBorder D...
from __future__ import print_function import cv2 as cv import numpy as np import argparse import random as rng rng.seed(12345) ## [load_image] # Load the image parser = argparse.ArgumentParser(description='Code for Image Segmentation with Distance Transform and Watershed Algorithm.\ Sample code showing how to seg...
from __future__ import print_function import cv2 as cv import numpy as np import argparse ## [Update] def update_map(ind, map_x, map_y): if ind == 0: for i in range(map_x.shape[0]): for j in range(map_x.shape[1]): if j > map_x.shape[1]*0.25 and j < map_x.shape[1]*0.75 and i > ma...
from __future__ import print_function import cv2 as cv import argparse max_lowThreshold = 100 window_name = 'Edge Map' title_trackbar = 'Min Threshold:' ratio = 3 kernel_size = 3 def CannyThreshold(val): low_threshold = val img_blur = cv.blur(src_gray, (3,3)) detected_edges = cv.Canny(img_blur, low_thresh...
""" @file filter2D.py @brief Sample code that shows how to implement your own linear filters by using filter2D function """ import sys import cv2 as cv import numpy as np def main(argv): window_name = 'filter2D Demo' ## [load] imageName = argv[0] if len(argv) > 0 else 'lena.jpg' # Loads an image ...
""" @file laplace_demo.py @brief Sample code showing how to detect edges using the Laplace operator """ import sys import cv2 as cv def main(argv): # [variables] # Declare the variables we are going to use ddepth = cv.CV_16S kernel_size = 3 window_name = "Laplace Demo" # [variables] # [loa...
""" @file sobel_demo.py @brief Sample code using Sobel and/or Scharr OpenCV functions to make a simple Edge Detector """ import sys import cv2 as cv def main(argv): ## [variables] # First we declare the variables we are going to use window_name = ('Sobel Demo - Simple Edge Detector') scale = 1 del...
""" @file hough_lines.py @brief This program demonstrates line finding with the Hough transform """ import sys import math import cv2 as cv import numpy as np def main(argv): ## [load] default_file = 'sudoku.png' filename = argv[0] if len(argv) > 0 else default_file # Loads an image src = cv.imre...
from __future__ import print_function import cv2 as cv import numpy as np import argparse ## [Load the image] parser = argparse.ArgumentParser(description='Code for Affine Transformations tutorial.') parser.add_argument('--input', help='Path to input image.', default='lena.jpg') args = parser.parse_args() src = cv.im...
import sys import cv2 as cv import numpy as np def main(argv): ## [load] default_file = 'smarties.png' filename = argv[0] if len(argv) > 0 else default_file # Loads an image src = cv.imread(cv.samples.findFile(filename), cv.IMREAD_COLOR) # Check if image is loaded fine if src is None: ...
from __future__ import print_function import cv2 as cv import numpy as np import argparse import random as rng rng.seed(12345) def thresh_callback(val): threshold = val # Detect edges using Canny canny_output = cv.Canny(src_gray, threshold, threshold * 2) # Find contours contours, hierarchy = cv...
from __future__ import print_function from __future__ import division import cv2 as cv import numpy as np import argparse import random as rng rng.seed(12345) def thresh_callback(val): threshold = val ## [Canny] # Detect edges using Canny canny_output = cv.Canny(src_gray, threshold, threshold * 2) ...
from __future__ import print_function import cv2 as cv import numpy as np import argparse import random as rng rng.seed(12345) def thresh_callback(val): threshold = val ## [Canny] # Detect edges using Canny canny_output = cv.Canny(src_gray, threshold, threshold * 2) ## [Canny] ## [findContou...
from __future__ import print_function import cv2 as cv import numpy as np import argparse import random as rng rng.seed(12345) def thresh_callback(val): threshold = val # Detect edges using Canny canny_output = cv.Canny(src_gray, threshold, threshold * 2) # Find contours contours, _ = cv.findCon...
from __future__ import print_function from __future__ import division import cv2 as cv import numpy as np # Create an image r = 100 src = np.zeros((4*r, 4*r), dtype=np.uint8) # Create a sequence of points to make a contour vert = [None]*6 vert[0] = (3*r//2, int(1.34*r)) vert[1] = (1*r, 2*r) vert[2] = (3*r//2, int(2.8...
from __future__ import print_function import cv2 as cv import numpy as np import argparse import random as rng rng.seed(12345) def thresh_callback(val): threshold = val ## [Canny] # Detect edges using Canny canny_output = cv.Canny(src_gray, threshold, threshold * 2) ## [Canny] ## [findContou...
from __future__ import print_function import cv2 as cv import numpy as np import random as rng NTRAINING_SAMPLES = 100 # Number of training samples per class FRAC_LINEAR_SEP = 0.9 # Fraction of samples which compose the linear separable part # Data for visual representation WIDTH = 512 HEIGHT = 512 I = np.zeros((HE...
import cv2 as cv import numpy as np # Set up training data ## [setup1] labels = np.array([1, -1, -1, -1]) trainingData = np.matrix([[501, 10], [255, 10], [501, 255], [10, 501]], dtype=np.float32) ## [setup1] # Train the SVM ## [init] svm = cv.ml.SVM_create() svm.setType(cv.ml.SVM_C_SVC) svm.setKernel(cv.ml.SVM_LINEAR...
#!/usr/bin/env python import cv2 as cv import numpy as np SZ=20 bin_n = 16 # Number of bins affine_flags = cv.WARP_INVERSE_MAP|cv.INTER_LINEAR ## [deskew] def deskew(img): m = cv.moments(img) if abs(m['mu02']) < 1e-2: return img.copy() skew = m['mu11']/m['mu02'] M = np.float32([[1, skew, -0...
from __future__ import print_function from __future__ import division import cv2 as cv import numpy as np import argparse from math import atan2, cos, sin, sqrt, pi def drawAxis(img, p_, q_, colour, scale): p = list(p_) q = list(q_) ## [visualization1] angle = atan2(p[1] - q[1], p[0] - q[0]) # angle in...
from __future__ import print_function from __future__ import division import cv2 as cv import argparse alpha_slider_max = 100 title_window = 'Linear Blend' ## [on_trackbar] def on_trackbar(val): alpha = val / alpha_slider_max beta = ( 1.0 - alpha ) dst = cv.addWeighted(src1, alpha, src2, beta, 0.0) cv...
from __future__ import print_function import cv2 as cv import numpy as np import argparse parser = argparse.ArgumentParser(description='Code for Feature Detection tutorial.') parser.add_argument('--input', help='Path to input image.', default='box.png') args = parser.parse_args() src = cv.imread(cv.samples.findFile(a...
from __future__ import print_function import cv2 as cv import numpy as np import argparse parser = argparse.ArgumentParser(description='Code for Feature Matching with FLANN tutorial.') parser.add_argument('--input1', help='Path to input image 1.', default='box.png') parser.add_argument('--input2', help='Path to input ...
from __future__ import print_function import cv2 as cv import numpy as np import argparse parser = argparse.ArgumentParser(description='Code for Feature Matching with FLANN tutorial.') parser.add_argument('--input1', help='Path to input image 1.', default='box.png') parser.add_argument('--input2', help='Path to input ...
#!/usr/bin/env python # -*- coding: utf-8 -*- # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv def basicPanoramaStitching(img1Path, img2Path): img1 = cv.imread(cv.samples.findFile(img1Path)) img2 = cv.imread(cv.samples.findFile(img2Path)) # [camera-pos...
#!/usr/bin/env python # -*- coding: utf-8 -*- # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv import sys def randomColor(): color = np.random.randint(0, 255,(1, 3)) return color[0].tolist() def perspectiveCorrection(img1Path, img2Path ,patternSize ): ...
from __future__ import print_function import cv2 as cv import numpy as np import argparse from math import sqrt ## [load] parser = argparse.ArgumentParser(description='Code for AKAZE local features matching tutorial.') parser.add_argument('--input1', help='Path to input image 1.', default='graf1.png') parser.add_argum...
from __future__ import print_function import cv2 as cv import numpy as np import argparse parser = argparse.ArgumentParser(description='Code for Feature Detection tutorial.') parser.add_argument('--input1', help='Path to input image 1.', default='box.png') parser.add_argument('--input2', help='Path to input image 2.',...
from __future__ import print_function from __future__ import division import cv2 as cv import numpy as np import argparse import os def loadExposureSeq(path): images = [] times = [] with open(os.path.join(path, 'list.txt')) as f: content = f.readlines() for line in content: tokens = lin...
#!/usr/bin/env python ''' You can download the converted pb model from https://www.dropbox.com/s/qag9vzambhhkvxr/lip_jppnet_384.pb?dl=0 or convert the model yourself. Follow these steps if you want to convert the original model yourself: To get original .meta pre-trained model download https://drive.google.com/fil...
# Import required modules import cv2 as cv import math import argparse ############ Add argument parser for command line arguments ############ parser = argparse.ArgumentParser(description='Use this script to run TensorFlow implementation (https://github.com/argman/EAST) of EAST: An Efficient and Accurate Scene Text D...
import cv2 as cv import argparse import numpy as np from common import * backends = (cv.dnn.DNN_BACKEND_DEFAULT, cv.dnn.DNN_BACKEND_HALIDE, cv.dnn.DNN_BACKEND_INFERENCE_ENGINE, cv.dnn.DNN_BACKEND_OPENCV) targets = (cv.dnn.DNN_TARGET_CPU, cv.dnn.DNN_TARGET_OPENCL, cv.dnn.DNN_TARGET_OPENCL_FP16, cv.dnn.DNN_TARGET_MYRIA...
#!/usr/bin/env python3 ''' You can download the Geometric Matching Module model from https://www.dropbox.com/s/tyhc73xa051grjp/cp_vton_gmm.onnx?dl=0 You can download the Try-On Module model from https://www.dropbox.com/s/q2x97ve2h53j66k/cp_vton_tom.onnx?dl=0 You can download the cloth segmentation model from https://ww...
import cv2 as cv import argparse parser = argparse.ArgumentParser( description='This sample shows how to define custom OpenCV deep learning layers in Python. ' 'Holistically-Nested Edge Detection (https://arxiv.org/abs/1504.06375) neural network ' 'is used as an example ...
# This file is a part of OpenCV project. # It is a subject to the license terms in the LICENSE file found in the top-level directory # of this distribution and at http://opencv.org/license.html. # # Copyright (C) 2018, Intel Corporation, all rights reserved. # Third party copyrights are property of their respective own...
import os import numpy as np import cv2 as cv import argparse from common import findFile parser = argparse.ArgumentParser(description='Use this script to run action recognition using 3D ResNet34', formatter_class=argparse.ArgumentDefaultsHelpFormatter) parser.add_argument('--input', '...
from __future__ import print_function # Script to evaluate MobileNet-SSD object detection model trained in TensorFlow # using both TensorFlow and OpenCV. Example: # # python mobilenet_ssd_accuracy.py \ # --weights=frozen_inference_graph.pb \ # --prototxt=ssd_mobilenet_v1_coco.pbtxt \ # --images=val2017 \ # --an...
import argparse import numpy as np from tf_text_graph_common import * def createFasterRCNNGraph(modelPath, configPath, outputPath): scopesToKeep = ('FirstStageFeatureExtractor', 'Conv', 'FirstStageBoxPredictor/BoxEncodingPredictor', 'FirstStageBoxPredictor/ClassPredictor', ...
# Script is based on https://github.com/richzhang/colorization/blob/master/colorization/colorize.py # To download the caffemodel and the prototxt, see: https://github.com/richzhang/colorization/tree/master/colorization/models # To download pts_in_hull.npy, see: https://github.com/richzhang/colorization/blob/master/colo...
import sys import os import cv2 as cv def add_argument(zoo, parser, name, help, required=False, default=None, type=None, action=None, nargs=None): if len(sys.argv) <= 1: return modelName = sys.argv[1] if os.path.isfile(zoo): fs = cv.FileStorage(zoo, cv.FILE_STORAGE_READ) node = f...
import argparse import numpy as np from tf_text_graph_common import * parser = argparse.ArgumentParser(description='Run this script to get a text graph of ' 'Mask-RCNN model from TensorFlow Object Detection API. ' 'Then pass it w...
import cv2 as cv import argparse import numpy as np parser = argparse.ArgumentParser(description= 'Use this script to run Mask-RCNN object detection and semantic ' 'segmentation network from TensorFlow Object Detection API.') parser.add_argument('--input', help='Path to input image or video file. Skip ...
def tokenize(s): tokens = [] token = "" isString = False isComment = False for symbol in s: isComment = (isComment and symbol != '\n') or (not isString and symbol == '#') if isComment: continue if symbol == ' ' or symbol == '\t' or symbol == '\r' or symbol == '\'...
# To use Inference Engine backend, specify location of plugins: # source /opt/intel/computer_vision_sdk/bin/setupvars.sh import cv2 as cv import numpy as np import argparse parser = argparse.ArgumentParser( description='This script is used to demonstrate OpenPose human pose estimation network ' ...
from __future__ import print_function import cv2 as cv import numpy as np import argparse parser = argparse.ArgumentParser( description='This script is used to run style transfer models from ' 'https://github.com/jcjohnson/fast-neural-style using OpenCV') parser.add_argument('--input', help...
import cv2 as cv import argparse import numpy as np import sys import time from threading import Thread if sys.version_info[0] == 2: import Queue as queue else: import queue from common import * from tf_text_graph_common import readTextMessage from tf_text_graph_ssd import createSSDGraph from tf_text_graph_fas...
# This file is part of OpenCV project. # It is subject to the license terms in the LICENSE file found in the top-level directory # of this distribution and at http://opencv.org/license.html. # # Copyright (C) 2017, Intel Corporation, all rights reserved. # Third party copyrights are property of their respective owners....
import cv2 as cv import argparse import numpy as np import sys from common import * backends = (cv.dnn.DNN_BACKEND_DEFAULT, cv.dnn.DNN_BACKEND_HALIDE, cv.dnn.DNN_BACKEND_INFERENCE_ENGINE, cv.dnn.DNN_BACKEND_OPENCV) targets = (cv.dnn.DNN_TARGET_CPU, cv.dnn.DNN_TARGET_OPENCL, cv.dnn.DNN_TARGET_OPENCL_FP16, cv.dnn.DNN_T...
#!/usr/bin/env python from __future__ import print_function import hashlib import time import sys import xml.etree.ElementTree as ET if sys.version_info[0] < 3: from urllib2 import urlopen else: from urllib.request import urlopen class HashMismatchException(Exception): def __init__(self, expected, actual)...
""" This code adds Python/Java signatures to the docs. TODO: Do the same thing for Java * using javadoc/ get all the methods/classes/constants to a json file TODO: * clarify when there are several C++ signatures corresponding to a single Python function. i.e: calcHist(): http://docs.opencv.org/3.2.0/d6/dc7/gr...
from __future__ import print_function import sys import logging import os import re from pprint import pprint import traceback try: import bs4 from bs4 import BeautifulSoup except ImportError: raise ImportError('Error: ' 'Install BeautifulSoup (bs4) for adding' ...
import traceback class Symbol(object): def __init__(self, anchor, type, cppname): self.anchor = anchor self.type = type self.cppname = cppname #if anchor == 'ga586ebfb0a7fb604b35a23d85391329be': # print(repr(self)) # traceback.print_stack() def __repr__(se...
#!/usr/bin/env python """gen_pattern.py Usage example: python gen_pattern.py -o out.svg -r 11 -c 8 -T circles -s 20.0 -R 5.0 -u mm -w 216 -h 279 -o, --output - output file (default out.svg) -r, --rows - pattern rows (default 11) -c, --columns - pattern columns (default 8) -T, --type - type of pattern, circles, acircle...
# svgfig.py copyright (C) 2008 Jim Pivarski <jpivarski@gmail.com> # # This program is free software; you can redistribute it and/or # modify it under the terms of the GNU General Public License # as published by the Free Software Foundation; either version 2 # of the License, or (at your option) any later version. # # ...
#!/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. ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as ...
#!/usr/bin/env python ''' Lucas-Kanade homography tracker test =============================== Uses goodFeaturesToTrack for track initialization and back-tracking for match verification between frames. Finds homography between reference and current views. ''' # Python 2/3 compatibility from __future__ import print_fu...
#!/bin/python # usage: # cat clAmdBlas.h | $0 from __future__ import print_function import sys, re; from common import remove_comments, getTokens, getParameters, postProcessParameters try: if len(sys.argv) > 1: f = open(sys.argv[1], "r") else: f = sys.stdin except: sys.exit("ERROR. Can...
from __future__ import print_function import sys, os, re # # Parser helpers # def remove_comments(s): def replacer(match): s = match.group(0) if s.startswith('/'): return "" else: return s pattern = re.compile( r'//.*?$|/\*.*?\*/|\'(?:\\.|[^\\\'])*\'|"(?...
#!/bin/python # usage: # cat opencl11/cl.h | $0 cl_runtime_opencl11 # cat opencl12/cl.h | $0 cl_runtime_opencl12 from __future__ import print_function import sys, re; from common import remove_comments, getTokens, getParameters, postProcessParameters try: if len(sys.argv) > 1: module_name = sys.ar...
#!/bin/python # usage: # cat clAmdFft.h | $0 from __future__ import print_function import sys, re; from common import remove_comments, getTokens, getParameters, postProcessParameters try: if len(sys.argv) > 1: f = open(sys.argv[1], "r") else: f = sys.stdin except: sys.exit("ERROR. Can...
#!/usr/bin/env python import cv2 as cv from tests_common import NewOpenCVTests class stitching_test(NewOpenCVTests): def test_simple(self): img1 = self.get_sample('stitching/a1.png') img2 = self.get_sample('stitching/a2.png') stitcher = cv.Stitcher.create(cv.Stitcher_PANORAMA) (...
#!/usr/bin/env python ''' Robust line fitting. ================== Example of using cv.fitLine function for fitting line to points in presence of outliers. Switch through different M-estimator functions and see, how well the robust functions fit the line even in case of ~50% of outliers. ''' # Python 2/3 compatibil...
#!/usr/bin/env python """Algorithm serialization test.""" import tempfile import os import cv2 as cv from tests_common import NewOpenCVTests class algorithm_rw_test(NewOpenCVTests): def test_algorithm_rw(self): fd, fname = tempfile.mkstemp(prefix="opencv_python_algorithm_", suffix=".yml") os.close...
#!/usr/bin/env python from __future__ import print_function import ctypes from functools import partial import numpy as np import cv2 as cv from tests_common import NewOpenCVTests, unittest def is_numeric(dtype): return np.issubdtype(dtype, np.integer) or np.issubdtype(dtype, np.floating) def get_limits(dtyp...
#!/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) http://www.robinhewitt.com/research/track/camshift.html '''...
#!/usr/bin/python ''' This example illustrates how to use Hough Transform to find lines ''' # Python 2/3 compatibility from __future__ import print_function import cv2 as cv import numpy as np import sys import math from tests_common import NewOpenCVTests def linesDiff(line1, line2): norm1 = cv.norm(line1 - l...
#!/usr/bin/env python ''' Watershed segmentation test ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv from tests_common import NewOpenCVTests class watershed_test(NewOpenCVTests): def test_watershed(self): img = self.get_sample('cv/inpaint/orig....
#!/usr/bin/env python from __future__ import print_function import numpy as np import cv2 as cv from tests_common import NewOpenCVTests class AsyncTest(NewOpenCVTests): def test_async_simple(self): m = np.array([[1,2],[3,4],[5,6]]) async_result = cv.utils.testAsyncArray(m) self.assertTru...
#!/usr/bin/env python ''' Test for disctrete fourier transform (dft) ''' # Python 2/3 compatibility from __future__ import print_function import cv2 as cv import numpy as np import sys from tests_common import NewOpenCVTests class dft_test(NewOpenCVTests): def test_dft(self): img = self.get_sample('sa...
#!/usr/bin/env python ''' Morphology operations. ''' # 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 from tests_common import NewOpenCVTests class morphology_test(NewOpenCVTests): def test_morphology(self): ...
#!/usr/bin/env python ''' Test for copyto with mask ''' # Python 2/3 compatibility from __future__ import print_function import cv2 as cv import numpy as np import sys from tests_common import NewOpenCVTests class copytomask_test(NewOpenCVTests): def test_copytomask(self): img = self.get_sample('pytho...
#!/usr/bin/env python """"Core serialization tests.""" import tempfile import os import cv2 as cv import numpy as np from tests_common import NewOpenCVTests class persistence_test(NewOpenCVTests): def test_yml_rw(self): fd, fname = tempfile.mkstemp(prefix="opencv_python_persistence_", suffix=".yml") ...
#!/usr/bin/env python from itertools import product from functools import reduce import numpy as np import cv2 as cv from tests_common import NewOpenCVTests def norm_inf(x, y=None): def norm(vec): return np.linalg.norm(vec.flatten(), np.inf) x = x.astype(np.float64) return norm(x) if y is None...
#!/usr/bin/env python ''' MSER detector test ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv from tests_common import NewOpenCVTests class mser_test(NewOpenCVTests): def test_mser(self): img = self.get_sample('cv/mser/puzzle.png', 0) smal...
#!/usr/bin/env python ''' Location of tests: - <opencv_src>/modules/python/test - <opencv_src>/modules/<module>/misc/python/test/ ''' from __future__ import print_function import sys sys.dont_write_bytecode = True # Don't generate .pyc files / __pycache__ directories import os import unittest # Python 3 moved urlo...
#!/usr/bin/env python ''' Simple "Square Detector" program. Loads several images sequentially and tries to find squares in each image. ''' # Python 2/3 compatibility import sys PY3 = sys.version_info[0] == 3 if PY3: xrange = range import numpy as np import cv2 as cv def angle_cos(p0, p1, p2): d1, d2 = (p...
#!/usr/bin/env python ''' CUDA-accelerated Computer Vision functions ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv import os from tests_common import NewOpenCVTests, unittest class cuda_test(NewOpenCVTests): def setUp(self): super(cuda_test, se...
#!/usr/bin/env python from __future__ import print_function import numpy as np import cv2 as cv from tests_common import NewOpenCVTests class UMat(NewOpenCVTests): def test_umat_construct(self): data = np.random.random([512, 512]) # UMat constructors data_um = cv.UMat(data) # from ndarr...
#!/usr/bin/env python from __future__ import print_function import numpy as np import cv2 as cv from tests_common import NewOpenCVTests class Hackathon244Tests(NewOpenCVTests): def test_int_array(self): a = np.array([-1, 2, -3, 4, -5]) absa0 = np.abs(a) self.assertTrue(cv.norm(a, cv.NORM...
#!/usr/bin/env python from __future__ import print_function import os import sys import unittest import hashlib import random import argparse import numpy as np import cv2 as cv # Python 3 moved urlopen to urllib.requests try: from urllib.request import urlopen except ImportError: from urllib import urlopen...
#!/usr/bin/env python # Python 2/3 compatibility from __future__ import print_function import numpy as np from numpy import pi, sin, cos import cv2 as cv defaultSize = 512 class TestSceneRender(): def __init__(self, bgImg = None, fgImg = None, deformation = False, noise = 0.0, speed = 0.25, **params): ...
#!/usr/bin/env python from __future__ import print_function import numpy as np import cv2 as cv from tests_common import NewOpenCVTests class Features2D_Tests(NewOpenCVTests): def test_issue_13406(self): self.assertEqual(True, hasattr(cv, 'drawKeypoints')) self.assertEqual(True, hasattr(cv, 'Dra...
#!/usr/bin/env python ''' =============================================================================== Interactive Image Segmentation using GrabCut algorithm. =============================================================================== ''' # Python 2/3 compatibility from __future__ import print_function import ...
#!/usr/bin/python ''' This example illustrates how to use cv.HoughCircles() function. ''' # Python 2/3 compatibility from __future__ import print_function import cv2 as cv import numpy as np import sys from numpy import pi, sin, cos from tests_common import NewOpenCVTests def circleApproximation(circle): nPoi...
#!/usr/bin/env python ''' Texture flow direction estimation. Sample shows how cv.cornerEigenValsAndVecs function can be used to estimate image texture flow direction. ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv import sys from tests_common import NewOpen...
#!/usr/bin/env python ''' K-means clusterization test ''' # Python 2/3 compatibility from __future__ import print_function import numpy as np import cv2 as cv from numpy import random import sys PY3 = sys.version_info[0] == 3 if PY3: xrange = range from tests_common import NewOpenCVTests def make_gaussians(clu...
#!/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 from numpy import random import cv2 as cv def make_gaussians(cluster_n, img_size): points = [] ref_distrs = [] for _ in xrange(cl...
#!/usr/bin/env python from __future__ import print_function import os, sys, re, string, io # the list only for debugging. The real list, used in the real OpenCV build, is specified in CMakeLists.txt opencv_hdr_list = [ "../../core/include/opencv2/core.hpp", "../../core/include/opencv2/core/mat.hpp", "../../core/inclu...
#!/usr/bin/env python from __future__ import print_function import hdr_parser, sys, re, os from string import Template from pprint import pprint from collections import namedtuple if sys.version_info[0] >= 3: from io import StringIO else: from cStringIO import StringIO forbidden_arg_types = ["void*"] ignor...
import os import sys import platform import setuptools SCRIPT_DIR=os.path.dirname(os.path.abspath(__file__)) def main(): os.chdir(SCRIPT_DIR) package_name = 'opencv' package_version = os.environ.get('OPENCV_VERSION', '4.2.0') # TODO long_description = 'Open Source Computer Vision Library Python bin...
''' OpenCV Python binary extension loader ''' import os import sys try: import numpy import numpy.core.multiarray except ImportError: print('OpenCV bindings requires "numpy" package.') print('Install it via command:') print(' pip install numpy') raise # TODO # is_x64 = sys.maxsize > 2**32 ...
# flake8: noqa import os import sys if sys.version_info[:2] >= (3, 0): def exec_file_wrapper(fpath, g_vars, l_vars): with open(fpath) as f: code = compile(f.read(), os.path.basename(fpath), 'exec') exec(code, g_vars, l_vars)
# flake8: noqa import sys if sys.version_info[:2] < (3, 0): def exec_file_wrapper(fpath, g_vars, l_vars): execfile(fpath, g_vars, l_vars)