Tools, theory and analysis

Execution Style

In [1]:
fastExecution = True       # Whether to use or not pre build short-cut files to skip long execution bloc of codes
savingFigures = False      # Whether to save or not the figures produced
savingData = False         # Whether to build or not the short cut files for future fastExecution

Libraries

In [2]:
# Import Libraries
import networkx as nx
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
import json
import re
import fa2
import math
import community
import matplotlib.cm as cm
import pickle
from __future__ import division
import matplotlib.image as mpimg
from nltk.tokenize import RegexpTokenizer
from nltk.corpus import stopwords
import io
from collections import Counter
from wordcloud import WordCloud
from scipy.special import zeta
# Rendering Parameters
title_font = {'family': 'sans-serif',
        'color':  '#000000',
        'weight': 'bold',
        'size': 28,
        }
#COLORS
mBlue = "#55638A"     # For actor
fRed = "#9E1030"    # For actress

Get the cleaned Data

The cleaning and preprocessing of data can be found in Explainer notebook part 1 and 2.

Here we get the movies and actors data frames (moviesDF,actorsDF), the movie age dictionnary (movieAgeDict), the rating one (ratingDict), the movies and actors names dictionnaries (actorNameDict,movieNameDict) and one list containing all the collaboration between actors (actorsLinks)

In [3]:
from loadData import cleanLoadData
movieAgeDict,ratingDict,actorNameDict,movieNameDict,moviesDF,actorsDF,actorsLinks = cleanLoadData()

Actors Data Frame

In [4]:
actorsDF.head(10)
Out[4]:
Gender Name iD
0 F Bobbie Bresee nm0107679
1 F Malgorzata Rozniatowska nm0747647
2 M Ahmet Ugurlu nm0880128
3 F Laura Nativo nm1137466
4 F Jordy Benattar nm0070237
5 M Özkan Ugur nm0880126
6 M John Foss nm1458561
7 M Panayiotis Hartomatzidis nm0367186
8 M Simon Abkarian nm0008787
9 F Victoria Snow nm0795281

Movies Data Frame

In [5]:
moviesDF.sort_values("Rating", ascending=False).head(10)
Out[5]:
Rating Title Year iD
8686 9.1 The Regard of Flight 1983.0 tt0134050
7737 9.0 Notre-Dame de Paris 1999.0 tt0285800
8377 8.9 Ko to tamo peva 1980.0 tt0076276
4887 8.9 12 Angry Men 1957.0 tt0050083
9860 8.9 Schindler's List 1993.0 tt0108052
1157 8.9 The Lord of the Rings: The Return of the King 2003.0 tt0167260
8305 8.8 Saban Oglu Saban 1977.0 tt0253614
1389 8.8 Sobache serdtse 1988.0 tt0096126
2151 8.8 The Art of Amália 2000.0 tt0204839
9079 8.8 The Lord of the Rings: The Fellowship of the Ring 2001.0 tt0120737

Actors Graph

We choose to build a graph where the nodes are the actors, and the links represent the collaboration between two actors: the movies they both participate in, the ratings they got and the average year of their collaborations

In [6]:
##########################
# Create the actors Graph
##########################
G = nx.Graph()
#add nodes
for i in actorsDF.index:
    G.add_node(actorsDF.loc[i].at["iD"], Name= actorsDF.loc[i, "Name"], Gender = actorsDF.loc[i, "Gender"])


#add links
for link in actorsLinks:
    if link[0]  != link[1]: 
        if G.has_edge(link[0],link[1]):  #Update existing edges                       
            G[link[0]][link[1]]["weight"] +=1 
            G[link[0]][link[1]]["movies"].append(link[2])
            #Average Rating
            avRating = (G[link[0]][link[1]]["avRating"])*(1-1.0/G[link[0]][link[1]]["weight"]) #Former ratings
            avRating += ratingDict[link[2]]/G[link[0]][link[1]]["weight"]  # Added Movie
            G[link[0]][link[1]]["avRating"] = avRating
            #Average Year
            avYear = (G[link[0]][link[1]]["avYear"])*(1-1.0/G[link[0]][link[1]]["weight"]) #Former ratings
            avYear += movieAgeDict[link[2]]/G[link[0]][link[1]]["weight"]  # Added Movie
            G[link[0]][link[1]]["avYear"] = avYear
        else: #Create new edge
            G.add_edge(link[0], link[1], 
                       weight = 1, 
                       movies = [link[2]], 
                       avRating = ratingDict[link[2]], 
                       avYear = movieAgeDict[link[2]]) 

Clean the graph

We took the giant component to have a connected graph to study.

In [7]:
##################
# Clean the Graph
##################

G =  max(nx.connected_component_subgraphs(G), key=len)
if savingData:
    nx.write_gpickle(G, 'obj/full.gpickle') 
    
print "The graph has "+str(G.number_of_nodes())+" nodes (actors) and "+str(G.number_of_edges())+" edges (collaborations)"
The graph has 15950 nodes (actors) and 52727 edges (collaborations)

Visualize the graph

In [8]:
#################################################
# Set the node colors actording to actors gender
#################################################

def getColors(graph):
    mBlue = "#55638A"     # For actor
    fRed = "#9E1030"    # For actress
    colors = {}  # Build the color 
    k=0
    for n in graph.nodes:
        if graph.nodes[n]['Gender'] == "F":    
            colors[n]= fRed
        else:
            colors[n]= mBlue
    return colors

We use separate colors for men and women to see if they have different influence in the graph.

In [9]:
###############################################
# Set the edge colors actording to movie years
###############################################

def getEdgeColors(graph):
    c1930 = "#c12424"
    c1955 = "#ff6612"
    c1980 = "#ffce00"
    c1995 = "#e3f018"
    cNow = "#bdff00"
    edgesColors = {}  
    for e in G.edges:
        edgesColors[e] = c1930  #RED
        if graph.get_edge_data(*e)["avYear"]>1930:
            edgesColors[e] = c1955 #ORANGE      
        if graph.get_edge_data(*e)["avYear"]>1955:
            edgesColors[e] = c1980 #YELLOW
        if graph.get_edge_data(*e)["avYear"]>1980:
            edgesColors[e] = c1995 #LIGHT GREEN
        if graph.get_edge_data(*e)["avYear"]>1995:
            edgesColors[e] = cNow #GREEN
    return edgesColors

The edges will have colors according to the average year of the two actors collaborations, from red for old movies to green for the most recent ones. With this can show how the age is important in this network.

In [10]:
###########################################################
# Set the size of the nodes according to outgoing strength
###########################################################

sizes = {}
actorsDF["Collab"] = pd.Series(np.zeros(len(actorsDF.index))) #to store the outgoing strength
for i in actorsDF.index: # go through actors
    iD =actorsDF.loc[i].at["iD"]
    if iD in G.nodes(): # if actor in the grpah
        edges = list(G.edges(iD)) 
        ogStrength = 0
        for e in edges: # go though his edges
            ogStrength += G.get_edge_data(*e)["weight"]  #update outgoing strength
        actorsDF.loc[i, "Collab"]= ogStrength 
        sizes[iD] = ogStrength
    else :
        actorsDF.loc[i, "Collab"]= 0
actorsDF=actorsDF.sort_values("Collab", ascending=False) #Sort actors DF

In this network, the outgoing strength correponds to the number of times an actor has collaborated with other. It tends to grow with the number of movies done and the number of actors in those movies. Then it represent the importance of the actor in the industry. </br> We add the names of the 10 biggest actors on the plot.

In [11]:
####################################################################
# Display the name of the actors with the biggest outgoing strength
####################################################################

SortedNames = np.asarray(actorsDF["Name"])
SortedNames = SortedNames[:10]
labels = {}
for n in G.nodes():
    name = actorNameDict[n]
    if name in SortedNames:
        labels[n]="\n\n"+name
    else:
        labels[n]=""

We used the Force Atlas algorithm to have a better rendering of the network.

In [12]:
########################
# Force Atlas Algorithm
########################
forceatlas2 = fa2.ForceAtlas2(
                          # Behavior alternatives
                          outboundAttractionDistribution=False,  # Dissuade hubs
                          linLogMode=False,  # NOT IMPLEMENTED
                          adjustSizes=False,  # Prevent overlap (NOT IMPLEMENTED)
                          edgeWeightInfluence=1.0,

                          # Performance
                          jitterTolerance=1.0,  # Tolerance
                          barnesHutOptimize=True,
                          barnesHutTheta=1.2,
                          multiThreaded=False,  # NOT IMPLEMENTED

                          # Tuning
                          scalingRatio=0.005,
                          strongGravityMode=False,
                          gravity=20,

                          # Log
                          verbose=True)

The position can be obtained by the force atlas algorithm but as the graph is pretty big so it is pretty long (about 15 mn). To make it faster we save the position dictionnary in a txt file, and we can directly read the positions from this file in the "fastExecution" mode.

In [13]:
####################
# Get the positions
####################

pos={} # Position of the nodes in the force2 algorithm
if fastExecution:
    path = "DATA/forceAtlasPositions.txt"
    files = io.open(path, mode="r", encoding="utf-8")
    for row in files:
        split = row.split("\t")
        pos[split[0]] = (float(split[1]),float(split[2]))
    files.close()
else:
    pos = forceatlas2.forceatlas2_networkx_layout(G, pos=None, iterations=3000) #~15 mn
    if savingData:
        #Store the positions in a text file
        path = "DATA/forceAtlasPositions.txt"
        files = io.open(path, mode="w", encoding="utf-8")
        for key in pos.keys():
            row = key +"\t" + str(pos[key][0]) +"\t"+str(pos[key][1])+"\r\n"
            files.write(row.replace("u'","").replace("'",""))
        files.close()

The size are compute regarding the outgoing strenght. To amplify the results and then make the plot more readable we use the square of the outgoing strenght. Nodes with a big outgoing strength will the appear bigger and small ones smaller. </br>

$nodeSize = \left(0.2\cdot outgoingStrength\right)^2$

In [14]:
#######
# Draw
#######
#Get colors
colors = getColors(G)
edgesColors = getEdgeColors(G)
#Plot
fig = plt.figure(figsize=(30, 30))
nx.draw_networkx(G, pos, 
                 node_size = [(0.2*sizes[n])**(2) for n in G.nodes()],  
                 node_color = [colors[n] for n in G.nodes()],
                 with_labels=True,
                 width = 0.1,
                 edge_color=[edgesColors[e] for e in G.edges()],
                 labels = labels,
                 font_size = 17, 
                 font_weight= "bold")
plt.axis('off')
plt.title("IMDb Actors Graph", fontdict = title_font )
base = 'Figures/actorGraph'
if savingFigures:
    plt.savefig(base+'.jpeg', bbox_inches='tight')
    plt.savefig(base+'.svg', bbox_inches='tight')
plt.show()

We can distinguish 3 main groups:

  • on the right in red, old actors (before 1970)
  • on the top, Indian actors
  • in the middle, more recent actors

</br>

We can see that, the impact of the collaborations'age. Old American actors are regroup in the same area of the graph. Other old links are harder to visualize. This could be explained by the fact that movie industry was not very big at the time and not very internationnal. Then the links between old non American actors and the bulk of the actors are rare.

Separate the graph by period

Basic period statistics

Let's build a function to get a distribution histogram from a list or an array of data.

In [15]:
######################
# HISTOGRAM FUNCTION
######################

def histogram(degrees, dens): # degrees (list or array of data), dens (whether it is a density histogram or not)
    # Computing Bins
    min_bin = np.amin(degrees)
    max_bin = np.amax(degrees)
    nb_bins = int(math.ceil(max_bin)-math.floor(min_bin))
    v = np.empty(nb_bins+1)
    v[nb_bins] = int(math.ceil(max_bin))
    bins = np.empty(nb_bins)
    for i in range(nb_bins):
        v[i] = int(min_bin + i)
        bins[i] = int(min_bin + i)

    #Hist
    hist, bin_edges = np.histogram(degrees,bins = v,density=dens)
    return hist, bin_edges

Let's look how the movies and collaborations a spread across the years

In [16]:
##################################
# HISTOGRAM OF THE MOVIES BY YEAR
##################################

moviesYear = np.asarray(moviesDF["Year"])
linksYear = []
for link in actorsLinks:
    if link[0] != link[1]:
        year = movieAgeDict[link[2]]
        linksYear.append(year)


# Get the histograms
histM, binsM = histogram(moviesYear,False)
histL, binsL = histogram(linksYear,False)

plt.figure(figsize = (15,6))
plt.bar(binsM[:-1], histM, 0.35, color=mBlue, label = "Movies")
plt.bar([b+0.4 for b in binsL[:-1]], histL, 0.35, color=fRed, label = "Links")
plt.xlabel('Year')
plt.ylabel('Occurences')
plt.title('Movies and links distribution', fontdict = title_font)
plt.legend()
base = 'Figures/moviesDist'
if savingFigures:
    plt.savefig(base+'.jpeg', bbox_inches='tight')
    plt.savefig(base+'.png', bbox_inches='tight')
    plt.savefig(base+'.svg', bbox_inches='tight')
plt.show()

The gap in the 1960s corresponds to the worst year for the american industry. Very few movies where produced at this time. Since the 1980s we can see a huge raise in the number of collaborations, but a smaller one for the movies. This could indicate that more and more movies are produced every year since this period, and more and more actors plays in those movies.</br>

So we divide the data into movies from before 1970, then between 1970 and 1980, 1980 and 1990, 1990 and 2000 and finally after 2000

In [17]:
############################
# REPARTITION AMONG PERIODS
############################

#Define periods and set counts
periods = [1900,1970,1980,1990,2000]
moviesByPeriods = np.zeros(5,dtype=int)
linksByPeriods = np.zeros(5,dtype=int)
nMovies = 0
nLinks = 0

#Go through movies
for i in moviesDF.index:
    age = moviesDF.loc[i, "Year"]
    nMovies +=1
    if age < 1970:
        moviesByPeriods[0]+=1
    elif age < 1980:
        moviesByPeriods[1]+=1
    elif age < 1990:
        moviesByPeriods[2]+=1
    elif age < 2000:
        moviesByPeriods[3]+=1
    else:
        moviesByPeriods[4]+=1

#Go through links
for e in G.edges():
    age = G.get_edge_data(*e)["avYear"]
    nLinks +=1
    if age < 1970:
        linksByPeriods[0]+=1
    elif age < 1980:
        linksByPeriods[1]+=1
    elif age < 1990:
        linksByPeriods[2]+=1
    elif age < 2000:
        linksByPeriods[3]+=1
    else:
        linksByPeriods[4]+=1
        
print "Period 1900-1970: "+str(moviesByPeriods[0])+"("+str(round(100*moviesByPeriods[0]/nMovies,2))+"%)"+" movies"+" - "+str(linksByPeriods[0])+"("+str(round(100*linksByPeriods[0]/nLinks,2))+"%)"+" links."
print "Period 1970-1980: "+str(moviesByPeriods[1])+"("+str(round(100*moviesByPeriods[1]/nMovies,2))+"%)"+" movies"+" - "+str(linksByPeriods[1])+"("+str(round(100*linksByPeriods[1]/nLinks,2))+"%)"+" links"
print "Period 1980-1990: "+str(moviesByPeriods[2])+"("+str(round(100*moviesByPeriods[2]/nMovies,2))+"%)"+" movies"+" - "+str(linksByPeriods[2])+"("+str(round(100*linksByPeriods[2]/nLinks,2))+"%)"+" links"
print "Period 1990-2000: "+str(moviesByPeriods[3])+"("+str(round(100*moviesByPeriods[3]/nMovies,2))+"%)"+" movies"+" - "+str(linksByPeriods[3])+"("+str(round(100*linksByPeriods[3]/nLinks,2))+"%)"+" links"
print "Period 2000+:     "+str(moviesByPeriods[4])+"("+str(round(100*moviesByPeriods[4]/nMovies,2))+"%)"+" movies"+" - "+str(linksByPeriods[4])+"("+str(round(100*linksByPeriods[4]/nLinks,2))+"%)"+" links"
Period 1900-1970: 1920(18.96%) movies - 11050(20.96%) links.
Period 1970-1980: 1119(11.05%) movies - 5978(11.34%) links
Period 1980-1990: 1413(13.96%) movies - 7441(14.11%) links
Period 1990-2000: 2251(22.23%) movies - 12120(22.99%) links
Period 2000+:     3421(33.79%) movies - 16138(30.61%) links

Build Period Graphs

Build a function to get the graph corresponding to a specific period

In [18]:
###################################
# Graph per period function
###################################
def graphPeriod(start,end):
    G_per = nx.Graph()
    #add nodes
    for i in actorsDF.index:
        G_per.add_node(actorsDF.loc[i].at["iD"], Name= actorsDF.loc[i, "Name"], Gender = actorsDF.loc[i, "Gender"])

    #add links
    for link in actorsLinks:
        if (start < movieAgeDict[link[2]]) and (movieAgeDict[link[2]]<= end):
            if link[0]  != link[1]: 
                if G_per.has_edge(link[0],link[1]):                         
                    G_per[link[0]][link[1]]["weight"] +=1 
                    G_per[link[0]][link[1]]["movies"].append(link[2])
                    G_per[link[0]][link[1]]["avRating"] = (G_per[link[0]][link[1]]["avRating"])*(1-1.0/G_per[link[0]][link[1]]["weight"])+ratingDict[link[2]]/G_per[link[0]][link[1]]["weight"]
                    G_per[link[0]][link[1]]["avYear"] = (G_per[link[0]][link[1]]["avYear"])*(1-1.0/G_per[link[0]][link[1]]["weight"])+movieAgeDict[link[2]]/G_per[link[0]][link[1]]["weight"]
                else:
                    G_per.add_edge(link[0], link[1], weight = 1, movies = [link[2]], avRating = ratingDict[link[2]], avYear = movieAgeDict[link[2]]) 

    #take the giant component
    G_per=max(nx.connected_component_subgraphs(G_per), key=len)
    print "There are "+str(G_per.number_of_nodes()) +" nodes(actors) and "+ str(G_per.number_of_edges())+ " links(movie collaboration) in "+str(start)+'-'+str(end)+" period."
    return G_per
In [19]:
###################################
# Subdivide the network by period
###################################

graphByPeriod = {}
for i in range(len(periods)):
    if i <4:
        gph = graphPeriod(periods[i],periods[i+1])
        if savingData:
            nx.write_gpickle(G, 'obj/graph_'+str(periods[i+1])+'.gpickle') 
        graphByPeriod[str(periods[i+1])]=gph
    else:
        gph = graphPeriod(periods[i],2020)
        graphByPeriod["now"]=gph
        if savingData:
            nx.write_gpickle(G, 'obj/graph_now.gpickle') 

# Graph Titles
titles = {}
titles["1970"] = "1900-1970"
titles["1980"] = "1970-1980"
titles["1990"] = "1980-1990"
titles["2000"] = "1990-2000"
titles["now"] = "2000+"
There are 3175 nodes(actors) and 10999 links(movie collaboration) in 1900-1970 period.
There are 2072 nodes(actors) and 5123 links(movie collaboration) in 1970-1980 period.
There are 2569 nodes(actors) and 6171 links(movie collaboration) in 1980-1990 period.
There are 4302 nodes(actors) and 11573 links(movie collaboration) in 1990-2000 period.
There are 5049 nodes(actors) and 12859 links(movie collaboration) in 2000-2020 period.

We store the graph and the corresponding data in dictionaries which makes it easy to access after.

Visualization

Same as before for the full graph, there two options either directly with the force atlas algorithm or with the short-cut files.

In [20]:
################################
# Graph per period positionning
################################
positionsPeriod = {}

if not fastExecution:
    for key in graphByPeriod:
        p = forceatlas2.forceatlas2_networkx_layout(graphByPeriod[key], pos=None, iterations=3000)
        positionsPeriod[key] = p
        if savingData:
            #Build a shortcut to speed up and not re-run the algorithm
            #Store the positions in a text file
            path = "DATA/forceAtlasPositions_"+key+".txt"
            files = io.open(path, mode="w", encoding="utf-8")
            for key in p.keys():
                row = key +"\t" + str(p[key][0]) +"\t"+str(p[key][1])+"\r\n"
                files.write(row.replace("u'","").replace("'",""))
            files.close()
else:    
    #Get the Dictionnary
    for key in graphByPeriod:
        posit={}
        path = "DATA/forceAtlasPositions_"+key+".txt"
        files = io.open(path, mode="r", encoding="utf-8")
        for row in files:
            split = row.split("\t")
            posit[split[0]] = (float(split[1]),float(split[2]))
        files.close()
        positionsPeriod[key] = posit

We build a draw function to automatize the drawing of the period graphs. In input it receive the considered graph, the title of the representation build and the positions of the nodes given by the force atlas algorithm. </br> Sizes are computed the same way as for the full graph before.

In [21]:
################
# DRAW FUNCTION
################

#Auxiliary function
def getSecond(a):
    return a[1]

def draw(graph,ttl,posi):
    colors = getColors(graph)  # Build the color and size arrays

    #SIZE
    # Get the actor/actress with the biggest number of collaborations
    sizes = {}
    os = []
    sizeMax =0
    for iD in graph.nodes():
        edges = list(graph.edges(iD))
        ogStrength = 0
        for e in edges:
            ogStrength += graph.get_edge_data(*e)["weight"] 
        sizes[iD] = ogStrength
        os.append((graph.nodes[iD]["Name"],ogStrength))
        if ogStrength > sizeMax:
            sizeMax = ogStrength

    #LABEL
    # Build a label dictionnary with the name of the members to highlight
    SortedNames = np.asarray(sorted(os, key=getSecond,reverse = True))[:,0]
    SortedNames = SortedNames[:10]
    labels = {}
    for n in graph.nodes():
        name = actorNameDict[n]
        if name in SortedNames:
            labels[n]="\n\n"+name
        else:
            labels[n]=""

    #POSITIONNING
    positions = posi

    alpha =25/sizeMax
    fig = plt.figure(figsize=(30, 30))
    nx.draw_networkx(graph, positions, 
                     node_size = [(alpha*sizes[n])**(2) for n in graph.nodes()],  node_color = [colors[n] for n in graph.nodes()],
                     with_labels=True,
                     width = 0.1,edge_color='#999999',labels = labels,font_size = 17, font_weight= "bold")
    plt.axis('off')
    plt.title("Actors Graph Period "+ttl, fontdict = title_font  )
    base = 'Figures/actorGraph_'+ttl
    if savingFigures:
        plt.savefig(base+'.jpeg', bbox_inches='tight')
        plt.savefig(base+'.png', bbox_inches='tight')
        plt.savefig(base+'.svg', bbox_inches='tight')
    plt.show()
In [22]:
####################
# Draw the networks
####################

for key in graphByPeriod.keys():
    draw(graphByPeriod[key],titles[key], positionsPeriod[key])

In general in the center of the graph, we find american actors because it is the major industry, and on the outside, actors from smaller industries (internatinnaly speaking) can emerge: Indians in the 2000+ graph for example.

Statistics

Degree Analysis

In [23]:
################################
# Display the degrees histogram 
################################

# Get the degrees
mDegrees = [G.degree(n) for n in G.nodes() if G.nodes[n]["Gender"] == "M"]
fDegrees = [G.degree(n) for n in G.nodes() if G.nodes[n]["Gender"] == "F"]
degrees = [G.degree(n) for n in G.nodes()]

# Get the histograms
histM, binsM = histogram(mDegrees,False)
histF, binsF = histogram(fDegrees,False)
histD, binsD = histogram(degrees,True)

# Plot
plt.figure(figsize = (15,6))
plt.bar(binsM[:-1], histM, 0.35, color=mBlue, label = "Degrees of Actors")
plt.bar([b+0.4 for b in binsF[:-1]], histF, 0.35, color=fRed, label = "Degrees of Actress")
plt.xlabel('Degrees')
plt.ylabel('Number of occurences')
plt.suptitle('Degree distribution', fontsize=16)
plt.legend()
base = 'Figures/degreeDist'
if savingFigures:
    plt.savefig(base+'.jpeg', bbox_inches='tight')
    plt.savefig(base+'.png', bbox_inches='tight')
    plt.savefig(base+'.svg', bbox_inches='tight')
plt.show()

There are less actress than actors but the distribution of their degrees are really similar.

Let's compare the degree distributions with random networks ones (Poisson) and scale free ones.

In [24]:
#######################
# Degree distributions 
#######################

def PoissDegree(ks,avg):
    return [np.exp(-avg)*avg**k/math.factorial(int(k)) for k in ks]
def ScaleFreeDegree(ks,gamma):
    return [k**(-gamma)/zeta(gamma) for k in ks]
In [25]:
################################################
# Degree distributions ploting on log log scale
################################################

# Log-Log Plot zoom on scale free
plt.figure(figsize = (10,4))
title_font['size'] = 20
plt.title("Log-Log Degree Distribution", fontdict = title_font)
plt.loglog(binsD[:-1], histD, '.', color=mBlue)
plt.xlabel('Log(Degree)')
plt.ylabel('Log(Number of occurences)')
plt.ylim(1e-5,1)
avg = np.mean(degrees)
ks = np.linspace(1,np.max(degrees),np.max(degrees))
plt.loglog(ks,PoissDegree(ks,avg),"-",color="k")
plt.loglog(ks,ScaleFreeDegree(ks,2),"-",color="r")
plt.legend(["Observations",
            "Random network degree distribution",
            "Scale-free network degree distribution ($\gamma = 2$)"])
base = 'Figures/loglogZoomDegreeDist'
if savingFigures:
    plt.savefig(base+'.jpeg', bbox_inches='tight')
    plt.savefig(base+'.png', bbox_inches='tight')
    plt.savefig(base+'.svg', bbox_inches='tight')
plt.show()

Let's package the degree analysis in a function to run it over all the period graphs.

In [26]:
#######################
# Full Degree Analysis
#######################

def degreeAnalysis(graph,ttl):
    # Get the degrees
    degrees = [graph.degree(n) for n in graph.nodes()]

    # Get the histograms
    histD, binsD = histogram(degrees,True)

    # Log-Log Plot zoom on scale free
    plt.figure(figsize = (10,4))
    plt.title("Log-Log Degree Distribution of period "+ttl)
    plt.loglog(binsD[:-1], histD, '.', color=mBlue)
    plt.xlabel('Log(Degree)')
    plt.ylabel('Log(Number of occurences)')
    plt.ylim(1e-5,1)
    avg = np.mean(degrees)
    ks = np.linspace(1,np.max(degrees),np.max(degrees))
    plt.loglog(ks,PoissDegree(ks,avg),"-",color="k")
    plt.loglog(ks,ScaleFreeDegree(ks,2),"-",color="r")
    plt.legend(["Observations",
                "Random network degree distribution",
                "Scale-free network degree distribution ($\gamma = 2$)"])
    base = 'Figures/loglogZoomDegreeDist_'+ttl
    if savingFigures:
        plt.savefig(base+'.jpeg', bbox_inches='tight')
        plt.savefig(base+'.png', bbox_inches='tight')
        plt.savefig(base+'.svg', bbox_inches='tight')
    plt.show()
In [27]:
##########################
# Run the Degree Analysis
##########################

for key in graphByPeriod.keys():
    degreeAnalysis(graphByPeriod[key],titles[key])

All the distribution shows that the small degree nodes behave like random networks whereas the large ones tends to act like scale-free networks. This illustrate the fact that Random Network under estimate the likeliness of nodes with very large degrees to exist. In this case, those nodes corresponds to actors playing in a high number of movies with, then, a high number of partners.

Community Detection

To seperate the graph, we want to run a communtity detection algorithm. For the community detection we used the Louvain algorithm due to the high modularity found by the algorithm [Orman, 2011].

In [28]:
##############################
# COMPUTE COMMUNITY DETECTION
##############################

def communityDetect(graph):
    # We used the Louvain algorithm
    partition = community.best_partition(graph)

    # Compute the modularity
    modularity = community.modularity(partition,graph)
    s = "The partition made of the graph has a modularity of +"+str(round(modularity*100,3))
    s +="% and contains "+str(len(set(partition.values())))+" communities."
    print s
    
    return partition,modularity

Let's use a function to draw the communities. This function also return the id of the biggest communities to study them afterwards.

In [29]:
#######################
# PLOT THE COMMUNITIES
#######################

# Define a color range to differentiate the communities
colorRange = np.asarray([mBlue,'#db3aAA',fRed,'#aac857','#32BBAA','#4020AA','#084c61','#407058','#177e89','#bbcdcd'])

##INPUT : 
# graph to draw, corresponding communities, title to give, 
# positions of the nodes, boolean (whether it is the full graph or not)

##OUTPUT :
# id of the communities big enough to be displayed
def drawCommunities(graph, partition, ttl, posi, full): 
    # Drawing
    minComm = graph.number_of_nodes()/60 #biggest community limit
    biggestCommunitiesLabel={}
    fig = plt.figure(figsize=(15, 15))
    nextColor =0            # Color count to go through the color range
    for com in set(partition.values()) :
        list_nodes = [nodes for nodes in partition.keys()            # Go throught the communities built
                                    if partition[nodes] == com]
        if len(list_nodes)>minComm: # Pick a color for the big communities 
            col = nextColor % 10
            color = colorRange[col]
            nextColor +=1
            shape = "o"
            if nextColor>9:
                shape = "^"
            if nextColor>19:
                shape = "s"
            alph =1
            labl = "Community "+str(com)+": "+str(len(list_nodes))+" members"
            biggestCommunitiesLabel[com]=labl
            nx.draw_networkx_nodes(graph, posi, list_nodes, node_size = 30,node_color = color, alpha=alph,node_shape=shape, label = labl)
        else: # Small communities are drawn in grey to increase readablility
            color = "#BBBBBB"
            alph = 0.2
            nx.draw_networkx_nodes(graph, posi, list_nodes, node_size = 20,node_color = color, alpha=alph)  


    nx.draw_networkx_edges(graph, posi,  width = 0.1, arrows=False, alpha=0.5) # Draw the edges
    plt.axis('off')
    plt.legend()
    if full:
        plt.title('Actor Graph Communities', fontdict = title_font)
        base = 'Figures/communities'
    else:   
        plt.title('Communities for the period '+ttl, fontdict = title_font)
        base = 'Figures/communities_'+ttl
    if not savingFigures:
        plt.savefig(base+'.jpeg', bbox_inches='tight')
        plt.savefig(base+'.png', bbox_inches='tight')
        plt.savefig(base+'.svg', bbox_inches='tight')
    plt.show()
    return biggestCommunitiesLabel
In [30]:
#############################################
# RUN COMMUNITY DETECTION FOR THE FULL GRAPH
#############################################

partG,modulG = communityDetect(G)
biggestCommunitiesLabel = drawCommunities(G,partG,"full",pos, True)
The partition made of the graph has a modularity of +69.646% and contains 121 communities.
In [31]:
###############################################
# RUN COMMUNITY DETECTION FOR THE PERIOD GRAPH
###############################################

# Initiate diacts to store data
partDict = {}
modulDict = {}
biggestCommDict = {}

# Run the community detection
for key in graphByPeriod.keys():
    p,m = communityDetect(graphByPeriod[key])
    b = drawCommunities(graphByPeriod[key],p,titles[key], positionsPeriod[key],False)
    partDict[key]=p
    modulDict[key]=m
    biggestCommDict[key]=b
The partition made of the graph has a modularity of +79.605% and contains 40 communities.
The partition made of the graph has a modularity of +72.305% and contains 46 communities.
The partition made of the graph has a modularity of +79.004% and contains 50 communities.
The partition made of the graph has a modularity of +80.372% and contains 38 communities.
The partition made of the graph has a modularity of +61.058% and contains 32 communities.

The communities seem very clear in the full graph, for each period some communities seems clear but they are more mixed in the graphs.</br>

To have a better understanding of those communities, let's analyse which actors and movies they are composed with. We gonna study:

  • The age of the movies
  • The actors (nationality)
  • The movies (type)
  • The ratings
  • The sentiments score from the sentiment analysis </br>

To study the sentiments we first gonna store sentiment analysis results in to a dictionary.

In [32]:
#####################
# GET THE SENTIMENTS
#####################
files = open("sentiment.txt")
s = files.readlines()[0]
sentimentDict = json.loads(s)

Let's build a function to analyse the communities. For a graph, a partition and a list of the communities, it build a report containing for all the large communities, the main actors and movies, basic statistics on age, rating and sentiments.

In [33]:
##########################
# COMMUNITIES EXPLANATION
##########################
def communityExplain(graph, partition, bigComms, classification, lim):
    commString = "" # String containing all the infos collected
    for com in bigComms.keys(): # Go throught the large communities for this graph
        list_nodes = [nodes for nodes in partition.keys() if partition[nodes] == com] #collect the nodes of this com
        grphCom = graph.subgraph(list_nodes) #Select the subgraph corresponding to the community
        os = []  #Store the outgoing strenght to get the main actors
        rating = [] #Store the ratings
        age = [] #Store the age of the movies
        movies = {} #Store the movies
        for iD in grphCom.nodes(): # Go throught the nodes
            edges = list(grphCom.edges(iD))
            lMovies = []
            ogStrength = 0
            for e in edges: # Store the data get from every edges of the sub graph
                ogStrength += grphCom.get_edge_data(*e)["weight"]
                rating.append(grphCom.get_edge_data(*e)["avRating"])
                age.append(grphCom.get_edge_data(*e)["avYear"])
                m = grphCom.get_edge_data(*e)["movies"]
                for i in m:
                    lMovies.append(i)
                    if i in movies.keys():
                        movies[i]+=1
                    else:
                        movies[i]=1
            if not classification == "collaborations":
                ogStrength = ogStrength/len(edges)
            if len(set(lMovies))>lim:
                os.append((graph.nodes[iD]["Name"],ogStrength))
            
        # Start the txt log
        commString += "\r\n \r\n####################################### \r\n"
        commString += "Community: "+str(com) + "\r\n"
        commString += "####################################### \r\n \r\n"
        commString += "Members:"+str(len(list_nodes))+ "\r\n"
        # Get and log the main actors
        mainAc = sorted(os, key=getSecond, reverse = True)
        s = "Main Actors: "
        nActorsToPrint = 5
        if len(mainAc) <5:
            nActorsToPrint=len(mainAc)
        for i in range(nActorsToPrint):
            s+= mainAc[i][0]+" ("+str(mainAc[i][1])+" "+classification+") "
        # Log the year and ratings
        commString += s + "\r\n"
        commString += "Year: "+str(round(np.min(age)))+'-'+str(round(np.max(age)))+"  Av: "+str(round(np.mean(age),2))+"  Std: "+str(round(np.std(age),2)) + "\r\n"
        commString +="Ratings: "+str(round(np.min(rating),2))+'-'+str(round(np.max(rating),2))+"  Av: "+str(round(np.mean(rating),2))+"  Std: "+str(round(np.std(rating),2)) + "\r\n"
        mainMovies = sorted(movies.items(), key= getSecond, reverse = True)
        # Get and log the main movies
        s = "Main Movies: "
        for i in range(5):
            if mainMovies[i][0] in movieNameDict.keys():
                s+= movieNameDict[mainMovies[i][0]]+" ("+str(mainMovies[i][1]/2)+" times) "
        commString += s + "\r\n"
        # Get and log the sentiment
        sentiment = []
        for i in range(len(mainMovies)):
            if mainMovies[i][0] in sentimentDict.keys():
                sentiment.append((sentimentDict[mainMovies[i][0]][1]*1.0/sentimentDict[mainMovies[i][0]][0]))
        s = "Sentiments: "+str(round(np.min(sentiment),5))+'-'+str(round(np.max(sentiment),5))+"  Av: "+str(round(np.mean(sentiment),5))+"  Std: "+str(round(np.std(sentiment),5)) + "\r\n"
        commString += s + "\r\n"
    
    # return the log built
    return commString
In [34]:
#########################
# ANALYSE THE FULL GRAPH
#########################
files = io.open("Full_communityAnalysis.txt", mode="w", encoding="utf-8" )
s = communityExplain(G,partG,biggestCommunitiesLabel,"collaborations",1)
print s
files.write(s)
files.close()
 
####################################### 
Community: 32
####################################### 
 
Members:343
Main Actors: James Brolin (18 collaborations) Michael Lonsdale (11 collaborations) Matt McCoy (11 collaborations) Connie Sellecca (11 collaborations) Alana Austin (10 collaborations) 
Year: 1950.0-2008.0  Av: 1994.36  Std: 11.95
Ratings: 2.6-8.5  Av: 5.6  Std: 1.17
Main Movies: La mujer del aviador (15.0 times) India Song (15.0 times) The Gig (6.0 times) Eréndira (6.0 times) Saam gaang yi (6.0 times) 
Sentiments: 5.1389-6.05477  Av: 5.66506  Std: 0.1524


 
####################################### 
Community: 1
####################################### 
 
Members:2148
Main Actors: John Wayne (96 collaborations) Randolph Scott (83 collaborations) Barbara Stanwyck (78 collaborations) Cary Grant (68 collaborations) Bette Davis (68 collaborations) 
Year: 1917.0-2005.0  Av: 1946.24  Std: 12.71
Ratings: 1.8-8.9  Av: 6.4  Std: 0.93
Main Movies: Glen or Glenda (21.0 times) The Star Packer (21.0 times) The Lawless Frontier (21.0 times) Dishonored (21.0 times) Bride of the Gorilla (21.0 times) 
Sentiments: 4.71828-6.27565  Av: 5.68123  Std: 0.16744


 
####################################### 
Community: 2
####################################### 
 
Members:774
Main Actors: Christopher Lee (32 collaborations) Peter Cushing (32 collaborations) Alec Guinness (28 collaborations) Donald Pleasence (28 collaborations) Chuck Norris (20 collaborations) 
Year: 1915.0-2008.0  Av: 1975.52  Std: 15.79
Ratings: 2.0-8.3  Av: 5.84  Std: 1.25
Main Movies: G2 (15.0 times) Son of Dracula (15.0 times) Porno Holocaust (10.0 times) In the Shadows, Someone's Watching (10.0 times) Romeo & Juliet (10.0 times) 
Sentiments: 5.12758-6.22  Av: 5.67968  Std: 0.14734


 
####################################### 
Community: 5
####################################### 
 
Members:728
Main Actors: Gérard Depardieu (44 collaborations) Catherine Deneuve (38 collaborations) Daniel Auteuil (34 collaborations) Jean-Paul Belmondo (27 collaborations) André Dussollier (24 collaborations) 
Year: 1928.0-2008.0  Av: 1993.66  Std: 13.68
Ratings: 2.7-8.3  Av: 6.62  Std: 0.86
Main Movies: La maman et la putain (21.0 times) The Yeomen of the Guard (15.0 times) Le malizie di Venere (10.0 times) Peau d'homme coeur de bête (6.0 times) Tickets (6.0 times) 
Sentiments: 5.07699-6.20958  Av: 5.6824  Std: 0.15432


 
####################################### 
Community: 6
####################################### 
 
Members:457
Main Actors: Jackie Chan (48 collaborations) Andy Lau (39 collaborations) Yun-Fat Chow (34 collaborations) Ekin Cheng (29 collaborations) Qi Shu (27 collaborations) 
Year: 1948.0-2008.0  Av: 1993.51  Std: 10.56
Ratings: 3.1-8.1  Av: 6.14  Std: 1.02
Main Movies: Bai ma hei qi (36.0 times) Long quan (28.0 times) Chuet sik san tau (28.0 times) Pang see: Song jun tin leung (28.0 times) Hei tai yang 731 xu ji zhi sha ren gong chang (28.0 times) 
Sentiments: 5.11038-6.48143  Av: 5.67928  Std: 0.18781


 
####################################### 
Community: 7
####################################### 
 
Members:322
Main Actors: Amitabh Bachchan (69 collaborations) Salman Khan (51 collaborations) Shah Rukh Khan (48 collaborations) Rani Mukerji (39 collaborations) Akshay Kumar (36 collaborations) 
Year: 1953.0-2009.0  Av: 1999.86  Std: 9.41
Ratings: 1.9-8.5  Av: 6.43  Std: 1.34
Main Movies: Namak Halaal (21.0 times) Phir Wohi Raat (21.0 times) Aksar (15.0 times) My Wife's Murder (15.0 times) Keerthi Chakra (15.0 times) 
Sentiments: 5.09135-5.96979  Av: 5.65516  Std: 0.14474


 
####################################### 
Community: 9
####################################### 
 
Members:373
Main Actors: Michael Paré (22 collaborations) Shannen Doherty (21 collaborations) William Devane (17 collaborations) Armand Assante (16 collaborations) Bruce Davison (16 collaborations) 
Year: 1954.0-2009.0  Av: 1996.56  Std: 8.65
Ratings: 2.6-8.0  Av: 5.44  Std: 1.32
Main Movies: The Women of Charmed (36.0 times) The Lost World (15.0 times) Lessons for an Assassin (6.0 times) Recipe for a Perfect Christmas (6.0 times) Back in Action (6.0 times) 
Sentiments: 5.20271-6.35  Av: 5.67449  Std: 0.15973


 
####################################### 
Community: 14
####################################### 
 
Members:300
Main Actors: Mädchen Amick (18 collaborations) Lou Diamond Phillips (17 collaborations) Steven Bauer (17 collaborations) Lorenzo Lamas (17 collaborations) Adam Beach (14 collaborations) 
Year: 1968.0-2008.0  Av: 1996.81  Std: 8.66
Ratings: 2.5-7.8  Av: 5.46  Std: 1.31
Main Movies: Heart: The Marilyn Bell Story (15.0 times) The Death Collector (10.0 times) Hangman (6.0 times) I'm Dangerous Tonight (6.0 times) DreamKeeper (6.0 times) 
Sentiments: 5.12625-6.1084  Av: 5.67465  Std: 0.14747


 
####################################### 
Community: 15
####################################### 
 
Members:534
Main Actors: Burt Reynolds (28 collaborations) Ned Beatty (25 collaborations) Jan-Michael Vincent (18 collaborations) Richard Pryor (18 collaborations) Beverly D'Angelo (18 collaborations) 
Year: 1958.0-2010.0  Av: 1986.14  Std: 12.27
Ratings: 2.0-8.4  Av: 5.8  Std: 1.1
Main Movies: Get Out of My Room (36.0 times) In the Name of Love: A Texas Tragedy (15.0 times) The Happy Hooker Goes to Washington (6.0 times) Pandemonium (6.0 times) Some Kind of Hero (6.0 times) 
Sentiments: 5.09378-6.203  Av: 5.66616  Std: 0.15527


 
####################################### 
Community: 16
####################################### 
 
Members:388
Main Actors: Ice-T (24 collaborations) Michael Madsen (23 collaborations) Michael Ironside (22 collaborations) Dennis Hopper (22 collaborations) Eric Roberts (20 collaborations) 
Year: 1953.0-2009.0  Av: 1995.17  Std: 9.68
Ratings: 2.0-7.9  Av: 4.96  Std: 1.19
Main Movies: Fatal Pulse (15.0 times) Out Kold (15.0 times) Saimin (15.0 times) Beach Babes from Beyond (6.0 times) NightScream (6.0 times) 
Sentiments: 4.99574-5.99053  Av: 5.6583  Std: 0.1537


 
####################################### 
Community: 21
####################################### 
 
Members:2662
Main Actors: Donald Sutherland (64 collaborations) Nicolas Cage (57 collaborations) Dennis Quaid (56 collaborations) William Hurt (53 collaborations) Robin Williams (52 collaborations) 
Year: 1957.0-2010.0  Av: 1997.42  Std: 8.42
Ratings: 1.9-8.9  Av: 6.22  Std: 0.96
Main Movies: Inland Empire (28.0 times) Do You Know the Muffin Man? (10.0 times) Cinderelmo (10.0 times) The Ten Commandments: The Musical (10.0 times) The Seeker: The Dark Is Rising (6.0 times) 
Sentiments: 5.07741-6.23647  Av: 5.6786  Std: 0.12759


 
####################################### 
Community: 23
####################################### 
 
Members:277
Main Actors: John Ritter (17 collaborations) Patty Duke (16 collaborations) Jeff Fahey (14 collaborations) Pat Hingle (14 collaborations) Jacqueline Bisset (14 collaborations) 
Year: 1949.0-2008.0  Av: 1986.4  Std: 13.76
Ratings: 2.1-8.6  Av: 5.76  Std: 1.32
Main Movies: Devil in Miss Jones (21.0 times) The Opening of Misty Beethoven (15.0 times) Barbara Broadcast (15.0 times) Cries from the Heart (10.0 times) A Decade Under the Influence (6.0 times) 
Sentiments: 5.105-6.02713  Av: 5.68658  Std: 0.14021


 
####################################### 
Community: 24
####################################### 
 
Members:356
Main Actors: Tadanobu Asano (30 collaborations) Masanobu Andô (21 collaborations) Shin'ichi Chiba (20 collaborations) Chiaki Kuriyama (15 collaborations) Shirô Sano (15 collaborations) 
Year: 1949.0-2008.0  Av: 1994.0  Std: 13.05
Ratings: 4.4-8.6  Av: 6.53  Std: 0.83
Main Movies: Tokyo 10+01 (36.0 times) Kenka karate kyokushinken (21.0 times) Red Shadow: Akakage (21.0 times) Desu pawuda (21.0 times) Junk: Shiryô-gari (15.0 times) 
Sentiments: 5.11229-6.222  Av: 5.68573  Std: 0.17378


 
####################################### 
Community: 28
####################################### 
 
Members:336
Main Actors: Richard Roundtree (21 collaborations) Bruce Campbell (17 collaborations) Bud Spencer (16 collaborations) Jonathan Banks (15 collaborations) Terence Hill (14 collaborations) 
Year: 1950.0-2008.0  Av: 1988.97  Std: 12.99
Ratings: 1.7-8.7  Av: 5.51  Std: 1.36
Main Movies: The Being (15.0 times) High Noon, Part II: The Return of Will Kane (10.0 times) Brothers in Arms (6.0 times) Second Time Lucky (6.0 times) Break a Leg (6.0 times) 
Sentiments: 5.2425-6.09841  Av: 5.6851  Std: 0.14909


  • Community 1 correponds mainly to old movies (1946 in average with a standard deviation of 12.71), mostly american.
  • Community 2: A second generation of movies (1975 in average), british and american mainly
  • Community 5: French actors and movies
  • Community 6: Chinese
  • Community 7: Indian
  • Community 16: Have a lower rating than the other communities (Av: 4.96 Std: 1.19)
  • Community 21: The most recent american(anglo-saxon) movies (Av: 1997.42 Std: 8.42)
  • Community 24: Japanese

The sentiment tends to be really close across the communities, but the ratings differ through the communities, old movies(6.4), french movies(6.62), indian movies(6.43) and japanese one(6.53) have better rating in average.

In [35]:
########################
# ANALYSE PERIOD GRAPHS
########################
files = io.open("communityAnalysis.txt", mode="w", encoding="utf-8" )
for key in graphByPeriod.keys(): #Go through all period graph
    p = partDict[key]
    m = modulDict[key]
    b = biggestCommDict[key]
    
    #Print the report
    s1 = "\r\n#######################################  \r\n####################################### \r\n\r\n"
    s1 += "Period: "+titles[key]+ "\r\n" + "Modularity: "+str(m)+ "\r\n \r\n" +"#######################################  \r\n####################################### \r\n"
    print "#######################################"
    print "#######################################"
    print ""
    print "Period: "+titles[key]
    print "Modularity: "+str(m)
    print ""
    print "#######################################"
    print "#######################################"
    files.write(unicode(s1, "utf-8"))
    s = communityExplain(graphByPeriod[key],p,b, "collaborations",7)
    files.write(s)
    print s
files.close()
#######################################
#######################################

Period: 1980-1990
Modularity: 0.796045430548

#######################################
#######################################

 
####################################### 
Community: 0
####################################### 
 
Members:47
Main Actors: 
Year: 1982.0-1990.0  Av: 1986.38  Std: 2.68
Ratings: 4.3-7.4  Av: 5.78  Std: 0.87
Main Movies: Hanky Panky (6.0 times) The Well (6.0 times) Who Dares Wins (6.0 times) Absolute Beginners (6.0 times) Trapped (6.0 times) 
Sentiments: 5.3818-5.93921  Av: 5.69283  Std: 0.13961


 
####################################### 
Community: 1
####################################### 
 
Members:79
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.44  Std: 3.06
Ratings: 4.1-7.7  Av: 5.86  Std: 0.9
Main Movies: The Wrong Guys (6.0 times) Dead Men Don't Die (6.0 times) One Dark Night (6.0 times) Jane and the Lost City (6.0 times) Robocop 2 (6.0 times) 
Sentiments: 5.28397-5.88022  Av: 5.64532  Std: 0.15857


 
####################################### 
Community: 2
####################################### 
 
Members:67
Main Actors: 
Year: 1981.0-1990.0  Av: 1987.13  Std: 2.51
Ratings: 2.8-7.8  Av: 5.92  Std: 1.06
Main Movies: Brain Dead (6.0 times) The Serpent and the Rainbow (6.0 times) True Blood (6.0 times) One Magic Christmas (6.0 times) Tightrope (6.0 times) 
Sentiments: 5.40917-5.90634  Av: 5.6671  Std: 0.12361


 
####################################### 
Community: 3
####################################### 
 
Members:63
Main Actors: 
Year: 1982.0-1990.0  Av: 1986.28  Std: 2.35
Ratings: 4.4-7.4  Av: 5.9  Std: 0.84
Main Movies: The Boy in Blue (6.0 times) The Tell (6.0 times) Party Camp (6.0 times) Year of the Dragon (6.0 times) I, Madman (6.0 times) 
Sentiments: 5.43889-6.03892  Av: 5.7201  Std: 0.15668


 
####################################### 
Community: 4
####################################### 
 
Members:51
Main Actors: 
Year: 1982.0-1990.0  Av: 1986.08  Std: 2.39
Ratings: 2.8-7.5  Av: 5.85  Std: 1.12
Main Movies: Poltergeist (6.0 times) Ewoks: The Battle for Endor (6.0 times) Salvation!: Have You Said Your Prayers Today? (6.0 times) The Delinquents (6.0 times) Eternity (6.0 times) 
Sentiments: 5.39956-6.05788  Av: 5.67315  Std: 0.15141


 
####################################### 
Community: 5
####################################### 
 
Members:77
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.58  Std: 2.85
Ratings: 2.6-8.3  Av: 6.03  Std: 1.48
Main Movies: The Emperor's New Clothes (6.0 times) Miracle Mile (6.0 times) Sweet Sixteen - Blutiges Inferno (6.0 times) She's Back (6.0 times) The Rainbow (6.0 times) 
Sentiments: 5.35315-6.05596  Av: 5.68558  Std: 0.15092


 
####################################### 
Community: 6
####################################### 
 
Members:116
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.3  Std: 2.7
Ratings: 3.1-7.4  Av: 5.31  Std: 0.95
Main Movies: Malibu Express (6.0 times) They're Playing with Fire (6.0 times) Dracula's Widow (6.0 times) Night Wars (6.0 times) Ernest Goes to Jail (6.0 times) 
Sentiments: 5.35569-5.93039  Av: 5.6671  Std: 0.13116


 
####################################### 
Community: 7
####################################### 
 
Members:70
Main Actors: 
Year: 1981.0-1989.0  Av: 1985.38  Std: 2.4
Ratings: 2.4-7.3  Av: 4.83  Std: 1.31
Main Movies: El ojete de Lulú (10.0 times) Romuald et Juliette (6.0 times) Sadomania - Hölle der Lust (6.0 times) L'ultimo guerriero (6.0 times) Les amazones du temple d'or (6.0 times) 
Sentiments: 5.28237-5.95573  Av: 5.7077  Std: 0.14802


 
####################################### 
Community: 8
####################################### 
 
Members:91
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.58  Std: 2.84
Ratings: 1.9-7.6  Av: 5.68  Std: 1.37
Main Movies: Bloodbath at the House of Death (6.0 times) The Return of Captain Invincible (6.0 times) Street Hero (6.0 times) Slagskämpen (6.0 times) The Fourth Wise Man (6.0 times) 
Sentiments: 5.4621-6.00542  Av: 5.70286  Std: 0.11761


 
####################################### 
Community: 9
####################################### 
 
Members:43
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.41  Std: 3.02
Ratings: 3.8-8.0  Av: 5.71  Std: 1.49
Main Movies: The Being (21.0 times) Tucker: The Man and His Dream (6.0 times) Surf II (6.0 times) Crímenes y pecados (6.0 times) Memoirs of a Survivor (6.0 times) 
Sentiments: 5.45388-5.8487  Av: 5.67096  Std: 0.12138


 
####################################### 
Community: 10
####################################### 
 
Members:50
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.7  Std: 2.95
Ratings: 3.3-7.2  Av: 5.21  Std: 1.0
Main Movies: Fast-Walking (6.0 times) The Chipmunk Adventure (6.0 times) Naked Obsession (6.0 times) Avenging Angel (6.0 times) Party Line (6.0 times) 
Sentiments: 5.26296-5.85446  Av: 5.61991  Std: 0.15635


 
####################################### 
Community: 11
####################################### 
 
Members:96
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.36  Std: 2.99
Ratings: 3.0-7.8  Av: 5.87  Std: 1.07
Main Movies: Nomads (6.0 times) Lorna Doone (6.0 times) Eréndira (6.0 times) Class of 1984 (6.0 times) Too Young to Die? (6.0 times) 
Sentiments: 5.07741-6.05477  Av: 5.70449  Std: 0.16763


 
####################################### 
Community: 12
####################################### 
 
Members:85
Main Actors: 
Year: 1981.0-1990.0  Av: 1986.57  Std: 2.33
Ratings: 3.6-7.4  Av: 5.72  Std: 1.1
Main Movies: Children of a Lesser God (6.0 times) Rooftops (6.0 times) The Gig (6.0 times) Mack the Knife (6.0 times) Romero (6.0 times) 
Sentiments: 5.51673-6.11143  Av: 5.72101  Std: 0.13285


 
####################################### 
Community: 13
####################################### 
 
Members:60
Main Actors: 
Year: 1981.0-1990.0  Av: 1986.28  Std: 2.76
Ratings: 3.7-8.1  Av: 6.16  Std: 1.14
Main Movies: Shadowzone (6.0 times) Caddyshack II (6.0 times) Night of the Living Dead (6.0 times) The Holcroft Covenant (6.0 times) Children of the Corn (6.0 times) 
Sentiments: 5.5549-5.94922  Av: 5.73499  Std: 0.10448


 
####################################### 
Community: 14
####################################### 
 
Members:58
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.82  Std: 2.84
Ratings: 3.0-7.3  Av: 5.55  Std: 1.19
Main Movies: Diavolo in corpo (6.0 times) Moon 44 (6.0 times) The Philadelphia Experiment (6.0 times) The Man from Snowy River (6.0 times) A Dangerous Summer (6.0 times) 
Sentiments: 5.15348-6.03038  Av: 5.64973  Std: 0.18635


 
####################################### 
Community: 15
####################################### 
 
Members:100
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.93  Std: 2.77
Ratings: 4.0-8.5  Av: 6.37  Std: 0.93
Main Movies: For Queen & Country (6.0 times) Alice at the Palace (6.0 times) Something Wild (6.0 times) To Be or Not to Be (6.0 times) Servicio de noche (6.0 times) 
Sentiments: 5.29404-6.005  Av: 5.68402  Std: 0.13208


 
####################################### 
Community: 16
####################################### 
 
Members:81
Main Actors: 
Year: 1981.0-1990.0  Av: 1987.3  Std: 2.04
Ratings: 4.7-8.2  Av: 6.17  Std: 0.81
Main Movies: Fat Man and Little Boy (6.0 times) Youngblood (6.0 times) About Last Night... (6.0 times) Marked for Death (6.0 times) Purple Hearts (6.0 times) 
Sentiments: 5.45226-5.90508  Av: 5.69411  Std: 0.10041


 
####################################### 
Community: 17
####################################### 
 
Members:74
Main Actors: 
Year: 1981.0-1990.0  Av: 1987.2  Std: 2.56
Ratings: 4.1-7.6  Av: 6.03  Std: 0.89
Main Movies: House II: The Second Story (6.0 times) Henry & June (6.0 times) Mujer bonita (6.0 times) September (6.0 times) Renegades (6.0 times) 
Sentiments: 5.28278-5.91848  Av: 5.63956  Std: 0.15191


 
####################################### 
Community: 18
####################################### 
 
Members:66
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.71  Std: 2.71
Ratings: 3.0-7.2  Av: 5.68  Std: 1.16
Main Movies: Staying Together (6.0 times) Songwriter (6.0 times) Barbarosa (6.0 times) Jake Speed (6.0 times) Whoops Apocalypse (6.0 times) 
Sentiments: 5.48267-5.88626  Av: 5.69231  Std: 0.11838


 
####################################### 
Community: 19
####################################### 
 
Members:84
Main Actors: 
Year: 1981.0-1990.0  Av: 1986.19  Std: 2.3
Ratings: 2.1-7.5  Av: 5.41  Std: 1.24
Main Movies: Farewell to the King (6.0 times) Chopping Mall (6.0 times) Beat Street (6.0 times) Hello Mary Lou: Prom Night II (6.0 times) Pauline à la plage (6.0 times) 
Sentiments: 5.41669-5.8805  Av: 5.67007  Std: 0.09921


 
####################################### 
Community: 20
####################################### 
 
Members:52
Main Actors: 
Year: 1981.0-1990.0  Av: 1986.24  Std: 2.72
Ratings: 3.0-7.9  Av: 5.49  Std: 1.27
Main Movies: Nightmare Weekend (6.0 times) The Barbarians (6.0 times) Mirror Mirror (6.0 times) A Cry for Help: The Tracey Thurman Story (6.0 times) Play Dead (6.0 times) 
Sentiments: 5.48131-5.90977  Av: 5.70729  Std: 0.12269


 
####################################### 
Community: 22
####################################### 
 
Members:45
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.9  Std: 3.23
Ratings: 3.8-7.1  Av: 5.63  Std: 0.88
Main Movies: Without You I'm Nothing (6.0 times) Murder by Phone (6.0 times) 976-EVIL (6.0 times) Second Time Lucky (6.0 times) A Nightmare on Elm Street 3: Dream Warriors (6.0 times) 
Sentiments: 5.48091-6.09841  Av: 5.69499  Std: 0.14949


 
####################################### 
Community: 23
####################################### 
 
Members:97
Main Actors: 
Year: 1981.0-1990.0  Av: 1986.37  Std: 2.77
Ratings: 3.1-7.8  Av: 5.41  Std: 1.17
Main Movies: Phantom of the Mall: Eric's Revenge (6.0 times) Rosalie Goes Shopping (6.0 times) Maniac Cop (6.0 times) The Evil Dead (6.0 times) The Fifth Missile (6.0 times) 
Sentiments: 5.36-6.21782  Av: 5.69791  Std: 0.17206


 
####################################### 
Community: 24
####################################### 
 
Members:85
Main Actors: 
Year: 1981.0-1990.0  Av: 1986.54  Std: 2.44
Ratings: 4.2-8.2  Av: 6.21  Std: 0.98
Main Movies: Do You Know the Muffin Man? (10.0 times) Always Remember I Love You (10.0 times) Explorers (6.0 times) Spies Like Us (6.0 times) Seize the Day (6.0 times) 
Sentiments: 5.31065-5.96185  Av: 5.69104  Std: 0.15134


 
####################################### 
Community: 25
####################################### 
 
Members:82
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.32  Std: 3.06
Ratings: 1.5-7.9  Av: 5.47  Std: 1.26
Main Movies: Circle of Two (6.0 times) Green Ice (6.0 times) Hollywood Vice Squad (6.0 times) Easy Money (6.0 times) Moonwalker (6.0 times) 
Sentiments: 5.26414-5.92017  Av: 5.66319  Std: 0.15025


 
####################################### 
Community: 27
####################################### 
 
Members:45
Main Actors: 
Year: 1982.0-1990.0  Av: 1987.06  Std: 2.21
Ratings: 2.8-6.0  Av: 4.71  Std: 0.8
Main Movies: You Talkin' to Me? (6.0 times) Hellhole (6.0 times) The Vindicator (6.0 times) Campus Man (6.0 times) Missing in Action (6.0 times) 
Sentiments: 5.45094-5.96393  Av: 5.68379  Std: 0.14263


 
####################################### 
Community: 28
####################################### 
 
Members:45
Main Actors: 
Year: 1981.0-1990.0  Av: 1986.37  Std: 2.11
Ratings: 5.0-7.1  Av: 5.97  Std: 0.62
Main Movies: A Judgment in Stone (6.0 times) Polyester (6.0 times) North Shore (6.0 times) Disturbed (6.0 times) Bullies (6.0 times) 
Sentiments: 5.2668-6.57821  Av: 5.66542  Std: 0.29288


 
####################################### 
Community: 30
####################################### 
 
Members:95
Main Actors: 
Year: 1981.0-1990.0  Av: 1986.86  Std: 2.38
Ratings: 3.1-7.9  Av: 6.13  Std: 0.97
Main Movies: El Padrino: Parte III (6.0 times) Under the Cherry Moon (6.0 times) Shanghai Surprise (6.0 times) Innerspace (6.0 times) Frenchman's Farm (6.0 times) 
Sentiments: 5.41939-5.93118  Av: 5.68889  Std: 0.10631


 
####################################### 
Community: 31
####################################### 
 
Members:79
Main Actors: 
Year: 1982.0-1989.0  Av: 1986.19  Std: 1.75
Ratings: 2.7-7.7  Av: 5.6  Std: 0.99
Main Movies: Get Out of My Room (36.0 times) Earth Girls Are Easy (6.0 times) C.H.U.D. (6.0 times) Fuga al amanecer (6.0 times) Shoot to Kill (6.0 times) 
Sentiments: 5.46801-5.94357  Av: 5.6736  Std: 0.12134


 
####################################### 
Community: 34
####################################### 
 
Members:70
Main Actors: 
Year: 1981.0-1990.0  Av: 1986.35  Std: 2.49
Ratings: 2.8-7.2  Av: 4.8  Std: 1.15
Main Movies: Demon Cop (6.0 times) Kill and Kill Again (6.0 times) 24 Hours to Midnight (6.0 times) The Little Kidnappers (6.0 times) Danger - Keine Zeit zum Sterben (6.0 times) 
Sentiments: 5.3996-5.89168  Av: 5.67246  Std: 0.11323


 
####################################### 
Community: 35
####################################### 
 
Members:54
Main Actors: 
Year: 1981.0-1990.0  Av: 1984.99  Std: 2.86
Ratings: 2.0-8.4  Av: 5.22  Std: 1.47
Main Movies: Creepshow 2 (6.0 times) Final Justice (6.0 times) The Gunfighters (6.0 times) Smooth Talk (6.0 times) Native Son (6.0 times) 
Sentiments: 5.42249-6.01081  Av: 5.67712  Std: 0.12573


 
####################################### 
Community: 37
####################################### 
 
Members:49
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.69  Std: 3.27
Ratings: 4.4-7.7  Av: 6.18  Std: 0.79
Main Movies: Not Quite Human (6.0 times) Pennies from Heaven (6.0 times) The Dollmaker (6.0 times) Skin Deep (6.0 times) Wildcats (6.0 times) 
Sentiments: 5.40786-6.00952  Av: 5.69401  Std: 0.11848


 
####################################### 
Community: 38
####################################### 
 
Members:64
Main Actors: 
Year: 1981.0-1990.0  Av: 1985.19  Std: 3.31
Ratings: 2.3-7.9  Av: 5.54  Std: 1.51
Main Movies: Short Time (6.0 times) Five Days One Summer (6.0 times) Killjoy (6.0 times) The People Across the Lake (6.0 times) Die unendliche Geschichte (6.0 times) 
Sentiments: 5.30678-5.82283  Av: 5.64987  Std: 0.12461


#######################################
#######################################

Period: 1990-2000
Modularity: 0.723045050317

#######################################
#######################################

 
####################################### 
Community: 1
####################################### 
 
Members:112
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.47  Std: 2.71
Ratings: 2.9-7.9  Av: 5.45  Std: 1.34
Main Movies: Bajo la arena (6.0 times) Delivered (6.0 times) Hidden Passion (6.0 times) Washington Square (6.0 times) Children of the Corn II: The Final Sacrifice (6.0 times) 
Sentiments: 5.18651-6.02011  Av: 5.65849  Std: 0.15885


 
####################################### 
Community: 2
####################################### 
 
Members:86
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.91  Std: 2.72
Ratings: 2.6-7.7  Av: 5.09  Std: 1.34
Main Movies: G2 (15.0 times) Man of the House (6.0 times) Fear of a Black Hat (6.0 times) Drop Squad (6.0 times) Maniac Cop 3: Badge of Silence (6.0 times) 
Sentiments: 5.25826-6.18782  Av: 5.70536  Std: 0.17743


 
####################################### 
Community: 3
####################################### 
 
Members:103
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.62  Std: 2.81
Ratings: 2.4-8.0  Av: 5.96  Std: 1.03
Main Movies: Reach the Rock (6.0 times) Unlawful Entry (6.0 times) Made in America (6.0 times) Bulletproof Hearts (6.0 times) Lies He Told (6.0 times) 
Sentiments: 5.26029-5.8845  Av: 5.69007  Std: 0.1237


 
####################################### 
Community: 4
####################################### 
 
Members:126
Main Actors: 
Year: 1991.0-2000.0  Av: 1997.49  Std: 2.48
Ratings: 5.6-8.2  Av: 6.8  Std: 0.69
Main Movies: Haut bas fragile (6.0 times) Merci pour le chocolat (6.0 times) Les acteurs (6.0 times) Ma saison préférée (6.0 times) Au coeur du mensonge (6.0 times) 
Sentiments: 5.39889-5.90145  Av: 5.68427  Std: 0.10659


 
####################################### 
Community: 5
####################################### 
 
Members:159
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.89  Std: 2.69
Ratings: 2.5-7.9  Av: 6.19  Std: 1.14
Main Movies: Cinderelmo (10.0 times) The Crucible (6.0 times) Cold Comfort Farm (6.0 times) The Darwin Conspiracy (6.0 times) Metroland (6.0 times) 
Sentiments: 5.39265-6.11086  Av: 5.7066  Std: 0.13043


 
####################################### 
Community: 6
####################################### 
 
Members:86
Main Actors: Shah Rukh Khan (30 collaborations) 
Year: 1991.0-2000.0  Av: 1996.51  Std: 3.02
Ratings: 3.8-8.6  Av: 6.43  Std: 1.2
Main Movies: Vishwatma (15.0 times) Ajooba (6.0 times) Yes Boss (6.0 times) Fire (6.0 times) Chachi 420 (6.0 times) 
Sentiments: 5.26947-5.90647  Av: 5.66002  Std: 0.15708


 
####################################### 
Community: 7
####################################### 
 
Members:99
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.87  Std: 2.9
Ratings: 3.7-7.4  Av: 6.11  Std: 0.77
Main Movies: The Man in the Moon (6.0 times) Tommy Boy (6.0 times) Boesman and Lena (6.0 times) Sahara (6.0 times) The Pale Horse (6.0 times) 
Sentiments: 5.24743-5.88344  Av: 5.65853  Std: 0.12188


 
####################################### 
Community: 8
####################################### 
 
Members:93
Main Actors: 
Year: 1991.0-2000.0  Av: 1997.07  Std: 2.34
Ratings: 2.6-7.9  Av: 5.63  Std: 1.17
Main Movies: How the Grinch Stole Christmas (6.0 times) Prime Suspect: The Lost Child (6.0 times) The Rage: Carrie 2 (6.0 times) Baby Monitor: Sound of Fear (6.0 times) The Girls' Room (6.0 times) 
Sentiments: 5.37965-5.96004  Av: 5.68789  Std: 0.13928


 
####################################### 
Community: 9
####################################### 
 
Members:98
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.35  Std: 2.94
Ratings: 4.3-8.1  Av: 6.26  Std: 0.89
Main Movies: The Bruce (6.0 times) Shadow Run (6.0 times) Al di là delle nuvole (6.0 times) I Dreamed of Africa (6.0 times) A Good Baby (6.0 times) 
Sentiments: 4.98638-6.20958  Av: 5.68192  Std: 0.17465


 
####################################### 
Community: 10
####################################### 
 
Members:130
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.2  Std: 2.71
Ratings: 2.0-7.2  Av: 5.45  Std: 1.2
Main Movies: A Deadly Vision (6.0 times) Sonic Impact (6.0 times) Tank Girl (6.0 times) The Last Man on Planet Earth (6.0 times) The Broken Cord (6.0 times) 
Sentiments: 5.1506-6.03059  Av: 5.66323  Std: 0.14296


 
####################################### 
Community: 11
####################################### 
 
Members:98
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.6  Std: 2.91
Ratings: 3.2-8.1  Av: 5.58  Std: 0.99
Main Movies: The Substance of Fire (6.0 times) Gone in Sixty Seconds (6.0 times) Thinner (6.0 times) Black Robe (6.0 times) Black Magic Woman (6.0 times) 
Sentiments: 5.229-6.1084  Av: 5.70243  Std: 0.15948


 
####################################### 
Community: 13
####################################### 
 
Members:109
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.45  Std: 2.63
Ratings: 3.5-7.8  Av: 5.72  Std: 1.06
Main Movies: Care (6.0 times) Galaxies Are Colliding (6.0 times) Presence of Mind (6.0 times) Without Warning (6.0 times) The Criminal (6.0 times) 
Sentiments: 5.36584-6.05943  Av: 5.65307  Std: 0.13435


 
####################################### 
Community: 14
####################################### 
 
Members:93
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.93  Std: 2.84
Ratings: 3.4-8.0  Av: 5.94  Std: 1.02
Main Movies: Saimin (15.0 times) The Killing Mind (6.0 times) The Incredible Adventures of Marco Polo (6.0 times) Curacao (6.0 times) Gregory's Two Girls (6.0 times) 
Sentiments: 5.10299-5.87235  Av: 5.62876  Std: 0.16447


 
####################################### 
Community: 15
####################################### 
 
Members:142
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.48  Std: 2.73
Ratings: 4.1-8.1  Av: 6.53  Std: 0.69
Main Movies: Hu meng wei long (21.0 times) Chao ji xue xiao ba wang (21.0 times) Dak ging san yan lui (6.0 times) He ping fan dian (6.0 times) Hun shen shi dan (6.0 times) 
Sentiments: 5.28182-6.38802  Av: 5.71509  Std: 0.20801


 
####################################### 
Community: 16
####################################### 
 
Members:153
Main Actors: Jennifer Rubin (20 collaborations) 
Year: 1991.0-2000.0  Av: 1996.38  Std: 2.6
Ratings: 2.6-7.8  Av: 5.28  Std: 1.09
Main Movies: Twisted Desire (6.0 times) Two Came Back (6.0 times) Shark Attack (6.0 times) NightScream (6.0 times) The Right Connections (6.0 times) 
Sentiments: 5.30725-6.12038  Av: 5.7058  Std: 0.14145


 
####################################### 
Community: 17
####################################### 
 
Members:144
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.26  Std: 2.64
Ratings: 4.2-8.1  Av: 6.27  Std: 0.9
Main Movies: What Planet Are You From? (6.0 times) Johnny Suede (6.0 times) The Indian in the Cupboard (6.0 times) Whiteboyz (6.0 times) The Disappearance of Finbar (6.0 times) 
Sentiments: 5.3874-6.03279  Av: 5.66274  Std: 0.11996


 
####################################### 
Community: 18
####################################### 
 
Members:99
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.53  Std: 2.97
Ratings: 2.8-6.8  Av: 4.72  Std: 0.93
Main Movies: Knockout (6.0 times) Freedom Strike (6.0 times) Justice (6.0 times) Tiger Claws III (6.0 times) McBain (6.0 times) 
Sentiments: 5.45058-6.35  Av: 5.69245  Std: 0.15543


 
####################################### 
Community: 19
####################################### 
 
Members:76
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.49  Std: 2.97
Ratings: 3.7-7.7  Av: 6.38  Std: 0.89
Main Movies: Absolute Giganten (6.0 times) Scorpion Spring (6.0 times) What's Cooking? (6.0 times) Cuori in campo (6.0 times) Anatomie (6.0 times) 
Sentiments: 4.9424-6.00806  Av: 5.64029  Std: 0.19885


 
####################################### 
Community: 21
####################################### 
 
Members:84
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.86  Std: 2.61
Ratings: 3.5-8.2  Av: 6.1  Std: 1.33
Main Movies: Ermo (6.0 times) Two of Us (6.0 times) Shadow Magic (6.0 times) Sharpe's Honour (6.0 times) The Patriot (6.0 times) 
Sentiments: 5.31686-5.93276  Av: 5.67955  Std: 0.15937


 
####################################### 
Community: 22
####################################### 
 
Members:125
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.63  Std: 3.02
Ratings: 2.8-7.5  Av: 5.22  Std: 1.27
Main Movies: No Contest II (6.0 times) Quicksilver Highway (6.0 times) The Deadly Look of Love (6.0 times) The Cover Girl Murders (6.0 times) By the Sword (6.0 times) 
Sentiments: 5.09732-6.0255  Av: 5.67384  Std: 0.14923


 
####################################### 
Community: 26
####################################### 
 
Members:82
Main Actors: 
Year: 1991.0-2000.0  Av: 1997.09  Std: 2.36
Ratings: 2.8-7.2  Av: 5.31  Std: 1.09
Main Movies: Mexico City (6.0 times) Ironclads (6.0 times) In the Company of Men (6.0 times) Blood on Her Hands (6.0 times) Timelock (6.0 times) 
Sentiments: 5.08329-5.95536  Av: 5.61194  Std: 0.16225


 
####################################### 
Community: 27
####################################### 
 
Members:79
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.8  Std: 3.32
Ratings: 2.9-7.3  Av: 5.72  Std: 1.12
Main Movies: An American Tail: Fievel Goes West (6.0 times) A Vow to Cherish (6.0 times) Vice Academy Part 3 (6.0 times) Jane Eyre (6.0 times) Crackerjack (6.0 times) 
Sentiments: 5.06833-5.92315  Av: 5.61312  Std: 0.17458


 
####################################### 
Community: 28
####################################### 
 
Members:184
Main Actors: Kevin Spacey (15 collaborations) 
Year: 1991.0-2000.0  Av: 1996.4  Std: 2.87
Ratings: 2.4-8.8  Av: 5.92  Std: 1.3
Main Movies: Career Opportunities (6.0 times) Sweet and Lowdown (6.0 times) Buddy (6.0 times) Emma (6.0 times) A Seduction in Travis County (6.0 times) 
Sentiments: 5.2155-5.9861  Av: 5.67011  Std: 0.13578


 
####################################### 
Community: 29
####################################### 
 
Members:118
Main Actors: 
Year: 1992.0-2000.0  Av: 1996.53  Std: 2.28
Ratings: 2.6-7.6  Av: 5.81  Std: 0.97
Main Movies: Faa gaai kwong ban (10.0 times) Huo shao hong lian si (10.0 times) 8 ½ Women (6.0 times) Nil by Mouth (6.0 times) I Still Know What You Did Last Summer (6.0 times) 
Sentiments: 5.41292-6.038  Av: 5.65942  Std: 0.12678


 
####################################### 
Community: 32
####################################### 
 
Members:105
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.13  Std: 2.81
Ratings: 2.2-7.8  Av: 5.32  Std: 1.45
Main Movies: October Sky (6.0 times) Speedway Junky (6.0 times) Stageghost (6.0 times) Shooting Elizabeth (6.0 times) The Crow: Salvation (6.0 times) 
Sentiments: 5.2425-6.01273  Av: 5.64688  Std: 0.16374


 
####################################### 
Community: 34
####################################### 
 
Members:108
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.16  Std: 3.42
Ratings: 2.8-7.4  Av: 5.51  Std: 1.14
Main Movies: Just Looking (6.0 times) Music of the Heart (6.0 times) The Godson (6.0 times) Free Money (6.0 times) The Island on Bird Street (6.0 times) 
Sentiments: 5.44125-5.97  Av: 5.68711  Std: 0.10882


 
####################################### 
Community: 36
####################################### 
 
Members:77
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.63  Std: 2.95
Ratings: 3.9-7.2  Av: 5.82  Std: 0.95
Main Movies: Jakob the Liar (6.0 times) Blackmail (6.0 times) Joey (6.0 times) Prehysteria! (6.0 times) Prospero's Books (6.0 times) 
Sentiments: 5.31755-5.92949  Av: 5.68188  Std: 0.1268


 
####################################### 
Community: 37
####################################### 
 
Members:85
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.47  Std: 2.8
Ratings: 2.6-8.1  Av: 5.69  Std: 1.22
Main Movies: Batman: Mask of the Phantasm (6.0 times) Little Richard (6.0 times) La leggenda del pianista sull'oceano (6.0 times) Amelia Earhart: The Final Flight (6.0 times) Anywhere But Here (6.0 times) 
Sentiments: 5.13362-6.23647  Av: 5.68936  Std: 0.1914


 
####################################### 
Community: 38
####################################### 
 
Members:92
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.92  Std: 2.48
Ratings: 4.1-8.1  Av: 6.33  Std: 0.87
Main Movies: An American Werewolf in Paris (6.0 times) Hidden in Silence (6.0 times) Last of the Dogmen (6.0 times) The Book of Life (6.0 times) New Year's Day (6.0 times) 
Sentiments: 5.36223-5.84347  Av: 5.66562  Std: 0.10584


 
####################################### 
Community: 40
####################################### 
 
Members:111
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.56  Std: 2.79
Ratings: 2.3-8.0  Av: 5.7  Std: 1.32
Main Movies: The Women of Charmed (36.0 times) Virus (6.0 times) Obsessed (6.0 times) Les filles ne savent pas nager (6.0 times) Sister My Sister (6.0 times) 
Sentiments: 5.42827-6.10018  Av: 5.69019  Std: 0.14577


 
####################################### 
Community: 41
####################################### 
 
Members:144
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.64  Std: 2.86
Ratings: 3.1-7.8  Av: 5.67  Std: 1.0
Main Movies: Freddy's Dead: The Final Nightmare (6.0 times) Desert Blue (6.0 times) Her Deadly Rival (6.0 times) Mirage (6.0 times) The Limbic Region (6.0 times) 
Sentiments: 5.39285-5.95141  Av: 5.68523  Std: 0.12336


 
####################################### 
Community: 42
####################################### 
 
Members:73
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.6  Std: 3.05
Ratings: 3.1-8.8  Av: 6.04  Std: 1.18
Main Movies: Duplicates (15.0 times) Beach Babes from Beyond (6.0 times) The Distinguished Gentleman (6.0 times) Ms. Scrooge (6.0 times) Tacones lejanos (6.0 times) 
Sentiments: 5.49936-5.89388  Av: 5.65978  Std: 0.09994


 
####################################### 
Community: 43
####################################### 
 
Members:112
Main Actors: 
Year: 1991.0-2000.0  Av: 1996.79  Std: 2.79
Ratings: 2.7-8.5  Av: 5.65  Std: 1.17
Main Movies: Canadian Bacon (6.0 times) The Adventures of Elmo in Grouchland (6.0 times) The Muse (6.0 times) The Gambler Returns: The Luck of the Draw (6.0 times) Bye Bye Birdie (6.0 times) 
Sentiments: 5.22-5.95667  Av: 5.6746  Std: 0.13504


 
####################################### 
Community: 44
####################################### 
 
Members:89
Main Actors: 
Year: 1991.0-2000.0  Av: 1995.61  Std: 2.63
Ratings: 2.8-7.5  Av: 5.7  Std: 0.96
Main Movies: Necessary Roughness (6.0 times) I'll Take You There (6.0 times) Lifepod (6.0 times) Dying to Live (6.0 times) Mr. Baseball (6.0 times) 
Sentiments: 5.3742-6.05781  Av: 5.67204  Std: 0.16622


#######################################
#######################################

Period: 2000+
Modularity: 0.790035176199

#######################################
#######################################

 
####################################### 
Community: 0
####################################### 
 
Members:205
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.64  Std: 2.48
Ratings: 3.2-8.9  Av: 6.39  Std: 1.03
Main Movies: Longford (6.0 times) Creep (6.0 times) The Squid and the Whale (6.0 times) Body of Lies (6.0 times) The Education of Charlie Banks (6.0 times) 
Sentiments: 5.16445-5.9145  Av: 5.66421  Std: 0.12685


 
####################################### 
Community: 1
####################################### 
 
Members:94
Main Actors: 
Year: 2001.0-2008.0  Av: 2004.64  Std: 2.07
Ratings: 3.1-7.8  Av: 6.3  Std: 0.93
Main Movies: Heckler (15.0 times) La stella che non c'è (6.0 times) Crociati (6.0 times) La hora de la religión (6.0 times) La spettatrice (6.0 times) 
Sentiments: 5.33375-6.24182  Av: 5.64089  Std: 0.18077


 
####################################### 
Community: 2
####################################### 
 
Members:102
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.41  Std: 2.37
Ratings: 2.8-7.8  Av: 6.09  Std: 1.07
Main Movies: Wild West Comedy Show: 30 Days & 30 Nights - Hollywood to the Heartland (15.0 times) Fellini: Je suis un grand menteur (15.0 times) Flyboys (6.0 times) The Brave One (6.0 times) Madea's Family Reunion (6.0 times) 
Sentiments: 5.28508-6.07994  Av: 5.65177  Std: 0.12634


 
####################################### 
Community: 4
####################################### 
 
Members:229
Main Actors: Amitabh Bachchan (48 collaborations) Akshay Kumar (33 collaborations) Salman Khan (33 collaborations) Ajay Devgn (27 collaborations) Rani Mukerji (27 collaborations) 
Year: 2001.0-2009.0  Av: 2004.97  Std: 1.89
Ratings: 1.9-8.5  Av: 6.23  Std: 1.43
Main Movies: Aksar (15.0 times) My Wife's Murder (15.0 times) Keerthi Chakra (15.0 times) Shaadi No. 1 (10.0 times) Deewane Huye Paagal (6.0 times) 
Sentiments: 5.09135-5.96979  Av: 5.6459  Std: 0.14385


 
####################################### 
Community: 5
####################################### 
 
Members:93
Main Actors: 
Year: 2001.0-2008.0  Av: 2004.82  Std: 2.28
Ratings: 2.4-7.9  Av: 4.76  Std: 1.46
Main Movies: Darkhunters (6.0 times) Whisper (6.0 times) Dante 01 (6.0 times) I'm Going to Tell You a Secret (6.0 times) Cold Heart (6.0 times) 
Sentiments: 5.50974-5.90749  Av: 5.67677  Std: 0.10128


 
####################################### 
Community: 7
####################################### 
 
Members:236
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.88  Std: 2.29
Ratings: 2.6-8.0  Av: 6.27  Std: 0.83
Main Movies: Firewall (6.0 times) The Kite Runner (6.0 times) Solaris (6.0 times) Spinning Boris (6.0 times) Chasing Freedom (6.0 times) 
Sentiments: 5.28854-6.10734  Av: 5.67287  Std: 0.11455


 
####################################### 
Community: 8
####################################### 
 
Members:152
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.44  Std: 2.33
Ratings: 4.6-8.1  Av: 6.64  Std: 0.78
Main Movies: Fuck (15.0 times) Brothers of the Head (6.0 times) Frailty (6.0 times) Reign of Fire (6.0 times) Failure to Launch (6.0 times) 
Sentiments: 5.41078-6.09298  Av: 5.68157  Std: 0.11626


 
####################################### 
Community: 9
####################################### 
 
Members:244
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.64  Std: 1.97
Ratings: 3.3-8.3  Av: 6.35  Std: 0.99
Main Movies: The Walker (6.0 times) Le pacte des loups (6.0 times) Le mystère de la chambre jaune (6.0 times) Jeux d'enfants (6.0 times) Dark Assassin (6.0 times) 
Sentiments: 5.35583-6.14544  Av: 5.6896  Std: 0.15129


 
####################################### 
Community: 10
####################################### 
 
Members:152
Main Actors: Michael Madsen (23 collaborations) 
Year: 2001.0-2009.0  Av: 2004.38  Std: 2.32
Ratings: 2.3-8.1  Av: 4.94  Std: 1.21
Main Movies: One Last Dance (6.0 times) Bob the Butler (6.0 times) Jewel (6.0 times) Brothers in Arms (6.0 times) Mind Over Murder (6.0 times) 
Sentiments: 5.2875-5.85552  Av: 5.63028  Std: 0.10821


 
####################################### 
Community: 11
####################################### 
 
Members:172
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.13  Std: 2.2
Ratings: 2.9-7.8  Av: 5.93  Std: 0.98
Main Movies: Visconti (10.0 times) Mysterious Skin (6.0 times) The Chronicles of Narnia: The Lion, the Witch and the Wardrobe (6.0 times) Rohtenburg (6.0 times) Klepto (6.0 times) 
Sentiments: 5.16919-5.86581  Av: 5.65272  Std: 0.1136


 
####################################### 
Community: 13
####################################### 
 
Members:92
Main Actors: 
Year: 2001.0-2009.0  Av: 2005.0  Std: 2.21
Ratings: 3.3-8.2  Av: 5.59  Std: 1.38
Main Movies: The New Twenty (6.0 times) Behind the Mask: The Rise of Leslie Vernon (6.0 times) Daria in 'Is It College Yet?' (6.0 times) Loaded (6.0 times) How to Get the Man's Foot Outta Your Ass (6.0 times) 
Sentiments: 5.28592-6.03824  Av: 5.66979  Std: 0.15882


 
####################################### 
Community: 14
####################################### 
 
Members:129
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.13  Std: 2.34
Ratings: 3.8-8.2  Av: 6.72  Std: 0.77
Main Movies: The Code Conspiracy (15.0 times) Fur: An Imaginary Portrait of Diane Arbus (6.0 times) The Others (6.0 times) Dreamer: Inspired by a True Story (6.0 times) Perfect Parents (6.0 times) 
Sentiments: 5.14322-6.01939  Av: 5.67619  Std: 0.1479


 
####################################### 
Community: 17
####################################### 
 
Members:142
Main Actors: 
Year: 2001.0-2008.0  Av: 2004.65  Std: 2.11
Ratings: 2.3-7.6  Av: 5.82  Std: 0.97
Main Movies: The Woods (6.0 times) Wasted (6.0 times) The Believer (6.0 times) Guilt by Association (6.0 times) What Girls Learn (6.0 times) 
Sentiments: 5.34463-5.89884  Av: 5.6464  Std: 0.11313


 
####################################### 
Community: 19
####################################### 
 
Members:123
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.53  Std: 1.89
Ratings: 2.1-7.0  Av: 4.76  Std: 1.17
Main Movies: Hidden Agenda (6.0 times) Retrograde (6.0 times) Wicked Little Things (6.0 times) Living with the Enemy (6.0 times) The Book of Ruth (6.0 times) 
Sentiments: 5.39043-6.02321  Av: 5.70676  Std: 0.13117


 
####################################### 
Community: 20
####################################### 
 
Members:139
Main Actors: 
Year: 2001.0-2009.0  Av: 2003.89  Std: 2.02
Ratings: 2.3-8.1  Av: 6.33  Std: 0.99
Main Movies: The Lost Tomb of Jesus (6.0 times) Tears of the Sun (6.0 times) Blood and Bone (6.0 times) La petite Jérusalem (6.0 times) Lady Chatterley (6.0 times) 
Sentiments: 5.07699-6.01525  Av: 5.65011  Std: 0.16395


 
####################################### 
Community: 21
####################################### 
 
Members:102
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.52  Std: 2.29
Ratings: 3.3-6.7  Av: 5.38  Std: 0.86
Main Movies: Hometown Legend (6.0 times) Mrs. Ashboro's Cat (6.0 times) Cherish (6.0 times) The Feast of All Saints (6.0 times) The Master of Disguise (6.0 times) 
Sentiments: 5.31445-6.06781  Av: 5.64934  Std: 0.16305


 
####################################### 
Community: 22
####################################### 
 
Members:112
Main Actors: 
Year: 2001.0-2008.0  Av: 2004.45  Std: 1.87
Ratings: 2.2-7.4  Av: 4.66  Std: 1.34
Main Movies: Pirates of Treasure Island (6.0 times) Recipe for a Perfect Christmas (6.0 times) The Cutter (6.0 times) Alien vs. Depredador (6.0 times) King of the Lost World (6.0 times) 
Sentiments: 5.45865-5.90497  Av: 5.66275  Std: 0.10817


 
####################################### 
Community: 24
####################################### 
 
Members:158
Main Actors: 
Year: 2001.0-2008.0  Av: 2003.54  Std: 2.16
Ratings: 3.1-7.9  Av: 5.97  Std: 0.98
Main Movies: Chuet sik san tau (28.0 times) Bin lim mai ching (28.0 times) Moumantai 2 (15.0 times) Boarding Gate (10.0 times) Zi hudie (6.0 times) 
Sentiments: 5.11038-6.05418  Av: 5.65414  Std: 0.18428


 
####################################### 
Community: 27
####################################### 
 
Members:150
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.44  Std: 2.19
Ratings: 3.6-8.0  Av: 6.2  Std: 0.94
Main Movies: Monster Man (6.0 times) Stander (6.0 times) Road Dogz (6.0 times) One Point O (6.0 times) Streaming Evil (6.0 times) 
Sentiments: 5.33754-5.82492  Av: 5.66577  Std: 0.09166


 
####################################### 
Community: 30
####################################### 
 
Members:88
Main Actors: 
Year: 2001.0-2008.0  Av: 2003.34  Std: 1.92
Ratings: 3.1-8.1  Av: 6.0  Std: 1.17
Main Movies: The Mystery of Natalie Wood (6.0 times) Torrente 2: Misión en Marbella (6.0 times) Sansa (6.0 times) Di que sí (6.0 times) My Bollywood Bride (6.0 times) 
Sentiments: 5.22757-5.86561  Av: 5.61766  Std: 0.13177


 
####################################### 
Community: 31
####################################### 
 
Members:123
Main Actors: 
Year: 2001.0-2008.0  Av: 2004.28  Std: 2.3
Ratings: 2.7-7.5  Av: 5.38  Std: 0.99
Main Movies: Grand Champion (21.0 times) Out Kold (15.0 times) Sydney White (6.0 times) Rennie's Landing (6.0 times) Ten Inch Hero (6.0 times) 
Sentiments: 5.36396-5.93185  Av: 5.66953  Std: 0.11683


 
####################################### 
Community: 32
####################################### 
 
Members:123
Main Actors: 
Year: 2001.0-2010.0  Av: 2004.69  Std: 2.44
Ratings: 2.4-8.1  Av: 5.94  Std: 1.18
Main Movies: Donnie Darko (6.0 times) Watching the Detectives (6.0 times) Iowa (6.0 times) 3 Needles (6.0 times) Hellboy (6.0 times) 
Sentiments: 5.40811-5.94574  Av: 5.64732  Std: 0.12037


 
####################################### 
Community: 33
####################################### 
 
Members:89
Main Actors: 
Year: 2001.0-2010.0  Av: 2004.39  Std: 2.42
Ratings: 2.0-8.4  Av: 5.01  Std: 1.44
Main Movies: Laughter on the 23rd Floor (6.0 times) The Shipment (6.0 times) Lessons for an Assassin (6.0 times) Spymate (6.0 times) Grey Gardens (6.0 times) 
Sentiments: 5.30521-5.82793  Av: 5.65625  Std: 0.10832


 
####################################### 
Community: 36
####################################### 
 
Members:135
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.94  Std: 2.01
Ratings: 3.8-7.9  Av: 5.97  Std: 0.86
Main Movies: Japanese Story (6.0 times) The Flock (6.0 times) For Your Consideration (6.0 times) Haggard (6.0 times) Moving McAllister (6.0 times) 
Sentiments: 5.23122-5.83511  Av: 5.66959  Std: 0.0979


 
####################################### 
Community: 37
####################################### 
 
Members:99
Main Actors: 
Year: 2001.0-2010.0  Av: 2005.38  Std: 2.28
Ratings: 2.7-7.5  Av: 5.94  Std: 1.1
Main Movies: The Karate Dog (6.0 times) Nicotina (6.0 times) Vantage Point (6.0 times) Back by Midnight (6.0 times) The Guardian (6.0 times) 
Sentiments: 5.37353-5.87015  Av: 5.65117  Std: 0.11777


 
####################################### 
Community: 39
####################################### 
 
Members:91
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.82  Std: 2.19
Ratings: 2.4-7.7  Av: 5.3  Std: 1.06
Main Movies: Pixel Perfect (6.0 times) Look (6.0 times) It Waits (6.0 times) Crocodile Dundee in Los Angeles (6.0 times) Admissions (6.0 times) 
Sentiments: 5.34907-6.05209  Av: 5.68815  Std: 0.12465


 
####################################### 
Community: 40
####################################### 
 
Members:134
Main Actors: 
Year: 2001.0-2009.0  Av: 2004.61  Std: 1.94
Ratings: 3.8-8.3  Av: 6.14  Std: 1.05
Main Movies: Z Channel: A Magnificent Obsession (6.0 times) A Decade Under the Influence (6.0 times) Nothing Is Private (6.0 times) No End in Sight (6.0 times) Taxi (6.0 times) 
Sentiments: 5.46645-6.01761  Av: 5.69637  Std: 0.10323


#######################################
#######################################

Period: 1970-1980
Modularity: 0.803718398283

#######################################
#######################################

 
####################################### 
Community: 1
####################################### 
 
Members:73
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.26  Std: 2.94
Ratings: 2.7-7.8  Av: 6.48  Std: 1.2
Main Movies: Bugs Bunny Superstar (15.0 times) The Strange and Deadly Occurrence (6.0 times) Gator (6.0 times) The Boy Who Drank Too Much (6.0 times) Green Eyes (6.0 times) 
Sentiments: 5.44286-6.00663  Av: 5.7292  Std: 0.12521


 
####################################### 
Community: 2
####################################### 
 
Members:75
Main Actors: 
Year: 1971.0-1980.0  Av: 1976.52  Std: 2.91
Ratings: 4.1-8.0  Av: 6.38  Std: 0.87
Main Movies: Tail Gunner Joe (10.0 times) Zee and Co. (6.0 times) Las flores del vicio (6.0 times) Exo-Man (6.0 times) Rocky II (6.0 times) 
Sentiments: 5.22226-5.99862  Av: 5.62284  Std: 0.16958


 
####################################### 
Community: 3
####################################### 
 
Members:41
Main Actors: 
Year: 1971.0-1978.0  Av: 1974.22  Std: 2.18
Ratings: 3.7-7.1  Av: 5.56  Std: 1.13
Main Movies: La sanguisuga conduce la danza (15.0 times) Prostituzione (15.0 times) El decamerón (6.0 times) La notte che Evelyn uscì dalla tomba (6.0 times) Nude per l'assassino (6.0 times) 
Sentiments: 5.41383-5.88022  Av: 5.69337  Std: 0.12575


 
####################################### 
Community: 4
####################################### 
 
Members:44
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.49  Std: 3.3
Ratings: 4.7-8.0  Av: 6.58  Std: 0.62
Main Movies: Romeo & Juliet (10.0 times) Hands of the Ripper (6.0 times) Antony and Cleopatra (6.0 times) Tourist Trap (6.0 times) A Severed Head (6.0 times) 
Sentiments: 5.12758-5.83907  Av: 5.64539  Std: 0.17279


 
####################################### 
Community: 5
####################################### 
 
Members:85
Main Actors: 
Year: 1971.0-1980.0  Av: 1974.74  Std: 2.69
Ratings: 1.7-8.2  Av: 5.7  Std: 1.17
Main Movies: High Noon, Part II: The Return of Will Kane (10.0 times) The Dirt Gang (6.0 times) Greased Lightning (6.0 times) Dr. Black, Mr. Hyde (6.0 times) Messiah of Evil (6.0 times) 
Sentiments: 5.3402-5.90396  Av: 5.66343  Std: 0.11146


 
####################################### 
Community: 7
####################################### 
 
Members:47
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.34  Std: 2.8
Ratings: 4.3-6.5  Av: 5.41  Std: 0.65
Main Movies: L'éventreur de Notre-Dame (6.0 times) Die Marquise von Sade (6.0 times) La fille de Dracula (6.0 times) Suor Omicidi (6.0 times) I miracoli accadono ancora (6.0 times) 
Sentiments: 5.4775-5.84934  Av: 5.64717  Std: 0.10472


 
####################################### 
Community: 8
####################################### 
 
Members:55
Main Actors: Paul Naschy (34 collaborations) 
Year: 1971.0-1980.0  Av: 1975.08  Std: 3.06
Ratings: 2.3-6.3  Av: 5.0  Std: 1.07
Main Movies: El carnaval de las bestias (28.0 times) Las garras de Lorelei (15.0 times) Una vela para el diablo (6.0 times) El gran amor del conde Drácula (6.0 times) Vudú sangriento (6.0 times) 
Sentiments: 5.37286-6.32189  Av: 5.67742  Std: 0.19704


 
####################################### 
Community: 10
####################################### 
 
Members:68
Main Actors: 
Year: 1971.0-1980.0  Av: 1976.57  Std: 3.26
Ratings: 3.1-8.1  Av: 5.96  Std: 1.22
Main Movies: Lipstick (6.0 times) Shaft's Big Score! (6.0 times) Occhi dalle stelle (6.0 times) A Different Story (6.0 times) Rabbit Test (6.0 times) 
Sentiments: 5.3194-6.10043  Av: 5.68661  Std: 0.17369


 
####################################### 
Community: 11
####################################### 
 
Members:48
Main Actors: 
Year: 1971.0-1980.0  Av: 1974.73  Std: 2.33
Ratings: 4.0-8.0  Av: 5.95  Std: 0.9
Main Movies: La coda dello scorpione (6.0 times) Vacanze per un massacro (6.0 times) Emmanuelle: L'antivierge (6.0 times) L'uomo senza memoria (6.0 times) The Gardener (6.0 times) 
Sentiments: 5.45034-5.90231  Av: 5.71073  Std: 0.11777


 
####################################### 
Community: 12
####################################### 
 
Members:63
Main Actors: 
Year: 1971.0-1980.0  Av: 1974.83  Std: 2.72
Ratings: 3.7-8.3  Av: 5.86  Std: 1.25
Main Movies: Antony and Cleopatra (10.0 times) Dracula père et fils (6.0 times) Nothing But the Night (6.0 times) Drácula 1972 D.C. (6.0 times) Jaguar Lives! (6.0 times) 
Sentiments: 5.4845-5.87987  Av: 5.69249  Std: 0.11743


 
####################################### 
Community: 13
####################################### 
 
Members:84
Main Actors: 
Year: 1971.0-1979.0  Av: 1975.14  Std: 2.44
Ratings: 3.2-7.9  Av: 6.07  Std: 1.18
Main Movies: Bite the Bullet (15.0 times) Mr. No Legs (6.0 times) Slaughter's Big Rip-Off (6.0 times) Bunny O'Hare (6.0 times) Flood! (6.0 times) 
Sentiments: 5.30739-5.96519  Av: 5.70241  Std: 0.1298


 
####################################### 
Community: 14
####################################### 
 
Members:43
Main Actors: 
Year: 1972.0-1980.0  Av: 1976.49  Std: 2.85
Ratings: 3.3-7.2  Av: 5.07  Std: 0.84
Main Movies: Il paese del sesso selvaggio (6.0 times) Au Pair Girls (6.0 times) El caníbal (6.0 times) Mangiati vivi! (6.0 times) La casa sperduta nel parco (6.0 times) 
Sentiments: 5.23844-5.85062  Av: 5.6557  Std: 0.1615


 
####################################### 
Community: 15
####################################### 
 
Members:92
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.16  Std: 2.95
Ratings: 2.9-7.8  Av: 6.02  Std: 1.12
Main Movies: Cabaret (6.0 times) Forced Entry (6.0 times) Drive, He Said (6.0 times) McQ (6.0 times) The Cowboys (6.0 times) 
Sentiments: 5.15615-6.12752  Av: 5.7002  Std: 0.186


 
####################################### 
Community: 16
####################################### 
 
Members:51
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.47  Std: 3.42
Ratings: 4.8-7.2  Av: 6.18  Std: 0.66
Main Movies: The Shaggy D.A. (6.0 times) September 30, 1955 (6.0 times) Cupido motorizado enamorado (6.0 times) The Box Step (6.0 times) How to Frame a Figg (6.0 times) 
Sentiments: 5.20271-5.92059  Av: 5.6589  Std: 0.1551


 
####################################### 
Community: 18
####################################### 
 
Members:75
Main Actors: 
Year: 1971.0-1980.0  Av: 1976.61  Std: 2.4
Ratings: 3.1-7.7  Av: 5.25  Std: 1.23
Main Movies: Shivers (15.0 times) Brigham (15.0 times) The Stranger (6.0 times) Haunts (6.0 times) Seven Alone (6.0 times) 
Sentiments: 5.25604-6.09826  Av: 5.63557  Std: 0.16789


 
####################################### 
Community: 19
####################################### 
 
Members:49
Main Actors: 
Year: 1973.0-1980.0  Av: 1976.49  Std: 1.83
Ratings: 3.0-7.2  Av: 5.51  Std: 1.17
Main Movies: Joshua (21.0 times) Quel maledetto treno blindato (6.0 times) Final Chapter: Walking Tall (6.0 times) Walking Tall Part II (6.0 times) That Man Bolt (6.0 times) 
Sentiments: 5.43868-5.8849  Av: 5.6816  Std: 0.11782


 
####################################### 
Community: 20
####################################### 
 
Members:82
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.2  Std: 3.11
Ratings: 3.9-7.8  Av: 5.93  Std: 0.97
Main Movies: La tarantola dal ventre nero (6.0 times) Just Me and You (6.0 times) Thirst (6.0 times) To Kill a Clown (6.0 times) The Heartbreak Kid (6.0 times) 
Sentiments: 5.12625-6.20605  Av: 5.71265  Std: 0.19747


 
####################################### 
Community: 21
####################################### 
 
Members:76
Main Actors: 
Year: 1971.0-1980.0  Av: 1976.42  Std: 2.96
Ratings: 4.5-8.0  Av: 6.78  Std: 0.83
Main Movies: Katherine (15.0 times) Looking for Mr. Goodbar (6.0 times) Days of Heaven (6.0 times) North Dallas Forty (6.0 times) When a Stranger Calls (6.0 times) 
Sentiments: 5.51877-6.10171  Av: 5.69214  Std: 0.14645


 
####################################### 
Community: 22
####################################### 
 
Members:60
Main Actors: 
Year: 1971.0-1980.0  Av: 1974.95  Std: 2.53
Ratings: 4.5-7.9  Av: 6.59  Std: 1.02
Main Movies: Händler der vier Jahreszeiten (15.0 times) Steelyard Blues (6.0 times) Profondo rosso (6.0 times) Inferno (6.0 times) L'amour l'après-midi (6.0 times) 
Sentiments: 5.27699-5.83198  Av: 5.62393  Std: 0.15404


 
####################################### 
Community: 23
####################################### 
 
Members:54
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.32  Std: 3.0
Ratings: 3.2-8.0  Av: 6.1  Std: 1.23
Main Movies: Mio Dio, come sono caduta in basso! (6.0 times) Bedknobs and Broomsticks (6.0 times) The Manitou (6.0 times) Puppet on a Chain (6.0 times) Docteur Popaul (6.0 times) 
Sentiments: 5.44833-5.87982  Av: 5.64693  Std: 0.13751


 
####################################### 
Community: 24
####################################### 
 
Members:42
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.26  Std: 2.5
Ratings: 4.6-7.5  Av: 6.07  Std: 0.68
Main Movies: India Song (15.0 times) Gulliver's Travels (6.0 times) Eaten Alive (6.0 times) The Return of a Man Called Horse (6.0 times) A Change of Seasons (6.0 times) 
Sentiments: 5.56138-5.95736  Av: 5.68402  Std: 0.10144


 
####################################### 
Community: 25
####################################### 
 
Members:55
Main Actors: 
Year: 1971.0-1980.0  Av: 1974.61  Std: 3.18
Ratings: 3.4-7.1  Av: 5.28  Std: 1.13
Main Movies: Son of Dracula (15.0 times) Blood and Lace (15.0 times) Supervan (6.0 times) The Attic (6.0 times) Born to Boogie (6.0 times) 
Sentiments: 5.41573-6.02449  Av: 5.7051  Std: 0.15776


 
####################################### 
Community: 26
####################################### 
 
Members:54
Main Actors: 
Year: 1971.0-1980.0  Av: 1976.79  Std: 2.99
Ratings: 4.2-8.0  Av: 6.83  Std: 1.06
Main Movies: Playing for Time (6.0 times) 1776 (6.0 times) Lenny (6.0 times) Hair (6.0 times) Why Would I Lie? (6.0 times) 
Sentiments: 5.4745-6.10043  Av: 5.73819  Std: 0.12277


 
####################################### 
Community: 27
####################################### 
 
Members:103
Main Actors: 
Year: 1971.0-1980.0  Av: 1976.14  Std: 3.29
Ratings: 2.7-8.0  Av: 5.86  Std: 1.28
Main Movies: Woyzeck (15.0 times) The Final Countdown (6.0 times) Mrs. Pollifax-Spy (6.0 times) Lifeguard (6.0 times) The Adventures of Barry McKenzie (6.0 times) 
Sentiments: 5.34586-5.87306  Av: 5.65268  Std: 0.12383


 
####################################### 
Community: 28
####################################### 
 
Members:53
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.24  Std: 2.76
Ratings: 2.9-8.1  Av: 6.15  Std: 1.18
Main Movies: Murder on Flight 502 (6.0 times) Che? (6.0 times) The Hobbit (6.0 times) Death Cruise (6.0 times) Le secret (6.0 times) 
Sentiments: 5.35067-6.203  Av: 5.70717  Std: 0.17928


 
####################################### 
Community: 29
####################################### 
 
Members:44
Main Actors: 
Year: 1971.0-1979.0  Av: 1975.18  Std: 2.8
Ratings: 3.7-7.7  Av: 6.26  Std: 1.02
Main Movies: Slow Dancing in the Big City (6.0 times) Tomorrow (6.0 times) When You Comin' Back, Red Ryder? (6.0 times) The Spikes Gang (6.0 times) Close Encounters of the Third Kind (6.0 times) 
Sentiments: 5.09378-5.87154  Av: 5.6468  Std: 0.16311


 
####################################### 
Community: 30
####################################### 
 
Members:66
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.7  Std: 2.7
Ratings: 2.6-8.2  Av: 6.18  Std: 1.34
Main Movies: Superdome (6.0 times) Eliza's Horoscope (6.0 times) The Killing of a Chinese Bookie (6.0 times) A Whale of a Tale (6.0 times) Ode to Billy Joe (6.0 times) 
Sentiments: 5.41314-5.99  Av: 5.71096  Std: 0.14451


 
####################################### 
Community: 31
####################################### 
 
Members:61
Main Actors: 
Year: 1971.0-1980.0  Av: 1977.33  Std: 2.1
Ratings: 4.1-8.4  Av: 6.16  Std: 0.91
Main Movies: Long quan (28.0 times) Yin yang xie di zi (21.0 times) She nu yu chao (10.0 times) Tian huang ju xing (6.0 times) Xin jing wu men (6.0 times) 
Sentiments: 5.40708-5.92738  Av: 5.66532  Std: 0.14583


 
####################################### 
Community: 32
####################################### 
 
Members:62
Main Actors: 
Year: 1971.0-1979.0  Av: 1974.55  Std: 2.68
Ratings: 4.4-7.8  Av: 6.2  Std: 0.94
Main Movies: The Affair (10.0 times) Fire Sale (6.0 times) Cristo si è fermato a Eboli (6.0 times) Summer of My German Soldier (6.0 times) Zorro (6.0 times) 
Sentiments: 5.36739-6.05742  Av: 5.65281  Std: 0.14524


 
####################################### 
Community: 33
####################################### 
 
Members:46
Main Actors: 
Year: 1971.0-1979.0  Av: 1973.99  Std: 2.36
Ratings: 4.3-8.0  Av: 6.02  Std: 0.88
Main Movies: King Arthur, the Young Warlord (21.0 times) Percy (6.0 times) King Solomon's Treasure (6.0 times) Tower of Evil (6.0 times) Lisa e il diavolo (6.0 times) 
Sentiments: 5.4257-5.80443  Av: 5.66876  Std: 0.11996


 
####################################### 
Community: 35
####################################### 
 
Members:41
Main Actors: 
Year: 1971.0-1980.0  Av: 1975.93  Std: 2.61
Ratings: 5.3-7.5  Av: 6.46  Std: 0.63
Main Movies: Bai ma hei qi (36.0 times) Ma tou da jue dou (21.0 times) Shao Lin si (6.0 times) Da jue dou (6.0 times) Guangdong shi hu xing yi wu xi (6.0 times) 
Sentiments: 5.19254-5.91256  Av: 5.66963  Std: 0.19646


#######################################
#######################################

Period: 1900-1970
Modularity: 0.610576603384

#######################################
#######################################

 
####################################### 
Community: 0
####################################### 
 
Members:76
Main Actors: 
Year: 1915.0-1950.0  Av: 1930.55  Std: 8.41
Ratings: 1.9-8.0  Av: 6.58  Std: 1.28
Main Movies: Dishonored (21.0 times) Don't Change Your Husband (15.0 times) Shanghai Express (10.0 times) Bulldog Drummond's Peril (10.0 times) Bulldog Drummond Comes Back (10.0 times) 
Sentiments: 5.21509-5.92527  Av: 5.65239  Std: 0.15446


 
####################################### 
Community: 1
####################################### 
 
Members:92
Main Actors: John Wayne (63 collaborations) George 'Gabby' Hayes (35 collaborations) 
Year: 1922.0-1970.0  Av: 1941.43  Std: 11.05
Ratings: 4.9-8.0  Av: 5.99  Std: 0.86
Main Movies: The Lawless Frontier (21.0 times) The Star Packer (21.0 times) Haunted Gold (15.0 times) West of the Divide (15.0 times) Randy Rides Alone (15.0 times) 
Sentiments: 5.30519-6.12747  Av: 5.68661  Std: 0.14758


 
####################################### 
Community: 2
####################################### 
 
Members:161
Main Actors: Gene Kelly (22 collaborations) 
Year: 1930.0-1970.0  Av: 1950.09  Std: 9.05
Ratings: 4.2-8.0  Av: 6.4  Std: 0.8
Main Movies: Coney Island (10.0 times) A Strange Adventure (10.0 times) Hollywood Cavalcade (6.0 times) Seven Brides for Seven Brothers (6.0 times) Border Incident (6.0 times) 
Sentiments: 5.24937-6.23714  Av: 5.69491  Std: 0.1606


 
####################################### 
Community: 3
####################################### 
 
Members:109
Main Actors: 
Year: 1932.0-1970.0  Av: 1952.74  Std: 10.98
Ratings: 3.3-7.8  Av: 5.98  Std: 1.09
Main Movies: Hemo the Magnificent (15.0 times) Island of Doomed Men (15.0 times) Meet Boston Blackie (6.0 times) Spring and Port Wine (6.0 times) The Maze (6.0 times) 
Sentiments: 5.15223-5.98985  Av: 5.68613  Std: 0.16376


 
####################################### 
Community: 4
####################################### 
 
Members:89
Main Actors: 
Year: 1934.0-1970.0  Av: 1958.94  Std: 12.52
Ratings: 2.5-8.3  Av: 6.47  Std: 1.29
Main Movies: Song of the Open Road (6.0 times) The Blue Angel (6.0 times) Oliver! (6.0 times) Project X (6.0 times) The Green Pastures (6.0 times) 
Sentiments: 5.52405-6.04066  Av: 5.75147  Std: 0.13147


 
####################################### 
Community: 5
####################################### 
 
Members:77
Main Actors: Stan Laurel (26 collaborations) Oliver Hardy (26 collaborations) 
Year: 1931.0-1959.0  Av: 1943.29  Std: 6.42
Ratings: 4.4-7.6  Av: 6.08  Std: 0.77
Main Movies: Bucha para Canhão (15.0 times) Shoot to Kill (15.0 times) Pardon Us (15.0 times) Paper Bullets (10.0 times) The Catman of Paris (10.0 times) 
Sentiments: 5.26564-5.93104  Av: 5.64249  Std: 0.13953


 
####################################### 
Community: 6
####################################### 
 
Members:277
Main Actors: Randolph Scott (36 collaborations) Ginger Rogers (33 collaborations) Cary Grant (31 collaborations) Barbara Stanwyck (30 collaborations) Loretta Young (30 collaborations) 
Year: 1927.0-1970.0  Av: 1938.01  Std: 7.72
Ratings: 2.2-8.5  Av: 6.56  Std: 0.83
Main Movies: Havana Widows (15.0 times) The Devil's in Love (15.0 times) Professional Sweetheart (15.0 times) The Great Dictator (15.0 times) Café Metropole (10.0 times) 
Sentiments: 5.01622-6.17623  Av: 5.68466  Std: 0.16446


 
####################################### 
Community: 8
####################################### 
 
Members:98
Main Actors: 
Year: 1942.0-1970.0  Av: 1962.25  Std: 7.74
Ratings: 3.1-7.5  Av: 5.94  Std: 0.92
Main Movies: Princess of the Nile (10.0 times) Monster on the Campus (10.0 times) The Mercenaries (6.0 times) What's So Bad About Feeling Good? (6.0 times) Countdown (6.0 times) 
Sentiments: 5.29282-5.9994  Av: 5.68371  Std: 0.16764


 
####################################### 
Community: 9
####################################### 
 
Members:90
Main Actors: 
Year: 1928.0-1970.0  Av: 1952.97  Std: 14.29
Ratings: 6.1-8.1  Av: 7.11  Std: 0.58
Main Movies: Le passager de la pluie (6.0 times) Zouzou (6.0 times) Le million (6.0 times) Les misérables (6.0 times) À nous la liberté (6.0 times) 
Sentiments: 5.21321-6.01724  Av: 5.67738  Std: 0.17473


 
####################################### 
Community: 10
####################################### 
 
Members:117
Main Actors: 
Year: 1936.0-1970.0  Av: 1955.96  Std: 10.41
Ratings: 4.1-8.1  Av: 6.09  Std: 1.03
Main Movies: Escape in the Fog (10.0 times) Rhythm on the Range (6.0 times) ¿Dónde está el enemigo? (6.0 times) The Angry Breed (6.0 times) The Ambushers (6.0 times) 
Sentiments: 4.89467-6.09283  Av: 5.63262  Std: 0.23255


 
####################################### 
Community: 11
####################################### 
 
Members:89
Main Actors: 
Year: 1945.0-1970.0  Av: 1963.16  Std: 6.04
Ratings: 5.2-8.1  Av: 6.36  Std: 0.75
Main Movies: Let It Be (10.0 times) Che! (6.0 times) Siete veces mujer (6.0 times) Magical Mystery Tour (6.0 times) I Love You, Alice B. Toklas! (6.0 times) 
Sentiments: 5.31143-6.05508  Av: 5.64453  Std: 0.15669


 
####################################### 
Community: 12
####################################### 
 
Members:127
Main Actors: Boris Karloff (33 collaborations) Bela Lugosi (31 collaborations) 
Year: 1927.0-1969.0  Av: 1946.27  Std: 11.75
Ratings: 2.6-7.4  Av: 5.78  Std: 1.07
Main Movies: I Dream of Jeanie (15.0 times) Glen or Glenda (15.0 times) The Ring (10.0 times) Escape from Crime (10.0 times) The Man with Nine Lives (10.0 times) 
Sentiments: 4.90333-6.07273  Av: 5.66646  Std: 0.19031


 
####################################### 
Community: 14
####################################### 
 
Members:179
Main Actors: Lewis Stone (32 collaborations) Joan Crawford (26 collaborations) Mickey Rooney (22 collaborations) Robert Montgomery (20 collaborations) William Powell (20 collaborations) 
Year: 1921.0-1958.0  Av: 1936.45  Std: 7.7
Ratings: 4.1-8.1  Av: 6.6  Std: 0.64
Main Movies: The Strip (10.0 times) Ekstase (6.0 times) Strange Interlude (6.0 times) El arrabal (6.0 times) Men of Boys Town (6.0 times) 
Sentiments: 5.30632-6.26057  Av: 5.70416  Std: 0.15803


 
####################################### 
Community: 15
####################################### 
 
Members:80
Main Actors: 
Year: 1930.0-1970.0  Av: 1958.57  Std: 13.03
Ratings: 4.6-8.9  Av: 6.36  Std: 0.97
Main Movies: The Woman Condemned (15.0 times) Death from a Distance (10.0 times) Hello, Dolly! (6.0 times) Where's Poppa? (6.0 times) Where It's At (6.0 times) 
Sentiments: 5.22584-5.87648  Av: 5.63278  Std: 0.16179


 
####################################### 
Community: 16
####################################### 
 
Members:91
Main Actors: 
Year: 1913.0-1936.0  Av: 1922.37  Std: 4.64
Ratings: 5.7-8.2  Av: 7.17  Std: 0.62
Main Movies: The Delicious Little Devil (15.0 times) Stella Maris (15.0 times) The Sheik (10.0 times) The Pride of the Clan (10.0 times) The Italian (10.0 times) 
Sentiments: 5.32329-5.9459  Av: 5.6799  Std: 0.14018


 
####################################### 
Community: 17
####################################### 
 
Members:210
Main Actors: Alec Guinness (28 collaborations) 
Year: 1935.0-1970.0  Av: 1959.16  Std: 9.87
Ratings: 5.1-7.7  Av: 6.7  Std: 0.64
Main Movies: Just My Luck (6.0 times) The Flesh and the Fiends (6.0 times) Miranda (6.0 times) Boom (6.0 times) Father Brown (6.0 times) 
Sentiments: 5.31345-6.22  Av: 5.68924  Std: 0.14849


 
####################################### 
Community: 19
####################################### 
 
Members:220
Main Actors: Robert Mitchum (30 collaborations) Richard Widmark (20 collaborations) Burt Lancaster (14 collaborations) 
Year: 1933.0-1970.0  Av: 1954.6  Std: 8.62
Ratings: 2.4-7.8  Av: 6.32  Std: 0.98
Main Movies: Daughter of Dr. Jekyll (15.0 times) She Done Him Wrong (10.0 times) The Kid from Left Field (10.0 times) Little Fauss and Big Halsy (10.0 times) Revolt of the Zombies (6.0 times) 
Sentiments: 4.71828-6.18055  Av: 5.65795  Std: 0.19358


 
####################################### 
Community: 20
####################################### 
 
Members:107
Main Actors: George Sanders (24 collaborations) 
Year: 1927.0-1969.0  Av: 1949.49  Std: 11.09
Ratings: 4.6-8.2  Av: 6.53  Std: 0.7
Main Movies: The Speckled Band (10.0 times) Dangerously They Live (10.0 times) Have Rocket -- Will Travel (10.0 times) The Blue Lagoon (6.0 times) Gold Raiders (6.0 times) 
Sentiments: 4.96-6.18414  Av: 5.70913  Std: 0.17969


 
####################################### 
Community: 21
####################################### 
 
Members:83
Main Actors: 
Year: 1933.0-1970.0  Av: 1956.3  Std: 9.25
Ratings: 2.5-7.5  Av: 5.41  Std: 1.27
Main Movies: Seven Doors to Death (15.0 times) Creature with the Atom Brain (15.0 times) I quattro dell'Ave Maria (6.0 times) The Unguarded Moment (6.0 times) Eskimo (6.0 times) 
Sentiments: 5.34456-5.96953  Av: 5.70296  Std: 0.14389


 
####################################### 
Community: 22
####################################### 
 
Members:194
Main Actors: Bette Davis (40 collaborations) Humphrey Bogart (34 collaborations) Errol Flynn (29 collaborations) George Brent (28 collaborations) Donald Crisp (21 collaborations) 
Year: 1926.0-1970.0  Av: 1943.5  Std: 9.61
Ratings: 3.3-8.0  Av: 6.57  Std: 0.77
Main Movies: Easy Virtue (15.0 times) The Goose and the Gander (15.0 times) That Certain Woman (15.0 times) The Golden Arrow (10.0 times) You Only Live Once (10.0 times) 
Sentiments: 5.14857-6.27565  Av: 5.70427  Std: 0.15323


 
####################################### 
Community: 23
####################################### 
 
Members:133
Main Actors: Ronald Reagan (21 collaborations) 
Year: 1938.0-1970.0  Av: 1956.2  Std: 8.84
Ratings: 3.2-8.6  Av: 6.25  Std: 0.94
Main Movies: Girls on Probation (15.0 times) Prisoner of War (10.0 times) Oklahoma! (6.0 times) Doppelgänger (6.0 times) The 27th Day (6.0 times) 
Sentiments: 5.04398-6.21137  Av: 5.67135  Std: 0.1667


 
####################################### 
Community: 24
####################################### 
 
Members:77
Main Actors: 
Year: 1917.0-1950.0  Av: 1930.59  Std: 7.28
Ratings: 4.7-8.2  Av: 6.44  Std: 0.74
Main Movies: Son of the Gods (15.0 times) A Girl's Folly (15.0 times) Applause (10.0 times) Waterloo Bridge (6.0 times) The Racket (6.0 times) 
Sentiments: 5.18544-6.31217  Av: 5.74127  Std: 0.19084


 
####################################### 
Community: 25
####################################### 
 
Members:104
Main Actors: Lou Costello (25 collaborations) Bud Abbott (22 collaborations) 
Year: 1926.0-1968.0  Av: 1946.19  Std: 7.05
Ratings: 1.8-7.4  Av: 5.93  Std: 1.15
Main Movies: Rough Riders' Round-up (15.0 times) Grand Canyon Trail (10.0 times) The Golden Stallion (10.0 times) The Black Raven (10.0 times) On the Old Spanish Trail (10.0 times) 
Sentiments: 5.28884-6.11625  Av: 5.68246  Std: 0.1598


 
####################################### 
Community: 27
####################################### 
 
Members:84
Main Actors: 
Year: 1913.0-1959.0  Av: 1946.33  Std: 14.82
Ratings: 2.7-8.0  Av: 5.77  Std: 1.35
Main Movies: Hot Rod Girl (10.0 times) Die Augen der Mumie Ma (10.0 times) Pharaoh's Curse (6.0 times) Blood of the Vampire (6.0 times) Untamed Youth (6.0 times) 
Sentiments: 5.40548-5.90253  Av: 5.65077  Std: 0.13432


Communities by period are harder to interpret because they are smaller. French, Indian, Chinese and Japanese movies are still pretty simple to distinguish, probably because those actors collaborate more ofter together than with other. As we have seen for the full graph the sentiment are very similar across all the communities but the rating can vary between communities, from 4.5 to 7 in average.</br> Here are the communities with the best average rating.

  • French movies of the 90s (6.8)
  • Indian movies of the 90s (6.43)
  • Chinese movies of the 90s (6.53)
  • Community 8 of the 00s (6.64)
  • Community 16 of the 00s (6.72)
  • Community 1 of the 70s (6.48)
  • Community 4 of the 70s (6.58)
  • Community 21 of the 70s (6.78)
  • Community 22 of the 70s (6.59)
  • Community 26 of the 70s (6.83)
  • Chiness movies from the 70s (6.46)
  • Community 0 of before 1970 (6.58)
  • Community 2 of before 1970 (6.4)
  • Community 6 of before 1970 (6.56)
  • French movies of before 1970 (7.11)
  • Community 14 of before 1970 (6.6)
  • Community 16 of before 1970 (7.17)
  • Community 17 of before 1970 (6.7)
  • Community 22 of before 1970 (6.57)

Weights:

For now the weight of the edges corresponds to the number of collaboration two actors did together. We could imagine to change the weight for the average rating or the sentiment, and study how it changes.

Ratings

First thing to do is to build ratings-based graph. Let's define a function to do so, in order to apply it to all the graphs we have.</br>

This function also gives a size dictionnary with sizes proportionnal to the average rating of actors, and a rating list to draw an histogram of the average rating of actors.

In [36]:
#########################
# Rating Weight Function
#########################
def ratingWeight(graph):
    res = graph.copy() # Make a copy not to erase the graph
    # prepare data storage
    ratingDict = {}
    ratingListMen = []
    ratingListWomen = []
    for n in res.nodes(): #go throught nodes
        avRating = 0 # set counts
        countNeighbors = 0
        for n2 in res.neighbors(n): # go throught neighbors to study links
            countNeighbors +=1
            res[n][n2]["weight"]=res[n][n2]["avRating"] #update weight
            avRating+=res[n][n2]["avRating"]
        avRating = avRating/countNeighbors # Compute average rating
        ratingDict[n] = [avRating,countNeighbors]
        if res.nodes[n]["Gender"] == "M": #Update lists
            ratingListMen.append(int(round(10*avRating)))
        else:
            ratingListWomen.append(int(round(10*avRating)))
    return ratingDict,ratingListMen,ratingListWomen,res
In [37]:
#############################
# Apply it to the full graph
#############################
ratingDict_G,ratingListMen_G,ratingListWomen_G,G_ratings = ratingWeight(G)

With those data computed, we can draw an histogram of the rating amongst the actors according to their gender.

In [38]:
###########################
# Average Rating Histogram
###########################
def histProp(rMen_G,rWomen_G,full,ttl, mode):
    
    # GET Histogram
    histRatingMenG, binsRatingMenG = histogram(rMen_G,False)
    histRatingWomenG, binsRatingWomenG = histogram(rWomen_G,False)

    # Compute basic stat
    avAvRatingMen = np.mean(rMen_G)
    avAvRatingWomen = np.mean(rWomen_G)

    # Plot 
    plt.figure(figsize = (15,6))
    plt.bar([float(b/10) for b in binsRatingMenG[:-1]], histRatingMenG, 0.035, color=mBlue, label = "Average "+mode+" of Actors")
    plt.bar([float(b/10)+0.04 for b in binsRatingWomenG[:-1]], histRatingWomenG, 0.035, color=fRed, label = "Average "+mode+" of Actress")
    plt.plot([avAvRatingMen/10,avAvRatingMen/10],[0,np.max(histRatingMenG)+20], linestyle='-', linewidth = 1, color="#1dcaff", label= "Men Mean "+str(round(avAvRatingMen/10,2)))
    plt.plot([avAvRatingWomen/10,avAvRatingWomen/10],[0,np.max(histRatingMenG)+20], linestyle='-', linewidth = 1, color="#ffc0cb", label= "Women Mean "+str(round(avAvRatingWomen/10,2)))
    plt.xlabel('Degrees')
    plt.ylabel('Number of occurences')
    if full:
        plt.title('Actors Average '+mode, fontdict=title_font)
    else:
        plt.title('Actors Average '+mode+' Period '+ttl, fontdict=title_font)
    plt.legend()
    if full:
        base = 'Figures/actorsAverage'+mode
    else:
        base = 'Figures/actorsAverage'+mode+'_'+ttl
    if savingFigures:
        plt.savefig(base+'.jpeg', bbox_inches='tight')
        plt.savefig(base+'.png', bbox_inches='tight')
        plt.savefig(base+'.svg', bbox_inches='tight')
    plt.show()

histProp(ratingListMen_G,ratingListWomen_G,True,"","Ratings")

The distributions seems the same for men and women, the average are really close also. Neverthe less the proportion of women with an average rating above 8 is bigger.

In [39]:
#################
# Plot the graph
#################

#Size Rendering Function to increase readability
def ratingSizeRendering(a,b,lim):
    if b>lim:
        return 0.5*((math.exp(a-5))**2+2)
    else : 
        return 1 # for actors with less than 10 movies
    
#Size Rendering Function to increase readability For later
def sentSizeRendering(a,b,lim):
    if b>lim:
        return((math.exp((7*a-39)))+2)**1.7
    else : 
        return 1 # for actors with less than 10 movies
    

#Label the actors with the best grades and more than 10 movies
def drawWithSizes(graph,ttl,posi,sizes,full, mode):
    # minimum number of movies to be analysed 
    #(in order to exclude actor with to few data which won't be representative)
    if full: 
        lim=10  # 10 movies for the full graph
    else:
        lim=7   # 7 for period graph
        
    colors = getColors(graph)  # Build the color and size arrays

    #SIZE
    # Get the actor/actress with the biggest number of collaborations
    siz = []
    for n in graph.nodes():
        if sizes[n][1] >lim:
            siz.append([n,sizes[n][0]]) 
    
    
    SortedNames = np.asarray(sorted(siz,key=getSecond, reverse= True))
    
    SortedNames = SortedNames[:10]
    
    #PRINT THE 10 BEST ACTORS
    print ""
    print "########################"
    print "Best Actors:"
    print "------------"
    print ""
    for i in range(10):
        print str(i+1)+" - "+actorNameDict[SortedNames[i,0]]+" - "+str(round(sizes[SortedNames[i,0]][0],2))
    print ""
    print "########################"
    print ""
    labels = {}
    for n in graph.nodes():
        name = actorNameDict[n]
        if n in SortedNames[:,0]:
            labels[n]="\n\n"+name+" - "+str(round(sizes[n][0],2))
        else:
            labels[n]=""
            
    #POSITIONNING
    positions = posi
    
    #Node size 
    # Choose rendering function
    if mode == "Ratings":
        nodeSize=[ratingSizeRendering(sizes[n][0],sizes[n][1],lim) for n in graph.nodes()]
    else:
        nodeSize=[sentSizeRendering(sizes[n][0],sizes[n][1],lim) for n in graph.nodes()]
    
    
    #PLOT
    fig = plt.figure(figsize=(15, 15))
    nx.draw_networkx(graph, positions, 
                     node_size = nodeSize,  
                     node_color = [colors[n] for n in graph.nodes()],
                     with_labels=True,
                     width = 0.1,edge_color='#999999',labels = labels,font_size = 12, font_weight= "bold")
    plt.axis('off')
    if full:
        plt.title(mode+ "-Based: Actors Graph", fontdict = title_font  )
        base = 'Figures/actorGraph_'+mode+"_full"
    else:
        plt.title(mode+ "-Based: Actors Graph Period "+ttl, fontdict = title_font  )
        base = 'Figures/actorGraph_'+mode+"_"+ttl
    if savingFigures:
        plt.savefig(base+'.jpeg', bbox_inches='tight')
        plt.savefig(base+'.png', bbox_inches='tight')
        plt.savefig(base+'.svg', bbox_inches='tight')
    plt.show()
In [40]:
drawWithSizes(G_ratings,"",pos,ratingDict_G,True,"Ratings")
########################
Best Actors:
------------

1 - Marion Davies - 8.0
2 - Gloria Swanson - 7.9
3 - William Haines - 7.88
4 - Lucy Decoutere - 7.88
5 - Charles Chaplin - 7.78
6 - Paulette Goddard - 7.7
7 - Aleksandar Bercek - 7.65
8 - Louis Jouvet - 7.65
9 - Lisa Ann Beley - 7.63
10 - Aamir Khan - 7.6

########################

In [41]:
################################
# Apply it to the period graphs
################################
#ratingDict_G,ratingListMen_G,ratingListWomen_G,G_ratings
ratingDict_period = {}
ratingListMen_period = {}
ratingListWomen_period = {}
ratingGraph_period = {}
for key in graphByPeriod.keys():
    #Collect Data
    d,m,w,g = ratingWeight(graphByPeriod[key])
    ratingDict_period[key]=d
    ratingListMen_period[key]=m
    ratingListWomen_period[key]=w
    ratingGraph_period[key]=g
    #Histogram
    histProp(m,w,False,titles[key],"Ratings")
    #Graph
    drawWithSizes(g,titles[key],positionsPeriod[key],d,False,"Ratings")
########################
Best Actors:
------------

1 - Harrison Ford - 7.53
2 - Danny Glover - 7.4
3 - Steven Bauer - 7.37
4 - Willem Dafoe - 7.32
5 - Robert De Niro - 7.32
6 - Bernard-Pierre Donnadieu - 7.27
7 - Stephen Dorff - 7.2
8 - Matthew Modine - 7.2
9 - Ed Harris - 7.17
10 - Eric Idle - 7.17

########################

########################
Best Actors:
------------

1 - Jermaine Holloway - 8.0
2 - Timothy J. Lonsdale - 8.0
3 - Lori Rom - 8.0
4 - Aaron Spelling - 8.0
5 - Sean Bean - 7.64
6 - Richard Lewis - 7.57
7 - Tony Chiu-Wai Leung - 7.47
8 - Steve Buscemi - 7.47
9 - Johnny Depp - 7.47
10 - Sally Field - 7.4

########################

########################
Best Actors:
------------

1 - Sean Bean - 7.77
2 - Leonardo DiCaprio - 7.7
3 - Kay Kay Menon - 7.67
4 - Tony Chiu-Wai Leung - 7.66
5 - Luigi Lo Cascio - 7.53
6 - Javier Bardem - 7.53
7 - Kiron Kher - 7.51
8 - Suriya - 7.47
9 - Kamal Haasan - 7.47
10 - Jyothika - 7.46

########################

########################
Best Actors:
------------

1 - Gena Rowlands - 7.9
2 - Dustin Hoffman - 7.78
3 - Yves Montand - 7.63
4 - Bernadette Lafont - 7.6
5 - Eva Mattes - 7.5
6 - Geraldine Page - 7.5
7 - Robert Redford - 7.43
8 - Diane Keaton - 7.4
9 - Orson Welles - 7.38
10 - Peter Falk - 7.37

########################

########################
Best Actors:
------------

1 - Tiny Sandford - 8.1
2 - John Rand - 8.1
3 - Merna Kennedy - 8.1
4 - George Davis - 8.1
5 - Harry Crocker - 8.1
6 - Al Ernest Garcia - 8.1
7 - Steve Murphy - 8.1
8 - Marion Davies - 8.0
9 - Gloria Swanson - 7.9
10 - William Haines - 7.88

########################

Drawing the graphs, we observe that some small group of actor really close can have together high grades as in the bottom of the old movies graph. It corresponds to actor that have made a lot of movies toghether that got good ratings. On the histograms, we see that men and women ratings are really similar.

Let's run the community detection with the weight as average ratings to see if new communities can be found using Louvain algorithm.

In [42]:
#############################################
# RUN COMMUNITY DETECTION FOR THE FULL GRAPH
#############################################

partRatingG,modulRatingG = communityDetect(G_ratings)
biggestCommunitiesLabelRating = drawCommunities(G_ratings,partRatingG,"full_Ratings",pos, True)
The partition made of the graph has a modularity of +69.358% and contains 118 communities.

The communities found are very close to the ones found with the number of collaboration as weight. Community 14, we could not see before, (grey triangles) corresponds to Spannish actors.

In [43]:
#########################
# ANALYSE THE FULL GRAPH
#########################
files = io.open("Full_communityAnalysis_Ratings.txt", mode="w", encoding="utf-8" )
s = communityExplain(G_ratings,partRatingG,biggestCommunitiesLabelRating, "av. Rating",10)
print s
files.write(s)
files.close()
 
####################################### 
Community: 0
####################################### 
 
Members:402
Main Actors: Peter Cushing (6.176190476190476 av. Rating) 
Year: 1915.0-2008.0  Av: 1973.83  Std: 16.82
Ratings: 2.3-8.3  Av: 6.03  Std: 1.22
Main Movies: Sudden Fury (21.0 times) Dans la ville de Sylvia (15.0 times) Son of Dracula (15.0 times) Romeo & Juliet (10.0 times) Let It Be (10.0 times) 
Sentiments: 4.96-6.14933  Av: 5.67754  Std: 0.15863


 
####################################### 
Community: 1
####################################### 
 
Members:2160
Main Actors: Fredric March (7.204411764705879 av. Rating) James Stewart (7.152499999999998 av. Rating) Henry Fonda (7.1078947368421055 av. Rating) Bette Davis (7.049435028248591 av. Rating) Tyrone Power (7.046875 av. Rating) 
Year: 1917.0-2005.0  Av: 1946.11  Std: 12.57
Ratings: 1.8-8.9  Av: 6.4  Std: 0.92
Main Movies: Glen or Glenda (21.0 times) The Star Packer (21.0 times) The Lawless Frontier (21.0 times) Dishonored (21.0 times) Bride of the Gorilla (21.0 times) 
Sentiments: 4.71828-6.27565  Av: 5.68174  Std: 0.16712


 
####################################### 
Community: 5
####################################### 
 
Members:718
Main Actors: Gérard Depardieu (6.930769230769231 av. Rating) Daniel Auteuil (6.7064516129032254 av. Rating) Catherine Deneuve (6.618918918918916 av. Rating) 
Year: 1928.0-2009.0  Av: 1994.46  Std: 13.45
Ratings: 2.7-8.3  Av: 6.61  Std: 0.87
Main Movies: La maman et la putain (21.0 times) Le malizie di Venere (10.0 times) Garde à vue (6.0 times) Tickets (6.0 times) Creep (6.0 times) 
Sentiments: 5.07699-6.24182  Av: 5.6813  Std: 0.15448


 
####################################### 
Community: 7
####################################### 
 
Members:368
Main Actors: 
Year: 1949.0-2008.0  Av: 1992.59  Std: 11.51
Ratings: 2.8-8.2  Av: 5.72  Std: 1.31
Main Movies: The Women of Charmed (36.0 times) Cries from the Heart (10.0 times) Recipe for a Perfect Christmas (6.0 times) Back in Action (6.0 times) Our House (6.0 times) 
Sentiments: 5.105-6.05788  Av: 5.66402  Std: 0.14531


 
####################################### 
Community: 8
####################################### 
 
Members:536
Main Actors: Andy Lau (6.518918918918919 av. Rating) Jackie Chan (6.472101449275362 av. Rating) 
Year: 1948.0-2008.0  Av: 1993.56  Std: 10.65
Ratings: 2.6-8.1  Av: 6.05  Std: 1.08
Main Movies: Bai ma hei qi (36.0 times) Long quan (28.0 times) Chuet sik san tau (28.0 times) Pang see: Song jun tin leung (28.0 times) Hei tai yang 731 xu ji zhi sha ren gong chang (28.0 times) 
Sentiments: 5.11038-6.48143  Av: 5.67516  Std: 0.18785


 
####################################### 
Community: 9
####################################### 
 
Members:322
Main Actors: Shah Rukh Khan (6.842792792792793 av. Rating) Amitabh Bachchan (6.410344827586205 av. Rating) Rani Mukerji (6.283653846153848 av. Rating) Aishwarya Rai Bachchan (6.257407407407407 av. Rating) Salman Khan (5.837162162162162 av. Rating) 
Year: 1953.0-2009.0  Av: 1999.86  Std: 9.41
Ratings: 1.9-8.5  Av: 6.43  Std: 1.34
Main Movies: Namak Halaal (21.0 times) Phir Wohi Raat (21.0 times) Aksar (15.0 times) My Wife's Murder (15.0 times) Keerthi Chakra (15.0 times) 
Sentiments: 5.09135-5.96979  Av: 5.65516  Std: 0.14474


 
####################################### 
Community: 10
####################################### 
 
Members:284
Main Actors: 
Year: 1930.0-2009.0  Av: 1981.89  Std: 19.67
Ratings: 2.3-8.6  Av: 5.82  Std: 1.36
Main Movies: Carnival of Blood (21.0 times) Borderline (21.0 times) King Arthur, the Young Warlord (21.0 times) Händler der vier Jahreszeiten (15.0 times) The Yeomen of the Guard (15.0 times) 
Sentiments: 4.98638-6.13211  Av: 5.66935  Std: 0.16407


 
####################################### 
Community: 11
####################################### 
 
Members:473
Main Actors: 
Year: 1953.0-2008.0  Av: 1980.92  Std: 11.79
Ratings: 1.7-8.0  Av: 5.6  Std: 1.24
Main Movies: O Vício (28.0 times) Flesh (28.0 times) Get Out of My Room (21.0 times) Woyzeck (15.0 times) La sanguisuga conduce la danza (15.0 times) 
Sentiments: 5.10913-6.08155  Av: 5.67619  Std: 0.14386


 
####################################### 
Community: 12
####################################### 
 
Members:341
Main Actors: 
Year: 1969.0-2007.0  Av: 1997.72  Std: 7.22
Ratings: 2.2-7.9  Av: 5.58  Std: 1.28
Main Movies: Heart: The Marilyn Bell Story (15.0 times) The Lost World (15.0 times) Agent Red (6.0 times) P'tang, Yang, Kipperbang (6.0 times) Goodnight, Mister Tom (6.0 times) 
Sentiments: 5.22911-6.1084  Av: 5.67963  Std: 0.12748


 
####################################### 
Community: 13
####################################### 
 
Members:293
Main Actors: 
Year: 1953.0-2008.0  Av: 1984.66  Std: 12.72
Ratings: 2.0-8.6  Av: 6.16  Std: 1.21
Main Movies: La mujer del aviador (15.0 times) India Song (15.0 times) Lost in the Bermuda Triangle (10.0 times) A Decade Under the Influence (6.0 times) Mutiny on the Buses (6.0 times) 
Sentiments: 5.34821-6.203  Av: 5.69055  Std: 0.14361


 
####################################### 
Community: 14
####################################### 
 
Members:272
Main Actors: Paul Naschy (5.057352941176471 av. Rating) 
Year: 1968.0-2009.0  Av: 1992.11  Std: 12.2
Ratings: 2.3-8.8  Av: 6.14  Std: 1.19
Main Movies: El carnaval de las bestias (28.0 times) Los ritos sexuales del diablo (21.0 times) Las garras de Lorelei (15.0 times) La ley del deseo (15.0 times) ¿Qué he hecho yo para merecer esto? (15.0 times) 
Sentiments: 5.28091-6.32189  Av: 5.68121  Std: 0.14763


 
####################################### 
Community: 15
####################################### 
 
Members:347
Main Actors: 
Year: 1967.0-2009.0  Av: 1995.92  Std: 8.67
Ratings: 2.3-7.7  Av: 5.38  Std: 1.27
Main Movies: Take It to the Limit (28.0 times) Fatal Pulse (15.0 times) Beach Babes from Beyond (6.0 times) NightScream (6.0 times) The Cellar (6.0 times) 
Sentiments: 5.09732-6.12038  Av: 5.68674  Std: 0.1562


 
####################################### 
Community: 37
####################################### 
 
Members:466
Main Actors: 
Year: 1949.0-2008.0  Av: 1988.92  Std: 13.1
Ratings: 2.1-8.1  Av: 5.58  Std: 1.24
Main Movies: Joshua (21.0 times) The Ramrodder (21.0 times) In the Name of Love: A Texas Tragedy (15.0 times) Shivers (15.0 times) Monster Man (6.0 times) 
Sentiments: 5.08329-6.21782  Av: 5.6933  Std: 0.14627


 
####################################### 
Community: 19
####################################### 
 
Members:2841
Main Actors: Tom Cruise (7.159999999999998 av. Rating) Dustin Hoffman (7.159374999999998 av. Rating) Brad Pitt (7.109210526315789 av. Rating) Jack Nicholson (6.993750000000001 av. Rating) Albert Finney (6.990000000000001 av. Rating) 
Year: 1957.0-2010.0  Av: 1996.53  Std: 8.92
Ratings: 1.6-8.9  Av: 6.17  Std: 1.03
Main Movies: Inland Empire (28.0 times) Bite the Bullet (15.0 times) Do You Know the Muffin Man? (10.0 times) Comic Relief: Doctor Who - The Curse of Fatal Death (10.0 times) Serial Mom (6.0 times) 
Sentiments: 5.07741-6.23647  Av: 5.67801  Std: 0.12945


 
####################################### 
Community: 24
####################################### 
 
Members:300
Main Actors: Donald Pleasence (5.724000000000001 av. Rating) 
Year: 1950.0-2010.0  Av: 1988.32  Std: 11.19
Ratings: 1.9-8.7  Av: 5.57  Std: 1.36
Main Movies: The Bare Wench Project (21.0 times) Child of Darkness, Child of Light (10.0 times) Antony and Cleopatra (10.0 times) The Gig (6.0 times) Gregory's Girl (6.0 times) 
Sentiments: 5.20271-6.22  Av: 5.68202  Std: 0.162


 
####################################### 
Community: 29
####################################### 
 
Members:273
Main Actors: 
Year: 1942.0-2009.0  Av: 1988.84  Std: 15.46
Ratings: 2.3-7.8  Av: 5.23  Std: 1.13
Main Movies: Policewomen (21.0 times) Monster on the Campus (10.0 times) Baby Monitor: Sound of Fear (6.0 times) Night Wars (6.0 times) The Member of the Wedding (6.0 times) 
Sentiments: 5.10299-6.00554  Av: 5.67427  Std: 0.14069


 
####################################### 
Community: 30
####################################### 
 
Members:361
Main Actors: 
Year: 1949.0-2008.0  Av: 1992.74  Std: 13.07
Ratings: 4.7-8.6  Av: 6.54  Std: 0.8
Main Movies: Tokyo 10+01 (36.0 times) Nan quan bei tui (28.0 times) Kenka karate kyokushinken (21.0 times) Red Shadow: Akakage (21.0 times) Desu pawuda (21.0 times) 
Sentiments: 5.22082-6.222  Av: 5.68933  Std: 0.16699


 
####################################### 
Community: 31
####################################### 
 
Members:269
Main Actors: 
Year: 1960.0-2009.0  Av: 1998.15  Std: 7.95
Ratings: 2.7-8.5  Av: 6.47  Std: 1.12
Main Movies: The Fearless Freaks (15.0 times) The Code Conspiracy (15.0 times) Forgotten Silver (6.0 times) 3 Needles (6.0 times) Perfect Parents (6.0 times) 
Sentiments: 4.9424-5.96693  Av: 5.65816  Std: 0.14429


Sentiments :

First thing to do is to build sentiment-based graph. Let's define a function to do so, in order to apply it to all the graphs we have.</br>

This function also gives a size dictionnary with sizes proportionnal to the average sentiment score of actors, and a sentiment list to draw an histogram of the average sentiment score of actors.

In [44]:
############################
# Sentiment Weight Function
############################
def sentimentWeight(graph):
    res = graph.copy()
    sentDict = {}
    sentListMen = []
    sentListWomen = []
    for n in res.nodes(): #go through nodes
        avSent = 0
        countNeighbors = 0
        for n2 in res.neighbors(n): #go through neighbors to go throught edges
            countNeighbors +=1  #set counts
            sentScore = 0
            countMovies = 0
            for m in res[n][n2]["movies"]: # go throught movies
                countMovies +=1 
                sentScore += sentimentDict[m][1]*1.0/sentimentDict[m][0] # update sent score
            sentScore = sentScore/countMovies
            res[n][n2]["weight"]=sentScore
            avSent+=sentScore
        avSent = avSent/countNeighbors # compute the average sentiment
        sentDict[n] = [avSent,countNeighbors]
        if res.nodes[n]["Gender"] == "M": # update the lists
            sentListMen.append(int(round(10*avSent)))  
        else:
            sentListWomen.append(int(round(10*avSent)))
    return sentDict,sentListMen,sentListWomen,res
In [45]:
#############################
# Apply it to the full graph
#############################
sentDict_G,sentListMen_G,sentListWomen_G,G_sent = sentimentWeight(G)

#histogram
histProp(sentListMen_G,sentListWomen_G,True,"","Sentiments")
In [46]:
#################
# Plot the graph
#################
    
drawWithSizes(G_sent,"",pos,sentDict_G,True,"Sentiments")
########################
Best Actors:
------------

1 - Sydney Greenstreet - 5.92
2 - Lainie Kazan - 5.9
3 - Lung Ti - 5.9
4 - Brooke Langton - 5.89
5 - Francisco Rabal - 5.88
6 - Alexis Smith - 5.87
7 - Sammo Kam-Bo Hung - 5.87
8 - Lew Ayres - 5.87
9 - Maury Chaykin - 5.87
10 - Thelma Todd - 5.85

########################

In [47]:
################################
# Apply it to the period graphs
################################
#ratingDict_G,ratingListMen_G,ratingListWomen_G,G_ratings
sentDict_period = {}
sentListMen_period = {}
sentListWomen_period = {}
sentGraph_period = {}
for key in graphByPeriod.keys():
    #Collect Data
    d,m,w,g = sentimentWeight(graphByPeriod[key])
    sentDict_period[key]=d
    sentListMen_period[key]=m
    sentListWomen_period[key]=w
    sentGraph_period[key]=g
    #Histogram
    histProp(m,w,False,titles[key],"Sentiments")
    #Graph
    drawWithSizes(g,titles[key],positionsPeriod[key],d,False,"Sentiments")
########################
Best Actors:
------------

1 - Duncan Regehr - 5.98
2 - Brenda Vaccaro - 5.87
3 - Anthony Andrews - 5.86
4 - Bernadette Peters - 5.84
5 - Jacqueline Bisset - 5.83
6 - Whoopi Goldberg - 5.83
7 - Charles Haid - 5.83
8 - Eric Idle - 5.82
9 - Michael Caine - 5.82
10 - Kenneth McMillan - 5.82

########################

########################
Best Actors:
------------

1 - Maury Chaykin - 5.99
2 - Emilio Estevez - 5.94
3 - Ann Jillian - 5.91
4 - Maggie Cheung - 5.87
5 - Bill Nunn - 5.86
6 - Brad Johnson - 5.86
7 - John Ritter - 5.85
8 - Sarah Chalke - 5.84
9 - Ed Begley Jr. - 5.84
10 - Mickey Rourke - 5.84

########################

########################
Best Actors:
------------

1 - Tim Blake Nelson - 5.9
2 - Brooke Langton - 5.87
3 - Shun Sugata - 5.85
4 - Do-yeon Jeon - 5.84
5 - Olivier Gourmet - 5.82
6 - Benoît Poelvoorde - 5.82
7 - David Paymer - 5.81
8 - S. Epatha Merkerson - 5.81
9 - Javier Cámara - 5.81
10 - Ciarán McMenamin - 5.81

########################

########################
Best Actors:
------------

1 - Lew Ayres - 5.9
2 - Robert Redford - 5.88
3 - Mark Burns - 5.86
4 - Burt Reynolds - 5.86
5 - John Phillip Law - 5.85
6 - Nora Miao - 5.85
7 - Robert Webber - 5.85
8 - Vanessa Redgrave - 5.84
9 - Kim Darby - 5.84
10 - James Tien - 5.83

########################

########################
Best Actors:
------------

1 - Karen Morley - 6.03
2 - Sydney Greenstreet - 5.92
3 - Claire Bloom - 5.88
4 - Albert Austin - 5.87
5 - Jack Wilson - 5.87
6 - Loyal Underwood - 5.87
7 - L.A. Blaisdell - 5.87
8 - W.J. Allen - 5.87
9 - Syd Chaplin - 5.87
10 - Edna Purviance - 5.87

########################

In [48]:
#############################################
# RUN COMMUNITY DETECTION FOR THE FULL GRAPH
#############################################

partSentG,modulSentG = communityDetect(G_sent)
biggestCommunitiesLabelSent = drawCommunities(G_sent,partSentG,"full_Sentiments",pos, True)
The partition made of the graph has a modularity of +68.294% and contains 80 communities.
In [49]:
#########################
# ANALYSE THE FULL GRAPH
#########################
files = io.open("Full_communityAnalysis_SentimentBased.txt", mode="w", encoding="utf-8" )
s = communityExplain(G_sent,partSentG,biggestCommunitiesLabelSent, "av. Sentiment score",10)
print s
files.write(s)
files.close()
 
####################################### 
Community: 0
####################################### 
 
Members:274
Main Actors: 
Year: 1972.0-2007.0  Av: 1996.46  Std: 9.5
Ratings: 3.1-8.0  Av: 6.36  Std: 1.08
Main Movies: Los ritos sexuales del diablo (21.0 times) La ley del deseo (21.0 times) Las garras de Lorelei (15.0 times) ¿Qué he hecho yo para merecer esto? (15.0 times) Dans la ville de Sylvia (15.0 times) 
Sentiments: 5.22757-6.05842  Av: 5.67111  Std: 0.13895


 
####################################### 
Community: 1
####################################### 
 
Members:2102
Main Actors: Basil Rathbone (5.78656855567 av. Sentiment score) Ricardo Cortez (5.77117512794 av. Sentiment score) James Stewart (5.77007894453 av. Sentiment score) Lana Turner (5.76443507898 av. Sentiment score) Frank McHugh (5.76295194567 av. Sentiment score) 
Year: 1917.0-1997.0  Av: 1945.85  Std: 12.41
Ratings: 1.8-8.9  Av: 6.4  Std: 0.94
Main Movies: Glen or Glenda (21.0 times) The Star Packer (21.0 times) The Lawless Frontier (21.0 times) Dishonored (21.0 times) Brides of Blood (21.0 times) 
Sentiments: 4.71828-6.27565  Av: 5.68253  Std: 0.16874


 
####################################### 
Community: 36
####################################### 
 
Members:338
Main Actors: 
Year: 1950.0-2009.0  Av: 1992.98  Std: 11.86
Ratings: 2.6-8.1  Av: 5.73  Std: 1.03
Main Movies: Mondo Trasho (36.0 times) Monster Man (6.0 times) A Reason to Believe (6.0 times) Rockaway (6.0 times) Spymate (6.0 times) 
Sentiments: 5.08329-6.57821  Av: 5.66214  Std: 0.17785


 
####################################### 
Community: 5
####################################### 
 
Members:822
Main Actors: Jean Reno (5.70337025728 av. Sentiment score) Daniel Auteuil (5.64632547924 av. Sentiment score) Gérard Depardieu (5.61578069151 av. Sentiment score) Catherine Deneuve (5.58479579373 av. Sentiment score) 
Year: 1928.0-2009.0  Av: 1994.88  Std: 12.72
Ratings: 2.3-8.9  Av: 6.62  Std: 0.88
Main Movies: La maman et la putain (21.0 times) Fellini: Je suis un grand menteur (15.0 times) Tickets (6.0 times) La petite Jérusalem (6.0 times) Tout contre Léo (6.0 times) 
Sentiments: 5.07699-6.20958  Av: 5.68005  Std: 0.14618


 
####################################### 
Community: 6
####################################### 
 
Members:457
Main Actors: 
Year: 1950.0-2008.0  Av: 1988.45  Std: 10.82
Ratings: 1.9-8.7  Av: 5.76  Std: 1.39
Main Movies: Get Out of My Room (36.0 times) Sometimes Aunt Martha Does Dreadful Things (21.0 times) Shin Kido Senki Gundam Wing Endless Waltz (21.0 times) He-Man and the Masters of the Universe: The Beginning (15.0 times) Chopping Mall (6.0 times) 
Sentiments: 5.09378-6.05508  Av: 5.67235  Std: 0.14031


 
####################################### 
Community: 7
####################################### 
 
Members:503
Main Actors: Jackie Chan (5.71350428915 av. Sentiment score) Andy Lau (5.59825410446 av. Sentiment score) 
Year: 1948.0-2008.0  Av: 1992.56  Std: 10.69
Ratings: 2.6-8.1  Av: 6.06  Std: 1.1
Main Movies: Bai ma hei qi (36.0 times) Long quan (28.0 times) Chuet sik san tau (28.0 times) Pang see: Song jun tin leung (28.0 times) Hei tai yang 731 xu ji zhi sha ren gong chang (28.0 times) 
Sentiments: 5.11038-6.48143  Av: 5.67948  Std: 0.18482


 
####################################### 
Community: 8
####################################### 
 
Members:322
Main Actors: Shah Rukh Khan (5.67444279852 av. Sentiment score) Akshay Kumar (5.67174524299 av. Sentiment score) Salman Khan (5.66318300815 av. Sentiment score) Amitabh Bachchan (5.64405991399 av. Sentiment score) Rani Mukerji (5.6304484154 av. Sentiment score) 
Year: 1953.0-2009.0  Av: 1999.85  Std: 9.41
Ratings: 1.9-8.5  Av: 6.42  Std: 1.35
Main Movies: Namak Halaal (21.0 times) Phir Wohi Raat (21.0 times) Aksar (15.0 times) My Wife's Murder (15.0 times) Keerthi Chakra (15.0 times) 
Sentiments: 5.09135-5.96979  Av: 5.65357  Std: 0.14552


 
####################################### 
Community: 11
####################################### 
 
Members:358
Main Actors: 
Year: 1952.0-2006.0  Av: 1979.1  Std: 11.04
Ratings: 2.0-7.8  Av: 5.3  Std: 1.27
Main Movies: Flesh (28.0 times) O Vício (28.0 times) Sudden Fury (21.0 times) La mujer del aviador (15.0 times) India Song (15.0 times) 
Sentiments: 5.34004-6.10011  Av: 5.66943  Std: 0.13755


 
####################################### 
Community: 13
####################################### 
 
Members:797
Main Actors: Casper Van Dien (5.66703729741 av. Sentiment score) 
Year: 1967.0-2010.0  Av: 1995.83  Std: 8.9
Ratings: 2.1-8.1  Av: 5.13  Std: 1.25
Main Movies: The Women of Charmed (36.0 times) Fatal Pulse (15.0 times) Child of Darkness, Child of Light (10.0 times) The Darkling (6.0 times) Cherish (6.0 times) 
Sentiments: 5.10299-6.19226  Av: 5.67691  Std: 0.14686


 
####################################### 
Community: 14
####################################### 
 
Members:354
Main Actors: 
Year: 1942.0-2008.0  Av: 1984.04  Std: 14.52
Ratings: 1.7-8.1  Av: 5.21  Std: 1.38
Main Movies: Thirteen Erotic Ghosts (15.0 times) The Being (15.0 times) Monster on the Campus (10.0 times) High Noon, Part II: The Return of Will Kane (10.0 times) Brothers in Arms (6.0 times) 
Sentiments: 5.06833-6.203  Av: 5.66218  Std: 0.16372


 
####################################### 
Community: 15
####################################### 
 
Members:432
Main Actors: 
Year: 1949.0-2008.0  Av: 1994.09  Std: 10.86
Ratings: 2.2-8.2  Av: 5.48  Std: 1.35
Main Movies: The Lost World (15.0 times) Cries from the Heart (10.0 times) The Gambler Returns: The Luck of the Draw (6.0 times) Recipe for a Perfect Christmas (6.0 times) Mutator (6.0 times) 
Sentiments: 5.08457-6.0294  Av: 5.66988  Std: 0.14281


 
####################################### 
Community: 17
####################################### 
 
Members:531
Main Actors: Donald Pleasence (5.73898816914 av. Sentiment score) Alec Guinness (5.66289917106 av. Sentiment score) Christopher Lee (5.646713068 av. Sentiment score) Peter Cushing (5.64114925667 av. Sentiment score) 
Year: 1915.0-2008.0  Av: 1972.23  Std: 16.3
Ratings: 2.1-8.3  Av: 6.08  Std: 1.17
Main Movies: Woyzeck (15.0 times) Son of Dracula (15.0 times) Romeo & Juliet (10.0 times) Let It Be (10.0 times) Aida (6.0 times) 
Sentiments: 4.96-6.14933  Av: 5.6819  Std: 0.15834


 
####################################### 
Community: 18
####################################### 
 
Members:2412
Main Actors: Willem Dafoe (5.76190145289 av. Sentiment score) Juliette Lewis (5.74473295796 av. Sentiment score) Anthony Hopkins (5.74383792788 av. Sentiment score) Kris Kristofferson (5.7398958533 av. Sentiment score) Richard Dreyfuss (5.73583204994 av. Sentiment score) 
Year: 1958.0-2010.0  Av: 1997.86  Std: 8.47
Ratings: 1.9-8.9  Av: 6.23  Std: 0.95
Main Movies: Inland Empire (28.0 times) Grand Champion (21.0 times) Wild West Comedy Show: 30 Days & 30 Nights - Hollywood to the Heartland (15.0 times) Do You Know the Muffin Man? (10.0 times) A Seduction in Travis County (10.0 times) 
Sentiments: 4.99574-6.23647  Av: 5.67929  Std: 0.1286


 
####################################### 
Community: 21
####################################### 
 
Members:401
Main Actors: 
Year: 1949.0-2008.0  Av: 1994.7  Std: 12.48
Ratings: 4.4-8.6  Av: 6.49  Std: 0.81
Main Movies: Tokyo 10+01 (36.0 times) Kenka karate kyokushinken (21.0 times) Red Shadow: Akakage (21.0 times) Desu pawuda (21.0 times) Junk: Shiryô-gari (15.0 times) 
Sentiments: 5.11229-6.222  Av: 5.68208  Std: 0.16986


 
####################################### 
Community: 24
####################################### 
 
Members:640
Main Actors: Walter Matthau (5.80385733126 av. Sentiment score) 
Year: 1956.0-2008.0  Av: 1982.28  Std: 12.97
Ratings: 2.0-8.6  Av: 5.59  Std: 1.23
Main Movies: King Arthur, the Young Warlord (21.0 times) Carnival of Blood (21.0 times) In the Name of Love: A Texas Tragedy (15.0 times) In the Shadows, Someone's Watching (10.0 times) La tarantola dal ventre nero (6.0 times) 
Sentiments: 5.07741-6.12752  Av: 5.67554  Std: 0.14168


 
####################################### 
Community: 27
####################################### 
 
Members:273
Main Actors: 
Year: 1942.0-2007.0  Av: 1988.88  Std: 12.77
Ratings: 1.5-8.4  Av: 5.79  Std: 1.33
Main Movies: Purpose (6.0 times) Ways of the Flesh (6.0 times) Reckless (6.0 times) The Kite Runner (6.0 times) Drumline (6.0 times) 
Sentiments: 5.10913-6.08155  Av: 5.67909  Std: 0.13993


 
####################################### 
Community: 31
####################################### 
 
Members:349
Main Actors: 
Year: 1958.0-2009.0  Av: 1996.07  Std: 9.53
Ratings: 2.0-7.8  Av: 5.66  Std: 1.17
Main Movies: In Search of Mozart (28.0 times) Policewomen (21.0 times) Out Kold (15.0 times) Blood and Bone (6.0 times) Sonic Impact (6.0 times) 
Sentiments: 5.2875-6.18782  Av: 5.68022  Std: 0.14134


Sentiments scores range is really small and then we do not see a lot of difference between actors. Nonetheless the communtity graph is slightly different: we see the spanish community and there is more difference between old and new movies.