学习Go语言的最后一部分内容了,加油!!!!
字符串处理
strings
-
strings.Contains(参数,参数) 返回bool值
str1:="hello world"
str2:="w"
//contains(被查找的字符串 ,查找的字符串) 返回值为bool类型
//一般适用于模糊查找
b:=strings.Contains(str1,str2)
//fmt.Println(b) //true
if b{
fmt.Println("找到了")
}else {fmt.Println("没找到")}
-
strings.Index(str1,str2)
-
strings.Join{参数,参数}
slice:=[]string{"123","23123","123123"}
str:=strings.Join(slice,"?")
输出 123?23123?123123
如" "中是空的,则会输出12323123123123
strings.Split(字符串,"标志位")
str3:="123145235235@qq.com"
str4:=strings.Split("123145235235@qq.com","@")
str5:=strings.Split(str3,"@")
fmt.Println(str4)
fmt.Println(str5[0]) //可以取到字符串中账号信息了
-
str1:=strings.Repeat(字符串,次数)
-
strings.Replace(字符串,"被替换的词","替换的词",替换多少个(使用-1来替换所有的词))
-
string.Trim(字符串,去掉的字符串)
-
只能去除空格
去除字符串中头尾的空格,并且转成切片
返回值是切片类型
str45:=strings.Fields(" are you ok ")
fmt.Println(str45) [are you ok]
fmt.Printf("%T\n",str45) []string
fmt.Println(str45[0]) are
字符串处理
讲的是字符串的相互转换
之前学到的是强制转换:
str:="hello world"
//将字符串强制转成 字符 切片 属于强制类型转换
slice:=[]byte(str)
fmt.Printf("%T\n",slice)
fmt.Println(slice)
slice:=[]byte{'h','h','h','h','h','h',97}
fmt.Println(slice)
//字符 转换成字符串 强制类型转换
fmt.Println(string(slice))
strconv
strconv.实现参数
将其他类型转为字符串
//(bool)
a:=false
str:=strconv.FormatBool(a)
fmt.Println(str)
fmt.Printf("%T\n",str)
//(整型,进制)只有2-36进制 2,8,10,16为常用进制
str1:=strconv.FormatInt(1200,10)
fmt.Println(str1)
//(浮点类型,打印方式 字符,小数位数,float的64)
str2:=strconv.FormatFloat(3.1415926,'f',6,64)
fmt.Println(str2)
str3:=strconv.Itoa(123)
fmt.Println(str3)
字符串转为其他类型
base 进制
bitSize 类型
//字符串转成其他类型
//因为Parsebool有两个返回值,所有要用两个参数去接收
b,err:=strconv.ParseBool("false")
if err != nil {
fmt.Println(err)
}else {
fmt.Println(b)
fmt.Printf("%T\n",b)
}
//base 进制
//bitSize 类型
//因为没有接收err,因此失败出错了不显示,v直接给int的默认值
a,_:=strconv.ParseInt("abc",16,64)
fmt.Println(a)
c,_:=strconv.ParseFloat("3.14159235",64)
fmt.Println(c)
d,_:=strconv.Atoi("213213")
fmt.Println(d)
将其他类型转为字符串 添加到字符切片 注意是字符切片
slice:=make([]byte,0,1024)
slice=strconv.AppendBool(slice,false)//[102 97 108 115 101]分别对应f a l s e
slice=strconv.AppendInt(slice,213,10)
slice=strconv.AppendFloat(slice,3.12323,'f',4,64)
slice=strconv.AppendQuote(slice,"very good")
fmt.Println(string(slice))