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

alt

题图来自 Golang vs Rust - The Race to Better and Ultimate Programming Language


161. Multiply all the elements of a list

Multiply all the elements of the list elements by a constant c

将list中的每个元素都乘以一个数

package main

import (
 "fmt"
)

func main() {
 const c = 5.5
 elements := []float64{24930}
 fmt.Println(elements)

 for i := range elements {
  elements[i] *= c
 }
 fmt.Println(elements)
}

[2 4 9 30]
[11 22 49.5 165]

fn main() {
    let elements: Vec<f32> = vec![2.03.54.0];
    let c = 2.0;

    let elements = elements.into_iter().map(|x| c * x).collect::<Vec<_>>();

    println!("{:?}", elements);
}

[4.0, 7.0, 8.0]


162. Execute procedures depending on options

execute bat if b is a program option and fox if f is a program option.

根据选项执行程序

package main

import (
 "flag"
 "fmt"
 "os"
)

func init() {
 // Just for testing in the Playground, let's simulate
 // the user called this program with command line
 // flags -f and -b
 os.Args = []string{"program""-f""-b"}
}

var b = flag.Bool("b"false"Do bat")
var f = flag.Bool("f"false"Do fox")

func main() {
 flag.Parse()
 if *b {
  bar()
 }
 if *f {
  fox()
 }
 fmt.Println("The end.")
}

func bar() {
 fmt.Println("BAR")
}

func fox() {
 fmt.Println("FOX")
}

BAR
FOX
The end.

if let Some(arg) = ::std::env::args().nth(1) {
    if &arg == "f" {
        fox();
    } else if &arg = "b" {
        bat();
    } else {
 eprintln!("invalid argument: {}", arg),
    }
else {
    eprintln!("missing argument");
}

or

if let Some(arg) = ::std::env::args().nth(1) {
    match arg.as_str() {
        "f" => fox(),
        "b" => box(),
        _ => eprintln!("invalid argument: {}", arg),
    };
else {
    eprintln!("missing argument");
}

163. Print list elements by group of 2

Print all the list elements, two by two, assuming list length is even.

两个一组打印数组元素

package main

import (
 "fmt"
)

func main() {
 list := []string{"a""b""c""d""e""f"}

 for i := 0; i+1 < len(list); i += 2 {
  fmt.Println(list[i], list[i+1])
 }
}

a b
c d
e f

fn main() {
    let list = [1,2,3,4,5,6];
    for pair in list.chunks(2) {
        println!("({}, {})", pair[0], pair[1]);
    }
}

(12)
(34)
(56)

164. Open URL in default browser

Open the URL s in the default browser. Set boolean b to indicate whether the operation was successful.

在默认浏览器中打开链接

import "github.com/skratchdot/open-golang/open"
b := open.Start(s) == nil

or

func openbrowser(url string) {
 var err error

 switch runtime.GOOS {
 case "linux":
  err = exec.Command("xdg-open", url).Start()
 case "windows":
  err = exec.Command("rundll32""url.dll,FileProtocolHandler", url).Start()
 case "darwin":
  err = exec.Command("open", url).Start()
 default:
  err = fmt.Errorf("unsupported platform")
 }
 if err != nil {
  log.Fatal(err)
 }

}

use webbrowser;
webbrowser::open(s).expect("failed to open URL");

165. Last element of list

Assign to variable x the last element of list items.

列表中的最后一个元素

package main

import (
 "fmt"
)

func main() {
 items := []string"what""a""mess" }
 
 x := items[len(items)-1]

 fmt.Println(x)
}

mess


fn main() {
    let items = vec![568, -20942];
    let x = items[items.len()-1];
    println!("{:?}", x);
}

42

or

fn main() {
    let items = [568, -20942];
    let x = items.last().unwrap();
    println!("{:?}", x);
}

42


166. Concatenate two lists

Create list ab containing all the elements of list a, followed by all elements of list b.

连接两个列表

package main

import (
 "fmt"
)

func main() {
 a := []string{"The ""quick "}
 b := []string{"brown ""fox "}

 ab := append(a, b...)

 fmt.Printf("%q", ab)
}

["The " "quick " "brown " "fox "]

or

package main

import (
 "fmt"
)

func main() {
 type T string

 a := []T{"The ""quick "}
 b := []T{"brown ""fox "}

 var ab []T
 ab = append(append(ab, a...), b...)

 fmt.Printf("%q", ab)
}

["The " "quick " "brown " "fox "]

or

package main

import (
 "fmt"
)

func main() {
 type T string

 a := []T{"The ""quick "}
 b := []T{"brown ""fox "}

 ab := make([]T, len(a)+len(b))
 copy(ab, a)
 copy(ab[len(a):], b)

 fmt.Printf("%q", ab)
}

["The " "quick " "brown " "fox "]


fn main() {
    let a = vec![12];
    let b = vec![34];
    let ab = [a, b].concat();
    println!("{:?}", ab);
}

[1, 2, 3, 4]


167. Trim prefix

Create string t consisting of string s with its prefix p removed (if s starts with p).

移除前缀

package main

import (
 "fmt"
 "strings"
)

func main() {
 s := "café-society"
 p := "café"

 t := strings.TrimPrefix(s, p)

 fmt.Println(t)
}

-society


fn main() {
    {
        let s = "pre_thing";
        let p = "pre_";
        let t = s.trim_start_matches(p);
        println!("{}", t);
    }
    {
        // Warning: trim_start_matches removes several leading occurrences of p, if present.
        let s = "pre_pre_thing";
        let p = "pre_";
        let t = s.trim_start_matches(p);
        println!("{}", t);
    }
}
thing
thing

or

fn main() {
    let s = "pre_pre_thing";
    let p = "pre_";

    let t = if s.starts_with(p) { &s[p.len()..] } else { s };
    println!("{}", t);
}

pre_thing

or

fn main() {
    {
        let s = "pre_thing";
        let p = "pre_";
        let t = s.strip_prefix(p).unwrap_or_else(|| s);
        println!("{}", t);
    }
    {
        // If prefix p is repeated in s, it is removed only once by strip_prefix
        let s = "pre_pre_thing";
        let p = "pre_";
        let t = s.strip_prefix(p).unwrap_or_else(|| s);
        println!("{}", t);
    }
}

thing
pre_thing

168. Trim suffix

Create string t consisting of string s with its suffix w removed (if s ends with w).

移除后缀

package main

import (
 "fmt"
 "strings"
)

func main() {
 s := "café-society"
 w := "society"

 t := strings.TrimSuffix(s, w)

 fmt.Println(t)
}

café-


fn main() {
    let s = "thing_suf";
    let w = "_suf";
    let t = s.trim_end_matches(w);
    println!("{}", t);

    let s = "thing";
    let w = "_suf";
    let t = s.trim_end_matches(w); // s does not end with w, it is left intact
    println!("{}", t);

    let s = "thing_suf_suf";
    let w = "_suf";
    let t = s.trim_end_matches(w); // removes several occurrences of w
    println!("{}", t);
}

thing
thing
thing

or

fn main() {
    let s = "thing_suf";
    let w = "_suf";
    let t = s.strip_suffix(w).unwrap_or(s);
    println!("{}", t);

    let s = "thing";
    let w = "_suf";
    let t = s.strip_suffix(w).unwrap_or(s); // s does not end with w, it is left intact
    println!("{}", t);

    let s = "thing_suf_suf";
    let w = "_suf";
    let t = s.strip_suffix(w).unwrap_or(s); // only 1 occurrence of w is removed
    println!("{}", t);
}

thing
thing
thing_suf

169. String length

Assign to integer n the number of characters of string s. Make sure that multibyte characters are properly handled. n can be different from the number of bytes of s.

字符串长度

package main

import "fmt"
import "unicode/utf8"

func main() {
 s := "Hello, 世界"
 n := utf8.RuneCountInString(s)

 fmt.Println(n)
}

9


fn main() {
    let s = "世界";

    let n = s.chars().count();

    println!("{} characters", n);
}

2 characters


170. Get map size

Set n to the number of elements stored in mymap.
This is not always equal to the map capacity.

获取map的大小

package main

import "fmt"

func main() {
 mymap := map[string]int{"a"1"b"2"c"3}
 n := len(mymap)
 fmt.Println(n)
}

3


use std::collections::HashMap;

fn main() {
    let mut mymap: HashMap<&stri32> = [("one"1), ("two"2)].iter().cloned().collect();
    mymap.insert("three"3);

    let n = mymap.len();

    println!("mymap has {:?} entries", n);
}

mymap has 3 entries


171. Add an element at the end of a list

Append element x to the list s.

在list尾部添加元素

package main

import "fmt"

func main() {
 s := []int{11235813}
 x := 21

 s = append(s, x)

 fmt.Println(s)
}

[1 1 2 3 5 8 13 21]


fn main() {
    let mut s = vec![123];
    let x = 99;

    s.push(x);

    println!("{:?}", s);
}

[1, 2, 3, 99]


172. Insert entry in map

Insert value v for key k in map m.

向map中写入元素

package main

import "fmt"

func main() {
 m := map[string]int{"one"1"two"2}
 k := "three"
 v := 3

 m[k] = v

 fmt.Println(m)
}

map[one:1 three:3 two:2]


use std::collections::HashMap;

fn main() {
    let mut m: HashMap<&stri32> = [("one"1), ("two"2)].iter().cloned().collect();

    let (k, v) = ("three"3);

    m.insert(k, v);

    println!("{:?}", m);
}

{"three": 3, "one": 1, "two": 2}


173. Format a number with grouped thousands

Number will be formatted with a comma separator between every group of thousands.

按千位格式化数字

package main

import (
 "fmt"

 "golang.org/x/text/language"
 "golang.org/x/text/message"
)

// The Playground doesn't work with import of external packages.
// However, you may copy this source and test it on your workstation.

func main() {
 p := message.NewPrinter(language.English)
 s := p.Sprintf("%d\n"1000)

 fmt.Println(s)
 // Output:
 // 1,000
}

1,000

or

package main

import (
 "fmt"
 "github.com/floscodes/golang-thousands"
 "strconv"
)

// The Playground takes more time when importing external packages.
// However, you may want to copy this source and test it on your workstation.

func main() {
 n := strconv.Itoa(23489)
 s := thousands.Separate(n, "en")

 fmt.Println(s)
 // Output:
 // 23,489
}

23,489


use separator::Separatable;
println!("{}"1000.separated_string());

174. Make HTTP POST request

Make a HTTP request with method POST to URL u

发起http POST请求

package main

import (
 "fmt"
 "io"
 "io/ioutil"
 "net"
 "net/http"
)

func main() {
 contentType := "text/plain"
 var body io.Reader
 u := "http://" + localhost + "/hello"

 response, err := http.Post(u, contentType, body)
 check(err)
 buffer, err := ioutil.ReadAll(response.Body)
 check(err)
 fmt.Println("POST response:", response.StatusCode, string(buffer))

 response, err = http.Get(u)
 check(err)
 buffer, err = ioutil.ReadAll(response.Body)
 check(err)
 fmt.Println("GET  response:", response.StatusCode, string(buffer))
}

const localhost = "127.0.0.1:3000"

func init() {
 http.HandleFunc("/hello", myHandler)
 startServer()
}

func myHandler(w http.ResponseWriter, r *http.Request) {
 if r.Method != "POST" {
  w.WriteHeader(http.StatusBadRequest)
  fmt.Fprintf(w, "Refusing request verb %q", r.Method)
  return
 }
 fmt.Fprintf(w, "Hello POST :)")
}

func startServer() {
 listener, err := net.Listen("tcp", localhost)
 check(err)

 go http.Serve(listener, nil)
}

func check(err error) {
 if err != nil {
  panic(err)
 }
}

POST response: 200 Hello Alice (POST)
GET  response: 400 Refusing request verb "GET"

or

package main

import (
 "fmt"
 "io/ioutil"
 "net"
 "net/http"
 "net/url"
)

func main() {
 formValues := url.Values{
  "who": []string{"Alice"},
 }
 u := "http://" + localhost + "/hello"

 response, err := http.PostForm(u, formValues)
 check(err)
 buffer, err := ioutil.ReadAll(response.Body)
 check(err)
 fmt.Println("POST response:", response.StatusCode, string(buffer))

 response, err = http.Get(u)
 check(err)
 buffer, err = ioutil.ReadAll(response.Body)
 check(err)
 fmt.Println("GET  response:", response.StatusCode, string(buffer))
}

const localhost = "127.0.0.1:3000"

func init() {
 http.HandleFunc("/hello", myHandler)
 startServer()
}

func myHandler(w http.ResponseWriter, r *http.Request) {
 if r.Method != "POST" {
  w.WriteHeader(http.StatusBadRequest)
  fmt.Fprintf(w, "Refusing request verb %q", r.Method)
  return
 }
 fmt.Fprintf(w, "Hello %s (POST)", r.FormValue("who"))
}

func startServer() {
 listener, err := net.Listen("tcp", localhost)
 check(err)

 go http.Serve(listener, nil)
}

func check(err error) {
 if err != nil {
  panic(err)
 }
}

[dependencies]
error-chain = "0.12.4"
reqwest = { version = "0.11.2", features = ["blocking"] }

use error_chain::error_chain;
use std::io::Read;
let client = reqwest::blocking::Client::new();
let mut response = client.post(u).body("abc").send()?;

175. Bytes to hex string

From array a of n bytes, build the equivalent hex string s of 2n digits. Each byte (256 possible values) is encoded as two hexadecimal characters (16 possible values per digit).

字节转十六进制字符串

package main

import (
 "encoding/hex"
 "fmt"
)

func main() {
 a := []byte("Hello")

 s := hex.EncodeToString(a)

 fmt.Println(s)
}

48656c6c6f


use core::fmt::Write;

fn main() -> core::fmt::Result {
    let a = vec![224127193];
    let n = a.len();
    
    let mut s = String::with_capacity(2 * n);
    for byte in a {
        write!(s, "{:02X}", byte)?;
    }
    
    dbg!(s);
    Ok(())
}

[src/main.rs:12] s = "16047FC1"


176. Hex string to byte array

From hex string s of 2n digits, build the equivalent array a of n bytes. Each pair of hexadecimal characters (16 possible values per digit) is decoded into one byte (256 possible values).

十六进制字符串转字节数组

package main

import (
 "encoding/hex"
 "fmt"
 "log"
)

func main() {
 s := "48656c6c6f"

 a, err := hex.DecodeString(s)
 if err != nil {
  log.Fatal(err)
 }

 fmt.Println(a)
 fmt.Println(string(a))
}

[72 101 108 108 111]
Hello

use hex::FromHex
let a: Vec<u8> = Vec::from_hex(s).expect("Invalid Hex String");

178. Check if point is inside rectangle

Set boolean b to true if if the point with coordinates (x,y) is inside the rectangle with coordinates (x1,y1,x2,y2) , or to false otherwise. Describe if the edges are considered to be inside the rectangle.

检查点是否在矩形内

package main

import (
 "fmt"
 "image"
)

func main() {
 x1, y1, x2, y2 := 1150100
 r := image.Rect(x1, y1, x2, y2)

 x, y := 1010
 p := image.Pt(x, y)
 b := p.In(r)
 fmt.Println(b)

 x, y = 100100
 p = image.Pt(x, y)
 b = p.In(r)
 fmt.Println(b)
}

true
false

struct Rect {
    x1: i32,
    x2: i32,
    y1: i32,
    y2: i32,
}

impl Rect {
    fn contains(&self, x: i32, y: i32) -> bool {
        return self.x1 < x && x < self.x2 && self.y1 < y && y < self.y2;
    }
}

179. Get center of a rectangle

Return the center c of the rectangle with coördinates(x1,y1,x2,y2)

获取矩形的中心

import "image"
c := image.Pt((x1+x2)/2, (y1+y2)/2)

struct Rectangle {
    x1: f64,
    y1: f64,
    x2: f64,
    y2: f64,
}

impl Rectangle {
    pub fn center(&self) -> (f64f64) {
     ((self.x1 + self.x2) / 2.0, (self.y1 + self.y2) / 2.0)
    }
}

fn main() {
    let r = Rectangle {
        x1: 5.,
        y1: 5.,
        x2: 10.,
        y2: 10.,
    };
    
    println!("{:?}", r.center());
}

(7.5, 7.5)


180. List files in directory

Create list x containing the contents of directory d.
x may contain files and subfolders.
No recursive subfolder listing.

列出目录中的文件

package main

import (
 "fmt"
 "io/ioutil"
 "log"
)

func main() {
 d := "/"

 x, err := ioutil.ReadDir(d)
 if err != nil {
  log.Fatal(err)
 }

 for _, f := range x {
  fmt.Println(f.Name())
 }
}

.dockerenv
bin
dev
etc
home
lib
lib64
proc
root
sys
tmp
tmpfs
usr
var

use std::fs;

fn main() {
    let d = "/etc";

    let x = fs::read_dir(d).unwrap();

    for entry in x {
        let entry = entry.unwrap();
        println!("{:?}", entry.path());
    }
}

or

fn main() {
    let d = "/etc";

    let x = std::fs::read_dir(d)
        .unwrap()
        .collect::<Result<Vec<_>, _>>()
        .unwrap();

    for entry in x {
        println!("{:?}", entry.path());
    }
}
"/etc/issue.net"
"/etc/bindresvport.blacklist"
"/etc/rc1.d"
"/etc/hostname"
"/etc/xattr.conf"
"/etc/resolv.conf"
"/etc/pam.conf"
"/etc/mke2fs.conf"
"/etc/e2scrub.conf"
"/etc/update-motd.d"
"/etc/terminfo"
"/etc/alternatives"
"/etc/ld.so.cache"
"/etc/networks"
"/etc/profile"
"/etc/debconf.conf"
"/etc/security"
"/etc/.pwd.lock"
"/etc/gai.conf"
"/etc/dpkg"
"/etc/rc3.d"
"/etc/fstab"
"/etc/gshadow"
"/etc/sysctl.conf"
"/etc/rc2.d"
"/etc/selinux"
"/etc/ld.so.conf.d"
"/etc/os-release"
"/etc/libaudit.conf"
"/etc/login.defs"
"/etc/skel"
"/etc/shells"
"/etc/rc4.d"
"/etc/cron.d"
"/etc/default"
"/etc/lsb-release"
"/etc/apt"
"/etc/debian_version"
"/etc/machine-id"
"/etc/deluser.conf"
"/etc/group"
"/etc/legal"
"/etc/rc6.d"
"/etc/init.d"
"/etc/sysctl.d"
"/etc/pam.d"
"/etc/passwd"
"/etc/rc5.d"
"/etc/bash.bashrc"
"/etc/hosts"
"/etc/rc0.d"
"/etc/environment"
"/etc/cron.daily"
"/etc/shadow"
"/etc/ld.so.conf"
"/etc/subgid"
"/etc/opt"
"/etc/logrotate.d"
"/etc/subuid"
"/etc/profile.d"
"/etc/adduser.conf"
"/etc/issue"
"/etc/rmt"
"/etc/host.conf"
"/etc/rcS.d"
"/etc/nsswitch.conf"
"/etc/systemd"
"/etc/kernel"
"/etc/mtab"
"/etc/shadow-"
"/etc/passwd-"
"/etc/subuid-"
"/etc/gshadow-"
"/etc/subgid-"
"/etc/group-"
"/etc/ethertypes"
"/etc/logcheck"
"/etc/gss"
"/etc/bash_completion.d"
"/etc/X11"
"/etc/perl"
"/etc/ca-certificates"
"/etc/protocols"
"/etc/ca-certificates.conf"
"/etc/python2.7"
"/etc/localtime"
"/etc/xdg"
"/etc/timezone"
"/etc/mailcap.order"
"/etc/emacs"
"/etc/ssh"
"/etc/magic.mime"
"/etc/services"
"/etc/ssl"
"/etc/ldap"
"/etc/rpc"
"/etc/mime.types"
"/etc/magic"
"/etc/mailcap"
"/etc/inputrc"

本文由 mdnice 多平台发布

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

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

相关文章

4通道高速数据采集卡推荐哪些呢

FMC141是一款基于VITA57.4标准的4通道2.8GSPS/2.5GSPS/1.6GSPS采样率16位DA播放FMC子卡&#xff0c;该板卡为FMC标准&#xff0c;符合VITA57.4与VITA57.1规范&#xff0c;16通道的JESD204B接口通过FMC连接器连接至FPGA的高速串行端口。 该板卡采用TI公司的DAC39J84芯片&#x…

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

这篇文章的主要内容是const以及权限问题、static关键字、友元函数和友元类&#xff0c;希望对大家有所帮助&#xff0c;点赞收藏评论支持一下吧&#xff01; 更多优质内容跳转&#xff1a; 专栏&#xff1a;重生之C启程(文章平均质量分93) 目录 const以及权限问题 1.const修饰…

DP-GAN-生成器代码

在train文件中&#xff0c;对生成器和判别器分别进行更新&#xff0c;根据loss的不同&#xff0c;分别计算对于的损失&#xff1a; loss_G, losses_G_list model(image, label, "losses_G", losses_computer)loss_D, losses_D_list model(image, label, "los…

给初学嵌入式的菜鸟一点建议.学习嵌入式linux

学习嵌入式&#xff0c;我认为两个重点&#xff0c;cpu和操作系统&#xff0c;目前市场是比较流行arm&#xff0c;所以推荐大家学习arm。操作系统很多&#xff0c;我个人对开始学习的人&#xff0c;特别不是计算机专业的&#xff0c;推荐学习ucos。那是开源的&#xff0c;同时很…

ALLEGRO之Place

本文主要讲述了ALLEGRO的Place菜单。 &#xff08;1&#xff09;Manually&#xff1a;手动放置&#xff0c;常用元器件放置方法&#xff1b; &#xff08;2&#xff09;Quickplace&#xff1a;快速放置&#xff1b; &#xff08;3&#xff09;Autoplace&#xff1a;自动放置&a…

Linux6.16 Docker consul的容器服务更新与发现

文章目录 计算机系统5G云计算第四章 LINUX Docker consul的容器服务更新与发现一、consul 概述1.什么是服务注册与发现2.什么是consul 二、consul 部署1.consul服务器2.registrator服务器3.consul-template4.consul 多节点 计算机系统 5G云计算 第四章 LINUX Docker consul的…

Linux虚拟机安装tomcat(图文详解)

目录 第一章、xshell工具和xftp的使用1.1&#xff09;xshell下载与安装1.2&#xff09;xshell连接1.3&#xff09;xftp下载安装和连接 第二章、安装tomcat1.1&#xff09;关闭防火墙&#xff0c;传输tomcat压缩包到Linux虚拟机12&#xff09;启动tomcat 第一章、xshell工具和xf…

Git 版本管理使用-介绍-示例

文章目录 Git是一种版本控制工具&#xff0c;它可以帮助程序员组织和管理代码的变更历史Git的使用方式&#xff1a;常见命令安装Git软件第一次上传分支删除分支 Git是一种版本控制工具&#xff0c;它可以帮助程序员组织和管理代码的变更历史 以下是Git的基本概念和使用方式&am…

【Git系列】分支操作

&#x1f433;分支操作 &#x1f9ca;1. 什么是分支&#x1f9ca;2. 分支的好处&#x1f9ca;3. 分支操作&#x1fa9f;3.1 查看分支&#x1fa9f;3.2 创建分支&#x1fa9f;3.3 切换分支 &#x1f9ca;4. 分支冲突&#x1fa9f;4.1 环境准备&#x1fa9f;4.2 分支冲突演示 &am…

01 Excel常用高频快捷键汇总

目录 一、简介二、快捷键介绍2.1 常用基本快捷键1 复制&#xff1a;CtrlC2 粘贴&#xff1a;CtrlV3 剪切&#xff1a;CtrlX4 撤销&#xff1a;CtrlZ5 全选&#xff1a;CtrlA 2.2 常用高级快捷键1 单元格内强制换行&#xff1a;AltEnter2 批量输入相同的内容&#xff1a;CtrlEnt…

机器学习-Basic Concept

机器学习(Basic Concept) videopptblog Where does the error come from? 在前面我们讨论误差的时候&#xff0c;我们提到了Average Error On Testing Data是最重要的 A more complex model does not lead to better performance on test data Bias And Variance Bias(偏差) …

排序算法(冒泡排序、选择排序、插入排序、希尔排序、堆排序、快速排序、归并排序、计数排序)

&#x1f355;博客主页&#xff1a;️自信不孤单 &#x1f36c;文章专栏&#xff1a;数据结构与算法 &#x1f35a;代码仓库&#xff1a;破浪晓梦 &#x1f36d;欢迎关注&#xff1a;欢迎大家点赞收藏关注 文章目录 &#x1f353;冒泡排序概念算法步骤动图演示代码 &#x1f34…

数学建模学习(7):Matlab绘图

一、二维图像绘制 1.绘制曲线图 最基础的二维图形绘制方法&#xff1a;plot -plot命令自动打开一个图形窗口Figure&#xff1b; 用直线连接相邻两数据点来绘制图形 -根据图形坐标大小自动缩扩坐标轴&#xff0c;将数据标尺及单位标注自动加到两个坐标轴上&#xff0c;可自定…

【Linux】sed修改文件指定内容

sed修改文件指定内容&#xff1a; 参考&#xff1a;(5条消息) Linux系列讲解 —— 【cat echo sed】操作读写文件内容_shell命令修改文件内容_星际工程师的博客-CSDN博客

理解构建LLM驱动的聊天机器人时的向量数据库检索的局限性 - (第1/3部分)

本博客是一系列文章中的第一篇&#xff0c;解释了为什么使用大型语言模型&#xff08;LLM&#xff09;部署专用领域聊天机器人的主流管道成本太高且效率低下。在第一篇文章中&#xff0c;我们将讨论为什么矢量数据库尽管最近流行起来&#xff0c;但在实际生产管道中部署时从根本…

【编译】gcc make cmake Makefile CMakeList.txt 区别

文章目录 一 关系二 gcc2.1 编译过程2.2 编译参数2.3 静态库和动态库1 后缀名2 联系与区别 2.4 GDB 调试器1 常用命令 三 make、makefile四 cmake、cmakelist4.1 语法特性4.2 重要命令4.2 重要变量4.3 编译流程4.4 两种构建方式 五 Vscode5.0 常用快捷键5.1 界面5.2 插件5.3 .v…

点播播放器如何自定义额外信息(统计信息传值)

Web播放器支持设置观众信息参数&#xff0c;设置后在播放器上报的观看日志中会附带观众信息&#xff0c;这样用户就可以通过管理后台的统计页面或服务端API来查看特定观众的视频观看情况了。 播放器设置观众信息参数的代码示例如下&#xff1a; <div id"player"…

加利福尼亚大学|3D-LLM:将3D世界于大规模语言模型结合

来自加利福尼亚大学的3D-LLM项目团队提到&#xff1a;大型语言模型 (LLM) 和视觉语言模型 (VLM) 已被证明在多项任务上表现出色&#xff0c;例如常识推理。尽管这些模型非常强大&#xff0c;但它们并不以 3D 物理世界为基础&#xff0c;而 3D 物理世界涉及更丰富的概念&#xf…

【100天精通python】Day20:文件及目录操作_os模块和os.psth模块,文件权限修改

目录 专栏导读 1 文件的目录操作 os模块的一些操作目录函数​编辑 os.path 模块的操作目录函数 2 相对路径和绝对路径 3 路径拼接 4 判断目录是否存在 5 创建目录、删除目录、遍历目录 专栏导读 专栏订阅地址&#xff1a;https://blog.csdn.net/qq_35831906/category_12…

Java中的代理模式

Java中的代理模式 1. 静态代理JDK动态代理CGLib动态代理 1. 静态代理 接口 public interface ICeo {void meeting(String name) throws InterruptedException; }目标类 public class Ceo implements ICeo{public void meeting(String name) throws InterruptedException {Th…