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

news2024/11/24 19:16:34

alt

题图来自 Go vs. Rust performance comparison: The basics


61. Get current date

获取当前时间

package main

import (
 "fmt"
 "time"
)

func main() {
 d := time.Now()
 fmt.Println("Now is", d)
 // The Playground has a special sandbox, so you may get a Time value fixed in the past.
}

Now is 2009-11-10 23:00:00 +0000 UTC m=+0.000000001


extern crate time;
let d = time::now();

or

use std::time::SystemTime;

fn main() {
    let d = SystemTime::now();
    println!("{:?}", d);
}

SystemTime { tv_sec: 1526318418, tv_nsec: 699329521 }


62. Find substring position

字符串查找

查找子字符串位置

package main

import (
 "fmt"
 "strings"
)

func main() {
 x := "été chaud"

 {
  y := "chaud"
  i := strings.Index(x, y)
  fmt.Println(i)
 }

 {
  y := "froid"
  i := strings.Index(x, y)
  fmt.Println(i)
 }
}

i is the byte index of y in x, not the character (rune) index. i will be -1 if y is not found in x.

6
-1

fn main() {
    let x = "été chaud";
    
    let y = "chaud";
    let i = x.find(y);
    println!("{:?}", i);
    
    let y = "froid";
    let i = x.find(y);
    println!("{:?}", i);
}
Some(6)
None

63. Replace fragment of a string

替换字符串片段

package main

import (
 "fmt"
 "strings"
)

func main() {
 x := "oink oink oink"
 y := "oink"
 z := "moo"
 x2 := strings.Replace(x, y, z, -1)
 fmt.Println(x2)
}

moo moo moo


fn main() {
    let x = "lorem ipsum dolor lorem ipsum";
    let y = "lorem";
    let z = "LOREM";

    let x2 = x.replace(&y, &z);
    
    println!("{}", x2);
}

LOREM ipsum dolor LOREM ipsum


64. Big integer : value 3 power 247

超大整数

package main

import "fmt"
import "math/big"

func main() {
 x := new(big.Int)
 x.Exp(big.NewInt(3), big.NewInt(247), nil)
 fmt.Println(x)
}

7062361041362837614435796717454722507454089864783271756927542774477268334591598635421519542453366332460075473278915787


extern crate num;
use num::bigint::ToBigInt;

fn main() {
    let a = 3.to_bigint().unwrap();
    let x = num::pow(a, 247);
    println!("{}", x)
}

7062361041362837614435796717454722507454089864783271756927542774477268334591598635421519542453366332460075473278915787


65. Format decimal number

格式化十进制数

package main

import "fmt"

func main() {
 x := 0.15625
 s := fmt.Sprintf("%.1f%%"100.0*x)
 fmt.Println(s)
}

15.6%


fn main() {
    let x = 0.15625f64;
    let s = format!("{:.1}%"100.0 * x);
    
    println!("{}", s);
}

15.6%


66. Big integer exponentiation

大整数幂运算

package main

import "fmt"
import "math/big"

func exp(x *big.Int, n int) *big.Int {
 nb := big.NewInt(int64(n))
 var z big.Int
 z.Exp(x, nb, nil)
 return &z
}

func main() {
 x := big.NewInt(3)
 n := 5
 z := exp(x, n)
 fmt.Println(z)
}

243


extern crate num;

use num::bigint::BigInt;

fn main() {
    let x = BigInt::parse_bytes(b"600000000000"10).unwrap();
    let n = 42%

67. Binomial coefficient "n choose k"

Calculate binom(n, k) = n! / (k! * (n-k)!). Use an integer type able to handle huge numbers.

二项式系数“n选择k”

package main

import (
 "fmt"
 "math/big"
)

func main() {
 z := new(big.Int)
 
 z.Binomial(42)
 fmt.Println(z)
 
 z.Binomial(13371)
 fmt.Println(z)
}

6
555687036928510235891585199545206017600

extern crate num;

use num::bigint::BigInt;
use num::bigint::ToBigInt;
use num::traits::One;

fn binom(n: u64, k: u64) -> BigInt {
    let mut res = BigInt::one();
    for i in 0..k {
        res = (res * (n - i).to_bigint().unwrap()) /
              (i + 1).to_bigint().unwrap();
    }
    res
}

fn main() {
    let n = 133;
    let k = 71;

    println!("{}", binom(n, k));
}

555687036928510235891585199545206017600


68. Create a bitset

创建位集合

package main

import (
 "fmt"
 "math/big"
)

func main() {
 var x *big.Int = new(big.Int)

 x.SetBit(x, 421)

 for _, y := range []int{1342} {
  fmt.Println("x has bit", y, "set to", x.Bit(y))
 }
}
x has bit 13 set to 0
x has bit 42 set to 1

or

package main

import (
 "fmt"
)

const n = 1024

func main() {
 x := make([]bool, n)

 x[42] = true

 for _, y := range []int{1342} {
  fmt.Println("x has bit", y, "set to", x[y])
 }
}
x has bit 13 set to false
x has bit 42 set to true

or

package main

import (
 "fmt"
)

func main() {
 const n = 1024

 x := NewBitset(n)

 x.SetBit(13)
 x.SetBit(42)
 x.ClearBit(13)

 for _, y := range []int{1342} {
  fmt.Println("x has bit", y, "set to", x.GetBit(y))
 }
}

type Bitset []uint64

func NewBitset(n int) Bitset {
 return make(Bitset, (n+63)/64)
}

func (b Bitset) GetBit(index int) bool {
 pos := index / 64
 j := index % 64
 return (b[pos] & (uint64(1) << j)) != 0
}

func (b Bitset) SetBit(index int) {
 pos := index / 64
 j := index % 64
 b[pos] |= (uint64(1) << j)
}

func (b Bitset) ClearBit(index int) {
 pos := index / 64
 j := index % 64
 b[pos] ^= (uint64(1) << j)
}

x has bit 13 set to false
x has bit 42 set to true

fn main() {
    let n = 20;

    let mut x = vec![false; n];

    x[3] = true;
    println!("{:?}", x);
}

[false, false, false, true, false, false, false, false, false, false, false, false, false, false, false, false, false, false, false, false]


69. Seed random generator

Use seed s to initialize a random generator.

If s is constant, the generator output will be the same each time the program runs. If s is based on the current value of the system clock, the generator output will be different each time.

随机种子生成器

package main

import (
 "fmt"
 "math/rand"
)

func main() {
 var s int64 = 42
 rand.Seed(s)
 fmt.Println(rand.Int())
}

3440579354231278675

or

package main

import (
 "fmt"
 "math/rand"
)

func main() {
 var s int64 = 42
 r := rand.New(rand.NewSource(s))
 fmt.Println(r.Int())
}

3440579354231278675


use rand::{Rng, SeedableRng, rngs::StdRng};

fn main() {
    let s = 32;
    let mut rng = StdRng::seed_from_u64(s);
    
    println!("{:?}", rng.gen::<f32>());
}

0.35038823


70. Use clock as random generator seed

Get the current datetime and provide it as a seed to a random generator. The generator sequence will be different at each run.

使用时钟作为随机生成器的种子

package main

import (
 "fmt"
 "math/rand"
 "time"
)

func main() {
 rand.Seed(time.Now().UnixNano())
 // Well, the playground date is actually fixed in the past, and the
 // output is cached.
 // But if you run this on your workstation, the output will vary.
 fmt.Println(rand.Intn(999))
}

524

or

package main

import (
 "fmt"
 "math/rand"
 "time"
)

func main() {
 r := rand.New(rand.NewSource(time.Now().UnixNano()))
 // Well, the playground date is actually fixed in the past, and the
 // output is cached.
 // But if you run this on your workstation, the output will vary.
 fmt.Println(r.Intn(999))
}

524


use rand::{Rng, SeedableRng, rngs::StdRng};
use std::time::SystemTime;

fn main() {
    let d = SystemTime::now()
        .duration_since(SystemTime::UNIX_EPOCH)
        .expect("Duration since UNIX_EPOCH failed");
    let mut rng = StdRng::seed_from_u64(d.as_secs());
    
    println!("{:?}", rng.gen::<f32>());
}

0.7326781


71. Echo program implementation

Basic implementation of the Echo program: Print all arguments except the program name, separated by space, followed by newline.
The idiom demonstrates how to skip the first argument if necessary, concatenate arguments as strings, append newline and print it to stdout.

实现 Echo 程序

package main
import "fmt"
import "os"
import "strings"
func main() {
    fmt.Println(strings.Join(os.Args[1:], " "))
}

use std::env;

fn main() {
    println!("{}", env::args().skip(1).collect::<Vec<_>>().join(" "));
}

or

use itertools::Itertools;
println!("{}", std::env::args().skip(1).format(" "));

74. Compute GCD

Compute the greatest common divisor x of big integers a and b. Use an integer type able to handle huge numbers.

计算大整数a和b的最大公约数x。使用能够处理大数的整数类型。

package main

import "fmt"
import "math/big"

func main() {
 a, b, x := new(big.Int), new(big.Int), new(big.Int)
 a.SetString("6000000000000"10)
 b.SetString("9000000000000"10)
 x.GCD(nilnil, a, b)
 fmt.Println(x)
}

3000000000000


extern crate num;

use num::Integer;
use num::bigint::BigInt;

fn main() {
    let a = BigInt::parse_bytes(b"6000000000000"10).unwrap();
    let b = BigInt::parse_bytes(b"9000000000000"10).unwrap();
    
    let x = a.gcd(&b);
 
    println!("{}", x);
}

3000000000000


75. Compute LCM

计算大整数a和b的最小公倍数x。使用能够处理大数的整数类型。

Compute the least common multiple x of big integers a and b. Use an integer type able to handle huge numbers.

package main

import "fmt"
import "math/big"

func main() {
 a, b, gcd, x := new(big.Int), new(big.Int), new(big.Int), new(big.Int)
 a.SetString("6000000000000"10)
 b.SetString("9000000000000"10)
 gcd.GCD(nilnil, a, b)
 x.Div(a, gcd).Mul(x, b)
 fmt.Println(x)
}

18000000000000


extern crate num;

use num::bigint::BigInt;
use num::Integer;

fn main() {
    let a = BigInt::parse_bytes(b"6000000000000"10).unwrap();
    let b = BigInt::parse_bytes(b"9000000000000"10).unwrap();
    let x = a.lcm(&b);
    println!("x = {}", x);
}

x = 18000000000000


76. Binary digits from an integer

Create the string s of integer x written in base 2.
E.g. 13 -> "1101"

将十进制整数转换为二进制数字

package main

import "fmt"
import "strconv"

func main() {
 x := int64(13)
 s := strconv.FormatInt(x, 2)

 fmt.Println(s)
}

1101

or

package main

import (
 "fmt"
 "math/big"
)

func main() {
 x := big.NewInt(13)
 s := fmt.Sprintf("%b", x)

 fmt.Println(s)
}

1101


fn main() {
    let x = 13;
    let s = format!("{:b}", x);
    
    println!("{}", s);
}

1101


77. SComplex number

Declare a complex x and initialize it with value (3i - 2). Then multiply it by i.

复数

package main

import (
 "fmt"
 "reflect"
)

func main() {
 x := 3i - 2
 x *= 1i

 fmt.Println(x)
 fmt.Print(reflect.TypeOf(x))
}

(-3-2i)
complex128

extern crate num;
use num::Complex;

fn main() {
    let mut x = Complex::new(-23);
    x *= Complex::i();
    println!("{}", x);
}

-3-2i


78. "do while" loop

Execute a block once, then execute it again as long as boolean condition c is true.

循环执行

package main

import (
 "fmt"
 "math/rand"
)

func main() {
 for {
  x := rollDice()
  fmt.Println("Got", x)
  if x == 3 {
   break
  }

 }
}

func rollDice() int {
 return 1 + rand.Intn(6)
}

Go has no do while loop, use the for loop, instead.

Got 6
Got 4
Got 6
Got 6
Got 2
Got 1
Got 2
Got 3

or

package main

import (
 "fmt"
 "math/rand"
)

func main() {
 for done := false; !done; {
  x := rollDice()
  fmt.Println("Got", x)
  done = x == 3
 }
}

func rollDice() int {
 return 1 + rand.Intn(6)
}
Got 6
Got 4
Got 6
Got 6
Got 2
Got 1
Got 2
Got 3

loop {
    doStuff();
    if !c { break; }
}

Rust has no do-while loop with syntax sugar. Use loop and break.


79. Convert integer to floating point number

Declare floating point number y and initialize it with the value of integer x .

整型转浮点型

声明浮点数y并用整数x的值初始化它。

package main

import (
 "fmt"
 "reflect"
)

func main() {
 x := 5
 y := float64(x)

 fmt.Println(y)
 fmt.Printf("%.2f\n", y)
 fmt.Println(reflect.TypeOf(y))
}
5
5.00
float64

fn main() {
    let i = 5;
    let f = i as f64;
    
    println!("int {:?}, float {:?}", i, f);
}
int 5, float 5.0

80. Truncate floating point number to integer

Declare integer y and initialize it with the value of floating point number x . Ignore non-integer digits of x . Make sure to truncate towards zero: a negative x must yield the closest greater integer (not lesser).

浮点型转整型

package main

import "fmt"

func main() {
 a := -6.4
 b := 6.4
 c := 6.6
 fmt.Println(int(a))
 fmt.Println(int(b))
 fmt.Println(int(c))
}
-6
6
6

fn main() {
    let x = 41.59999999f64;
    let y = x as i32;
    println!("{}", y);
}

41


本文由 mdnice 多平台发布

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

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

【力扣周赛】第 354 场双周赛

文章目录 Q1&#xff1a;2784. 检查数组是否是好的解法1——排序模拟判断解法2——哈希表计数模拟判断 Q2&#xff1a;6926. 将字符串中的元音字母排序Q3&#xff1a;6931. 访问数组中的位置使分数最大&#xff08;线性DP&#xff09;Q4&#xff1a;6922. 将一个数字表示成幂的…

什么是神经网络?

我们常常使用深度学习来指训练神经网络的过程。 在这里举一个房屋价格预测的例子&#xff1a;假设有一个数据集&#xff0c;它包含了六栋房子的信息。所以&#xff0c;你知道房屋的面积是多少平方米&#xff0c;并且知道这个房屋的价格。这是&#xff0c;你想要拟合一个根据房屋…

【Linux】linux工具和命令

这里写目录标题 一、Linux常用命令&#xff1a;二、Linux安装软件&#xff1a;1.yum安装2.Linux和Windows文件互传3.yum卸载软件 三、vim编辑器1.命令模式2.vim配置项说明3.vim操作总结 一、Linux常用命令&#xff1a; ls 显示当前目录下的文件 ls-a 显示当前目录下所有文件&a…

自定义类型:结构体进阶学习分享

自定义类型&#xff1a;结构体进阶学习分享 前言1 结构体的基础知识2 结构的声明3 特殊声明4 结构的自引用5 结构体变量的定义和初始化6 结构体内存对齐6.1 计算结构体大小相关笔试题&#xff08;基于VS&#xff09;笔试题一&#xff1a;笔试题二&#xff1a; 6.2 为什么存在内…

【C语言】指针进阶(1)

在前期的文章中&#xff0c;我们已经学习完了指针初阶的内容&#xff0c;这期我们开始学习指针的进阶部分。 指针初阶文章入口&#xff1a; 指针初阶 目录 重点知识概览 前期回顾 字符指针 指针数组 数组指针 数组指针的定义 &数组名VS数组名 数组指针的使用 数组…

Mac电脑文件夹无权限问题

sudo cp 16.5.zip /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/DeviceSupport 走到之前的folder &#xff0c;右键选择get info更改權限, 再應用到所有子文件夹 右下解鎖再加自己Read & Write, -右邊拉下應該可以應用到所有子文件 这样就可以…

Java ~ Executor ~ ExecutorCompletionService【总结】

前言 文章 相关系列&#xff1a;《Java ~ Executor【目录】》&#xff08;持续更新&#xff09;相关系列&#xff1a;《Java ~ Executor ~ ExecutorCompletionService【源码】》&#xff08;学习过程/多有漏误/仅作参考/不再更新&#xff09;相关系列&#xff1a;《Java ~ Exe…

如何做需求分析

目录 核心理念&#xff1a; 主要目的&#xff1a; 具体思路&#xff1a; 注意事项&#xff1a; 核心理念&#xff1a; 首先需要想清楚一个问题&#xff1a;作为一个测试&#xff0c;有没有把需求当作产品中的一个组成部分&#xff0c;然后尽到一个测试的责任与义务&#x…

JavaScript中truthy(真值)或者Falsy(假值)

● 在JavaScript中&#xff0c;有五个值是falsy ○ 0 ○ ’ ’ ○ undefined ○ null ○ NaN 除此之外&#xff0c;任何不是空值的都是真值&#xff1b; 假值是什么意思呢&#xff1f;就是转换为布尔值都是false&#xff0c;反则就是true 例如&#xff1a; console.log(Boole…

论文阅读:矩阵乘法GEMM的cache优化,子矩阵的切分方法Anatomy of High-Performance MatrixMultiplication

矩阵乘法优化的知名论文goto paper&#xff1a; 矩阵乘法的优化需要将矩阵切分成子矩阵&#xff0c;用子矩阵相乘的结果组合为原矩阵相乘的结果&#xff1a; 上图是拆分矩阵的方法&#xff0c;M表示矩阵&#xff0c;X方向和Y方向的两个维度都是未知的。P表示横条或竖条&#x…

微信小程序使用ECharts的示例详解

目录 安装 ECharts 组件使用 ECharts 组件图表延迟加载 echarts-for-weixin 是 ECharts 官方维护的一个开源项目&#xff0c;提供了一个微信小程序组件&#xff08;Component&#xff09;&#xff0c;我们可以通过这个组件在微信小程序中使用 ECharts 绘制图表。 echarts-fo…

数据分享|R语言用lme4多层次(混合效应)广义线性模型(GLM),逻辑回归分析教育留级调查数据...

全文链接:http://tecdat.cn/?p22813 本教程为读者提供了使用频率学派的广义线性模型&#xff08;GLM&#xff09;的基本介绍。具体来说&#xff0c;本教程重点介绍逻辑回归在二元结果和计数/比例结果情况下的使用&#xff0c;以及模型评估的方法&#xff08;点击文末“阅读原文…

selenuimecharts——可视化分析csdn新星赛道选手展示头像、展示ip城市和断言参赛信息的有效性(进阶篇)

文章目录 ⭐前言⭐selenuim打开赛道报名界面获取新星赛道选手主页&#x1f496; 获取参赛选手主页思路分析&#x1f496; selenuim获取参数选手代码块&#x1f496; selenuim获取参数选手主页城市&#x1f496;echarts分析选手参数信息断言参赛信息的有效性&#xff1a; ⭐结束…

【技术面试】Java八股文业余选手-下篇(持续更新)

文章目录 5. RocketMQ 消息中间件、RabbitMQ、ActiveMQ【√】5.1 RocketMQ 6. Kafka 大数据量消息中间件、ElasticSearch、ZooKeeper【√】6.1 Kafka【√】6.2 ElasticSearch 7. 分布式、研发提效、高并发、线程安全【√】7.1 分布式与集群【√】7.2 高并发、线程安全【】7.3 研…

【数学建模】为什么存在最优策略?

一、说明 在进行优化回归过程&#xff0c;首先要看看是否存在最优策略&#xff1f; 在有限马尔可夫决策过程 &#xff08;MDP&#xff09; 中&#xff0c;最优策略被定义为同时最大化所有状态值的策略。换句话说&#xff0c;如果存在最优策略&#xff0c;则最大化状态 s 值的策…

PyTorch常用代码段汇总

本文是PyTorch常用代码段合集&#xff0c;涵盖基本配置、张量处理、模型定义与操作、数据处理、模型训练与测试等5个方面&#xff0c;还给出了多个值得注意的Tips&#xff0c;内容非常全面。 PyTorch最好的资料是官方文档。本文是PyTorch常用代码段&#xff0c;在参考资料[1](张…

【AutoSAR 架构介绍】

AutoSAR简介 AUTOSAR是Automotive Open System Architecture&#xff08;汽车开放系统架构&#xff09;的首字母缩写&#xff0c;是一家致力于制定汽车电子软件标准的联盟。 AUTOSAR是由全球汽车制造商、部件供应商及其他电子、半导体和软件系统公司联合建立&#xff0c;各成…

ubuntu 静态IP设置

ubuntu 静态IP设置&#xff1a; 1.输入&#xff1a; sudo vim /etc/netplan/01-network-manager-all.yaml Let NetworkManager manage all devices on this system network: ethernets: ens33: dhcp4: no addresses: [192.168.1.119/24] gateway4: 192.168.1.1 nameservers: …

代码随想录额外题目| 数组02 ●189旋转数组 ●724寻找数组中心索引

#189旋转数组 很快写出来但是用了个新数组&#xff0c;不好 void rotate(vector<int>& nums, int k) {vector<int> res(nums.size(),0);for(int i0;i<nums.size();i){int newiik;if(newi>nums.size()-1) newinewi%nums.size();res[newi]nums[i];}numsr…

结构型设计模式之桥接模式【设计模式系列】

系列文章目录 C技能系列 Linux通信架构系列 C高性能优化编程系列 深入理解软件架构设计系列 高级C并发线程编程 设计模式系列 期待你的关注哦&#xff01;&#xff01;&#xff01; 现在的一切都是为将来的梦想编织翅膀&#xff0c;让梦想在现实中展翅高飞。 Now everythi…