牛客题——点击消除(go)

Posted Demonwuwen

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了牛客题——点击消除(go)相关的知识,希望对你有一定的参考价值。

牛牛拿到了一个字符串。
他每次“点击”,可以把字符串中相邻两个相同字母消除,例如,字符串"abbc"点击后可以生成"ac"。
但相同而不相邻、不相同的相邻字母都是不可以被消除的。
牛牛想把字符串变得尽可能短。他想知道,当他点击了足够多次之后,字符串的最终形态是什么?
输入描述:
一个字符串,仅由小写字母组成。(字符串长度不大于300000)

输出描述:
一个字符串,为“点击消除”后的最终形态。若最终的字符串为空串,则输出0。

示例1
输入

 abbc

输出

ac

示例2
输入

abba

输出
0
示例3
输入

bbbbb

输出

b

刷题自己的思路写了一个,利用递归的方法,但是测试用例的时候只通过了5/8,超时了就尴尬了。

package main
import(
	"fmt"
	"strings"
)
func main() 
	var str string
	fmt.Scan(&str)
	splstr := strings.Split(str,"")
	rmstr := Remove(splstr)
	str =strings.Join(rmstr,"")
	if len(str) == 0
		fmt.Print(0)
	else 
		fmt.Print(str)
	


func Remove(str []string) []string 
	for i := 1; i < len(str); i++ 
		if str[i] == str[i-1]
			str = append(str[:i-1],str[i+1:]...)
		
	
	for i := 1; i < len(str); i++ 
		if str[i] == str[i-1] 
			return Remove(str)
		
	
	return str


然后看了一下别人的解法,是用双向链表进行解答的,可以拿来学参考学习学习

package main

import (
	"fmt"
)

type Node struct 
	val byte
	pre *Node
	next *Node

type Queue struct 
	head *Node


func main()  
	var str string
	fmt.Scan(&str)
	// 特殊情况
	if len(str) == 0 
		fmt.Println(0)
		return
	
	if len(str) == 1 
		fmt.Println(str)
		return
	
	link := &Queue
	//循环双向链表尾插法
	for i, _ := range str 
		if i == 0 
			link.head = &Nodestr[i],nil,nil
			link.head.pre = link.head
			link.head.next = link.head
		else 
			newNode := &Nodestr[i],link.head.pre,link.head
			link.head.pre.next = newNode
			link.head.pre = newNode
		
	
	//循环双向链表变非循环双向链表
	link.head.pre.next =nil
	link.head.pre = nil

	p := link.head
	//消除相邻重复的元素
	for p != nil && p.next != nil
		if p.val == p.next.val 
			if p == link.head //相同元素在开头,直接去掉前两个相同的
				link.head = p.next.next
				p = link.head
			else if p.next.next == nil //到结束了
				p.pre.next = nil
				p = nil
			else 
				tmp := p
				p = p.pre
				p.next = tmp.next.next
				p.next.pre = p
			

		else 
			p=p.next
		

	
	if link.head == nil
		fmt.Println(0)
		return
	
	for link.head != nil 
		fmt.Printf("%v",string(link.head.val))
		link.head = link.head.next
	
	return




以上是关于牛客题——点击消除(go)的主要内容,如果未能解决你的问题,请参考以下文章

牛客题霸 NC26 括号生成

牛客题霸 NC28 最小覆盖子串

牛客题霸 NC27 集合的所有子集

牛客题霸 NC29 二维数组中的查找

牛客题霸 NC30 数组中未出现的最小正整数

牛客题霸 NC25 删除有序链表中重复的元素-I