当前位置: 首页 > news >正文

个人怎么做网站优化wordpress签到积分

个人怎么做网站优化,wordpress签到积分,wordpress 显示视频,哪个网站做的系统好用手撕高频结构 前言 以下内容#xff0c;都是博主在秋招面试中#xff0c;遇到的面试手撕代码题目#xff0c;不同于算法题目#xff0c;更多考察的是基础知识#xff0c;包含常见的数据结构比如线性表、哈希表、优先级队列等#xff0c;还有多线程以及数据库连接池等内… 手撕高频结构 前言 以下内容都是博主在秋招面试中遇到的面试手撕代码题目不同于算法题目更多考察的是基础知识包含常见的数据结构比如线性表、哈希表、优先级队列等还有多线程以及数据库连接池等内容。 1、ArrayList 实现了ArrayList的基本功能包括随机访问和自动扩容。 添加元素时如果数组容量不足会自动扩容避免频繁的手动扩展操作。 能够处理常见的越界检查、扩容和元素添加。 public class MyArrayListT {private T[] elements; // 用于存储元素的数组private int size; // 当前ArrayList中实际元素的个数// 默认初始容量private static final int DEFAULT_CAPACITY 10;// 无参构造函数使用默认初始容量public MyArrayList() {elements (T[]) new Object[DEFAULT_CAPACITY];size 0;}// 带初始容量的构造函数public MyArrayList(int initialCapacity) {if (initialCapacity 0) {throw new IllegalArgumentException(初始容量必须大于0);}elements (T[]) new Object[initialCapacity];size 0;}// 添加元素方法自动扩容public void add(T element) {ensureCapacity(); // 检查是否需要扩容elements[size] element; // 将元素添加到数组中并更新size}// 获取元素方法根据索引随机访问元素public T get(int index) {checkIndex(index); // 检查索引是否越界return elements[index];}// 返回当前ArrayList的大小public int size() {return size;}// 扩容方法将数组容量增加1.5倍private void ensureCapacity() {if (size elements.length) {int newCapacity elements.length * 1.5;elements Arrays.copyOf(elements, newCapacity); // 扩容}}// 检查索引是否越界的方法private void checkIndex(int index) {if (index 0 || index size) {throw new IndexOutOfBoundsException(索引超出范围: index);}}// 重写toString方法方便输出查看Overridepublic String toString() {return Arrays.toString(Arrays.copyOf(elements, size));}// 测试MyArrayList的功能public static void main(String[] args) {MyArrayListInteger list new MyArrayList();// 添加元素list.add(10);list.add(20);list.add(30);list.add(40);// 打印列表System.out.println(ArrayList内容: list);// 随机访问元素System.out.println(索引1的元素: list.get(1));// 添加更多元素测试扩容for (int i 0; i 10; i) {list.add(i * 10);}// 打印扩容后的列表System.out.println(扩容后的ArrayList内容: list);System.out.println(ArrayList大小: list.size());} }2、LinkedList 底层是链表 public class MyLinkedList {// 链表节点类static class Node {int data; // 节点的数据Node next; // 指向下一个节点的指针// 构造函数public Node(int data) {this.data data;this.next null;}}private Node head; // 链表的头节点// 构造函数初始化空链表public MyLinkedList() {this.head null;}// 1. 在链表的头部插入节点public void addFirst(int data) {Node newNode new Node(data);newNode.next head; // 新节点指向当前头节点head newNode; // 头节点更新为新节点}// 2. 在链表的尾部插入节点public void addLast(int data) {Node newNode new Node(data);if (head null) {head newNode; // 如果链表为空则新节点为头节点} else {Node cur head;while (cur.next ! null) {cur cur.next; // 找到最后一个节点}cur.next newNode; // 将新节点插入到最后}}// 3. 查找链表中是否存在某个数据public boolean contains(int key) {Node cur head;while (cur ! null) {if (cur.data key) {return true; // 找到返回 true}cur cur.next;}return false; // 未找到返回 false}// 4. 删除链表中首次出现的指定数据public void remove(int key) {if (head null) {return; // 链表为空直接返回}// 如果删除的是头节点if (head.data key) {head head.next; // 头节点指向下一个节点return;}// 遍历链表找到要删除的节点Node prev null;Node cur head;while (cur ! null cur.data ! key) {prev cur;cur cur.next;}// 如果找到要删除的节点if (cur ! null) {prev.next cur.next; // 前一个节点的 next 指向当前节点的下一个节点}}// 5. 获取链表的长度public int size() {int count 0;Node cur head;while (cur ! null) {count;cur cur.next;}return count;}// 6. 打印链表public void printList() {Node cur head;while (cur ! null) {System.out.print(cur.data - );cur cur.next;}System.out.println(null);}// 7. 清空链表public void clear() {head null;}// 测试代码public static void main(String[] args) {MyLinkedList list new MyLinkedList();list.addFirst(1);list.addFirst(2);list.addLast(3);list.addLast(4);list.printList(); // 打印链表: 2 - 1 - 3 - 4 - nullSystem.out.println(List size: list.size()); // 输出链表长度: 4System.out.println(Contains 3? list.contains(3)); // 输出 trueSystem.out.println(Contains 5? list.contains(5)); // 输出 falselist.remove(1); // 删除 1list.printList(); // 打印链表: 2 - 3 - 4 - nulllist.clear(); // 清空链表list.printList(); // 打印链表: null} }3、Stack栈 先进后出 public class MyStack {public int[] elem;public int usedSize;public static final int DEFAULT_CAPACITY10;public MyStack() {elemnew int[DEFAULT_CAPACITY];}/*** 入栈* param val*/public void push(int val) {//先判断栈是否满了if(isFull()) {elem Arrays.copyOf(elem,2*elem.length);}elem[usedSize]val;}/*** 判断当前栈是否满了* return*/public boolean isFull() {if(usedSizeelem.length) {return true;}return false;}/*** 删除栈顶元素*/public int pop() {if(isEmpty()) {throw new RuntimeException(栈空了);}int val elem[usedSize-1];usedSize--;return val;}/*** 是否为空* return*/public boolean isEmpty() {return usedSize0;}/*** 获取栈顶元素但不删除* return*/public int peek() {if(isEmpty()) {throw new RuntimeException(栈为空了);}return elem[usedSize-1];} }4、Queue队列 先进先出 public class MyQueue {static class Node {public int val;public Node next;public Node(int val) {this.val val;}}public Node head;//队列的头public Node tail;//队列的尾/*** 入队操作* param val*/public void offer(int val) {Node nodenew Node(val);if(headnull) {headnode;tailnode;}else {tail.nextnode;tailtail.next;}}/*** 出队操作*/public int poll() {if(headnull)throw new RuntimeException(队列为空);int val head.val;;if(head.nextnull)headtailnull;elseheadhead.next;return val;}/*** 查看队头元素*/public int peek() {if(headnull) {throw new RuntimeException(队列为空);}return head.val;} }5、优先级队列大根堆 队列是一种先入先出的数据结构但是如果队列中的元素带有优先级就可能需要让优先级高的元素先出队列 这种情况下就有了优先级队列这种数据结构这种结构提供了两个基本操作一是返回最高优先级对象二是添加新的对象 PriorityQueue的底层使用了堆的数据结构堆其实就是一棵完全二叉树若该完全二叉树的每棵子树都是根结点最大叫做大根堆否则叫小根堆 public class Heap {public int[] elem;public int usedSize;// 当前堆中有效元素个数public Heap() {this.elemnew int[10];}public void initArray(int[] array) {elem Arrays.copyOf(array,array.length);usedSizeelem.length;}/*** 建堆* 时间复杂度O(n)*/public void createHeap() {for (int parent (usedSize-1-1)/2; parent 0 ; parent--) {shiftDown(parent,usedSize);// usedSize保证所有子树的下标都不会比它大可比较用于所有子树的结束}}/*** 向下调整 让每棵子树都成为大根堆* param parent 每棵子树的根结点下标* param len 所有子树的结束位置(usedSize)*/private void shiftDown(int parent,int len) {int child2*parent1;while (childlen) {// 存在右孩子的情况下比较左右孩子的大小child记录较大值的下标if(child1lenelem[child]elem[child1]) {child;}// 此时child记录的是孩子中的较大值再去与父节点进行比较if(elem[child]elem[parent]) {swap(elem,child,parent);// 向下调整让parent到child的位置继续往下做比较parentchild;child2*parent1;}else {// 如果走到else,说明此时该子树符合大根堆结构不需要再做向下调整直接跳出循环即可break;}}}private void swap(int[] array,int i,int j) {int tmparray[i];array[i]array[j];array[j]tmp;}/*** 入队插入元素* 【插入末尾位置然后向上调整结构】* param x*/public void offer(int x) {if(isFull()) {elemArrays.copyOf(elem,elem.length*2);}this.elem[usedSize]x;shiftUp(usedSize);usedSize;}private boolean isFull() {return usedSize elem.length;}/*** 向上调整* param child 子节点下标*/private void shiftUp(int child) {// 找到其父节点int parent(child-1)/2;// 向上调整一直到根节点结束while (child0) {// 判断子节点与父节点大小if(elem[child]elem[parent]) {swap(elem,child,parent);childparent;parent(child-1)/2;}else {// 若不需要调整则直接跳出循环break;}}}/*** 出队删除元素* 【交换堆顶与队尾元素删除队尾元素再让堆顶做向下调整】* return*/public int poll() {if(isEmpty()) {return -1;}int oldelem[0];// 交换堆顶与堆尾元素swap(elem,0,usedSize-1);// 删除堆尾元素usedSize--;// 将堆顶元素向下调整shiftDown(0,usedSize);return old;}/*** 返回堆顶最大元素* return*/public int peek() {if(isEmpty()) {return -1;}int valelem[0];return val;}public boolean isEmpty() {return usedSize0;}/*** 堆排序* 1、将堆顶元素【最大值】放到末尾剩余部分做向下调整* 2、持续遍历所有操作完成堆排序大顶堆通过堆排序后得到升序数组* 时间复杂度 O(n logn) ;* 空间复杂度 O(1)*/public void heapSort() {int endusedSize-1;while (end0) {swap(elem,0,end);shiftDown(0,end);end--;}}public static void main(String[] args) {Heap heapnew Heap();// 初始化数组并创建堆int[] array{10,20,15,30,40,25,50};System.out.println(初始化堆);heap.initArray(array); // 初始化数据heap.createHeap(); // 建堆System.out.println(初始最大堆:Arrays.toString(Arrays.copyOfRange(heap.elem,0,heap.usedSize)));heap.offer(35);System.out.println(插入后最大堆:Arrays.toString(Arrays.copyOfRange(heap.elem,0,heap.usedSize)));heap.poll();System.out.println(弹出最大元素后最大堆:Arrays.toString(Arrays.copyOfRange(heap.elem,0,heap.usedSize)));heap.heapSort();System.out.println(堆排序结果:Arrays.toString(Arrays.copyOfRange(heap.elem,0,heap.usedSize)));} } // 初始化堆 初始最大堆:[50, 40, 25, 30, 20, 10, 15] 插入后最大堆:[50, 40, 25, 35, 20, 10, 15, 30] 弹出最大元素后最大堆:[40, 35, 25, 30, 20, 10, 15] 堆排序结果:[10, 15, 20, 25, 30, 35, 40]Process finished with exit code 06、HashMap 用拉链法解决冲突实现了常见的方法 public class MyQueue {static class Node {public int val;public Node next;public Node(int val) {this.val val;}}public Node head;//队列的头public Node tail;//队列的尾/*** 入队操作* param val*/public void offer(int val) {Node nodenew Node(val);if(headnull) {headnode;tailnode;}else {tail.nextnode;tailtail.next;}}/*** 出队操作*/public int poll() {if(headnull)throw new RuntimeException(队列为空);int val head.val;;if(head.nextnull)headtailnull;elseheadhead.next;return val;}/*** 查看队头元素*/public int peek() {if(headnull) {throw new RuntimeException(队列为空);}return head.val;} } 7、生产者消费者模型 生产者和消费者彼此之间不直接通讯而通过阻塞队列来进行通讯所以生产者生产完数据之后不用等待消费者处理直接扔给阻塞队列消费者不找生产者要数据而是直接从阻塞队列里取。 该模型有以下两个用途 1削峰填谷 阻塞队列就相当于一个缓冲区平衡了生产者和消费者的处理能力。 三峡大坝汛期控制水量防止水灾旱期释放积攒的水防止旱灾。 2解耦合 阻塞队列也能使生产者和消费者之间解耦减少两者之间的关联关系 过年一家子一起包饺子一般有明确的分工一个人负责擀饺子皮其他人负责包擀饺子皮的人就是“生产者”包饺子的人就是“消费者”擀饺子皮的人不关心包饺子的人是谁包饺子的人也不关心擀饺子皮的人是谁。 代码关键点总结 生产者-消费者模型生产者生成数据并放入队列消费者从队列中取数据进行处理。BlockingQueue自动处理了队列为空或满时的阻塞问题简化了多线程编程中的同步控制。线程安全LinkedBlockingQueue是线程安全的它内部使用了锁机制来保证线程之间对队列的安全访问。无限循环的消费者线程消费者线程在while(true)中不断取数据因此只要有生产者继续生产消费者就会不断消费。Thread.sleep(1000)模拟生产过程的延迟生产者每次生产一个元素后会等待1秒模拟一个耗时的生产过程。 public static void main(String[] args) {BlockingQueueInteger queuenew LinkedBlockingQueue();Thread consumernew Thread() {Overridepublic void run() {while (true) {try {Integer valuequeue.take();System.out.println(消费元素value);} catch (InterruptedException e) {e.printStackTrace();}}}};consumer.start();Thread producernew Thread() {Overridepublic void run() {for (int i 0; i 10000; i) {System.out.println(生产了元素i);try {queue.put(i);Thread.sleep(1000);} catch (InterruptedException e) {e.printStackTrace();}}}};producer.start();try {consumer.join(); // join()方法的作用是等待线程终止producer.join(); // 由于消费者线程是一个无限循环实际运行中主线程将会永远阻塞在consumer.join()上。} catch (InterruptedException e) {e.printStackTrace();} }8、BlockingQueue 阻塞队列是一种特殊的队列. 也遵守 “先进先出” 的原则. 阻塞队列是一种线程安全的数据结构, 并且具有以下特性: 当队列满的时候, 继续入队列就会阻塞, 直到有其他线程从队列中取走元素. 当队列空的时候, 继续出队列也会阻塞, 直到有其他线程往队列中插入元素. public class Main {static class BlockingQueue {//1000就相当于队列的最大容量此处暂不考虑扩容问题private int[] itemsnew int[1000];private volatile int head0;private volatile int tail0;private volatile int size0;private Object lockernew Object();//put用来入队列public void put(int item) throws InterruptedException {//因为队列中涉及修改操作所以通过加锁来解决线程不安全问题原子性。synchronized (locker) {//使用while就是为了让wait被唤醒之后再次确认条件是否成立while (sizeitems.length) {//队列已经满了对于阻塞队列来说就要阻塞locker.wait();}items[tail]item;tail;//如果到达末尾就回到起始位置if(tailitems.length) {tail0;}size;locker.notify();}}public int take() throws InterruptedException {int ret0;synchronized (locker) {while (size0) {//对于阻塞队列来说如果队列为空在尝试获取元素就要阻塞locker.wait();}retitems[head];head;if(headitems.length) {head0;}size--;//此处的notify用来唤醒put中的waitlocker.notify();}return ret;}}public static void main(String[] args) throws InterruptedException {BlockingQueue queuenew BlockingQueue();//消费者模型Thread consumernew Thread() {Overridepublic void run() {while (true) {try {int elem queue.take();System.out.println(消费者元素elem);} catch (InterruptedException e) {e.printStackTrace();}}}};consumer.start();//生产者线程Thread producernew Thread() {Overridepublic void run() {for (int i 0; i 10000; i) {System.out.println(生产元素i);try {queue.put(i);Thread.sleep(1000);} catch (InterruptedException e) {e.printStackTrace();}}}};producer.start();consumer.join();producer.join();} }9、多线程顺序打印ABC 锁与条件变量我们使用一个 lock 对象来保证线程间的同步所有线程共享这个锁。 状态控制通过一个 state 变量控制当前该哪个线程执行。state 的取值为 0、1、2分别代表线程A、B、C。 同步块与等待机制 使用 synchronized 来保证同一时间只有一个线程能访问共享资源。 使用 wait() 和 notifyAll() 来使得线程在不符合条件时等待并在条件满足时通知其他线程。 执行结果 每次运行该程序三个线程会顺序打印 ABCABCABC...直到打印10次结束。 public class PrintABC {private static final Object lock new Object();private static int state 0; // 0: A, 1: B, 2: Cpublic static void main(String[] args) {Thread threadA new Thread(new PrintTask(A, 0));Thread threadB new Thread(new PrintTask(B, 1));Thread threadC new Thread(new PrintTask(C, 2));threadA.start();threadB.start();threadC.start();}static class PrintTask implements Runnable {private String name;private int flag; // 用于标识当前线程的顺序public PrintTask(String name, int flag) {this.name name;this.flag flag;}Overridepublic void run() {try {for (int i 0; i 10; i) { // 打印10次ABCsynchronized (lock) {while (state ! flag) {lock.wait(); // 如果不是当前线程的轮次则等待}System.out.print(name); // 打印当前线程对应的字符state (state 1) % 3; // 更新状态确保下一个线程打印lock.notifyAll(); // 唤醒其他线程}}} catch (InterruptedException e) {e.printStackTrace();}}} }11、线程池 步骤 使用一个BlockingQueue组织所有任务核心操作为submit将任务加入线程池阻塞队列中并创建线程一个线程池可用同时提交N个任务对应线程池中有M个线程来负责完成这N个任务利用生产者消费者模型把N个任务分配给M个线程 public class MyThreadPool {private BlockingQueueRunnable queuenew LinkedBlockingQueue();public MyThreadPool(int m) {// 在构造方法中创建出m个线程负责完成工作for (int i 0; i m; i) {Thread tnew Thread(()-{while (true) {try {Runnable runnablequeue.take();runnable.run();} catch (InterruptedException e) {e.printStackTrace();}}});t.start();}}// 将任务加入线程池阻塞队列中public void submit(Runnable runnable) throws InterruptedException {queue.put(runnable);}public static void main(String[] args) throws InterruptedException {MyThreadPool poolnew MyThreadPool(10);for (int i 0; i 1000; i) {int taskIdi;pool.submit(new Runnable() {Overridepublic void run() {System.out.println(执行当前任务taskId当前线程Thread.currentThread().getName());}});}} }12、数据库连接池 步骤 1、创建固定数量的数据库连接并保存到一个集合中 2、提供getConnection()方法从池中获取连接 3、提供releaseConnection()方法将使用完的连接返回到池中 4、实现线程安全的连接获取和释放 public class ConnectionPool {private ListConnection connectionPool;private int poolSize10; // 池中连接数量private String urljdbc:mysql://localhost:3306/test; // 数据库URLprivate String usernameroot; // 数据库用户名private String passwordpassword; // 数据库密码// 构造函数初始化连接池public ConnectionPool() {connectionPoolnew ArrayList();try {// 加载数据库驱动Class.forName(com.mysql.cj.jdbc.Driver);// 初始连接池for (int i 0; i poolSize; i) {connectionPool.add(DriverManager.getConnection(url,username,password));}} catch (ClassNotFoundException | SQLException e) {e.printStackTrace();}}// 从池中获取连接public synchronized Connection getConnection() {// 如果池中有可用连接返回第一个连接if(!connectionPool.isEmpty()) {return connectionPool.remove(0);}else {// 如果池中没有可用连接返回 null或抛出异常System.out.println(连接池已用完无法提供连接);return null;}}// 释放连接将连接返回到池中public synchronized void releaseConnection(Connection connection) {if(connection!null) {connectionPool.add(connection); // 归还连接到池中}}// 关闭连接池中的所有连接public synchronized void closeAllConnections() {for (Connection connection:connectionPool) {try {connection.close();}catch (SQLException e) {e.printStackTrace();}}}// 获取连接池的当前大小public int getCurrentPoolSize() {return connectionPool.size();}public static void main(String[] args) {ConnectionPool poolnew ConnectionPool();// 获取一个连接Connection connectionpool.getConnection();// 假设进行了一些数据库操作// 使用完后将连接返回到池中pool.releaseConnection(connection);// 打印连接池剩余连接数System.out.println(当前连接池大小pool.getCurrentPoolSize());// 关闭连接池pool.closeAllConnections();} }改进空间 连接池动态扩展目前连接池的大小是固定的实际生产环境中可以根据需求动态扩展或缩减连接池的大小。连接池维护可以添加心跳检测自动关闭不可用的连接并替换。最大等待时间如果连接池耗尽可以设置最大等待时间并且在超时后抛出异常。
http://www.dnsts.com.cn/news/44125.html

相关文章:

  • h5网站建设 北京广东城乡住房建设部网站
  • 地区性门户网站是什么意思网站备案通过之后
  • wordpress安装路径和站点地址的设置怎么申请域名 制作网站
  • 企业网站是如何做的深圳市福田区建设局网站
  • wordpress站点logo设置2022千锋教育培训收费一览表
  • 网站定制开发怎么做网站空间在哪买
  • 安徽股票配资网站建设wordpress文章加字段
  • 用asp.net开发网站的优势久久建筑网登录入口
  • 电子商务网站开发与设计国家反诈中心app下载
  • 建网站是自己做还是用CMS个人电脑做网站违法吗
  • 做神马网站优化排查看wordpress主题
  • 做爰全过程免费的视频网站有声音两个网站共用一个数据库
  • 网站开发工资一般多少自己网站服务器
  • 188旅游网站源码企业网站建设有什么
  • htm网站免费的个人网页
  • 可以做卷子的网站贵阳网站建设外包
  • 外国人搞笑做视频网站淮南网站制作
  • 做网站与全网营销搜索推广排名优化货源网站 源码
  • 网站服务器和网站备案吗那种广告式网站怎么做
  • 快乐麻花网站源码wordpress的自定义菜单图标
  • 如何建设一个社交网站前端是做网站的吗
  • 电子商务网站规划与网页制作设计网站有没有版权
  • 使用他人商标做网站搜索词销售客户管理软件哪个好
  • 入口网站推广营销号视频生成器网页版
  • 手机网站建设团队大连企业网站模板建站
  • 做搜索引擎优化的企业专业做网站优化排名
  • 天水+网站建设北京最新消息今天
  • 建立网站 域名 服务器吗做ui的网站有哪些
  • 备案的网站名建设摩托车官网报价表
  • 企业网站建设实训小结网站雪花代码