[leetcode] wordladder ii

前端之家收集整理的这篇文章主要介绍了[leetcode] wordladder ii前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

problem: https://oj.leetcode.com/problems/word-ladder-ii/
代码https://play.golang.org/p/qdmadQUcEC

package main

import (
    "fmt"
)

func main() {
    start := "hit"
    end := "cog"
    dict := []string{"hot","dot","dog","lot","log"}
    dict = append(dict,start,end)

    mapAdjacency := createAdjacencyGraph(dict,end)
    findLadders(mapAdjacency,end)
}

func findLadders(mapAdjacency map[string][]string,end string) {
    visited := make(map[string]int,len(mapAdjacency))
    visited[start] = 1

    queue := make([]string,len(mapAdjacency))
    queue = append(queue,start)

    mapParent := make(map[string][]string,len(mapAdjacency))

    bfs(mapAdjacency,visited,queue,mapParent,end)

    stack := []string{}
    stack = append(stack,end)
    printShortestPath(mapParent,stack,end)
}

func printShortestPath(mapParent map[string][]string,stack []string,end string) {
    if end == start {
        printStack(stack)
        return
    }

    for _,v := range mapParent[end] {
        stack = append(stack,v)
        printShortestPath(mapParent,v)
        stack = stack[:len(stack)-1]
    }
}

func printStack(stack []string) {
    lenStack := len(stack)
    for i := lenStack - 1; i >= 0; i-- {
        fmt.Printf("%s ",stack[i])
    }
    fmt.Println()
}

func bfs(mapAdjacency map[string][]string,visited map[string]int,queue []string,mapParent map[string][]string,start string,end string) {
    var cur string
    for len(queue) > 0 {
        //出队列
        cur,queue = queue[0],queue[1:]
        for _,value := range mapAdjacency[cur] {
            if visited[value] == 0 {
                //入队列
                queue = append(queue,value)
                visited[value] = visited[cur] + 1
                mapParent[value] = append(mapParent[value],cur)
            } else if visited[value] > visited[cur] {
                mapParent[value] = append(mapParent[value],cur)
            }

        }
    }

}

func createAdjacencyGraph(dict []string,end string) (mapAdjacency map[string][]string) {
    mapAdjacency = make(map[string][]string)
    lenWord := len(start)
    for _,vi := range dict {
        for _,vj := range dict {
            count := 0
            if vi != vj {
                for k := 0; k < lenWord; k++ {
                    if vi[k] == vj[k] {
                        count++
                    }
                }
                if count == lenWord-1 { //find adjacency
                    mapAdjacency[vi] = append(mapAdjacency[vi],vj)
                }
            }

        }
    }

    return
}
原文链接:https://www.f2er.com/go/190659.html

猜你在找的Go相关文章