php小编小新在这里为大家介绍如何访问切片中包含的字符串。在php中,切片是指从一个字符串中截取一部分字符的操作。通过访问切片中的字符串,我们可以获取所需的数据或者进行其他操作。在使用切片时,我们需要指定起始位置和结束位置,即可获取到对应的字符串。掌握切片的使用方法,将为我们的开发工作带来很大的便利。接下来,让我们一起来详细了解如何实现访问切片中包含的字符串的操作吧!
我正在做一些编码练习,以更好地理解 go。给定的练习指示我创建一个接受用户输入的程序,如下所示:
我要输出与每个字符串的偶数和奇数索引相对应的字符,并用空格分隔,并且每个字符串位于单独的行上。
输入示例:
2 foo_bar fizz_buzz
应该输出:
fobr o_a fz_uz izbz
但是在我的程序中访问字符串切片会返回一个空字符串:
package main import ( "fmt" ) func main() { // read an integer describing how many strings will be input var num_strings int fmt.scan(&num_strings) // create a slice of strings to hold provided strings strings := make([]string, num_strings) // add provided strings to slice for i := 0; i < num_strings; i++ { var temp string fmt.scan(&temp) strings = append(strings, temp) } // check that strings have been appended fmt.println("strings:", strings) // check that strings can be accessed for i := 0; i < num_strings; i++ { fmt.println(i, strings[i]) // only i prints, not strings[i] } // loop over all strings for i := 0; i < num_strings; i++ { // if string index is even print the char for index, val := range strings[i] { if index%2 == 0 { fmt.print(val) } } fmt.print(" ") // if string index is odd print the char for index, val := range strings[i] { if index%2 != 0 { fmt.print(val) } } // newline for next string fmt.print("\n") } }
2 foo_bar fizz_buzz Strings: [ foo_bar fizz_buzz] 0 1
因为当您 make
strings
切片时,您正在创建一个容量和长度为n的切片。因此,当您附加到它时,您就增加了切片的长度:
更改这段代码:
// create a slice of strings to hold provided strings strings := make([]string, num_strings) // add provided strings to slice for i := 0; i < num_strings; i++ { var temp string fmt.scan(&temp) strings = append(strings, temp) }
到:
// create a slice of strings to hold provided strings strings := []{} // add provided strings to slice for i := 0; i < num_strings; i++ { var temp string fmt.scan(&temp) strings = append(strings, temp) }
或者
// create a slice of strings to hold provided strings strings := make([]string, num_strings) // add provided strings to slice for i := 0; i < num_strings; i++ { var temp string fmt.Scan(&temp) strings[i] = temp }
你应该表现得很好。
以上是访问切片中包含的字符串的详细内容。更多信息请关注PHP中文网其他相关文章!