Rust vs Go:常用语法对比(七)

alt

题图来自 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 u81024];
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 := 0len(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-10111688910}
 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-10111688910}
 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-10111688910}
 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() (stringbool) {
 return "Too good to be"true
}

Too good to be true


fn foo() -> (Stringbool) {
    (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(&regex::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) = (112233);
    
    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, 0len(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{0xFF00})
  white := newUniform(rgb{0xFF0xFF0xFF})
  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![123123];
    
    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"}

参考资料

[1]

Go vs Rust: Which will be the top pick in programming?: https://www.appventurez.com/blog/go-vs-rust

本文由 mdnice 多平台发布

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mfbz.cn/a/49216.html

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

vue+leaflet笔记之地图聚合

vueleaflet笔记之地图聚合 文章目录 vueleaflet笔记之地图聚合开发环境代码简介插件简介与安装使用简介 详细源码(Vue3) 本文介绍了Web端使用Leaflet开发库进行地图聚合查询的一种方法 (底图来源:中科星图)&#xff0c;结合Leaflet.markercluster插件能够快速的实现地图聚合查询…

数据库数据恢复-Syabse数据库存储页底层数据杂乱的数据恢复案例

数据库恢复环境&#xff1a; Sybase版本&#xff1a;SQL Anywhere 8.0。 数据库故障&#xff1a; 数据库所在的设备意外断电后&#xff0c;数据库无法启动。 错误提示&#xff1a; 使用Sybase Central连接后报错&#xff1a; 数据库故障分析&#xff1a; 经过北亚企安数据恢复…

内存函数讲解

&#x1f495;"痛苦难以避免&#xff0c;而磨难可以选择。"-->村上春树&#x1f495; 作者&#xff1a;Mylvzi 文章主要内容&#xff1a;数据在内存中的存储 内存函数就是管理内存数据的函数&#xff0c;包含于头文件<string.h>中 1.memcpy函数-->内存…

机器学习——异常检测

异常点检测(Outlier detection)&#xff0c;⼜称为离群点检测&#xff0c;是找出与预期对象的⾏为差异较⼤的对象的⼀个检测过程。这些被检测出的对象被称为异常点或者离群点。异常点&#xff08;outlier&#xff09;是⼀个数据对象&#xff0c;它明显不同于其他的数据对象。异…

soft ip与hard ip

ip分soft和hard两种&#xff0c;soft就是纯代码&#xff0c;买过来要自己综合自己pr。hard ip如mem和analog与工艺有关。 mem的lib和lef是memory compiler产生的&#xff0c;基于bitcell&#xff0c;是foundry给的。 我正在「拾陆楼」和朋友们讨论有趣的话题&#xff0c;你⼀起…

pyspark 笔记 cast 转换列的类型

1 不借助 pyspark.sql.types from pyspark.sql.functions import coldata [("Alice", "28"), ("Bob", "22"), ("Charlie", "30")] columns ["name", "age_str"] df spark.createDataFram…

第一章 计算机网络概述

第一章 计算机网络概述 1.1 计算机网络在信息时代的作用 1.2 因特网概述 网络分类&#xff1a; 网络&#xff1a;许多计算机连接在一起的的局域网&#xff1b; 互联网&#xff1a;internet许多网络连接在一起&#xff1b; 因特网&#xff1a;Internet 全球最大的互联网&…

15.Netty源码之EventLoop

highlight: arduino-light Netty配置主从Reactor模式 通过将NioServerSocketChannel绑定到了bossGroup。 将NioServerSocketChannel接收到请求创建的SocketChannel放入workerGroup。 将2个不同的SocketChannel绑定到2个不同的Group完成了主从 Reactor 模式。 分配NIOEventLoop的…

【java安全】RMI

文章目录 【java安全】RMI前言RMI的组成RMI实现Server0x01 编写一个远程接口0x02 实现该远程接口0x03 Registry注册远程对象 Client 小疑问RMI攻击 【java安全】RMI 前言 RMI全称为&#xff1a;Remote Method Invocation 远程方法调用&#xff0c;是java独立的一种机制。 RM…

Mnist分类与气温预测任务

目录 传统机器学习与深度学习的特征工程特征向量pytorch实现minist代码解析归一化损失函数计算图Mnist分类获取Mnist数据集&#xff0c;预处理&#xff0c;输出一张图像面向工具包编程使用TensorDataset和DataLoader来简化数据预处理计算验证集准确率 气温预测回归构建神经网络…

ChatGPT统计“一到点就下班”的人数

ChatGPT统计“一到点就下班”的人数 1、到点下班 Chatgpt统计各部门F-D级员工到点下班人数占比&#xff0c;是在批评公司内部存在到点下班现象。 根据图片&#xff0c;该占比的计算方法是&#xff1a;最后一次下班卡在17:30-17:40之间&#xff0c;且1-5月合计有40天以上的人…

无人机影像配准并发布(共线方程)

无人机影像 DEM 计算四个角点坐标&#xff08;刚性变换&#xff09; 像空间坐标&#xff08;x,y,-f&#xff09; 像空间坐标畸变纠正 deltax,deltay 已知(x,y)&#xff0c;求解(X,Y, Z)或者(Lat,Lon) 这里的Z是DEM上获取的坐标和Zs为相机坐标的高程&#xff0c;如果均为已…

Django on_delete参数在sql级别操作中不生效问题

class AA(models.Model):name models.CharField(max_length128)class Meta:db_table aaclass BB(models.Model):name models.CharField(max_length128)aa models.ForeignKey(AA, nullTrue, on_deletemodels.CASCADE)class Meta:db_table bb 如上当使用ORM删除aa表中的数据…

12-1_Qt 5.9 C++开发指南_自定义插件和库-自定义Widget组件(提升法(promotion)创建自定义定制化组件)

当UI设计器提供的界面组件不满足实际设计需求时&#xff0c;可以从 QWidget 继承自定义界面组件。 有两种方法使用自定义界面组件&#xff1a; 一种是提升法(promotion)&#xff0c;例如在8.3 节将一个QGraphicsView组件提升为自定义的 QWGraphicsView 类&#xff0c;提升法用…

html实现蜂窝菜单

效果图 CSS样式 keyframes _fade-in_mkmxd_1 {0% {filter: blur(20px);opacity: 0}to {filter: none;opacity: 1} } keyframes _drop-in_mkmxd_1 {0% {transform: var(--transform) translateY(-100px) translateZ(400px)}to {transform: var(--transform)} } ._examples_mkmx…

MHA高可用配置及故障切换

文章目录 MHA高可用配置及故障切换一. MySQL MHA1.什么是MHA&#xff12;.&#xff2d;&#xff28;&#xff21;的组成&#xff12;.&#xff11;MHA Node (数据节点)&#xff12;.&#xff12;MHA Manager (管理节点) &#xff13;.&#xff2d;&#xff28;&#xff21;的特…

使用python库uvicorn替代Nginx发布Vue3项目

目录 一、Vue3项目打包 二、将打包文件放到python项目 三、配置uvicorn服务 四、启动服务 【SpringBoot版传送门&#xff1a;使用SpringBoot替代Nginx发布Vue3项目_苍穹之跃的博客-CSDN博客】 一、Vue3项目打包 &#xff08;博主vue版本&#xff1a;3.2.44&#xff09; 由…

POI 导出 树形结构

参考文章&#xff1a;(327条消息) Excel树状数据绘制导出_excel导出树形结构_Deja-vu xxl的博客-CSDN博客https://blog.csdn.net/weixin_45873182/article/details/120132409?spm1001.2014.3001.5502 Overridepublic void exportPlus(String yearMonth, HttpServletRequest re…

spring5源码篇(12)——spring-mvc请求流程

spring-framework 版本&#xff1a;v5.3.19 文章目录 一、请求流程1、处理器映射器1.1、 RequestMappingHandlerMapping1.2、获取对应的映射方法1.3、添加拦截器 2、获取合适的处理器适配器3、通过处理器适配器执行处理器方法3.1、拦截器的前置后置3.2、处理器的执行3.2.1 参数…

重生之我要学C++第四天

这篇文章的主要内容是类的默认成员函数。如果对大家有用的话&#xff0c;希望大家三连支持&#xff0c;博主会继续努力&#xff01; 目录 一.类的默认成员函数 二.构造函数 三.析构函数 四.拷贝构造函数 五.运算符重载 一.类的默认成员函数 如果一个类中什么成员都没有&…
最新文章