golang去除字符串的换行符

在golang中,有时候需要处理换行符(\n)以便更好地访问和操作文本。但有时需要去除文本中的换行符以便进行某些计算或统计功能。

1 strings.Replace函数

strings.Replace函数能够将字符序列中的某些字符替换成其他字符或删除字符。

package main

 

import (

    "fmt"

    "strings"

)

 

func main() {

    text := "hello\nworld\n"

    newText := strings.Replace(text, "\n", "", -1)

    fmt.Println("原文本:", text)

    fmt.Println("新文本:", newText)

}

输出:

原文本: hello

world

新文本: helloworld

2 strings.Trim函数

strings.Trim函数可以删除字符串开头和结尾的指定字符。

package main

 

import (

    "fmt"

    "strings"

)

 

func main() {

    text := "hello\nworld\n"

    newText := strings.Trim(text, "\n")

    fmt.Println("原文本:", text)

    fmt.Println("新文本:", newText)

}

输出:

原文本: hello
world

新文本: hello
world

3 strings.Join和strings.Split函数

strings.Join函数可以使用指定的分隔符将字符串数组连接成一个字符串。而strings.Split函数可以使用指定的分隔符将一个字符串分割成字符串数组。

可通过strings.Split函数分割文本,并使用strings.Join函数将文本中的所有行连接成一个字符串。其结果与strings.Replace一致。

package main

 

import (

    "fmt"

    "strings"

)

 

func main() {

    text := "hello\nworld\n"

    lineArray := strings.Split(text, "\n")

    newText := strings.Join(lineArray, "")

    fmt.Println("原文本:", text)

    fmt.Println("新文本:", newText)

}

输出:

原文本: hello
world

新文本: helloworld

4 bufio.Scanner和bytes.Buffer

bufio.Scanner用于从一个输入源(比如文件或字符串)读取数据,并将其拆分成词汇。而bytes.Buffer用于动态缓存字节数组。

通过将文本放入bytes.Buffer中,然后使用bufio.Scanner从中读取数据。在读取数据时,可以添加所有字符到新的bytes.Buffer中,但跳过换行符。这种方法比之前的方法更加灵活,因此可以对字符进行更加复杂的判断和处理。

package main

 

import (

    "bufio"

    "bytes"

    "fmt"

)

 

func main() {

    text := "hello\nworld\n"

    buf := bytes.NewBufferString(text)

    scanner := bufio.NewScanner(buf)

    newBuf := bytes.Buffer{}

 

    for scanner.Scan() {

        newBuf.WriteString(scanner.Text())

    }

 

    if scanner.Err() != nil {

        fmt.Println("读取数据时出现错误。")

    }

 

    fmt.Println("原文本:", text)

    fmt.Println("新文本:", newBuf.String())

}

输出:

原文本: hello
world

新文本: helloworld

你可能感兴趣的:(golang,golang,java,android)