Spaces:
Sleeping
Sleeping
File size: 16,336 Bytes
f7c5cda a45f35e f7c5cda |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 |
import streamlit as st
import pandas as pd
import pickle
import re
import numpy as np
import plotly.express as px
import plotly.graph_objects as go
from datetime import datetime
import time
import base64
def get_default_robot_icon():
return "https://raw.githubusercontent.com/FortAwesome/Font-Awesome/master/svgs/solid/robot.svg"
# Set page configuration
st.set_page_config(
page_title="Twitter Bot Detector",
page_icon="π€",
layout="wide",
initial_sidebar_state="expanded"
)
# Custom CSS
st.markdown("""
<style>
.main {
padding: 0rem 1rem;
}
.stAlert {
padding: 1rem;
border-radius: 0.5rem;
}
.stButton>button {
width: 100%;
border-radius: 0.5rem;
height: 3rem;
background-color: #FF4B4B;
color: white;
}
.stTextInput>div>div>input {
border-radius: 0.5rem;
}
.stTextArea>div>div>textarea {
border-radius: 0.5rem;
}
.css-1d391kg {
padding: 2rem 1rem;
}
.info-box {
background-color: #262730;
color: white;
padding: 1rem;
border-radius: 0.5rem;
margin-bottom: 1rem;
}
.metric-card {
background-color: #f0f2f6;
padding: 1rem;
border-radius: 0.5rem;
margin: 0.5rem 0;
}
</style>
""", unsafe_allow_html=True)
@st.cache_resource
def load_model(model_path='bot_detector_model.pkl'):
try:
with open(model_path, 'rb') as f:
model_components = pickle.load(f)
return model_components
except FileNotFoundError:
st.error("Model file not found. Please ensure the model is trained and saved.")
return None
def make_prediction(features, tweet_content, model_components):
features_scaled = model_components['scaler'].transform(features)
behavioral_probs = model_components['behavioral_model'].predict_proba(features_scaled)[0]
if tweet_content:
tweet_features = model_components['tweet_vectorizer'].transform([tweet_content])
tweet_probs = model_components['tweet_model'].predict_proba(tweet_features)[0]
final_probs = 0.8 * behavioral_probs + 0.2 * tweet_probs
else:
final_probs = behavioral_probs
prediction = (final_probs[1] > 0.5)
confidence = final_probs[1] if prediction else final_probs[0]
return prediction, confidence, final_probs
def create_gauge_chart(confidence, prediction):
fig = go.Figure(go.Indicator(
mode = "gauge+number",
value = confidence * 100,
domain = {'x': [0, 1], 'y': [0, 1]},
title = {'text': "Confidence Score"},
gauge = {
'axis': {'range': [None, 100]},
'bar': {'color': "darkred" if prediction else "darkgreen"},
'steps': [
{'range': [0, 33], 'color': 'lightgray'},
{'range': [33, 66], 'color': 'gray'},
{'range': [66, 100], 'color': 'darkgray'}
],
'threshold': {
'line': {'color': "red", 'width': 4},
'thickness': 0.75,
'value': 50
}
}
))
fig.update_layout(height=300)
return fig
def create_probability_chart(probs):
labels = ['Human', 'Bot']
fig = go.Figure(data=[go.Pie(
labels=labels,
values=[probs[0]*100, probs[1]*100],
hole=.3,
marker_colors=['#00CC96', '#EF553B']
)])
fig.update_layout(
title="Probability Distribution",
height=300
)
return fig
def main():
# Sidebar
st.sidebar.image("piclumen-1739279351872.png", width=100) # Replace with your logo
st.sidebar.title("Navigation")
page = st.sidebar.radio("Go to", ["Bot Detection", "About", "Statistics"])
if page == "Bot Detection":
st.title("π€ Twitter Bot Detection System")
st.markdown("""
<div style='background-color: #262730; color: white; padding: 1rem; border-radius: 0.5rem; margin-bottom: 1rem;'>
<h4>Welcome to the Advanced Bot Detection System</h4>
<p>This advanced system analyzes Twitter accounts using machine learning to determine if they're automated bots or human users.
Our system uses multiple features and sophisticated algorithms to provide accurate detection results.</p>
</div>
""", unsafe_allow_html=True)
# Load model components
model_components = load_model()
if model_components is None:
st.stop()
# Create tabs
tab1, tab2 = st.tabs(["π Input Details", "π Analysis Results"])
with tab1:
st.markdown("### Account Information")
col1, col2, col3 = st.columns([1,1,1])
with col1:
name = st.text_input("Account Name", placeholder="@username")
followers_count = st.number_input("Followers Count", min_value=0)
friends_count = st.number_input("Friends Count", min_value=0)
listed_count = st.number_input("Listed Count", min_value=0)
with col2:
favorites_count = st.number_input("Favorites Count", min_value=0)
statuses_count = st.number_input("Statuses Count", min_value=0)
account_age = st.number_input("Account Age (days)", min_value=0)
with col3:
description = st.text_area("Profile Description")
location = st.text_input("Location")
st.markdown("### Account Properties")
prop_col1, prop_col2, prop_col3, prop_col4 = st.columns(4)
with prop_col1:
verified = st.checkbox("Verified Account")
with prop_col2:
default_profile = st.checkbox("Default Profile")
with prop_col3:
default_profile_image = st.checkbox("Default Profile Image")
with prop_col4:
has_extended_profile = st.checkbox("Extended Profile")
has_url = st.checkbox("Has URL")
st.markdown("### Tweet Content")
tweet_content = st.text_area("Sample Tweet ", height=100)
if st.button("π Analyze Account"):
with st.spinner('Analyzing account characteristics...'):
# Prepare features
features = pd.DataFrame([{
'followers_count': followers_count,
'friends_count': friends_count,
'listed_count': listed_count,
'favorites_count': favorites_count,
'statuses_count': statuses_count,
'verified': int(verified),
'followers_friends_ratio': followers_count / (friends_count + 1),
'statuses_per_day': statuses_count / (account_age + 1),
'engagement_ratio': favorites_count / (statuses_count + 1),
'account_age_days': account_age,
'name_length': len(name),
'name_has_digits': int(bool(re.search(r'\d', name))),
'description_length': len(description),
'has_location': int(bool(location.strip())),
'has_url': int(has_url),
'default_profile': int(default_profile),
'default_profile_image': int(default_profile_image),
'has_extended_profile': int(has_extended_profile)
}])
# Make prediction
prediction, confidence, probs = make_prediction(features, tweet_content, model_components)
# Switch to results tab
time.sleep(1) # Add small delay for effect
tab2.markdown("### Analysis Complete!")
with tab2:
# Display main result
if prediction:
st.error("π€ Bot Account Detected!")
else:
st.success("π€ Human Account Detected!")
# Create three columns for visualizations
metric_col1, metric_col2 = st.columns(2)
with metric_col1:
# Gauge chart
st.plotly_chart(create_gauge_chart(confidence, prediction), use_container_width=True)
with metric_col2:
# Probability distribution
st.plotly_chart(create_probability_chart(probs), use_container_width=True)
# Feature importance
st.markdown("### Feature Analysis")
feature_importance = pd.DataFrame({
'Feature': model_components['feature_names'],
'Importance': model_components['behavioral_model'].feature_importances_
}).sort_values('Importance', ascending=False)
fig = px.bar(feature_importance,
x='Importance',
y='Feature',
orientation='h',
title='Feature Importance Analysis')
fig.update_layout(height=400)
st.plotly_chart(fig, use_container_width=True)
# Account metrics comparison
metrics_data = {
'Metric': ['Followers', 'Friends', 'Tweets', 'Favorites'],
'Count': [followers_count, friends_count, statuses_count, favorites_count]
}
fig = px.bar(metrics_data,
x='Metric',
y='Count',
title='Account Metrics Overview',
color='Count',
color_continuous_scale='Viridis')
st.plotly_chart(fig, use_container_width=True)
elif page == "About":
st.title("About the Bot Detection System")
# System Overview
st.markdown("""
<div class='info-box'>
<h3>π― System Overview</h3>
<p>Our Twitter Bot Detection System uses state-of-the-art machine learning algorithms to analyze Twitter accounts
and determine whether they are automated bots or genuine human users. The system achieves this through multi-faceted
analysis of various account characteristics and behaviors.</p>
</div>
""", unsafe_allow_html=True)
# Key Features
st.markdown("### π Key Features Analyzed")
col1, col2 = st.columns(2)
with col1:
st.markdown("""
#### Account Characteristics
- Profile completeness
- Account age and verification status
- Username patterns
- Profile description analysis
#### Behavioral Patterns
- Posting frequency
- Engagement rates
- Temporal patterns
- Content similarity
""")
with col2:
st.markdown("""
#### Network Analysis
- Follower-following ratio
- Friend acquisition rate
- Network growth patterns
#### Content Analysis
- Tweet sentiment
- Language patterns
- URL sharing frequency
- Hashtag usage
""")
# Technical Details
st.markdown("""
<div class='info-box'>
<h3>βοΈ Technical Implementation</h3>
<p>The system employs a hierarchical classification approach:</p>
<ul>
<li><strong>Primary Analysis:</strong> Random Forest Classifier for behavioral patterns</li>
<li><strong>Secondary Analysis:</strong> Natural Language Processing for content analysis</li>
<li><strong>Final Decision:</strong> Weighted ensemble of multiple models</li>
</ul>
</div>
""", unsafe_allow_html=True)
# Accuracy Metrics
st.markdown("### π System Performance")
metrics_col1, metrics_col2, metrics_col3, metrics_col4 = st.columns(4)
with metrics_col1:
st.metric("Accuracy", "87%")
with metrics_col2:
st.metric("Precision", "89%")
with metrics_col3:
st.metric("Recall", "83%")
with metrics_col4:
st.metric("F1 Score", "86%")
# Use Cases
st.markdown("""
### π― Common Use Cases
- **Social Media Management**: Identify and remove bot accounts
- **Research**: Analyze social media manipulation
- **Marketing**: Verify authentic engagement
- **Security**: Protect against automated threats
""")
else: # Statistics page
st.title("System Statistics")
# Add some sample statistics
col1, col2 = st.columns(2)
with col1:
# Sample detection distribution
detection_data = {
'Category': ['Bots', 'Humans'],
'Count': [324, 676]
}
fig = px.pie(detection_data,
values='Count',
names='Category',
title='Detection Distribution',
color_discrete_sequence=['#FF4B4B', '#00CC96'])
st.plotly_chart(fig, use_container_width=True)
with col2:
# Confidence score distribution
confidence_data = {
'Score': ['90-100%', '80-90%', '70-80%', '60-70%', '50-60%'],
'Count': [250, 300, 200, 150, 100]
}
fig = px.bar(confidence_data,
x='Score',
y='Count',
title='Confidence Score Distribution',
color='Count',
color_continuous_scale='Viridis')
st.plotly_chart(fig, use_container_width=True)
# Monthly statistics
st.markdown("### Monthly Detection Trends")
monthly_data = {
'Month': ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun'],
'Bots Detected': [45, 52, 38, 65, 48, 76],
'Accuracy': [92, 94, 93, 95, 94, 96]
}
fig = px.line(monthly_data,
x='Month',
y=['Bots Detected', 'Accuracy'],
title='Monthly Performance Metrics',
markers=True)
st.plotly_chart(fig, use_container_width=True)
# Key metrics
st.markdown("### Key System Metrics")
metric_col1, metric_col2, metric_col3, metric_col4 = st.columns(4)
with metric_col1:
st.metric("Total Analyses", "1,000", "+12%")
with metric_col2:
st.metric("Avg. Accuracy", "94.5%", "+2.3%")
with metric_col3:
st.metric("Bot Detection Rate", "32.4%", "-5.2%")
with metric_col4:
st.metric("Processing Time", "1.2s", "-0.3s")
if __name__ == "__main__":
main() |