Python计算机视觉编程 - 第九章 图像分割

摘要
graphcut图像分割
最大流/最小割

1.graphcut图像分割

1.1原理简述

我们目标是将一幅图像分为目标和背景两个不相交的部分,我们运用graphcut图分割技术来实现。首先,图由顶点和边来组成,边有权值。那我们需要构建一个图,这个图有两类顶点,两类边和两类权值。普通顶点由图像每个像素组成,然后每两个邻域像素之间存在一条边,它的权值由上面说的“边界平滑能量项”来决定。还有两个终端顶点s(目标)和t(背景),每个普通顶点和s都存在连接,也就是边,边的权值由“区域能量项”Rp(1)来决定,每个普通顶点和t连接的边的权值由“区域能量项”Rp(0)来决定。这样所有边的权值就可以确定了,也就是图就确定了。这时候,就可以通过min cut算法来找到最小的割,这个min cut就是权值和最小的边的集合,这些边的断开恰好可以使目标和背景被分割开,也就是min cut对应于能量的最小化。

1.2代码

# -*- coding: utf-8 -*-

from scipy.misc import imresize
from PCV.tools import graphcut
from PIL import Image
from numpy import *
from pylab import *

im = array(Image.open("empire.jpg"))
im = imresize(im, 0.07)
size = im.shape[:2]
print ("OK!!")

# add two rectangular training regions
labels = zeros(size)
labels[3:18, 3:18] = -1
labels[-18:-3, -18:-3] = 1
print ("OK!!")


# create graph
g = graphcut.build_bayes_graph(im, labels, kappa=1)

# cut the graph
res = graphcut.cut_graph(g, size)
print ("OK!!")


figure()
graphcut.show_labeling(im, labels)

figure()
imshow(res)
gray()
axis('off')

show()

1.3结果和分析

原图
Python计算机视觉编程 - 第九章 图像分割_第1张图片
结果
Python计算机视觉编程 - 第九章 图像分割_第2张图片
Python计算机视觉编程 - 第九章 图像分割_第3张图片
可以看到结果1中蓝色块和红色块,就是将图像分为背景和前景,通过将背景分割出去,得到结果2分割后的结果

2最大流/最小割

2.1代码

from pygraph.classes.digraph import digraph
from pygraph.algorithms.minmax import maximum_flow

gr = digraph()
gr.add_nodes([0,1,2,3])
gr.add_edge((0,1), wt=7)
gr.add_edge((1,2), wt=6)
gr.add_edge((2,3), wt=5)
gr.add_edge((0,2), wt=4)
gr.add_edge((1,3), wt=7)
flows,cuts = maximum_flow(gr, 0, 3)
print ('flow is:' , flows)
print ('cut is:' , cuts)

2.2结果和分析

在这里插入图片描述
这是一个有四个节点的有向图,flow是其最大流(权重最大的流),cut是其最小割(最小的分割)

你可能感兴趣的:(计算机视觉)