set和list的区别?给定一系列字符串,从集合的set和list中查询,如何查询出相关的数据?
在Java中,Set和List都是用于存储对象的集合
Set:
不允许包含重复的元素。
没有顺序(即不保证元素的迭代顺序)。
List:
允许包含重复的元素。
保持元素插入的顺序(即迭代时按照插入顺序)。
总结
重复性:Set不允许存储重复的元素,而List允许。
顺序性:Set不保证元素的顺序,而List保持元素的插入顺序。
查询效率:通常情况下,Set在查询方面比List更高效,尤其是使用HashSet时,其contains方法的时间复杂度为O(1),而ArrayList的contains方法时间复杂度为O(n)。
要从Set或List集合中查询出相关的数据,可以使用常见的集合操作方法,例如contains()方法。
package com.java.Test;import java.util.ArrayList;
import java.util.HashSet;public class SetListTest {public static void main(String[] args) {String a = "a";HashSet<String> hashSet = new HashSet<>();hashSet.add("a");hashSet.add("b");hashSet.add("c");hashSet.add("c");System.out.println(hashSet);ArrayList<Object> arrayList = new ArrayList<>();arrayList.add("a");arrayList.add("b");arrayList.add("c");arrayList.add("c");System.out.println(arrayList);//trueif (hashSet.contains(a)) {System.out.println("true");} else {System.out.println("false");}//trueif (arrayList.contains(a)) {System.out.println("true");} else {System.out.println("false");}}
}