算法笔试面试高频题之-一(小试牛刀)

题目1

有一棵二叉树,请设计一个算法,按照层次打印这棵二叉树。

给定二叉树的根结点root,请返回打印结果,结果按照每一层一个数组进行储存,所有数组的顺序按照层数从上往下,且每一层的数组内元素按照从左往右排列。保证结点数小于等于500。

主要思想

先设定两个指针last指向当前一层的最后一个节点,nlast指向下一层的最后一个节点。遍历二叉树,当当前的指针到达last时说明一层已经搜索完毕,保存这一层的数据,然后把nlast赋给last,从下一层进行搜索并不断更新nlast。

答案

/*
struct TreeNode {
    int val;
    struct TreeNode *left;
    struct TreeNode *right;
    TreeNode(int x) :
            val(x), left(NULL), right(NULL) {
    }
};*/

class TreePrinter {
public:
    vector<vector<int> > printTree(TreeNode* root) {
        // write code here
        TreeNode *last, *nlast;  //当当前层和下一层的最后一个节点
        TreeNode *current;   //搜索时当前的节点
        vector<int> v;  // 存储一层的数据
        vector<vector<int>> result; //按层存储的结果
        queue q;  //用队列来存储二叉树的数据
        last = root;    //初始化
        nlast = root;
        q.push(root);
        while(!q.empty()){  //队列不为空一直循环
            current = q.front();    //取最前面的字符
            v.push_back(current->val);
            if(current->left != NULL){
                q.push(current->left);
                nlast = current->left;              
            }
            if(current->right != NULL){
                q.push(current -> right);
                nlast = current-> right;
            }
            if(current == last){
                last = nlast;
                result.push_back(v);
                v.clear();
            }
            q.pop();

        }
        return result;

    }
};

题目2

如果对于一个字符串A,将A的前面任意一部分挪到后边去形成的字符串称为A的旋转词。比如A=”12345”,A的旋转词有”12345”,”23451”,”34512”,”45123”和”51234”。对于两个字符串A和B,请判断A和B是否互为旋转词。

给定两个字符串A和B及他们的长度lena,lenb,请返回一个bool值,代表他们是否互为旋转词。

主要思想

判断一个字符串是否是另一个字符串的旋转词,只需要把这个字符串首尾相接,然后判断另一个字符串是否包含于连接的字符串即可。

代码

class Rotation {
public:
    bool chkRotation(string A, int lena, string B, int lenb) {
        // write code here
        if (lena != lenb) return false;
        else if(lena == lenb){

            string AA = A+A;
            //如果B不包含在AA中,下式不成立
            if (AA.find(B) != string::npos){
                return true;
            }

        }  
        return false ;
    }
};

你可能感兴趣的:(算法刷题)