class UnionFind(): def __init__(self, n): self.n = n self.parents = [-1] * n def find(self, x): if self.parents[x] < 0: return x else: self.parents[x] = self.find(self.parents[x]) return self.parents[x] def union(self, x, y): x = self.find(x) y = self.find(y) if x == y: return if self.parents[x] > self.parents[y]: x, y = y, x self.parents[x] += self.parents[y] self.parents[y] = x def size(self, x): return -self.parents[self.find(x)] def same(self, x, y): return self.find(x) == self.find(y) def MST(n,edge): uf=UnionFind(n) ans=0 for cost,u,v in edge: if not uf.same(u,v): ans+=cost uf.union(u,v) return ans import math n=int(input()) a=list(map(int,input().split())) edge=[] for i in range(n): for j in range(i+1,n): lcm=a[i]*a[j]//math.gcd(a[i],a[j]) edge.append((lcm,i,j)) edge.sort(key=lambda x:x[0]) print(MST(n,edge))