北京化工大学数据结构2022/11/3作业 题解

news2024/11/27 4:29:18

目录

问题 A: 二叉树非递归前序遍历-附加代码模式

问题 B: 二叉树非递归中序遍历-附加代码模式

问题 C: 二叉树非递归后序遍历-附加代码模式

问题 D: 求二叉树中序遍历序根节点的下标

问题 E: 根据前序+中序还原二叉树

问题 F: 算法6-12:自底向上的赫夫曼编码

问题 G: 视频合并问题

问题 H: 二叉树实现的简单物种识别系统-附加代码模式

问题 I: 静态链表存储的二叉树查找根节点

问题 J: 基础实验4-2.1:树的同构

问题 K: 哈夫曼树--查找值最小的两个叶节点

问题 L: 静态链表存储的二叉树的非递归遍历算法-附加代码模式


考是考完了但是。。。懒

文字部分能不能小小的鸽一次(QAQ)

题外话(快一个月之前因为忘记做核酸然后被迫出校做核酸,

晴导当时说找谈话)

之后一直鸽以为过久了就忘了

没想到他今天居然想起来了!

 

 

 全当看个乐呵,大家别忘做核酸

问题 A: 二叉树非递归前序遍历-附加代码模式

#include <bits/stdc++.h>
using namespace std;
 
struct BiNode
{
    string data;
    BiNode *lchild, *rchild;
};
typedef BiNode *BiTree;
int InitBiTree(BiTree &T)
{
    T = NULL;
    return 0;
}
string PreTraverse_nonRec(BiTree T)
{
    stack<BiTree> q;
    string result = "";
    BiTree temp;
    if (T!=NULL) q.push(T);
    while(!q.empty())
    {
        temp=q.top();
        q.pop();
        result=result+temp->data;
        if(temp->rchild!=NULL) q.push(temp->rchild);
        if(temp->lchild!=NULL) q.push(temp->lchild);
    }
    return result;
}
char *CreateBiTree(BiTree &T, char *str)
{
    if (*str == '#')
    {
        T = NULL;
        return str + 1;
    }
    T = new BiNode;
    T->data = *str;
 
    // 继续输入并构造左子树和右子树
    char * strAfterLeft = CreateBiTree(T->lchild, str + 1);
    char * strAfterRight = CreateBiTree(T->rchild, strAfterLeft);
    return strAfterRight;
}
 
int PreTraverse(BiTree T){
    if (T == NULL) return 0;
    cout << T->data;
    PreTraverse(T->lchild);
    PreTraverse(T->rchild);
    return 0;
}
 
int DestroyBiTree(BiTree &T){
    if (T == NULL) return 0;
    DestroyBiTree(T->lchild);
    DestroyBiTree(T->rchild);
    delete T;
    T = NULL;
    return 0;
}

问题 B: 二叉树非递归中序遍历-附加代码模式

#include <bits/stdc++.h>
using namespace std;
struct BiNode
{
    string data;
    BiNode* lchild, * rchild;
};
typedef BiNode* BiTree;
int InitBiTree(BiTree& T)
{
    T = NULL;
    return 0;
}
string InTraverse_nonRec(BiTree T)
{
    string result = "";
    stack<BiTree> s;
    BiTree p = T;
    while (p != NULL || !s.empty())
    {
        while (p != NULL)
        {
            s.push(p);
            p = p->lchild;
        }
        if (!s.empty())
        {
            p = s.top();
            result += p->data;
            s.pop();
            p = p->rchild;
        }
    }
    return result;
}
char* CreateBiTree(BiTree& T, char* str)
{
    if (*str == '#')
    {
        T = NULL;
        return str + 1;
    }
    T = new BiNode;
    T->data = *str;
    char* strAfterLeft = CreateBiTree(T->lchild, str + 1);
    char* strAfterRight = CreateBiTree(T->rchild, strAfterLeft);

    return strAfterRight;
}
 
int InTraverse(BiTree T) {
    if (T == NULL) return 0;
    InTraverse(T->lchild);
    cout << T->data;
    InTraverse(T->rchild);
    return 0;
}
 
int DestroyBiTree(BiTree& T) {
    if (T == NULL) return 0;
    DestroyBiTree(T->lchild);
    DestroyBiTree(T->rchild);
    delete T;
    T = NULL;
    return 0;
}

问题 C: 二叉树非递归后序遍历-附加代码模式

#include <bits/stdc++.h>
using namespace std;
struct BiNode
{
    string data;
    BiNode* lchild, * rchild;
};
typedef BiNode* BiTree;
 
int InitBiTree(BiTree& T)
{
    T = NULL;
    return 0;
}
 
string SucTraverse_nonRec(BiTree T)
{
    string result="";
    stack<BiTree> s;
    BiTree cur=T;
    BiTree prev=NULL;
    while(cur!=NULL || !s.empty()){
        while(cur!=NULL){
            s.push(cur);
            cur=cur->lchild;
        }
        BiTree top=s.top();
        if(top->rchild==NULL || top->rchild==prev){
            result+=top->data;
            s.pop();
            prev=top;
        }
        else{
            cur=top->rchild;
        }
    }
    return result;
}
char* CreateBiTree(BiTree& T, char* str)
{
    if (*str == '#')
    {
        T = NULL;
        return str + 1;
    }
 
    T = new BiNode;
    T->data = *str;
    char* strAfterLeft = CreateBiTree(T->lchild, str + 1);
    char* strAfterRight = CreateBiTree(T->rchild, strAfterLeft);
 
    return strAfterRight;
}
 
int SucTraverse(BiTree T) {
    if (T == NULL) return 0;
    SucTraverse(T->lchild);
    SucTraverse(T->rchild);
    cout << T->data;
    return 0;
}
 
int DestroyBiTree(BiTree& T) {
    if (T == NULL) return 0;
    DestroyBiTree(T->lchild);
    DestroyBiTree(T->rchild);
    delete T;
    T = NULL;
    return 0;
}
// int main(){
//     // char *str = "abd###ceg##h##f#i##";
//     char str[2000];
//     while(cin >> str)
//     {
//         BiTree tree;
//         InitBiTree(tree);
//         // 根据带空节点的前序遍历字符串构造二叉树
//         CreateBiTree(tree, str);
//         // 后序遍历递归算法
//         SucTraverse(tree);
//         cout << endl;
//         // 后序遍历非递归算法
//         string result = SucTraverse_nonRec(tree);
//         cout << result << endl;
//         DestroyBiTree(tree);
//     }
//     return 0;
// }

问题 D: 求二叉树中序遍历序根节点的下标

#include <bits/stdc++.h>
#define int long long
#define pb push_back
#define fer(i,a,b) for(int i=a;i<=b;++i)
#define der(i,a,b) for(int i=a;i>=b;--i)
#define all(x) (x).begin(),(x).end()
#define pll pair<int,int>
#define et  cout<<'\n'
#define xx first
#define yy second
using namespace std;
template <typename _Tp>void input(_Tp &x){
    char ch(getchar());bool f(false);while(!isdigit(ch))f|=ch==45,ch=getchar();
    x=ch&15,ch=getchar();while(isdigit(ch))x=x*10+(ch&15),ch=getchar();
    if(f)x=-x;
}
template <typename _Tp,typename... Args>void input(_Tp &t,Args &...args){input(t);input(args...);}
const int N=1e6+10;
signed main()
{
    string a,b;
    while(cin>>a>>b){
        cout<<b.find(a[0])<<endl;
    }

}

问题 E: 根据前序+中序还原二叉树

#include <bits/stdc++.h>
#define int long long
#define pb push_back
#define fer(i,a,b) for(int i=a;i<=b;++i)
#define der(i,a,b) for(int i=a;i>=b;--i)
#define all(x) (x).begin(),(x).end()
#define pll pair<int,int>
#define et  cout<<'\n'
#define xx first
#define yy second
using namespace std;
template <typename _Tp>void input(_Tp &x){
    char ch(getchar());bool f(false);while(!isdigit(ch))f|=ch==45,ch=getchar();
    x=ch&15,ch=getchar();while(isdigit(ch))x=x*10+(ch&15),ch=getchar();
    if(f)x=-x;
}
template <typename _Tp,typename... Args>void input(_Tp &t,Args &...args){input(t);input(args...);}
signed main()
{
    function<void(string,string)> post1=[&](string a,string b){
        int l=a.length();
        if(l==0) return;
        if(l==1)
        {
            cout<<a[0];
            return;
        }
        int p=b.find(a[0]);  
        post1(a.substr(1,p),b.substr(0,p));
        post1(a.substr(p+1,l-p-1),b.substr(p+1,l-p-1));
        cout<<a[0]; 
    };
    string a,b;
    while(cin>>a>>b)
    {
        post1(a,b);
        cout<<'\n'; 
    }
}

问题 F: 算法6-12:自底向上的赫夫曼编码

#include<bits/stdc++.h>
using namespace std;
typedef struct {
    int parent;
    int weight;
    int lch;
    int rch;
}Huffnode;
Huffnode h[205];
typedef struct {
    char code[15];
}Hufftree; 
Hufftree hcd[102];
int CreateHufftree(Huffnode hn[],int n)
{
    for(int i=n;i<2*n-1;i++)
    h[i].weight=0;
    for(int i=0;i<2*n-1;i++)
    h[i].parent=h[i].lch=h[i].rch=-1;
     
    for(int i=n;i<2*n-1;i++)
    {
        int min1=INT_MAX,min2=INT_MAX;
        int index1,index2;
        for(int j=0;j<i;j++)
        {
            if(h[j].weight<min1&&h[j].parent==-1)
            {
                min1=h[j].weight;
                index1=j;
            }
        }
        h[index1].parent=i;
        for(int j=0;j<i;j++)
        {
            if(h[j].weight<min2&&h[j].parent==-1)
            {
                min2=h[j].weight;
                index2=j;
            }
        }
        h[index2].parent=i;
        if(index1>index2)
        {
            swap(min1,min2);
            swap(index1,index2);
        }
        h[i].weight=min1+min2;
        h[i].lch=index1;
        h[i].rch=index2;
    }
    return 0;
}
int Createhuffcode(Huffnode h[],Hufftree hcd[],int n)
{
    int head=0;
    char s[15];
    for(int i=0;i<n;i++)
    {
        int par=h[i].parent;
        int j=i;
        while(par!=-1)
        {
            if(h[par].lch==j) s[head]='0';
            else s[head]='1';
            head++;
            j=par;
            par=h[par].parent; 
        }
        int k=0;
        while(head>0)
        {
            head--;
            hcd[i].code[k]=s[head];
            k++;
        }
        cout<<hcd[i].code<<endl;
        head=0;
    }
    return 0;
}
int main()
{
    int n;
    while(cin>>n)
    {
        for(int i=0;i<n;i++)
        cin>>h[i].weight;
        CreateHufftree(h,n);
        Createhuffcode(h,hcd,n);
    }
}

问题 G: 视频合并问题

#include <bits/stdc++.h>
#define int long long
#define pb push_back
#define fer(i,a,b) for(int i=a;i<=b;++i)
#define der(i,a,b) for(int i=a;i>=b;--i)
#define all(x) (x).begin(),(x).end()
#define pll pair<int,int>
#define et  cout<<'\n'
#define xx first
#define yy second
using namespace std;
template <typename _Tp>void input(_Tp &x){
    char ch(getchar());bool f(false);while(!isdigit(ch))f|=ch==45,ch=getchar();
    x=ch&15,ch=getchar();while(isdigit(ch))x=x*10+(ch&15),ch=getchar();
    if(f)x=-x;
}
template <typename _Tp,typename... Args>void input(_Tp &t,Args &...args){input(t);input(args...);}
const int N=100010;
int a[N];
signed main(){
    int n,x,res=0;
    priority_queue<int,vector<int>,greater<int> >heap;
    cin>>n;
    while(n--){
        cin>>x;
        heap.push(x);
    }
    while(heap.size()>1){
        int a=heap.top();
        heap.pop();
        int b=heap.top();
        heap.pop();
        res+=(a+b);
        heap.push(a+b);
    }
    cout<<res;
    return 0;
}

问题 H: 二叉树实现的简单物种识别系统-附加代码模式

#include <bits/stdc++.h>
using namespace std;
 
struct BiNode
{
    string data;
    BiNode *lchild, *rchild;
};
typedef BiNode *BiTree;
 
int InitBiTree(BiTree &T)
{
    T = NULL;
    return 0;
}
 
 
BiNode *StartRecognize(BiTree T)
{
    BiTree p=T;
    char c;
    for(int i=0;i<2;i++){
        cin>>c;
        if(c=='y'||c=='Y'){
            p=p->rchild;
        }else{
            p=p->lchild;
        }
    }
    return p;
}
 
BiNode* getNode(string data){
    BiNode* node = new BiNode();
    node->data = data;
    node->lchild = node->rchild = nullptr;
}

数据的同学强烈建议python+if

a = input()
b = input()
if a == 'y' or a =='Y':
    if b == 'y' or b =='Y':
        print("the answer is:eagle")
    else:
        print("the answer is:swallow")
else:
    if b == 'y' or b =='Y':
        print("the answer is:tiger")
    else:
        print("the answer is:rabbit")

问题 I: 静态链表存储的二叉树查找根节点

#include <bits/stdc++.h>
#define int long long
#define pb push_back
#define fer(i,a,b) for(int i=a;i<=b;++i)
#define der(i,a,b) for(int i=a;i>=b;--i)
#define all(x) (x).begin(),(x).end()
#define pll pair<int,int>
#define et  cout<<'\n'
#define xx first
#define yy second
using namespace std;
template <typename _Tp>void input(_Tp &x){
    char ch(getchar());bool f(false);while(!isdigit(ch))f|=ch==45,ch=getchar();
    x=ch&15,ch=getchar();while(isdigit(ch))x=x*10+(ch&15),ch=getchar();
    if(f)x=-x;
}
template <typename _Tp,typename... Args>void input(_Tp &t,Args &...args){input(t);input(args...);}
const int N=1e6+10;
int s1[N];
char s2[N];
signed main(){
    int T=2;
    while(T--)
    {
        memset(s1,0,sizeof s1);
        int n;
        cin>>n;
        fer(j,0,n-1)
        {
            cin>>s2[j];
            char a,b; 
            cin>>a>>b;
            if (a != '-')  
                s1[a - '0']++;
            if (b != '-')  
                s1[b - '0']++;
        }
        fer(j,0,n-1)
        {
            if(s1[j]==0) 
            {
                cout<<s2[j]<<endl;
                break;
            }
        }
    }
}

问题 J: 基础实验4-2.1:树的同构

#include<bits/stdc++.h>
using namespace std;
struct TreeNode{
    char data;
    int left;
    int right;
}T1[10],T2[10];
int a[100];
int BuildTree(TreeNode T[])
{
    memset(a,0,sizeof a);
    int n;
    int root=-1;
    cin>>n;
    for(int i=0;i<n;i++)
    {   char cl,cr;
        cin>>T[i].data>>cl>>cr;
        if(cl!='-')
        {
            T[i].left=cl-'0';
            a[cl-'0']=1;
        }
        else{
            T[i].left=-1;
        }
        if(cr!='-')
        {
            T[i].right=cr-'0';
            a[cr-'0']=1;
        }
        else{
            T[i].right=-1;
        } 
    }
    for(int i=0;i<n;i++)
    {
        if(a[i]==0)
        {
            root=i;
            break;
        }
    }
    return root;
}
int judge(int R1,int R2)
{
    if(R1==-1&&R2==-1){
        return 1;
    }
    if((R1==-1&&R2!=-1)||(R1!=-1&&R2==-1)){
        return 0;
    }
    if((R1!=-1&&R2!=-1)&&T1[R1].data!=T2[R2].data){
        return 0; 
    }
    if(T1[R1].left==-1&&T2[R2].left==-1){
        return judge(T1[R1].right,T2[R2].right);
    }
    if((T1[R1].left!=-1&&T2[R2].left!=-1)&&T1[T1[R1].left].data==T2[T2[R2].left].data){
        return judge(T1[R1].left,T2[R2].left)&&judge(T1[R1].right,T2[R2].right);
    }
    else{
        return judge(T1[R1].left,T2[R2].right)&&judge(T1[R1].right,T2[R2].left);
    }
}
int main()
{
    int root1=BuildTree(T1);
    int root2=BuildTree(T2);
    if(judge(root1,root2))
    {
        cout<<"Yes";
    }
    else{
        cout<<"No";
    }
}

问题 K: 哈夫曼树--查找值最小的两个叶节点

#include <bits/stdc++.h>
#define int long long
#define pb push_back
#define fer(i,a,b) for(int i=a;i<=b;++i)
#define der(i,a,b) for(int i=a;i>=b;--i)
#define all(x) (x).begin(),(x).end()
#define pll pair<int,int>
#define et  cout<<'\n'
#define xx first
#define yy second
using namespace std;
template <typename _Tp>void input(_Tp &x){
    char ch(getchar());bool f(false);while(!isdigit(ch))f|=ch==45,ch=getchar();
    x=ch&15,ch=getchar();while(isdigit(ch))x=x*10+(ch&15),ch=getchar();
    if(f)x=-x;
}
template <typename _Tp,typename... Args>void input(_Tp &t,Args &...args){input(t);input(args...);}
const int N=1e6+10;
pll a[N];
signed main(){
    int n;
    cin>>n;
    fer(i,1,n){
        cin>>a[i].first;
        a[i].second=i-1;
    }
    sort(a+1,a+1+n);
    cout<<a[1].second<<" "<<a[2].second;
}

问题 L: 静态链表存储的二叉树的非递归遍历算法-附加代码模式

#include <bits/stdc++.h>
using namespace std;
 
struct BiNode
{
    char data;
    char lchild;
    char rchild;
    int flag = 0;
};
 
struct BiTree
{
    int nodeNumber;
    BiNode data[10];
    int rootIndex; 
};
 
void FindRootIndex(BiTree & T){
    vector<char> v;
    for (int i = 0; i < T.nodeNumber; ++i) {
        if (T.data[i].lchild != '-') v.push_back(T.data[i].lchild-'0');
        if (T.data[i].rchild != '-') v.push_back(T.data[i].rchild-'0');
    }
    for (int i = 0; i < T.nodeNumber; ++i) {
        if (find(v.begin(), v.end(), i) == v.end())
        {
            T.rootIndex = i;
            return;
        }
    }
}

string getPreTraverseStr(const BiTree & T){
    if (T.nodeNumber <= 0) return "";
    string s;
    stack<BiNode> sta;
    sta.push(T.data[T.rootIndex]);
    while (!sta.empty())
    {
       BiNode t;
       t = sta.top();
       sta.pop();
       s += t.data;
       if (t.rchild != '-') sta.push(T.data[t.rchild-'0']);
       if (t.lchild != '-') sta.push(T.data[t.lchild-'0']);
    }
    return s;
}

string getInTraverseStr(const BiTree & T){
    if (T.nodeNumber <= 0) return "";
    string s;
    stack<BiNode> sta;
    sta.push(T.data[T.rootIndex]);
    while (!sta.empty())
    {
        if (sta.top().flag == 0) {
            sta.top().flag++;
            if (sta.top().lchild != '-') {
                sta.push(T.data[sta.top().lchild - '0']);
            }
        }
        else
        {
            BiNode t;
            t = sta.top();
            sta.pop();
            s += t.data;
            if (t.rchild != '-')
            {
                sta.push(T.data[t.rchild-'0']);
            }
        }
 
    }
    return s;
}

string getSucTraverseStr(const BiTree & T){
    if (T.nodeNumber <= 0) return "";
    string s;
    stack<BiNode> sta;
    sta.push(T.data[T.rootIndex]);
    while (!sta.empty())
    {
        if (sta.top().flag == 0)
        {
            sta.top().flag++;
            if (sta.top().lchild != '-')
            {
                sta.push(T.data[sta.top().lchild-'0']);
            }
        }
        else if (sta.top().flag == 1)
        {
            sta.top().flag++;
            if (sta.top().rchild != '-')
            {
                sta.push(T.data[sta.top().rchild-'0']);
            }
        }
        else
        {
            s += sta.top().data;
            sta.pop();
        }
    }
    return s;
}

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

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

相关文章

ServletConfig和ServletContext接口

一、ServletConfig接口详解 1、简介 Servlet 容器初始化 Servlet 时&#xff0c;会为这个 Servlet 创建一个 ServletConfig 对象&#xff0c;并将 ServletConfig 对象作为参数传递给 Servlet 。通过 ServletConfig 对象即可获得当前 Servlet 的初始化参数信息。一个 Web 应用中…

微电网优化调度(风、光、储能、柴油机)(Python代码实现)

&#x1f4a5;&#x1f4a5;&#x1f4a5;&#x1f49e;&#x1f49e;&#x1f49e;欢迎来到本博客❤️❤️❤️&#x1f4a5;&#x1f4a5;&#x1f4a5; ​ &#x1f3c6;博主优势&#xff1a;&#x1f31e;&#x1f31e;&#x1f31e;博客内容尽量做到思维缜密&#xff0c;逻…

【Linux命令】文件和目录权限

【Linux命令】文件和目录权限 权限查看 众所周知&#xff0c;可以使用 ls -l 来查看文件和目录的详细信息&#xff0c;那么输出的东西是什么呢&#xff1f; 我们先来看 文件类型&#xff1a; -&#xff1a;普通文件&#xff1b;d&#xff1a;目录文件&#xff1b;b&#xff…

网络协议:TCP三次握手与四次挥手

本篇内容包括&#xff1a;TCP/IP 传输协议&#xff08;TCP/IP 传输协议简介&#xff0c;IP 协议&#xff0c;UDP 协议&#xff0c;TCP 协议介绍&#xff09;&#xff0c;TCP 的三次握手、TCP 的四次挥手 以及 TCP 协议是怎么保证有效传输等内容。 一、TCP/IP 传输协议 1、TCP/…

【仿牛客网笔记】 Redis,一站式高性能存储方案——Redis入门

Redis可以开发对性能要求较高的功能。还可以利用Redis重构我们现有的功能。 NoSQL关系型数据库之外的统称。 快照有称为RDB 以快照的形式 不适合实时的去做&#xff0c;适合一段时间做一次。 日志又称AOF 以日志的形式每执行一次就存入到硬盘中&#xff0c;可以做到实时的存储以…

JAVA外卖订餐系统毕业设计 开题报告

本文给出的java毕业设计开题报告&#xff0c;仅供参考&#xff01;&#xff08;具体模板和要求按照自己学校给的要求修改&#xff09; 选题目的和意义 目的&#xff1a;本课题主要目标是设计并能够实现一个基于java的外卖点菜系统&#xff0c;管理员通过后台添加菜品&#xf…

卷积神经网络CNN

卷积神经网络CNN CNN通常用于影像处理 为什么需要CNN 为什么需要CNN&#xff0c;我用普通的fully connected的反向传播网络进行图像训练会怎样 需要过多参数 假设一张彩色的图为100100的&#xff0c;那么像素点就是1001003&#xff0c;那么输入层为三万维 假设下一层隐含层有…

移动Web:Less 预处理及Koala工具

css 预处理器&#xff0c;后缀名为 .less。 less 代码无法被浏览器识别&#xff0c;实际开发需要转换成 css&#xff0c;使用 liink 标签引入 css 文件。 插件工具 Easy Less VS Code 内置插件&#xff08;less 文件保存自动生成 css 文件&#xff09; 更改编译后 css 存储路径…

华清远见11.7

系统移植开发阶段部署 1.准备文件&#xff0c;由于内核只支持安全的启动模式&#xff0c;要准备u-boot镜像文件u-boot-stm32mp157a-fsmp1a-trusted.stm32 TF-A镜像文件tf-a-stm32mp157a-fsmp1a-trusted.stm32 linux内核镜像文件uImage和stm32mp157a-fsmp1a.dtb 根文件系统r…

QT 中多线程实现方法总结

第一&#xff1a; 用QtConcurrentRun类&#xff0c;适合在另一个线程中运行一个函数。不用继承类&#xff0c;很方便 第二&#xff1a;用QRunnable和QThreadPool结合。继承QRunnable&#xff0c;重写run函数&#xff0c;然后用QThreadPool运行这个线程。缺点是不能使用信号和槽…

html5 -- canvas使用(1)

canvas 设置canvas标签 添加宽高 默认单位为px <!DOCTYPE html> <html lang"en"><head><meta charset"UTF-8" /><meta http-equiv"X-UA-Compatible" content"IEedge" /><meta name"viewport&…

荧光标记氨基酸:荧光标记DL-天门冬氨酸,荧光标记甘氨酸-DL-天冬氨酸,DL aspartic acid labeled

产品名称&#xff1a;荧光标记甘氨酸-DL-天冬氨酸&#xff0c;DL aspartic acid labeled 甘氨酸-DL-天冬氨酸是一种化学物质&#xff0c;化学式是C6H10N2O5&#xff0c;分子量是208.17。 DL-天门冬氨酸(DL-Asp)在医药方面有着重要的用途,可用于合成DL-天门冬氨酸钾镁盐(脉安定…

云原生之K8s—yaml文件

目录 一、K8S支持的文件格式 1、yaml和json的主要区别 二、YAML 2.1、查看API资源版本标签 2.2、编写资源配置清单 编写nginx-test.yaml资源配置清单 创建资源对象 查看创建的pod资源 创建资源对象 网页访问一下 K8S中的port概述 创建yaml文件模板 查看生成yaml格式…

【python的静态方法,classmethod方法和__call___魔法方法】

classmethod魔法方法和staticmethodstaticmethod&#xff0c;静态方法classmethod&#xff0c;绑定类方法__call__&#xff0c;可调用类类方法staticmethod&#xff0c;静态方法 在python中&#xff0c;使用静态方法可以实现不需要实例化对象的绑定就可以直接调用的函数&#…

Linux系统编程·进程概念

你好&#xff0c;我是安然无虞。 文章目录自学网站上文回顾进程控制块—PCB查看进程初识系统调用初始fork函数练习题自学网站 推荐给老铁们两款学习网站&#xff1a; 面试利器&算法学习&#xff1a;牛客网 风趣幽默的学人工智能&#xff1a;人工智能学习 首个付费专栏&…

添加滚动彩色提醒通知公告代码

分享一个动态的滚动多样化的彩色提醒通知公告&#xff0c;代码是自适应的&#xff0c;放在很多地方都可以用&#xff0c;在wordpress、emlog等建站cms中&#xff0c;都可以在自定义侧边栏中&#xff0c;用来网站、博客的美化也是非常不错的选择。 使用说明: wordpress&#xff…

网络编程04-UDP的广播、组播

目录 一、UDP广播通信 1、什么是广播 2、特点 3、广播地址 4、实现广播的过程&#xff08;一定是使用UDP协议&#xff09; 广播发送端 广播接收方 练习1&#xff1a; 把广播通信进行实现 发送端 接收端 二、UDP组播&#xff08;群聊&#xff09; 1、概念 2、组播特…

(最新版2022版)剑指offer之动态规划题解

&#xff08;最新版2022版&#xff09;剑指offer之动态规划题解[剑指 Offer 42. 连续子数组的最大和][剑指 Offer 47. 礼物的最大价值][剑指 Offer 46. 把数字翻译成字符串][剑指 Offer 48. 最长不含重复字符的子字符][剑指 Offer 48. 矩形覆盖][剑指 Offer 买卖股票的最好时机…

小侃设计模式(五)-建造者模式与模板方法模式

1.概述 建造者模式&#xff08;Builder Pattern&#xff09;又叫生成器模式&#xff0c;是一种对象构建模式&#xff0c;它可以将复杂对象的建造过程抽象出来&#xff08;抽象类别&#xff09;&#xff0c;这个抽象过程的不同实现方法可以构造出不同表现&#xff08;属性&…

家庭主妇问题

一 问题描述 X 村的人们住在美丽的小屋里。若两个小屋通过双向道路连接&#xff0c;则可以说这两个小屋直接相连。X 村非常特别&#xff0c;可以从任意小屋到达任意其他小屋&#xff0c;每两个小屋之间的路线都是唯一的。温迪的孩子喜欢去找其他孩子玩&#xff0c;然后打电话给…