Rust vs Go:常用语法对比(七)
![alt](https://img-blog.csdnimg.cn/img_convert/6dd175462d60ffcea967538783c1cbdd.png)
题图来自 Go vs Rust: Which will be the top pick in programming?[1]
121. UDP listen and read
Listen UDP traffic on port p and read 1024 bytes into buffer b.
听端口p上的UDP流量,并将1024字节读入缓冲区b。
import (
"fmt"
"net"
"os"
)
ServerAddr,err := net.ResolveUDPAddr("udp",p)
if err != nil {
return err
}
ServerConn, err := net.ListenUDP("udp", ServerAddr)
if err != nil {
return err
}
defer ServerConn.Close()
n,addr,err := ServerConn.ReadFromUDP(b[:1024])
if err != nil {
return err
}
if n<1024 {
return fmt.Errorf("Only %d bytes could be read.", n)
}
use std::net::UdpSocket;
let mut b = [0 as u8; 1024];
let sock = UdpSocket::bind(("localhost", p)).unwrap();
sock.recv_from(&mut b).unwrap();
122. Declare enumeration
Create an enumerated type Suit with 4 possible values SPADES, HEARTS, DIAMONDS, CLUBS.
声明枚举值
package main
import (
"fmt"
)
type Suit int
const (
Spades Suit = iota
Hearts
Diamonds
Clubs
)
func main() {
fmt.Printf("Hearts has type %T and value %d", Hearts, Hearts)
}
Hearts has type main.Suit and value 1
enum Suit {
Spades,
Hearts,
Diamonds,
Clubs,
}
fn main() {
let _x = Suit::Diamonds;
}
123. Assert condition
Verify that predicate isConsistent returns true, otherwise report assertion violation. Explain if the assertion is executed even in production environment or not.
断言条件
package main
import "fmt"
//
// The code may look fine, but
// obviously we have a bug.
//
func main() {
salary = 65000
employees = 120000
totalPayroll = salary * employees
if !isConsistent() {
panic("State consistency violated")
}
fmt.Println("Everything fine")
}
var salary int32
var employees int32
var totalPayroll int32
func isConsistent() bool {
return salary >= 0 &&
employees >= 0 &&
totalPayroll >= 0
}
fn main() {
// i is odd
let i = 23687;
let ii = i * i;
let is_consistent = ii % 2 == 1;
// i*i must be odd
assert!(is_consistent);
println!("Cool.")
}
Cool.
124. Binary search for a value in sorted array
Write function binarySearch which returns the index of an element having value x in sorted array a, or -1 if no such element.
排序数组中值的二分搜索法
二分查找
package main
import "fmt"
func binarySearch(a []T, x T) int {
imin, imax := 0, len(a)-1
for imin <= imax {
imid := (imin + imax) / 2
switch {
case a[imid] == x:
return imid
case a[imid] < x:
imin = imid + 1
default:
imax = imid - 1
}
}
return -1
}
type T int
func main() {
a := []T{-2, -1, 0, 1, 1, 1, 6, 8, 8, 9, 10}
for x := T(-5); x <= 15; x++ {
i := binarySearch(a, x)
if i == -1 {
fmt.Println("Value", x, "not found")
} else {
fmt.Println("Value", x, "found at index", i)
}
}
}
or
package main
import (
"fmt"
"sort"
)
func binarySearch(a []int, x int) int {
i := sort.SearchInts(a, x)
if i < len(a) && a[i] == x {
return i
}
return -1
}
func main() {
a := []int{-2, -1, 0, 1, 1, 1, 6, 8, 8, 9, 10}
for x := -5; x <= 15; x++ {
i := binarySearch(a, x)
if i == -1 {
fmt.Println("Value", x, "not found")
} else {
fmt.Println("Value", x, "found at index", i)
}
}
}
or
package main
import (
"fmt"
"sort"
)
func binarySearch(a []T, x T) int {
f := func(i int) bool { return a[i] >= x }
i := sort.Search(len(a), f)
if i < len(a) && a[i] == x {
return i
}
return -1
}
type T int
func main() {
a := []T{-2, -1, 0, 1, 1, 1, 6, 8, 8, 9, 10}
for x := T(-5); x <= 15; x++ {
i := binarySearch(a, x)
if i == -1 {
fmt.Println("Value", x, "not found")
} else {
fmt.Println("Value", x, "found at index", i)
}
}
}
125. Measure function call duration
measure the duration t, in nano seconds, of a call to the function foo. Print this duration.
函数调用时间
package main
import (
"fmt"
"time"
)
func main() {
t1 := time.Now()
foo()
t := time.Since(t1)
ns := int64(t / time.Nanosecond)
// Note that the clock is fixed in the Playground, so the resulting duration is always zero
fmt.Printf("%dns\n", ns)
}
func foo() {
fmt.Println("Hello")
}
Hello
0ns
or
package main
import (
"fmt"
"time"
)
func main() {
t1 := time.Now()
foo()
t := time.Since(t1)
ns := t.Nanoseconds()
fmt.Printf("%dns\n", ns)
}
func foo() {
fmt.Println("Hello")
}
Hello
0ns
use std::time::{Duration, Instant};
let start = Instant::now();
foo();
let duration = start.elapsed();
println!("{}", duration);
126. Multiple return values
Write a function foo that returns a string and a boolean value.
多个返回值
package main
import (
"fmt"
)
func main() {
s, b := foo()
fmt.Println(s, b)
}
func foo() (string, bool) {
return "Too good to be", true
}
Too good to be true
fn foo() -> (String, bool) {
(String::from("bar"), true)
}
fn main() {
println!("{:?}", foo());
}
("bar", true)
128. Breadth-first traversing of a tree
Call a function f on every node of a tree, in breadth-first prefix order
树的广度优先遍历
package main
import "fmt"
func (root *Tree) Bfs(f func(*Tree)) {
if root == nil {
return
}
queue := []*Tree{root}
for len(queue) > 0 {
t := queue[0]
queue = queue[1:]
f(t)
queue = append(queue, t.Children...)
}
}
type key string
type value string
type Tree struct {
Key key
Deco value
Children []*Tree
}
func (this *Tree) AddChild(x key, v value) {
child := &Tree{Key: x, Deco: v}
this.Children = append(this.Children, child)
}
func NodePrint(node *Tree) {
fmt.Printf("%v (%v)\n", node.Key, node.Deco)
}
func main() {
tree := &Tree{Key: "World", Deco: "Our planet"}
tree.AddChild("Europe", "A continent")
tree.Children[0].AddChild("Germany", "A country")
tree.Children[0].AddChild("Ireland", "A country")
tree.Children[0].AddChild("Mediterranean Sea", "A sea")
tree.AddChild("Asia", "A continent")
tree.Children[0].AddChild("Japan", "A country")
tree.Children[0].AddChild("Thailand", "A country")
tree.Bfs(NodePrint)
}
World (Our planet)
Europe (A continent)
Asia (A continent)
Germany (A country)
Ireland (A country)
Mediterranean Sea (A sea)
Japan (A country)
Thailand (A country)
use std::collections::VecDeque;
struct Tree<V> {
children: Vec<Tree<V>>,
value: V
}
impl<V> Tree<V> {
fn bfs(&self, f: impl Fn(&V)) {
let mut q = VecDeque::new();
q.push_back(self);
while let Some(t) = q.pop_front() {
(f)(&t.value);
for child in &t.children {
q.push_back(child);
}
}
}
}
fn main() {
let t = Tree {
children: vec![
Tree {
children: vec![
Tree { children: vec![], value: 5 },
Tree { children: vec![], value: 6 }
],
value: 2
},
Tree { children: vec![], value: 3 },
Tree { children: vec![], value: 4 },
],
value: 1
};
t.bfs(|v| println!("{}", v));
}
1
2
3
4
5
6
129. Breadth-first traversing in a graph
Call a function f on every vertex accessible from vertex start, in breadth-first prefix order
图的广度优先遍历
package main
import "fmt"
func (start *Vertex) Bfs(f func(*Vertex)) {
queue := []*Vertex{start}
seen := map[*Vertex]bool{start: true}
for len(queue) > 0 {
v := queue[0]
queue = queue[1:]
f(v)
for next, isEdge := range v.Neighbours {
if isEdge && !seen[next] {
queue = append(queue, next)
seen[next] = true
}
}
}
}
type Vertex struct {
Id int
Label string
Neighbours map[*Vertex]bool
}
type Graph []*Vertex
func NewVertex(id int, label string) *Vertex {
return &Vertex{
Id: id,
Label: label,
Neighbours: make(map[*Vertex]bool),
}
}
func (v *Vertex) AddNeighbour(w *Vertex) {
v.Neighbours[w] = true
}
func VertexPrint(v *Vertex) {
fmt.Printf("%v (%v)\n", v.Id, v.Label)
}
func main() {
// Some cities
london := NewVertex(0, "London")
ny := NewVertex(1, "New York City")
berlin := NewVertex(2, "Berlin")
paris := NewVertex(3, "Paris")
tokyo := NewVertex(4, "Tokyo")
g := Graph{
london,
ny,
berlin,
paris,
tokyo,
}
_ = g
london.AddNeighbour(paris)
london.AddNeighbour(ny)
ny.AddNeighbour(london)
ny.AddNeighbour(paris)
ny.AddNeighbour(tokyo)
tokyo.AddNeighbour(paris)
paris.AddNeighbour(tokyo)
paris.AddNeighbour(berlin)
london.Bfs(VertexPrint)
}
0 (London)
3 (Paris)
1 (New York City)
2 (Berlin)
4 (Tokyo)
use std::rc::{Rc, Weak};
use std::cell::RefCell;
struct Vertex<V> {
value: V,
neighbours: Vec<Weak<RefCell<Vertex<V>>>>,
}
type RcVertex<V> = Rc<RefCell<Vertex<V>>>;
struct Graph<V> {
vertices: Vec<RcVertex<V>>,
}
impl<V> Graph<V> {
fn new() -> Self {
Graph { vertices: vec![] }
}
fn new_vertex(&mut self, value: V) -> RcVertex<V> {
self.add_vertex(Vertex { value, neighbours: Vec::new() })
}
fn add_vertex(&mut self, v: Vertex<V>) -> RcVertex<V> {
let v = Rc::new(RefCell::new(v));
self.vertices.push(Rc::clone(&v));
v
}
fn add_edge(&mut self, v1: &RcVertex<V>, v2: &RcVertex<V>) {
v1.borrow_mut().neighbours.push(Rc::downgrade(&v2));
v2.borrow_mut().neighbours.push(Rc::downgrade(&v1));
}
fn bft(start: RcVertex<V>, f: impl Fn(&V)) {
let mut q = vec![start];
let mut i = 0;
while i < q.len() {
let v = Rc::clone(&q[i]);
i += 1;
(f)(&v.borrow().value);
for n in &v.borrow().neighbours {
let n = n.upgrade().expect("Invalid neighbour");
if q.iter().all(|v| v.as_ptr() != n.as_ptr()) {
q.push(n);
}
}
}
}
}
fn main() {
let mut g = Graph::new();
let v1 = g.new_vertex(1);
let v2 = g.new_vertex(2);
let v3 = g.new_vertex(3);
let v4 = g.new_vertex(4);
let v5 = g.new_vertex(5);
g.add_edge(&v1, &v2);
g.add_edge(&v1, &v3);
g.add_edge(&v1, &v4);
g.add_edge(&v2, &v5);
g.add_edge(&v3, &v4);
g.add_edge(&v4, &v5);
Graph::bft(v1, |v| println!("{}", v));
}
1
2
3
4
5
130. Depth-first traversing in a graph
Call a function f on every vertex accessible for vertex v, in depth-first prefix order
图的深度优先遍历
package main
import "fmt"
func (v *Vertex) Dfs(f func(*Vertex), seen map[*Vertex]bool) {
seen[v] = true
f(v)
for next, isEdge := range v.Neighbours {
if isEdge && !seen[next] {
next.Dfs(f, seen)
}
}
}
type Vertex struct {
Id int
Label string
Neighbours map[*Vertex]bool
}
type Graph []*Vertex
func NewVertex(id int, label string) *Vertex {
return &Vertex{
Id: id,
Label: label,
Neighbours: make(map[*Vertex]bool),
}
}
func (v *Vertex) AddNeighbour(w *Vertex) {
v.Neighbours[w] = true
}
func VertexPrint(v *Vertex) {
fmt.Printf("%v (%v)\n", v.Id, v.Label)
}
func main() {
// Some cities
london := NewVertex(0, "London")
ny := NewVertex(1, "New York City")
berlin := NewVertex(2, "Berlin")
paris := NewVertex(3, "Paris")
tokyo := NewVertex(4, "Tokyo")
g := Graph{
london,
ny,
berlin,
paris,
tokyo,
}
_ = g
london.AddNeighbour(paris)
london.AddNeighbour(ny)
ny.AddNeighbour(london)
ny.AddNeighbour(paris)
ny.AddNeighbour(tokyo)
tokyo.AddNeighbour(paris)
paris.AddNeighbour(tokyo)
paris.AddNeighbour(berlin)
alreadySeen := map[*Vertex]bool{}
london.Dfs(VertexPrint, alreadySeen)
}
0 (London)
3 (Paris)
4 (Tokyo)
2 (Berlin)
1 (New York City)
use std::rc::{Rc, Weak};
use std::cell::RefCell;
struct Vertex<V> {
value: V,
neighbours: Vec<Weak<RefCell<Vertex<V>>>>,
}
type RcVertex<V> = Rc<RefCell<Vertex<V>>>;
struct Graph<V> {
vertices: Vec<RcVertex<V>>,
}
impl<V> Graph<V> {
fn new() -> Self {
Graph { vertices: vec![] }
}
fn new_vertex(&mut self, value: V) -> RcVertex<V> {
self.add_vertex(Vertex { value, neighbours: Vec::new() })
}
fn add_vertex(&mut self, v: Vertex<V>) -> RcVertex<V> {
let v = Rc::new(RefCell::new(v));
self.vertices.push(Rc::clone(&v));
v
}
fn add_edge(&mut self, v1: &RcVertex<V>, v2: &RcVertex<V>) {
v1.borrow_mut().neighbours.push(Rc::downgrade(&v2));
v2.borrow_mut().neighbours.push(Rc::downgrade(&v1));
}
fn dft(start: RcVertex<V>, f: impl Fn(&V)) {
let mut s = vec![];
Self::dft_helper(start, &f, &mut s);
}
fn dft_helper(start: RcVertex<V>, f: &impl Fn(&V), s: &mut Vec<*const Vertex<V>>) {
s.push(start.as_ptr());
(f)(&start.borrow().value);
for n in &start.borrow().neighbours {
let n = n.upgrade().expect("Invalid neighbor");
if s.iter().all(|&p| p != n.as_ptr()) {
Self::dft_helper(n, f, s);
}
}
}
}
fn main() {
let mut g = Graph::new();
let v1 = g.new_vertex(1);
let v2 = g.new_vertex(2);
let v3 = g.new_vertex(3);
let v4 = g.new_vertex(4);
let v5 = g.new_vertex(5);
g.add_edge(&v1, &v2);
g.add_edge(&v1, &v4);
g.add_edge(&v1, &v5);
g.add_edge(&v2, &v3);
g.add_edge(&v3, &v4);
g.add_edge(&v4, &v5);
Graph::dft(v1, |v| println!("{}", v));
}
1
2
3
4
5
131. Successive conditions
Execute f1 if condition c1 is true, or else f2 if condition c2 is true, or else f3 if condition c3 is true. Don't evaluate a condition when a previous condition was true.
连续条件判等
package main
import (
"fmt"
"strings"
)
func conditional(x string) {
switch {
case c1(x):
f1()
case c2(x):
f2()
case c3(x):
f3()
}
}
func main() {
conditional("dog Snoopy")
conditional("fruit Raspberry")
}
func f1() {
fmt.Println("I'm a Human")
}
func f2() {
fmt.Println("I'm a Dog")
}
func f3() {
fmt.Println("I'm a Fruit")
}
var c1, c2, c3 = prefixCheck("human"), prefixCheck("dog"), prefixCheck("fruit")
func prefixCheck(prefix string) func(string) bool {
return func(x string) bool {
return strings.HasPrefix(x, prefix)
}
}
I'm a Dog
I'm a Fruit
if c1 { f1() } else if c2 { f2() } else if c3 { f3() }
or
match true {
_ if c1 => f1(),
_ if c2 => f2(),
_ if c3 => f3(),
_ => (),
}
132. Measure duration of procedure execution
Run procedure f, and return the duration of the execution of f.
度量程序执行时间
package main
import (
"fmt"
"regexp"
"strings"
"time"
)
func clock(f func()) time.Duration {
t := time.Now()
f()
return time.Since(t)
}
func f() {
re := regexp.MustCompilePOSIX("|A+{300}")
re.FindAllString(strings.Repeat("A", 299), -1)
}
func main() {
d := clock(f)
// The result is always zero in the playground, which has a fixed clock!
// Try it on your workstation instead.
fmt.Println(d)
}
0s
use std::time::Instant;
let start = Instant::now();
f();
let duration = start.elapsed();
133. Case-insensitive string contains
Set boolean ok to true if string word is contained in string s as a substring, even if the case doesn't match, or to false otherwise.
不区分大小写的字符串包含
package main
import (
"fmt"
"strings"
)
// Package _strings has no case-insensitive version of _Contains, so
// we have to make our own.
func containsCaseInsensitive(s, word string) bool {
lowerS, lowerWord := strings.ToLower(s), strings.ToLower(word)
ok := strings.Contains(lowerS, lowerWord)
return ok
}
func main() {
s := "Let's dance the macarena"
word := "Dance"
ok := containsCaseInsensitive(s, word)
fmt.Println(ok)
word = "dance"
ok = containsCaseInsensitive(s, word)
fmt.Println(ok)
word = "Duck"
ok = containsCaseInsensitive(s, word)
fmt.Println(ok)
}
true
true
false
extern crate regex;
use regex::Regex;
fn main() {
let s = "Let's dance the macarena";
{
let word = "Dance";
let re = Regex::new(&format!("(?i){}", regex::escape(word))).unwrap();
let ok = re.is_match(&s);
println!("{}", ok);
}
{
let word = "dance";
let re = Regex::new(&format!("(?i){}", regex::escape(word))).unwrap();
let ok = re.is_match(&s);
println!("{}", ok);
}
{
let word = "Duck";
let re = Regex::new(&format!("(?i){}", regex::escape(word))).unwrap();
let ok = re.is_match(&s);
println!("{}", ok);
}
}
true
true
false
or
use regex::RegexBuilder;
fn main() {
let s = "FooBar";
let word = "foo";
let re = RegexBuilder::new(®ex::escape(word))
.case_insensitive(true)
.build()
.unwrap();
let ok = re.is_match(s);
println!("{:?}", ok);
}
true
or
fn main() {
let s = "Let's dance the macarena";
{
let word = "Dance";
let ok = s.to_ascii_lowercase().contains(&word.to_ascii_lowercase());
println!("{}", ok);
}
{
let word = "dance";
let ok = s.to_ascii_lowercase().contains(&word.to_ascii_lowercase());
println!("{}", ok);
}
{
let word = "Duck";
let ok = s.to_ascii_lowercase().contains(&word.to_ascii_lowercase());
println!("{}", ok);
}
}
true
true
false
134. Create a new list
创建一个新list
package main
import (
"fmt"
)
func main() {
var a, b, c T = "This", "is", "wonderful"
items := []T{a, b, c}
fmt.Println(items)
}
type T string
[This is wonderful]
fn main() {
let (a, b, c) = (11, 22, 33);
let items = vec![a, b, c];
println!("{:?}", items);
}
[11, 22, 33]
135. Remove item from list, by its value
Remove at most 1 item from list items, having value x. This will alter the original list or return a new list, depending on which is more idiomatic. If there are several occurrences of x in items, remove only one of them. If x is absent, keep items unchanged.
移除列表中的值
package main
import (
"fmt"
)
func main() {
items := []string{"a", "b", "c", "d", "e", "f"}
fmt.Println(items)
x := "c"
for i, y := range items {
if y == x {
items = append(items[:i], items[i+1:]...)
break
}
}
fmt.Println(items)
}
[a b c d e f]
[a b d e f]
or
for i, y := range items {
if y == x {
copy(items[i:], items[i+1:])
items[len(items)-1] = nil
items = items[:len(items)-1]
break
}
}
if let Some(i) = items.first(&x) {
items.remove(i);
}
136. Remove all occurrences of a value from a list
Remove all occurrences of value x from list items. This will alter the original list or return a new list, depending on which is more idiomatic.
从列表中删除所有出现的值
package main
import (
"fmt"
)
func main() {
items := []T{"b", "a", "b", "a", "r"}
fmt.Println(items)
var x T = "b"
items2 := make([]T, 0, len(items))
for _, v := range items {
if v != x {
items2 = append(items2, v)
}
}
fmt.Println(items2)
}
type T string
[b a b a r]
[a a r]
or
package main
import (
"fmt"
)
func main() {
items := []T{"b", "a", "b", "a", "r"}
fmt.Println(items)
x := T("b")
j := 0
for i, v := range items {
if v != x {
items[j] = items[i]
j++
}
}
items = items[:j]
fmt.Println(items)
}
type T string
[b a b a r]
[a a r]
or
package main
import (
"fmt"
"runtime"
)
func main() {
var items []*image
{
red := newUniform(rgb{0xFF, 0, 0})
white := newUniform(rgb{0xFF, 0xFF, 0xFF})
items = []*image{red, white, red} // Like the flag of Austria
fmt.Println("items =", items)
x := red
j := 0
for i, v := range items {
if v != x {
items[j] = items[i]
j++
}
}
for k := j; k < len(items); k++ {
items[k] = nil
}
items = items[:j]
}
// At this point, red can be garbage collected
printAllocInfo()
fmt.Println("items =", items) // Not the original flag anymore...
fmt.Println("items undelying =", items[:3])
}
type image [1024][1024]rgb
type rgb [3]byte
func newUniform(color rgb) *image {
im := new(image)
for x := range im {
for y := range im[x] {
im[x][y] = color
}
}
return im
}
func printAllocInfo() {
var stats runtime.MemStats
runtime.GC()
runtime.ReadMemStats(&stats)
fmt.Println("Bytes allocated (total):", stats.TotalAlloc)
fmt.Println("Bytes still allocated: ", stats.Alloc)
}
items = [0xc000180000 0xc000480000 0xc000180000]
Bytes allocated (total): 6416688
Bytes still allocated: 3259024
items = [0xc000480000]
items undelying = [0xc000480000 <nil> <nil>]
fn main() {
let x = 1;
let mut items = vec![1, 2, 3, 1, 2, 3];
items = items.into_iter().filter(|&item| item != x).collect();
println!("{:?}", items);
}
[2, 3, 2, 3]
137. Check if string contains only digits
Set boolean b to true if string s contains only characters in range '0'..'9', false otherwise.
检查字符串是否只包含数字
package main
import (
"fmt"
)
func main() {
for _, s := range []string{
"123",
"",
"abc123def",
"abc",
"123.456",
"123 456",
} {
b := true
for _, c := range s {
if c < '0' || c > '9' {
b = false
break
}
}
fmt.Println(s, "=>", b)
}
}
123 => true
=> true
abc123def => false
abc => false
123.456 => false
123 456 => false
or
package main
import (
"fmt"
"strings"
)
func main() {
for _, s := range []string{
"123",
"",
"abc123def",
"abc",
"123.456",
"123 456",
} {
isNotDigit := func(c rune) bool { return c < '0' || c > '9' }
b := strings.IndexFunc(s, isNotDigit) == -1
fmt.Println(s, "=>", b)
}
}
123 => true
=> true
abc123def => false
abc => false
123.456 => false
123 456 => false
fn main() {
let s = "1023";
let chars_are_numeric: Vec<bool> = s.chars().map(|c|c.is_numeric()).collect();
let b = !chars_are_numeric.contains(&false);
println!("{}", b);
}
true
or
fn main() {
let b = "0129".chars().all(char::is_numeric);
println!("{}", b);
}
true
138. Create temp file
Create a new temporary file on filesystem.
创建一个新的临时文件
package main
import (
"io/ioutil"
"log"
"os"
)
func main() {
content := []byte("Big bag of misc data")
log.Println("Opening new temp file")
tmpfile, err := ioutil.TempFile("", "example")
if err != nil {
log.Fatal(err)
}
tmpfilename := tmpfile.Name()
defer os.Remove(tmpfilename) // clean up
log.Println("Opened new file", tmpfilename)
log.Println("Writing [[", string(content), "]]")
if _, err := tmpfile.Write(content); err != nil {
log.Fatal(err)
}
if err := tmpfile.Close(); err != nil {
log.Fatal(err)
}
log.Println("Closed", tmpfilename)
log.Println("Opening", tmpfilename)
buffer, err := ioutil.ReadFile(tmpfilename)
if err != nil {
log.Fatal(err)
}
log.Println("Read[[", string(buffer), "]]")
}
2009/11/10 23:00:00 Opening new temp file
2009/11/10 23:00:00 Opened new file /tmp/example067319278
2009/11/10 23:00:00 Writing [[ Big bag of misc data ]]
2009/11/10 23:00:00 Closed /tmp/example067319278
2009/11/10 23:00:00 Opening /tmp/example067319278
2009/11/10 23:00:00 Read[[ Big bag of misc data ]]
use tempdir::TempDir;
use std::fs::File;
let temp_dir = TempDir::new("prefix")?;
let temp_file = File::open(temp_dir.path().join("file_name"))?;
139. Create temp directory
Create a new temporary folder on filesystem, for writing.
创建一个临时目录
package main
import (
"fmt"
"io/ioutil"
"log"
"os"
"path/filepath"
)
func main() {
content := []byte("temporary file's content")
dir, err := ioutil.TempDir("", "")
if err != nil {
log.Fatal(err)
}
defer os.RemoveAll(dir) // clean up
inspect(dir)
tmpfn := filepath.Join(dir, "tmpfile")
err = ioutil.WriteFile(tmpfn, content, 0666)
if err != nil {
log.Fatal(err)
}
inspect(dir)
}
func inspect(dirpath string) {
files, err := ioutil.ReadDir(dirpath)
if err != nil {
log.Fatal(err)
}
fmt.Println(dirpath, "contains", len(files), "files")
}
/tmp/067319278 contains 0 files
/tmp/067319278 contains 1 files
extern crate tempdir;
use tempdir::TempDir;
let tmp = TempDir::new("prefix")?;
140. Delete map entry
从map中删除某个key
package main
import (
"fmt"
)
func main() {
m := map[string]int{
"uno": 1,
"dos": 2,
"tres": 3,
}
delete(m, "dos")
delete(m, "cinco")
fmt.Println(m)
}
map[tres:3 uno:1]
fn main() {
use std::collections::HashMap;
let mut m = HashMap::new();
m.insert(5, "a");
m.insert(17, "b");
println!("{:?}", m);
m.remove(&5);
println!("{:?}", m);
}
{17: "b", 5: "a"}
{17: "b"}
参考资料
Go vs Rust: Which will be the top pick in programming?: https://www.appventurez.com/blog/go-vs-rust
本文由 mdnice 多平台发布
相关文章:
![](https://img-blog.csdnimg.cn/img_convert/6dd175462d60ffcea967538783c1cbdd.png)
Rust vs Go:常用语法对比(七)
题图来自 Go vs Rust: Which will be the top pick in programming?[1] 121. UDP listen and read Listen UDP traffic on port p and read 1024 bytes into buffer b. 听端口p上的UDP流量,并将1024字节读入缓冲区b。 import ( "fmt" "net&qu…...
![](https://alliance-communityfile-drcn.dbankcdn.com/FileServer/getFile/cmtybbs/150/224/722/0900086000150224722.20230718111746.00798951652658798298550357569264:50540726080237:2800:E332ABC9F53F723FEABCFCAAB12F9D4C5E83063BE953CFC27B1C45402576BAE5.gif)
【HarmonyOS】API6使用storage实现轻量级数据存储
写在前面 本篇内容基于API6 JS语言进行开发,通过结合轻量级数据存储开发指导的文档,帮助大家完成一个实际的代码案例,通过这个小案例,可以实现简单数据的存储。 参考文档:文档中心 1、页面布局 首先我们编写一个简单…...
![](https://img-blog.csdnimg.cn/1e2e1678476a450a99eb23058dc4106a.png)
Python Flask构建微信小程序订餐系统 (十二)
🔥 创建切换商品分类状态的JS文件 🔥 ; var food_act_ops={init:function(){this.eventBind();},eventBind:function(){//表示作用域var that = this;$(".wrap_search select[name=status]").change(function(){$(".wrap_search").submit();});$(&qu…...
![](https://img-blog.csdnimg.cn/d16c6611ffa542209079834ff1daf101.png)
C++——模板的作用2:特例化
目录 模板的形式: 一.模板的多参数应用: 例: 错误使用1:使用不标准的模板形参表 编辑 错误使用2:使用变量作为实参传递给函数模板 二.模板的特例化: 类模板: 针对模板的特化步骤&am…...
![](https://img-blog.csdnimg.cn/aac2a371ceac4cb2a333ef168748c0cf.png)
Python Web开发技巧VII
目录 装饰器inject_serializer 装饰器atomic rebase git 清理add的数据 查看git的当前工作目录 makemigrations文件名称 action(detailTrue, methods["GET"]) 如何只取序列化器的一个字段进行返回 Response和JsonResponse有什么区别 序列化器填表和单字段如…...
![](https://img-blog.csdnimg.cn/img_convert/73076a343abb64820ac4f1754e4df8ed.png)
LaTex4【下载模板、引入文献】
下载latex模板:(模板官网一般都有,去找) 我这随便找了一个: 下载得到一个压缩包,然后用overleaf打开👇: (然后改里面的内容就好啦) 另外,有很多在线的数学公式编辑器&am…...
![](https://img-blog.csdnimg.cn/0733a3eda6c04ecea1d1ab20806e4d85.png)
【VSCode部署模型】导出TensorFlow2.X训练好的模型信息
参考tensorflow2.0 C加载python训练保存的pb模型 经过模型训练及保存,我们得到“OptimalModelDataSet2”文件夹,模型的保存方法(.h5或.pb文件),参考【Visual Studio Code】c/c部署tensorflow训练的模型 其中“OptimalModelDataSet2”文件夹保…...
![](https://img-blog.csdnimg.cn/e2356a298f2c42b4a4bba3acadf35fee.png)
windows环境下,安装elasticsearch
目录 前言准备安装 jdk 安装nodejsElasticSearch下载ElasticSearch-head 下载 安装ElasticSearch安装ElasticSearch-head插件设置用户名密码访问ElasticSearch 默认用户名和密码参考 前言 win10elasticsearch 8.9.0 准备 安装 jdk ElasticSearch 是基于lucence开发的&#…...
![](https://www.ngui.cc/images/no-images.jpg)
Elasticsearch入门笔记(一)
环境搭建 Elasticsearch是搜索引擎,是常见的搜索工具之一。 Kibana 是一个开源的分析和可视化平台,旨在与 Elasticsearch 合作。Kibana 提供搜索、查看和与存储在 Elasticsearch 索引中的数据进行交互的功能。开发者或运维人员可以轻松地执行高级数据分析…...
![](https://img-blog.csdnimg.cn/330765db43934356aeac6e86e5309c9c.png)
记一次安装nvm切换node.js版本实例详解
最后效果如下: 背景:由于我以前安装过node.js,后续想安装nvm将node.js管理起来。 问题:nvm-use命令行运行成功,但是nvm-list显示并没有成功。 原因:因为安装过node.js,所以原先的node.js不收n…...
![](https://img-blog.csdnimg.cn/img_convert/0b00bfce1520f3fdb7b0fae915b42a4e.jpeg)
生态共建丨YashanDB与构力科技完成兼容互认证
近日,深圳计算科学研究院崖山数据库系统YashanDB V22.2与北京构力科技有限公司BIMBase云平台完成兼容性互认证。经严格测试,双方产品完全兼容、运行稳定。 崖山数据库系统YashanDB是深算院自主研发设计的新型数据库系统,融入原创理论…...
![](https://www.ngui.cc/images/no-images.jpg)
React从入门到实战-react脚手架,消息订阅与发布
创建项目并启动 全局安装 npm install -g create-react-app切换到想创建项目的目录,使用命令:create-react-app 项目名称 [外链图片转存失败,源站可能有防盗链机制,建议将图片保存中…(iQ6hEUgAABpQAAAD1CAYAAABeIRZoAAAAAXNSR0IArs4c6QAAIABJREFUe…...
![](https://img-blog.csdnimg.cn/823b9e0848c54ee2b58ccd3147b53d12.png)
从零构建深度学习推理框架-1 简介和Tensor
源代码作者:https://github.com/zjhellofss 本文仅作为个人学习心得领悟 ,将原作品提炼,更加适合新手 什么是推理框架? 深度学习推理框架用于对已训练完成的神经网络进行预测,也就是说,能够将深度训练框…...
![](https://img-blog.csdnimg.cn/394570c284b143a5859322e597365b40.png)
使用WGCLOUD监测安卓(Android)设备的运行状态
WGCLOUD是一款开源运维监控软件,除了能监控各种服务器、主机、进程应用、端口、接口、docker容器、日志、数据等资源 WGCLOUD还可以监测安卓设备,比如安卓手机、安卓设备等 我们只要下载对应的安卓客户端,部署运行即可,如下是下…...
![](https://img-blog.csdnimg.cn/ffaf045f88a94b4e9ebfa935edbdc42e.png)
C++笔记之迭代器失效问题处理
C笔记之迭代器失效问题处理 code review! 参考博文:CSTL迭代器失效的几种情况总结 文章目录 C笔记之迭代器失效问题处理一.使用返回新迭代器的插入和删除操作二.对std::vector 来说,擦除(erase)元素会导致迭代器失效 一.使用返回…...
![](https://www.ngui.cc/images/no-images.jpg)
Tomcat的startup.bat文件出现闪退问题
对于双击Tomcat的startup.bat文件出现闪退问题,您提供的分析是正确的。主要原因是Tomcat需要Java Development Kit (JDK)的支持,而如果没有正确配置JAVA_HOME环境变量,Tomcat将无法找到JDK并启动,从而导致闪退。 以下是解决该问题…...
![](https://www.ngui.cc/images/no-images.jpg)
JAVA8-lambda表达式8:在设计模式-模板方法中的应用
传送门 JAVA8-lambda表达式1:什么是lambda表达式 JAVA8-lambda表达式2:常用的集合类api JAVA8-lambda表达式3:并行流,提升效率的利器? JAVA8-lambda表达式4:Optional用法 java8-lambda表达式5…...
![](https://www.ngui.cc/images/no-images.jpg)
React之组件间通信
React之组件间通信 组件通信: 简单讲就是组件之间的传值,包括state、函数等 1、父子组件通信 父组件给子组件传值 核心:1、自定义属性;2、props 父组件中: 自定义属性传值 import Header from /components/Headerconst Home ()…...
![](https://img-blog.csdnimg.cn/5805e65260744af7a2a4859c2609f6a4.png)
【MATLAB第58期】基于MATLAB的PCA-Kmeans、PCA-LVQ与BP神经网络分类预测模型对比
【MATLAB第58期】基于MATLAB的PCA-Kmeans、PCA-LVQ与BP神经网络分类预测模型对比 一、数据介绍 基于UCI葡萄酒数据集进行葡萄酒分类及产地预测 共包含178组样本数据,来源于三个葡萄酒产地,每组数据包含产地标签及13种化学元素含量,即已知类…...
CF1833 A-E
A题 题目链接:https://codeforces.com/problemset/problem/1833/A 基本思路:for循环遍历字符串s,依次截取字符串s的子串str,并保存到集合中,最后输出集合内元素的数目即可 AC代码: #include <iostrea…...
![](https://img-blog.csdnimg.cn/e5e5a43255934fe7b8964923923acc29.png)
【深度学习】【Image Inpainting】Generative Image Inpainting with Contextual Attention
Generative Image Inpainting with Contextual Attention DeepFillv1 (CVPR’2018) 论文:https://arxiv.org/abs/1801.07892 论文代码:https://github.com/JiahuiYu/generative_inpainting 论文摘录 文章目录 效果一览摘要介绍论文贡献相关工作Image…...
![](https://img-blog.csdnimg.cn/63e7e545bfc4431eac77454d85c2b19e.png)
二维深度卷积网络模型下的轴承故障诊断
1.数据集 使用凯斯西储大学轴承数据集,一共有4种负载下采集的数据,每种负载下有10种 故障状态:三种不同尺寸下的内圈故障、三种不同尺寸下的外圈故障、三种不同尺寸下的滚动体故障和一种正常状态 2.模型(二维CNN) 使…...
![](https://img-blog.csdnimg.cn/9d2d351056144dcaafd1e464d0ddbb74.png)
redis突然变慢问题定位
CPU 相关:使用复杂度过高命令、O(N)的这个N,数据的持久化,都与耗费过多的 CPU 资源有关 内存相关:bigkey 内存的申请和释放、数据过期、数据淘汰、碎片整理、内存大页、内存写时复制都与内存息息相关 磁盘…...
![](https://img-blog.csdnimg.cn/33f4d9d2757d42c6939288a59df34316.png)
React井字棋游戏官方示例
在本篇技术博客中,我们将介绍一个React官方示例:井字棋游戏。我们将逐步讲解代码实现,包括游戏的组件结构、状态管理、胜者判定以及历史记录功能。让我们一起开始吧! 项目概览 在这个井字棋游戏中,我们有以下组件&am…...
![](https://img-blog.csdnimg.cn/dff581e08a334090abc385d4e4b9f603.png#pic_center)
七大经典比较排序算法
1. 插入排序 (⭐️⭐️) 🌟 思想: 直接插入排序是一种简单的插入排序法,思想是是把待排序的数据按照下标从小到大,依次插入到一个已经排好的序列中,直至全部插入,得到一个新的有序序列。例如:…...
![](https://img-blog.csdnimg.cn/img_convert/a7cc5ddcce79edff1d79bfa39d4c16bb.png)
【点云处理教程】03使用 Python 实现地面检测
一、说明 这是我的“点云处理”教程的第3篇文章。“点云处理”教程对初学者友好,我们将在其中简单地介绍从数据准备到数据分割和分类的点云处理管道。 在上一教程中,我们在不使用 Open3D 库的情况下从深度数据计算点云。在本教程中,我们将首先…...
![](https://img-blog.csdnimg.cn/2c103ef3daf647faa471bdab140a7f0c.png)
Python 日志记录:6大日志记录库的比较
Python 日志记录:6大日志记录库的比较 文章目录 Python 日志记录:6大日志记录库的比较前言一些日志框架建议1. logging - 内置的标准日志模块默认日志记录器自定义日志记录器生成结构化日志 2. Loguru - 最流行的Python第三方日志框架默认日志记录器自定…...
![](https://www.ngui.cc/images/no-images.jpg)
最近遇到一些问题的解决方案
最近遇到一些问题的解决方案 SpringBoot前后端分离参数传递方式总结Java8版本特性讲解idea使用git更新代码 : update project removeAll引发得java.lang.UnsupportedOperationException异常Java的split()函数用多个不同符号分割 Aspect注解切面demo 抽取公共组件,使…...
![](https://www.ngui.cc/images/no-images.jpg)
封装hutool工具生成JWT token
private static final String KEY "abcdef";/*** 生成token** param payload 可以存放用户的一些信息,不要存放敏感字段* return*/public static String createToken(Map<String, Object> payload) {//十分重要,不禁用发布到生产环境无…...
![](https://img-blog.csdnimg.cn/ee18edd08511453ab9a63bbcdf49ae60.png)
【手机】三星手机刷机解决SecSetupWizard已停止
三星手机恢复出厂设置之后,出现SecSetupWizard已停止的解决方案 零、问题 我手上有一部同学给的三星 GT-S6812I,这几天搞了张新卡,多余出的卡就放到这个手机上玩去了。因为是获取了root权限的(直接使用KingRoot就可以࿰…...
![](/images/no-images.jpg)
深圳建设企业网站公司/潍坊网站建设公司
本文转载 原文地址: 使用java api 访问 hbase (三)...
![](/images/no-images.jpg)
西安网站建设公司哪家好/公司网站的推广
axios 是一个基于Promise 用于浏览器和 nodejs 的 HTTP 客户端.这篇文章主要介绍了vue/axios请求拦截的相关知识,需要的朋友可以参考下 axios使用拦截器 在请求或响应被 then 或 catch 处理前拦截它们。 http request拦截器 // 添加请求拦截器 axios.interceptors.request.us…...
![](https://www.oschina.net/img/hot3.png)
手机网页下载的文件在哪里找/成都网络优化托管公司
2019独角兽企业重金招聘Python工程师标准>>> 欢迎和大家交流技术相关问题: 邮箱: jiangxinnju163.com 博客园地址: http://www.cnblogs.com/jiangxinnju GitHub地址: https://github.com/jiangxincode 知乎地址: https://www.zhihu.com/people/jiangxinn…...
![](https://img-blog.csdnimg.cn/4a306a138fc5498fb8be80c8bf4edf92.png?x-oss-process=image/watermark,type_d3F5LXplbmhlaQ,shadow_50,text_Q1NETiBAQnJ1Y2Ut5bWM5YWl5byP6L2v5Lu2,size_8,color_FFFFFF,t_70,g_se,x_16)
wordpress手赚推广/google官方下载
#include<iostream> #include<string> using namespace std;class Person { public://构造函数;调用对象前调用,用于初始化对象;//无参构造;默认构造Person(){cout << "无参构造函数" << endl;…...
![](/images/no-images.jpg)
凡客v十商城还在吗/seo诊断专家
将一个字符串转换成一个整数,要求不能使用字符串转换整数的库函数。 数值为0或者字符串不是一个合法的数值则返回0; 思路:遍历查找非整数字符,第一个字符串位置进行判断, 采用-‘0’算出整数*10的多少次方;…...
![](/images/no-images.jpg)
成都优化网站哪家公司好/手机制作网站的软件
远程服务器返回错误: 404错误、远程服务器返回错误:500错误、 HttpWebResponse远程服务器返回错误:(404、500) 错误。 现象 我们编码实现请求一个页面时,请求的代码类似如下代码: HttpWebRequest req (HttpWebRequest)WebRequest.Create(strUrl);req.Us…...