Codeforces Round 943 (Div. 3)

news2024/11/20 0:41:38

欢迎关注更多精彩
关注我,学习常用算法与数据结构,一题多解,降维打击。

Codeforces Round 943 (Div. 3) 题解

题目列表:https://codeforces.com/contest/1968

A

https://codeforces.com/contest/1968/problem/A

题目大意

给定一个整数x, 找到y使得 gcd(x, y)+y最大(y<x)。gcd是最大公约数。

代码

直接枚举即可

#include <iostream>
#include <stdio.h>
#include <queue>
#include <string.h>
#include <stack>
#include <vector>
#include <map>
#include <algorithm>
#include <assert.h>

using namespace std;

int gcd(int a, int b) {
    if (a % b == 0)return b;
    return gcd(b, a % b);
}

void solve() {
    int t;
    cin >> t;
    while (t--) {
        int a;
        cin >> a;
        int ans = 0;
        int y = 0;
        for (int i = 1; i < a; ++i) {
            int res = gcd(i, a) + i;
            if (res >= ans) {
                ans = res; y = i;
            }
        }
        cout << y << endl;
    }
}


int main() {
    solve();
    return 0;
}
/*

 */

B

https://codeforces.com/contest/1968/problem/B

题目大意

给定01串a,b, 问可以由b的子序列组成a最长前缀是多少。

解析

贪心算法判断。
依次遍历a, 寻找b中第一个相等的字符。

代码

代码中使用了二分查找,多此一举了。



#include <iostream>
#include <stdio.h>
#include <queue>
#include <string.h>
#include <stack>
#include <vector>
#include <map>
#include <algorithm>
#include <assert.h>

using namespace std;
class KMP {
	vector<int> next;
	string pattern;

public:
	vector<int> makeNext(string pat);
	vector<int> find(string s);
};

// a b a c a b a
// 0 0 1 0 1 2 3

vector<int> KMP::makeNext(string pat){
	pattern = pat;
	next.assign(pat.length(), 0);

	for (int i=1, j=0; i < pattern.length(); i++) {
		for (;j > 0 && pattern[j] != pattern[i];) {
			j = next[j - 1];
		}

		if (pattern[j] == pattern[i]) {
			j++;
		}
		next[i] = j;
	}

	return next;
}

vector<int> KMP::find(string s){
	int j = 0;
	vector<int> res;
	for(int  i=0;i< s.length();++i) {
		char c = s.at(i);
		for (;j > 0 && c != pattern[j];) {
			j = next[j - 1];
		}
		if (c == pattern[j]) {
			j++;
		}
		if (j == pattern.length()) {
			res.push_back(i - pattern.length() + 1);
			j = next[j - 1];
		}
	}

	return res;
}


bool subsequence(string a, string b) {
	int i, j;
	for (i = 0, j = 0; i < a.length() && j < b.length(); ++j) if (a[i] == b[j])++i;
	return i == a.length();
}

void solve() {
    int t;
    cin >> t;
	KMP kmp;
    while (t--) {
		string a, b;
		int l, r;
		cin >> l >> r;
		cin >> a >> b;

		l = 0, r = a.length();

		while (l < r) {
			int mid = (l + r) / 2 + (l+r)%2;
			if (!subsequence(a.substr(0, mid), b)) r = mid - 1;
			else l = mid;
		}

		cout << l << endl;
    }
}


int main() {
    solve();
    return 0;
}
/*
6
5 4
10011
1110
3 3
100
110
1 3
1
111
4 4
1011
1111
3 5
100
11010
3 1
100
0

 */

C

https://codeforces.com/contest/1968/problem/C

题目大意

给定x数组,构造一个a数组
满足 x i = a i % a i − 1 x_i = a_i\%a_{i-1} xi=ai%ai1

解析

假设已知 ai-1, 则ai = xi+n*ai-1。
同时ai>x(i+1)。

代码



#include <iostream>
#include <stdio.h>
#include <queue>
#include <string.h>
#include <stack>
#include <vector>
#include <map>
#include <algorithm>
#include <assert.h>

using namespace std;

void solve() {
    int t;
    cin >> t;
    while (t--) {
        int dv = 1, mv = 0;
        int n;
        cin >> n;
        int a;
        n--;
        while (n--) {
            cin >> a;
            int res = (((a - mv) / dv + 1) * dv + mv);
            cout << res << " ";
            dv = res;
            mv = a;
        }
        cout << a << " ";

        cout << endl;
    }
}


int main() {
    solve();
    return 0;
}
/*
5
4
2 4 1
3
1 1
6
4 2 5 1 2
2
500
3
1 5

3 5 4 9
2 5 11
5 14 16 5 11 24
501 500
2 7 5

 */

D

https://codeforces.com/contest/1968/problem/D

题目大意

给定a数组和p数组。
现在需要玩一个游戏,得分越高越好。

得分规则如下,
如果当前位置为x则得分加ax分。
然后可以选择停在原来位置或者移动到px。
游戏进行k轮。
现在给出 "Bodya"和"Sasha"的初始位置,用最佳策略谁可以赢。

解析

一个直观的感觉就是想找到一个比较大的值就停着不走了。
那么最多把所有位置走一遍。
反过来想,最后肯定会停在某个地方不动。

那么我们可以枚举最后停在了哪个地方,该地方肯定是使得我们获利最大,所以是想尽快达到那个地方。那么之前经过的地方只得一次分数,最后剩下的次数都是最后停的地方得分。

代码

#include <iostream>
#include <stdio.h>
#include <queue>
#include <string.h>
#include <stack>
#include <vector>
#include <map>
#include <algorithm>
#include <assert.h>

using namespace std;

typedef long long lld;


lld getScore(vector<int>& p, vector<lld>& a, int s, lld k) {
    //cout << s << endl;
    vector<lld> scores;
    for (int i = s;;) {
        scores.push_back(a[i]);
        if (scores.size() > 1)scores[scores.size() - 1] += scores[scores.size() - 2];
        //cout << a[i] << " | " <<scores.back()<<", ";
        i = p[i];
        if (i == s)break;
    }

    //cout << "\n----" << endl;
    lld sum = scores[0]*k;
    for (int i = 1; i < scores.size() && i<k; ++i) {
        lld t = scores[i - 1] + (k - i) * (scores[i] - scores[i - 1]);
        //cout << t << " ";
        sum = max(sum, t);
    }
    //cout << endl;
    return sum;
}

void solve() {
    int t;
    cin >> t;
    while (t--) {
        int n, k, pb, ps;
        cin >> n >> k >> pb >> ps;
        pb--, ps--;
        vector<int> p(n, 0);
        vector<lld> a(n, 0);

        for (int i = 0; i < n; ++i) {
            cin >> p[i];
            p[i]--;
        }
        for (int i = 0; i < n; ++i)cin >> a[i];

        lld scoreb = getScore(p, a, pb, k);
        lld scores = getScore(p, a, ps, k);

        /*
        "Bodya" if Bodya wins the game.
        "Sasha" if Sasha wins the game.
        "Draw" if the players have the same score.
        */
        //cout << scoreb << ", " << scores << endl;
        if (scoreb > scores) cout << "Bodya";
        else if (scoreb < scores) cout << "Sasha";
        else cout << "Draw";
        cout << endl;
    }
}


int main() {
    solve();
    return 0;
}
/*
10
4 2 3 2
4 1 2 3
7 2 5 6
10 8 2 10
3 1 4 5 2 7 8 10 6 9
5 10 5 1 3 7 10 15 4 3
2 1000000000 1 2
1 2
4 4
8 10 4 1
5 1 4 3 2 8 6 7
1 1 2 1 2 100 101 102
5 1 2 5
1 2 4 5 3
4 6 9 4 2
4 2 3 1
4 1 3 2
6 8 5 3
6 9 5 4
6 1 3 5 2 4
6 9 8 9 5 10
4 8 4 2
2 3 4 1
5 2 8 7
4 2 3 1
4 1 3 2
6 8 5 3
2 1000000000 1 2
1 2
1000000000 2

 */

E

https://codeforces.com/contest/1968/problem/E

题目大意

有一个n*n的棋盘,现在需要在上面放上n颗棋子。
H为所有棋子两两之间的曼哈顿距离集合,使集合最大。

解析

对一个nn的棋盘,最大曼哈顿距离是确定的,即2(n-1)。
那所有距离就是0,1,2… 2*(n-1)。

假设n*n棋盘已经做到了所有距离 , 则长度n+1的棋盘只要在之前基础上,(n+1, n+1)放一个棋子就可以了。

n<3时特殊处理。

代码



#include <iostream>
#include <stdio.h>
#include <queue>
#include <string.h>
#include <stack>
#include <vector>
#include <map>
#include <algorithm>
#include <assert.h>

using namespace std;

typedef long long lld;

void solve() {
    int t;
    cin >> t;
    while (t--) {
        int n;
        cin >> n;
        for (int i = 0; i < n; ++i) {
            if (i < 2) cout << 1 << " " << (i + 1) << endl;
            else cout << (i + 1) << " " << (i + 1) << endl;
        }

        if (t)cout << endl;
    }
}


int main() {
    solve();
    return 0;
}
/*


 */

F

https://codeforces.com/contest/1968/problem/F

题目大意

对于1个数组,如果该可以分成k段(k>1),且每段的异或和都相等,则称为有趣数组。

现在给定一个数组a,问区间a[l…r]是否有趣。

解析

对于1个数组(长度大于1)来说,如果异或和为0,a1^ a2 ^ a3…^an=0那么显然可以分成2段
a2 ^ a3…^an=a1, 就是一个有趣数组。

如果a1^ a2 ^ a3…^an=x !=0, 则如果是一个有趣串,就要使得每一段的异或和为x, 更进一步只要分成三段即可。因为如果大于3段,可以把其中偶数段异或成0。

那么对于3段来说,只要查找到前后两段异或和为k的段就可以判断为有趣串。

在这里插入图片描述

所以问题就转化为一个查找问题。

先把所有异或前缀(后缀)和对应位置存储起来,用二分查找就可以快速找到。

代码

 
#include <iostream>
#include <stdio.h>
#include <queue>
#include <string.h>
#include <stack>
#include <vector>
#include <map>
#include <algorithm>
#include <assert.h>

using namespace std;

typedef long long lld;
const int N = 1e6+10;
int arr[N];
int arrright[N];

void solve() {
    int t;
    cin >> t;
    while (t--) {
        int q, n;
        cin >> n >> q;
        map<int, vector<int> > left, right;
        int sum = 0;
        for (int i = 0; i < n; ++i) {
            cin >> arr[i];
            sum ^= arr[i];
            left[sum].push_back(i);
        }

        for (int i = 0; i < n; ++i) {
            right[sum].push_back(i);
            arrright[i] = sum;
            sum ^= arr[i];
            if (i)arr[i] ^= arr[i - 1];
        }

        while (q--) {
            int l, r;
            cin >> l >> r;
            l--, r--;
            sum = arr[r];
            if (l)sum ^= arr[l - 1];
            if (sum == 0 && r > l) {
                cout << "YES" << endl;
                continue;
            }
            if (left[arr[r]].empty() || right[arrright[l]].empty()) {
                cout << "NO" << endl;
                continue;
            }
            //查找最左边
            auto itleft = lower_bound(left[arr[r]].begin(), left[arr[r]].end(), l);

            // 查找最右边
            auto itright = upper_bound(right[arrright[l]].begin(), right[arrright[l]].end(), r);
           /* cout << itright - right[arrright[l]].begin() << endl;
            cout << right[arrright[l]].size() << endl;
            cout << *(itright - 1) << endl;*/
            if (itleft != left[arr[r]].end() && itright!= right[arrright[l]].begin() && *itleft < *(itright-1)) {
                cout << "YES" << endl;
            }
            else cout << "NO" << endl;
        }

    }
}


int main() {
    solve();
    return 0;
}
/*
1 2 3 4 5 6 7 8 9 10 11
0 0 1 0 0 1 0 1 1 0  1
0 0 1 1 1 0 0 1 0 0 1
1 1 0 0 1 0 0 0 1 1 1


1
11 1
0 0 1 0 0 1 0 1 1 0  1
6 9




 */

G1

https://codeforces.com/contest/1968/problem/G1

题目大意

给定一个字符串s和数字k,问将字符串分成连续k段,公共前缀最长是多少。

题目分析

最长前缀数组
可以通过二分枚举长度l,然后查找s[0…l]在s中出现的次数,利用公共前缀数组实现每次判断为O(n), 整体复杂度为nlog(n)。

代码



#include <iostream>
#include <stdio.h>
#include <queue>
#include <string.h>
#include <stack>
#include <vector>
#include <map>
#include <algorithm>
#include <assert.h>

using namespace std;

typedef long long lld;


vector<int> Zfunc(string & str) {
	int n = str.size();
	vector<int>z(n);
	int l = 0, r = 0;
	for (int i = 1; i < n; i++) {
		if (i <= r) {
			z[i] = min(r - i + 1, z[i - l]);
		}
		while (i + z[i] < n && str[z[i]] == str[i + z[i]]) {
			z[i]++;
		}
		if (i + z[i] - 1 > r) {
			l = i;
			r = i + z[i] - 1;
		}
	}
	return z;
}

int getCnt(vector<int> Z, int len) {
	int cnt = 1;
	for (int i = len; i < Z.size();) {
		if (Z[i] >= len) {
			cnt++;
			i += len;
		}
		else i++;
	}
	return cnt;
}

void solve() {
	int t;
	cin >> t;
	while (t--) {
		int n, l, r;
		cin >> n >> l >> r;
		string s;
		cin >> s;
		auto Z = Zfunc(s);
		/*for (int z : Z)cout << z << " ";
		cout << endl;*/
		int left = 0, right = s.length() / l;
		while (left < right) {
			int mid = (left + right) / 2 + (left + right) % 2;
			if (getCnt(Z, mid) >= r) {
				left = mid;
			}
			else {
				right = mid - 1;
			}
		}

		cout << left << endl;

	}
}


int main() {
	solve();
	return 0;
}
/*
7
3 3 3
aba
3 3 3
aaa
7 2 2
abacaba
9 4 4
abababcab
10 1 1
codeforces
9 3 3
abafababa
5 3 3
zpozp


2
10 1 1
aaaaaaaaaa
10 1 1
abcdaabcda


 */

G2

https://codeforces.com/contest/1968/problem/G2

题目大意

该题是上一题的加强版本。

给定一个字符串s和数字l,r,问将字符串分成连续k段(k=l,l+1,l+2,…,r),公共前缀最长是多少。

题目分析

先求出k=1到s.length()的所有答案,用数组ans表示。

可以分段考虑,对于k<=sqrt(n), 可以按照题目一的做法,总复杂度为sqrt(n) n log(n)。

对于k>sqrt(n), 那么分段后的长度不会大于sqrt(n), 可以枚举l 从1到sqrt(n) 计算出最多可以分成多少段k,则ans[k]=l。

保险起见,最后做一遍最大值比较,ans[i-1]=max(ans[i-1], ans[i])。

代码


#include <iostream>
#include <stdio.h>
#include <queue>
#include <string.h>
#include <stack>
#include <vector>
#include <map>
#include <algorithm>
#include <cmath>

using namespace std;

typedef long long lld;


vector<int> Zfunc(string & str) {
	int n = str.size();
	vector<int>z(n);
	int l = 0, r = 0;
	for (int i = 1; i < n; i++) {
		if (i <= r) {
			z[i] = min(r - i + 1, z[i - l]);
		}
		while (i + z[i] < n && str[z[i]] == str[i + z[i]]) {
			z[i]++;
		}
		if (i + z[i] - 1 > r) {
			l = i;
			r = i + z[i] - 1;
		}
	}
	return z;
}

int getCnt(vector<int>& Z, int len) {
	int cnt = 1;
	for (int i = len; i < Z.size();) {
		if (Z[i] >= len) {
			cnt++;
			i += len;
		}
		else i++;
	}
	return cnt;
}

int getFix(vector<int >& Z, string &s, int k) {
	int left = 0, right = s.length() / k;
	while (left < right) {
		int mid = (left + right) / 2 + (left + right) % 2;
		if (getCnt(Z, mid) >= k) {
			left = mid;
		}
		else {
			right = mid - 1;
		}
	}

	return left;
}

void solve() {
	int t;
	cin >> t;
	while (t--) {
		int n, l, r;
		cin >> n >> l >> r;
		string s;
		cin >> s;
		auto Z = Zfunc(s);
		vector<int> ans(s.length() + 1, 0);
		int sl = sqrt(s.length()) + 0.5;
		for (int i = 1; i <= sl; ++i) {
			ans[i] = max(ans[i], getFix(Z, s, i));
			int k = getCnt(Z, i);
			ans[k] = max(ans[k], i);
		}

		for (int i = s.length()-1; i > 0; --i) {
			ans[i] = max(ans[i + 1], ans[i]);
		}


		for (; l <= r; ++l) {
			cout << ans[l] << " ";
		}
		cout << endl;
	}
}


int main() {
	solve();
	return 0;
}
/*
7
3 3 3
aba
3 3 3
aaa
7 2 2
abacaba
9 4 4
abababcab
10 1 1
codeforces
9 3 3
abafababa
5 3 3
zpozp


2
10 1 1
aaaaaaaaaa
10 1 1
abcdaabcda



7
3 1 3
aba
3 2 3
aaa
7 1 5
abacaba
9 1 6
abababcab
10 1 10
aaaaaaawac
9 1 9
abafababa
7 2 7
vvzvvvv

 */


本人码农,希望通过自己的分享,让大家更容易学懂计算机知识。创作不易,帮忙点击公众号的链接。

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

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

相关文章

【教学类-58-01】黑白三角拼图01(2*2宫格)256种

背景需求&#xff1a; 中班益智区素材&#xff1a;三角形变魔术 - 小红书自制益智区教玩具&#xff1a;三角形变魔术&#xff0c;共24题 玩法一&#xff1a;根据图示在空白格子里摆放。 玩法二&#xff1a;根据图示在空白格子里用黑笔涂。##自制玩具益智区 #幼儿园益智区 #中班…

Color预设颜色测试

"AliceBlue", "获取 ARGB 值为 的系统 #FFF0F8FF定义颜色。", "AntiqueWhite", "获取 ARGB 值为 的系统 #FFFAEBD7定义颜色。", "Aqua", "获取 ARGB 值为 的系统 #FF00FFFF定义颜色。", "Aquamarine"…

.NET File Upload

VS2022 .NET8 &#x1f4be;基础上传示例 view {ViewData["Title"] "File Upload"; }<h1>ViewData["Title"]</h1><form method"post" enctype"multipart/form-data" action"/Home/UploadFile"…

MacOS/Linux系统多Java环境切换

通常我们在进行Java项目开发时&#xff0c;会安装不同版本的JDK&#xff0c;那么这个时候又需要根据项目来使用不同的Java版本&#xff0c;那么怎么来切换昵 第一步&#xff1a; 首先找出系统中安装的所有版本的路径 /usr/libexec/java_home -V这里可以看出安装了三个java 版…

基础widgets

1.widgets_文本和字体 在flutter当中几乎所有的对象都是widget,他跟原生开发的控线不一样,flutter开发当中,widget的概念更广泛一点, 不仅可以表示ui元素,也可以表示一些功能性的组件,例如手势检测等 基础组件 文本和字体 对于html当中对应就是lab或者label或者span这样的行内元…

Python变量、注释与数据类型

大家好&#xff0c;Python 是一种强大而灵活的编程语言&#xff0c;被广泛用于各种领域&#xff0c;包括软件开发、数据分析、科学计算等。在 Python 中&#xff0c;变量、注释和数据类型是构建代码的基础&#xff0c;对于理解和掌握这些概念是至关重要的。本文将深入探讨 Pyth…

数据库系统概论(超详解!!!)第九节 嵌入式SQL

SQL语言提供了两种不同的使用方式 &#xff1a;交互式&#xff0c; 嵌入式。 SQL语言是非过程性语言 。事务处理应用需要高级语言。 这两种方式细节上有差别&#xff0c;在程序设计的环境下&#xff0c;SQL语句要做某些必要的扩充。 1.嵌入式SQL的处理过程 嵌入式SQL是将SQL…

SOA半导体光放大器及其应用

---翻译自Michael Connelly于2015年发表的文章 1.简介 在过去的二十五年里&#xff0c;光纤通信网络的部署和容量迅速增长。这种增长得益于新光电技术的发展&#xff0c;这些技术可用于利用光纤的巨大带宽。如今&#xff0c;运行的系统比特率已超过 100 Gb/s。光技术是全球信…

linux-x86_64-musl 里面的musl是什么意思?

在一些开源库里面可以看到&#xff0c;linux-x86_64-musl类似于这样的字符串&#xff0c;这个musl是什么意思呢&#xff1f; 在字符串 "linux-x86_64-musl" 中&#xff0c;musl 指的是 musl libc&#xff0c;这是一个轻量级的 C 标准库实现。 让我们来拆解一下这个字…

使用maven-helper插件解决jar包冲突

发现问题 maven-helper分析问题 如上所述&#xff0c;问题就是依赖版本冲突了&#xff0c;出现版本冲突的原因是因为由于Maven具有依赖传递性&#xff0c;所以当你引入一个依赖类的同时&#xff0c;其身后的依赖类也一起如过江之鲫纷至沓来了。 举个例子&#xff1a;   A依赖…

软件详细规划与设计概览(软件概要文档、详细设计文档)

1引言 1.1编写目的 1.2项目背景 1.3参考资料 2系统总体设计 2.1整体架构 2.2整体功能架构 2.3整体技术架构 2.4运行环境设计 2.5设计目标 3系统功能模块设计 3.1个人办公 4性能设计 4.1响应时间 4.2并发用户数 5接口设计 5.1接口设计原则 5.2接口实现方式 6运行设计 6.1运行模块…

扫描链接打开小程序配置-谁看谁迷糊

各位你们怎么理解这个规则&#xff1f;如果再多一条数据&#xff0c;和上面一样&#xff0c;只是测试范围为线上版本&#xff0c;又怎么解读&#xff1f; 反正以我对中文的掌握程度&#xff0c;我认为上面的规则是针对体验版的&#xff0c;符合规则的都跳转到体验版。新增的线上…

How to record real IP of user on nginx?

应用(Docker)使用WAF接入internet&#xff0c;nginx log 查不到用户的真实IP地址&#xff0c;于是修改nginx 设置&#xff0c;以下都是在linux下操作&#xff1a; 由于没有WAF权限&#xff0c;所以在 docker上启动了两个container&#xff0c;一个模拟WAF(r-proxy)&#xff0c…

mysql实战——mysql5.7升级到mysql8.0

1、上传mysql8.0压缩包到/usr/local目录下 tar -zxvf mysql-8.0.25-linux-glibc2.12-x86_64.tar.xz mv mysql-8.0.25-linux-glibc2.12-x86_64 mysql8 #更改文件夹所属 chown -R mysql.mysql /usr/local/mysql8/ 2、更改配置文件my.cnf vi /etc/my.cnf # 最后几个for8.0的参数要…

GEO数据挖掘-PCA、差异分析

From 生物技能树 GEO数据挖掘第二节 文章目录 探针注释自主注释流程(了解)PCA图、top1000基因热图探针注释查看示例代码 top 1000 sd 热图离散基因热图&#xff0c;top1000表达基因&#xff0c;只是看一下&#xff0c;不用放文章里 差异分析火山图差异基因热图转换id富集分析-K…

无人机集群路径规划:遗传算法求解无人机集群路径规划,提供MATLAB代码

一、单个无人机路径规划模型介绍 无人机三维路径规划是指在三维空间中为无人机规划一条合理的飞行路径&#xff0c;使其能够安全、高效地完成任务。路径规划是无人机自主飞行的关键技术之一&#xff0c;它可以通过算法和模型来确定无人机的航迹&#xff0c;以避开障碍物、优化…

基于springboot的毕业设计系统的开发源码

风定落花生&#xff0c;歌声逐流水&#xff0c;大家好我是风歌&#xff0c;混迹在java圈的辛苦码农。今天要和大家聊的是一款基于springboot的毕业设计系统的开发。项目源码以及部署相关请联系风歌&#xff0c;文末附上联系信息 。 项目简介&#xff1a; 毕业设计系统能够实现…

微软:最新ChatGPT-4o模型,可在 Azure OpenAI上使用

北京时间5月14日凌晨&#xff0c;OpenAI 一场不到 30 分钟的发布会&#xff0c;正式发布了 GPT-4o&#xff0c;视频语音交互丝滑到吓人&#xff0c;还即将免费可用&#xff01; GPT-4o&#xff0c;其中的「o」代表「omni」&#xff08;即全面、全能的意思&#xff09;&#xff…

和程序员de 相处之道

1、不要"一遇到问题就去找程序员" 通常&#xff0c;技术问题通过阅读使用说明就可以解决。比如你刚买了一个新的播放器&#xff0c;想要把它连接到你的电视&#xff0c;你只需要找到使用手册里关于如何连接接口的那一页即可。 错误信息通常会被很清晰地列出来。通过…

需不需要选数据结构和算法的课程?

网络工程是互联网方向&#xff1f; 不过如果你想走机器学习和大数据方向的话&#xff0c;数据结构以及算法应该说是必修了吧。刚好我有一些资料&#xff0c;是我根据网友给的问题精心整理了一份「数据结构的资料从专业入门到高级教程」&#xff0c; 点个关注在评论区回复“88…