lab1 partⅢ
程序员文章站
2022-07-12 17:03:30
...
part Ⅲ Social Network
主要目标是构造一个图的结构描述人与人之间的关系。需要用到上学期学到的数据结构的知识,但是上学期学数据结构时用的语言是C语言,用Java来实现还是有些陌生。
实验要求要实现两个类,Person和FriendshipGraph,Person类用于描述每个成员的性质,可以有姓名、学校、学号等等信息,但是本实验只需要姓名这一信息。
public class Person {
private String name;
public Person(String Name) {
this.name = Name;
}
public String getName() {
return this.name;
}
}
很容易写好这个类,写一个用名字来实例化的构造函数,因为希望name是一个private所以又加了一个getName方法(没用上)。
FriendshipGraph描述出这个关系图,经过分析,人际关系图应该是一个稀疏图,所以选择邻接表来实现。为每个成员创建一个List来存放他的朋友,用一个Map来存取这些映射关系。
public Map<Person, List<Person>> map = new HashMap<Person, List<Person>>();
图有两个要素,点和边,所以要实现addVertex和addEdge两个函数
/**
* Add the person to the friendshipgraph.
*
* @param Vertex
* A instantiation of class Person
*/
public void addVertex(Person Vertex) throws Exception {
if (this.map.containsKey(Vertex)) {//为避免重复添加这个判断
throw new Exception("Wrong!Each person has a unique name");
} else {
List<Person> friend = new ArrayList<Person>();//为他创建一个List存朋友们
map.put(Vertex, friend);
}
}
/**
* Add the connection between people to the friendshipgraph.
*
* @param m1,m2
* A instantiation of class Person
*/
public void addEdge(Person m1, Person m2) {
int n = map.get(m1).size(), i = 0;
boolean choice = true;
while (i < n) {
if (map.get(m1).get(i) == m2) {//防止重复
choice = false;
break;
}
i++;
}
if (choice) {
map.get(m1).add(m2);//如果m1认识m2,则在m1的List添加m2
}
}
理解好这个图的数据结构就很容易写出来。
/**
* calculate the distance between m1 and m2.
*
* @param m1,m2
* A instantiation of class Person
*/
public int getDistance(Person m1, Person m2) {
Person now = m1;
Person f = m1;
int i = 0;
int lev = 0;
Queue<Person> queue = new LinkedList<Person>();
List<Person> crowed = new ArrayList<Person>();
if (m2 == m1) {//同一个人距离设为0
return lev;
}
queue.offer(now);
crowed.add(now);
while (!queue.isEmpty()) {//深度优先遍历,寻找m2在m1的第几层关系
now = queue.poll();
lev++;
int n = map.get(now).size();
while (i < n) {
f = map.get(now).get(i);
if (f == m2)
return lev;//找到则返回当前层数,不必继续寻找
if (!crowed.contains(f)) {
queue.offer(f);
crowed.add(f);
}
i++;
}
i = 0;
}
return -1;//找不到说明m1m2没关系,返回-1
}
本来想用Dijkstra算法,但是写着写着发现这个图的边长度都是1,所以直接用深度优先遍历就行了。
至此partⅢ也就写完了,主要是练习了用java来实现数据结构,写的过程复习了Map的语法。
上一篇: 探索——redis实现分布式锁
下一篇: lab1 partⅣ
推荐阅读
-
Django从理论到实战(part36)--QuerySet转换SQL
-
C语言编程入门之--第五章C语言基本运算和表达式-part3
-
C语言编程入门之--第五章C语言基本运算和表达式-part4
-
[译]C# 7系列,Part 8: in Parameters in参数
-
[译]C# 7系列,Part 3: Default Literals
-
[译]C# 7系列,Part 7: ref Returns ref返回结果
-
MIT-6.828 Lab1实验报告
-
Web API---part2课程介绍+part1复习
-
简单实用SQL脚本Part SQLServer 2005 链接服务器
-
python基础-并发编程part01