Глубина_первый_поиск()функция выполняет первый по глубине обход вершин в направленном графе. Когда это возможно, первый по глубине проход выбирает вершину, прилегающую к текущей вершине, чтобы посетить следующую. Если все соседние вершины уже обнаружены или нет смежных вершин, то алгоритм возвращается к последней вершине, у которой были неоткрытые соседи. Как только все доступные вершины были посещены, алгоритм выбирает из любых оставшихся неоткрытых вершин и продолжает прохождение. Алгоритм заканчивается, когда все вершины были посещены. Глубина-первый поиск полезен для категоризации краев в графе и для наложения порядка на вершины. РазделГлубина первого поискаописывает различные свойства DFS и проходит через пример.
Как и BFS, цветовые маркеры используются для отслеживания того, какие вершины были обнаружены. Белые знаки вершин, которые еще предстоит обнаружить, серые знаки вершины, которая обнаружена, но все еще имеет вершины, прилегающие к ней, которые не обнаружены. Обнаружена черная вершина, которая не примыкает ни к каким белым вершинам.
Глубина_первый_поиск()функция вызывает определяемые пользователем действия в определенных точках событий в алгоритме. Это обеспечивает механизм адаптации общего алгоритма DFS ко многим ситуациям, в которых он может быть использован. В псевдокоде ниже точки событий для DFS - это ярлыки справа. Определяемые пользователем действия должны быть предоставлены в виде объекта посетителя, то есть объекта, тип которого соответствует требованиямDFS Посетителя. В псевдокоде мы показываем алгоритм вычисления предшественниковp, обнаруживаем времяdи заканчиваем времяt. По умолчаниюdeep_first_search()функция не вычисляет эти свойства, однако есть предварительно определенные посетители, такие какпредшественница_рекордеритайм_штамп, которые могут быть использованы для этого.
DFS(G)
for each vertex u in Vcolor[u] := WHITE
p[u] = uend fortime := 0if there is a starting vertex scall DFS-VISIT(G, s)
for each vertex u in Vifcolor[u] = WHITE
call DFS-VISIT(G, u)
end for
return (p,d_time,f_time)
DFS-VISIT(G, u)
color[u] := GRAY
d_time[u] := time := time + 1for each v in Adj[u]if (color[v] = WHITE)
p[v] = ucall DFS-VISIT(G, v)
else if (color[v] = GRAY)
...else if (color[v] = BLACK)
......end forcolor[u] := BLACK
f_time[u] := time := time + 1
-
-
initialize vertex u
-
-
-
-
start vertex s
-
-
start vertex u
-
-
-
-
discover vertex u
-
examine edge (u,v)
-
(u,v) is a tree edge
-
-
(u,v) is a back edge
-
(u,v) is a cross or forward edge
-
finish edge (u,v)
-
finish vertex u
-
A directed graph. The graph type must
be a model of Incidence Graph
and Vertex List Graph. Python: The parameter is named graph.
Named Parameters
IN: visitor(DFSVisitor vis)
A visitor object that is invoked inside the algorithm at the
event-points specified by the DFS
Visitor concept. The visitor object is passed by value [1]. Default:dfs_visitor<null_visitor> Python: The parameter should be an object that derives from
the DFSVisitor type of
the graph.
UTIL/OUT: color_map(ColorMap color)
This is used by the algorithm to keep track of its progress through
the graph. The type ColorMap must be a model of Read/Write
Property Map and its key type must be the graph's vertex
descriptor type and the value type of the color map must model
ColorValue. Default: an
iterator_property_map created from a
std::vector of default_color_type of size
num_vertices(g) and using the i_map for the index
map. Python: The color map must be a vertex_color_map for
the graph.
This specifies the vertex that the depth-first search should
originate from. The type is the type of a vertex descriptor for the
given graph. Default:*vertices(g).first
IN: vertex_index_map(VertexIndexMap i_map)
This maps each vertex to an integer in the range [0,
num_vertices(g)). This parameter is only necessary when the
default color property map is used. The type VertexIndexMap
must be a model of Readable Property
Map. The value type of the map must be an integer type. The
vertex descriptor type of the graph needs to be usable as the key
type of the map. Default:get(vertex_index, g).
Note: if you use this default, make sure your graph has
an internal vertex_index property. For example,
adjacency_list with VertexList=listS does
not have an internal vertex_index property. Python: Unsupported parameter.
vis.initialize_vertex(s, g) is invoked on every
vertex of the graph before the start of the graph search.
vis.start_vertex(s, g) is invoked on the source
vertex once before the start of the search.
vis.discover_vertex(u, g) is invoked when a vertex
is encountered for the first time.
vis.examine_edge(e, g) is invoked on every out-edge
of each vertex after it is discovered.
vis.tree_edge(e, g) is invoked on each edge as it
becomes a member of the edges that form the search tree. If you
wish to record predecessors, do so at this event point.
vis.back_edge(e, g) is invoked on the back edges in
the graph.
vis.forward_or_cross_edge(e, g) is invoked on
forward or cross edges in the graph. In an undirected graph this
method is never called.
vis.finish_edge(e, g) is invoked on the non-tree edges in
the graph as well as on each tree edge after its target vertex is finished.
vis.finish_vertex(u, g) is invoked on a vertex after
all of its out edges have been added to the search tree and all of
the adjacent vertices have been discovered (but before their
out-edges have been examined).
[1]
Since the visitor parameter is passed by value, if your visitor
contains state then any changes to the state during the algorithm
will be made to a copy of the visitor object, not the visitor object
passed in. Therefore you may want the visitor to hold this state by
pointer or reference.
Статья Boost Graph Library: Depth-First Search раздела может быть полезна для разработчиков на c++ и boost.
Материалы статей собраны из открытых источников, владелец сайта не претендует на авторство. Там где авторство установить не удалось, материал подаётся без имени автора. В случае если Вы считаете, что Ваши права нарушены, пожалуйста, свяжитесь с владельцем сайта.