Reputation: 1131
This is an extension of the question posted previously: How to split an igraph into connected subgraphs?
I'll use the same example as the previous question
library(igraph)
g <- simplify(
graph.compose(
graph.ring(10),
graph.star(5, mode = "undirected")
)
) + edge("7", "8")
The original user wanted to separate the network into the connected components. I would like to get a selection of the connected components based on the nodes, i.e. I want the networks containing node 9 and 2.
I think it could be done with decompose.graph(g)
but I'm not sure how to put the two subgraphs back together. I need something like compose.graph(sub_g1, sub_g2)
.
Upvotes: 3
Views: 1386
Reputation: 2939
Another way would be to use breadth-first search:
g <- set.vertex.attribute(g,'name',index=V(g),as.character(1:vcount(g)))
#select nodes of interest:
nodes.of.interest <- c(2,9)
#find subgraphs that contain selected nodes
sel.nodes <- bfs(g ,root = nodes.of.interest ,unreachable = FALSE)$order
#remove additional nodes:
g.sub <- induced.subgraph(g , vids = sel.nodes[!is.na(sel.nodes)])
plot(g.sub)
Upvotes: 2
Reputation: 57220
You can use graph.union function :
library(igraph)
g <- simplify(
graph.compose(
graph.ring(10),
graph.star(5, mode = "undirected")
)
) + edge("7", "8")
# IMPORTANT ! set vertex names otherwise when you split in sub-graphs you won't be
# able to recognize them(and don't forget as.character otherwise union will fail!)
g <- set.vertex.attribute(g,'name',index=V(g),as.character(1:vcount(g)))
# decompose the graph
sub.graphs <- decompose.graph(g)
# search for the sub-graph indexes containing 2 and 9
sub.graph.indexes <- which(sapply(sub.graphs,function(g) any(V(g)$name %in% c('2','9'))))
# merge the desired subgraphs
merged <- do.call(graph.union,sub.graphs[sub.graph.indexes])
plot(merged)
Upvotes: 3