常规数组: 数组元素内容是一种类型的元素,如const arr = [1,2,3,4],在存储空间是连续内存的
JS数组: 数组元素内容不是同一种类型的元素,如const arr = ['haha', 1, {a:1}],则在存储上是一段非连续空间。此时,JS 数组不再具有数组的特征,其底层其实是由链表来实现的
总结
链表的插入/删除效率较高,而访问效率较低;
数组的访问效率较高,而插入效率较低
//Node表示要加入列表的项var Node=function(element){
this.element=element
this.next=null
}
var length=0//存储列表项的数量
var head=null//head存储的是第一个节点的引用
//向链表尾部追加元素
this.append=function(element){
var node=new Node(element),
current
if(head===null){
head=node
}else{
current=node
while(current.next){
current=current.next
}
current.next=node
}
length++
}
//在链表的任意位置插入元素
this.insert=function(position,element){
if(position>=0&&position<=length){
var node=new Node(element),
current=head,
previous,
index=0
if(position===0){
node.next=current
head=node
}else{
while(index<position){
previous=current
previous.next=node
index++
}
node.next=current
previous.next=node
}
length++
return true
}else{
return false
}
}
//从链表中移除元素
this.removeAt=function(position){
if(position>-1 && position<length){
var current=head,
previous,
index=0
if(position===0){
head=current.next
}else{
while(index<position){
previous=current
current=current.next
index++
}
previous.next=current.next
}
length--
return current.element
}else{
return null
}
}
//返回元素在链表中的位置
this.indexOf=function(element){
var current=head,
index=-1
while(current){
if(element===current.element){
return index
}
index++
current=current.next
}
return -1
}
//移除某个元素
this.remove=function(element){
var index=this.indexOf(element)
return this.removeAt(index)
}
//判断链表是否为空
this.isEmpty=function(){
return length===0
}
//返回链表的长度
this.size=function(){
return length
}
//把LinkedList对象转换成一个字符串
this.toString=function(){
var current=head,
string=""
while(current){
string=current.element
current=current.next
}
return string
}
}
var list=new LinkedList()
list.append(15)
list.append(10)
list.insert(1,11)
list.removeAt(2)
console.log(list.size())
首先从逻辑结构上说,两者都是数据结构的一种,但存在区别,数组是申请的一块连续的内存空间,并且是在编译阶段就要确定空间大小的,同时在运行阶段是不允许改变的,所以它不能够随着需要的改变而增加或减少空间大小,所以当数据量大的时候,有可能超出了已申请好的数组上限,产生数据越界,或者是数据量很小,对于没有使用的数组空间,造成内存浪费。链表则是动态申请的内存空间,并不像数组一样需要事先申请好大小,链表是现用现申请就OK,根据需求动态的申请或删除内存空间,对于的是增加或删除数据,所以比数组要灵活。再从物理存储即内存分配上分析,数组是连续的内存,对于访问数据,可以通过下标直接读取,时间复杂度为O(1),而添加删除数据就比较麻烦,需要移动操作数所在位置后的所有数据,时间复杂度为O(N)。链表是物理上非连续的内存空间,对于访问数据,需要从头便利整个链表直到找到要访问的数据,没有数组有效,但是在添加和删除数据方面,只需要知道操作位置的指针,很方便可以实现增删,教数组比较灵活有效率。所以综合以上,对于快速访问数据,不经常有添加删除操作的时候选择数组实现,而对于经常添加删除数据,对于访问没有很高要求的时候选择链表。