Meta Kaggle Dataset Analysis - 2 - Competitions¶

Kaggle's public data on competitions, users, submission scores, and kernels

  • https://www.kaggle.com/datasets/kaggle/meta-kaggle
In [2]:
%%html
<style type='text/css'>
.CodeMirror {
    font-size: 14px; 
    font-family: 'Jetbrains Mono';
}
</style>
In [3]:
from IPython.display import display, HTML
display(HTML("<style>.container { width:85% !important; }</style>"))
In [4]:
import pandas as pd

pd.set_option('display.max_rows', 500)
pd.set_option('display.max_columns', 500)
pd.set_option('display.width', 1000)
pd.set_option('display.max_colwidth', 1000)
pd.set_option("display.max_rows", None, "display.max_columns", None)
In [5]:
import seaborn as sns
import matplotlib.pyplot as plt
In [6]:
from pyspark.sql import SparkSession
from pyspark.sql.types import StructType, StructField, StringType, IntegerType, DoubleType, BooleanType
from pyspark.sql.functions import *
In [8]:
spark = (SparkSession
        .builder
        .appName("meta-kaggle-data-analysis")
        .getOrCreate()
        )
23/08/16 07:22:23 WARN SparkSession: Using an existing Spark session; only runtime SQL configurations will take effect.
In [9]:
spark
Out[9]:

SparkSession - hive

SparkContext

Spark UI

Version
v3.4.1
Master
local[*]
AppName
PySparkShell
In [10]:
data_files_path = "/Volumes/samsung-2tb/rk/downloads/archive"
In [11]:
!ls -lhS $data_files_path
total 54139600
-rw-rw-r--@ 1 rk  staff    12G 11 Aug 11:20 EpisodeAgents.csv
-rw-rw-r--@ 1 rk  staff   4.0G 11 Aug 11:43 UserAchievements.csv
-rw-rw-r--@ 1 rk  staff   3.3G 11 Aug 11:36 Episodes.csv
-rw-rw-r--@ 1 rk  staff   1.5G 11 Aug 11:40 Submissions.csv
-rw-rw-r--@ 1 rk  staff   1.3G 11 Aug 11:39 KernelVersions.csv
-rw-rw-r--@ 1 rk  staff   796M 11 Aug 11:45 Users.csv
-rw-rw-r--@ 1 rk  staff   748M 11 Aug 11:18 DatasetVersions.csv
-rw-rw-r--@ 1 rk  staff   663M 11 Aug 11:38 ForumMessages.csv
-rw-rw-r--@ 1 rk  staff   505M 11 Aug 11:42 Teams.csv
-rw-rw-r--@ 1 rk  staff   279M 11 Aug 11:42 TeamMemberships.csv
-rw-rw-r--@ 1 rk  staff   198M 11 Aug 11:39 KernelVersionDatasetSources.csv
-rw-rw-r--@ 1 rk  staff   156M 11 Aug 11:40 KernelVotes.csv
-rw-rw-r--@ 1 rk  staff   144M 11 Aug 11:40 Kernels.csv
-rw-rw-r--@ 1 rk  staff   130M 11 Aug 11:38 ForumMessageVotes.csv
-rw-rw-r--@ 1 rk  staff    64M 11 Aug 11:19 DatasetVotes.csv
-rw-rw-r--@ 1 rk  staff    51M 11 Aug 11:45 UserFollowers.csv
-rw-rw-r--@ 1 rk  staff    46M 11 Aug 11:39 ForumTopics.csv
-rw-rw-r--@ 1 rk  staff    39M 11 Aug 11:39 KernelVersionCompetitionSources.csv
-rw-rw-r--@ 1 rk  staff    29M 11 Aug 11:19 Datasets.csv
-rw-rw-r--@ 1 rk  staff    21M 11 Aug 11:39 KernelTags.csv
-rw-rw-r--@ 1 rk  staff    19M 11 Aug 11:39 KernelVersionKernelSources.csv
-rw-rw-r--@ 1 rk  staff    13M 11 Aug 11:19 Datasources.csv
-rw-rw-r--@ 1 rk  staff    11M 11 Aug 11:39 Forums.csv
-rw-rw-r--@ 1 rk  staff   7.6M 11 Aug 11:18 DatasetTasks.csv
-rw-rw-r--@ 1 rk  staff   6.5M 11 Aug 11:17 DatasetTags.csv
-rw-rw-r--@ 1 rk  staff   2.5M 11 Aug 11:17 Competitions.csv
-rw-rw-r--@ 1 rk  staff   654K 11 Aug 11:17 DatasetTaskSubmissions.csv
-rw-rw-r--@ 1 rk  staff   260K 11 Aug 11:40 Organizations.csv
-rw-rw-r--@ 1 rk  staff    93K 11 Aug 11:42 Tags.csv
-rw-rw-r--@ 1 rk  staff    62K 11 Aug 11:45 UserOrganizations.csv
-rw-rw-r--@ 1 rk  staff    19K 11 Aug 11:17 CompetitionTags.csv
-rw-rw-r--@ 1 rk  staff   410B 11 Aug 11:39 KernelLanguages.csv
  • EpisodeAgents.csv is the biggest file (~12G)
  • There are 4 more files that are bigger.

5. Competitions¶

In [12]:
competitions_file = f"{data_files_path}/Competitions.csv"
In [13]:
competitions_schema = StructType([
    StructField("Id",IntegerType()),
    StructField("Slug",StringType()),
    StructField("Title",StringType()),
    StructField("Subtitle",StringType()),
    StructField("HostSegmentTitle",StringType()),
    StructField("ForumId",IntegerType()),
    StructField("OrganizationId",IntegerType()),
    StructField("EnabledDate",StringType()),
    StructField("DeadlineDate",StringType()),
    StructField("ProhibitNewEntrantsDeadlineDate",StringType()),
    StructField("TeamMergerDeadlineDate",StringType()),
    StructField("TeamModelDeadlineDate",StringType()),
    StructField("ModelSubmissionDeadlineDate",StringType()),
    StructField("FinalLeaderboardHasBeenVerified",BooleanType()),
    StructField("HasKernels",BooleanType()),
    StructField("OnlyAllowKernelSubmissions",BooleanType()),
    StructField("HasLeaderboard",BooleanType()),
    StructField("LeaderboardPercentage",IntegerType()),
    StructField("LeaderboardDisplayFormat",StringType()),
    StructField("EvaluationAlgorithmAbbreviation",StringType()),
    StructField("EvaluationAlgorithmName",StringType()),
    StructField("EvaluationAlgorithmDescription",StringType()),
    StructField("EvaluationAlgorithmIsMax",BooleanType()),
    StructField("MaxDailySubmissions",IntegerType()),
    StructField("NumScoredSubmissions",IntegerType()),
    StructField("MaxTeamSize",IntegerType()),
    StructField("BanTeamMergers",BooleanType()),
    StructField("EnableTeamModels",BooleanType()),
    StructField("RewardType",StringType()),
    StructField("RewardQuantity",IntegerType()),
    StructField("NumPrizes",IntegerType()),
    StructField("UserRankMultiplier",IntegerType()),
    StructField("CanQualifyTiers",BooleanType()),
    StructField("TotalTeams",IntegerType()),
    StructField("TotalCompetitors",IntegerType()),
    StructField("TotalSubmissions",IntegerType()),
    StructField("ValidationSetName",StringType()),
    StructField("ValidationSetValue",StringType()),
    StructField("EnableSubmissionModelHashes",BooleanType()),
    StructField("EnableSubmissionModelAttachments",BooleanType()),
    StructField("HostName",StringType()),
    StructField("CompetitionTypeId",IntegerType()),
])
In [14]:
competitions = spark.read.csv(competitions_file, header=True, schema=competitions_schema)
competitions.createOrReplaceTempView("competitions")

competitions.printSchema()
root
 |-- Id: integer (nullable = true)
 |-- Slug: string (nullable = true)
 |-- Title: string (nullable = true)
 |-- Subtitle: string (nullable = true)
 |-- HostSegmentTitle: string (nullable = true)
 |-- ForumId: integer (nullable = true)
 |-- OrganizationId: integer (nullable = true)
 |-- EnabledDate: string (nullable = true)
 |-- DeadlineDate: string (nullable = true)
 |-- ProhibitNewEntrantsDeadlineDate: string (nullable = true)
 |-- TeamMergerDeadlineDate: string (nullable = true)
 |-- TeamModelDeadlineDate: string (nullable = true)
 |-- ModelSubmissionDeadlineDate: string (nullable = true)
 |-- FinalLeaderboardHasBeenVerified: boolean (nullable = true)
 |-- HasKernels: boolean (nullable = true)
 |-- OnlyAllowKernelSubmissions: boolean (nullable = true)
 |-- HasLeaderboard: boolean (nullable = true)
 |-- LeaderboardPercentage: integer (nullable = true)
 |-- LeaderboardDisplayFormat: string (nullable = true)
 |-- EvaluationAlgorithmAbbreviation: string (nullable = true)
 |-- EvaluationAlgorithmName: string (nullable = true)
 |-- EvaluationAlgorithmDescription: string (nullable = true)
 |-- EvaluationAlgorithmIsMax: boolean (nullable = true)
 |-- MaxDailySubmissions: integer (nullable = true)
 |-- NumScoredSubmissions: integer (nullable = true)
 |-- MaxTeamSize: integer (nullable = true)
 |-- BanTeamMergers: boolean (nullable = true)
 |-- EnableTeamModels: boolean (nullable = true)
 |-- RewardType: string (nullable = true)
 |-- RewardQuantity: integer (nullable = true)
 |-- NumPrizes: integer (nullable = true)
 |-- UserRankMultiplier: integer (nullable = true)
 |-- CanQualifyTiers: boolean (nullable = true)
 |-- TotalTeams: integer (nullable = true)
 |-- TotalCompetitors: integer (nullable = true)
 |-- TotalSubmissions: integer (nullable = true)
 |-- ValidationSetName: string (nullable = true)
 |-- ValidationSetValue: string (nullable = true)
 |-- EnableSubmissionModelHashes: boolean (nullable = true)
 |-- EnableSubmissionModelAttachments: boolean (nullable = true)
 |-- HostName: string (nullable = true)
 |-- CompetitionTypeId: integer (nullable = true)

23/08/16 07:22:41 WARN package: Truncated the string representation of a plan since it was too large. This behavior can be adjusted by setting 'spark.sql.debug.maxToStringFields'.
In [15]:
competitions.limit(1).toPandas()
Out[15]:
Id Slug Title Subtitle HostSegmentTitle ForumId OrganizationId EnabledDate DeadlineDate ProhibitNewEntrantsDeadlineDate TeamMergerDeadlineDate TeamModelDeadlineDate ModelSubmissionDeadlineDate FinalLeaderboardHasBeenVerified HasKernels OnlyAllowKernelSubmissions HasLeaderboard LeaderboardPercentage LeaderboardDisplayFormat EvaluationAlgorithmAbbreviation EvaluationAlgorithmName EvaluationAlgorithmDescription EvaluationAlgorithmIsMax MaxDailySubmissions NumScoredSubmissions MaxTeamSize BanTeamMergers EnableTeamModels RewardType RewardQuantity NumPrizes UserRankMultiplier CanQualifyTiers TotalTeams TotalCompetitors TotalSubmissions ValidationSetName ValidationSetValue EnableSubmissionModelHashes EnableSubmissionModelAttachments HostName CompetitionTypeId
0 2408 Eurovision2010 Forecast Eurovision Voting This competition requires contestants to forecast the voting for this year's Eurovision Song Contest in Norway on May 25th, 27th and 29th. Featured 2 NaN 04/07/2010 07:57:43 05/25/2010 18:00:00 None None None None True True False False 10 0.00000 AE Absolute Error Sum of absolute values of all errors. False 5 5 20 False False USD NaN 1 1 False 22 25 22 None None False False None 1
In [16]:
spark.sql("SELECT COUNT(*) FROM competitions").toPandas()
Out[16]:
count(1)
0 5611
In [39]:
competition_summary = spark.sql("""
WITH temp AS (
SELECT
    Slug
  , Title
  , Subtitle
  , EvaluationAlgorithmName
  , EvaluationAlgorithmDescription
  , CASE
      WHEN LENGTH(EnabledDate) >= 10 AND 
           regexp_extract(EnabledDate, r"(\d{2}/\d{2}/\d{4})", 1) != "" AND
           regexp_extract(EnabledDate, r"(\d{2}/\d{2}/\d{4})", 1) IS NOT NULL THEN
          to_date(SUBSTR(EnabledDate, 1, 10), "MM/dd/yyyy")
      ELSE
          '2010-01-01'
    END AS EnabledDate
FROM
    competitions
)
SELECT
    EnabledDate
  , YEAR(EnabledDate) AS competition_year
  , Slug
  , Title
  , Subtitle
  , EvaluationAlgorithmName
  , EvaluationAlgorithmDescription    
FROM
    temp
""")

competition_summary.createOrReplaceTempView("competition_summary")
spark.sql("SELECT * FROM competition_summary ORDER BY EnabledDate DESC LIMIT 20").toPandas()
Out[39]:
EnabledDate competition_year Slug Title Subtitle EvaluationAlgorithmName EvaluationAlgorithmDescription
0 2023-07-11 2023 playground-series-s3e19 Forecasting Mini-Course Sales Playground Series - Season 3, Episode 19 SMAPE Symmetric Mean Absolute Percentage Error
1 2023-06-27 2023 playground-series-s3e18 Explore Multi-Label Classification with an Enzyme Substrate Dataset Playground Series - Season 3, Episode 18 Mean Columnwise Area Under Receiver Operating Characteristic Curve Average of the per-column AUC-ROC scores.
2 2023-06-13 2023 playground-series-s3e17 Binary Classification of Machine Failures Playground Series - Season 3, Episode 17 Area Under Receiver Operating Characteristic Curve Measures discrimination. Calculates how well an algorithm separates true positives from false positives. Overall good metric for classification problems. Has range [0.5, 1.0]
3 2023-05-30 2023 playground-series-s3e16 Regression with a Crab Age Dataset Playground Series - Season 3, Episode 16 Mean Absolute Error Average of the absolute value of each individual error.
4 2023-05-22 2023 hubmap-hacking-the-human-vasculature HuBMAP - Hacking the Human Vasculature Segment instances of microvascular structures from healthy human kidney tissue slides. OpenImagesObjDetectionSegmentationAP OpenImagesObjDetectionSegmentationAP
5 2023-05-16 2023 playground-series-s3e15 Feature Imputation with a Heat Flux Dataset Playground Series - Season 3, Episode 15 Root Mean Squared Error Square root of the average of the squared errors.
6 2023-05-11 2023 2023-kaggle-ai-report 2023 Kaggle AI Report Essays on the state of machine learning in 2023 Mean Absolute Error Mean absolute error regression loss. See https://scikit-learn.org/stable/modules/generated/sklearn.metrics.mean_absolute_error.html
7 2023-05-04 2023 iclr-2023-kagglezindi ICLR 2023 Kaggle/Zindi Hackathon Predict CO2 Emissions Root Mean Squared Error Square root of the average of the squared errors.
8 2023-05-02 2023 playground-series-s3e14 Prediction of Wild Blueberry Yield Playground Series - Season 3, Episode 14 Mean Absolute Error Average of the absolute value of each individual error.
9 2023-04-18 2023 playground-series-s3e13 Classification with a Tabular Vector Borne Disease Dataset Playground Series - Season 3, Episode 13 MAP@{K} Mean Average Precision at K
10 2023-04-11 2023 image-matching-challenge-2023 Image Matching Challenge 2023 Reconstruct 3D scenes from 2D images imc2023 None
11 2023-04-04 2023 playground-series-s3e12 Binary Classification with a Tabular Kidney Stone Prediction Dataset Playground Series - Season 3, Episode 12 sklearn_roc_auc_score None
12 2023-03-23 2023 fathomnet-out-of-sample-detection FathomNet 2023 Shifting seas, shifting species: Out-of-sample detection in the deep ocean FathomNet 2023 None
13 2023-03-21 2023 benetech-making-graphs-accessible Benetech - Making Graphs Accessible Use ML to create tabular data from graphs Benetech Mixed Data Type Matching Score A mean-similarity index on [0, 1] with instances as either string or numeric vectors.
14 2023-03-20 2023 playground-series-s3e11 Regression with a Tabular Media Campaign Cost Dataset Playground Series - Season 3, Episode 11 Mean Squared Log Error Mean squared logarithmic error regression loss. See https://scikit-learn.org/stable/modules/generated/sklearn.metrics.mean_squared_log_error.html
15 2023-03-15 2023 vesuvius-challenge-ink-detection Vesuvius Challenge - Ink Detection Resurrect an ancient library from the ashes of a volcano DiceFBeta Mean Dice Coefficient with F-Score Beta parameter
16 2023-03-09 2023 tlvmc-parkinsons-freezing-gait-prediction Parkinson's Freezing of Gait Prediction Event detection from wearable sensor data sklearn_average_precision_score None
17 2023-03-07 2023 birdclef-2023 BirdCLEF 2023 Identify bird calls in soundscapes buffered_cmAP None
18 2023-03-07 2023 playground-series-s3e10 Binary Classification with a Tabular Pulsar Dataset Playground Series - Season 3, Episode 10 Log Loss Log Loss
19 2023-02-28 2023 playground-series-s3e9 Regression with a Tabular Concrete Strength Dataset Playground Series - Season 3, Episode 9 Root Mean Squared Error Square root of the average of the squared errors.

Competitions per year¶

In [44]:
df = spark.sql("""
SELECT
    competition_year
  , COUNT(*) AS count
FROM
    competition_summary
GROUP BY
    competition_year
ORDER BY
    competition_year
""").toPandas()
In [45]:
# Create a bar plot using Seaborn
plt.figure(figsize=(10, 6))
sns.barplot(x='competition_year', y='count', data=df)
plt.title('Yearly Count')
plt.xlabel('Year')
plt.ylabel('Count')
plt.show()

Submissions¶

In [63]:
spark.sql("""
SELECT
    Id
  , Title
  , MaxDailySubmissions
  , NumScoredSubmissions
  , MaxTeamSize
  , BanTeamMergers
  , EnableTeamModels
  , RewardType
  , NVL(RewardQuantity, 0) AS RewardQuantity
  , NumPrizes
  , UserRankMultiplier
  , CanQualifyTiers
  , TotalTeams
  , TotalCompetitors
  , TotalSubmissions
FROM
    competitions
LIMIT 5
""").toPandas()
Out[63]:
Id Title MaxDailySubmissions NumScoredSubmissions MaxTeamSize BanTeamMergers EnableTeamModels RewardType RewardQuantity NumPrizes UserRankMultiplier CanQualifyTiers TotalTeams TotalCompetitors TotalSubmissions
0 2408 Forecast Eurovision Voting 5 5 20 False False USD 0 1 1.0 False 22 25 22
1 2435 Predict HIV Progression 4 4 20 False False USD 0 1 1.0 True 107 116 855
2 2438 World Cup 2010 - Take on the Quants 5 5 20 False False USD 0 1 NaN False 0 0 0
3 2439 INFORMS Data Mining Contest 2010 5 5 20 False False USD 0 1 1.0 True 145 153 1483
4 2442 World Cup 2010 - Confidence Challenge 5 5 20 False False USD 0 1 NaN False 63 64 63

Top 5 competitions based on Total competitors¶

In [64]:
spark.sql("""
SELECT
    Id
  , Title
  , Slug
  , Subtitle
  , MaxDailySubmissions
  , NumScoredSubmissions
  , MaxTeamSize
  , BanTeamMergers
  , EnableTeamModels
  , RewardType
  , NVL(RewardQuantity, 0) AS RewardQuantity
  , NumPrizes
  , UserRankMultiplier
  , CanQualifyTiers
  , TotalTeams
  , TotalCompetitors
  , TotalSubmissions
FROM
    competitions
ORDER BY
    TotalCompetitors DESC
LIMIT 5
""").toPandas()
Out[64]:
Id Title Slug Subtitle MaxDailySubmissions NumScoredSubmissions MaxTeamSize BanTeamMergers EnableTeamModels RewardType RewardQuantity NumPrizes UserRankMultiplier CanQualifyTiers TotalTeams TotalCompetitors TotalSubmissions
0 10385 Santander Customer Transaction Prediction santander-customer-transaction-prediction Can you identify who will make a transaction? 3 2 5 False True USD 0 5 1 True 8751 9787 104121
1 9120 Home Credit Default Risk home-credit-default-risk Can you predict how capable each applicant is of repaying a loan? 5 2 20 False True USD 0 3 1 True 7176 8373 131888
2 14242 IEEE-CIS Fraud Detection ieee-fraud-detection Can you detect fraud from customer transactions? 5 2 5 False True USD 0 3 1 True 6351 7389 125219
3 18599 M5 Forecasting - Accuracy m5-forecasting-accuracy Estimate the unit sales of Walmart retail goods 5 1 5 False True USD 0 5 1 True 5558 7022 88741
4 35332 American Express - Default Prediction amex-default-prediction Predict if a customer will default in the future 5 2 5 False True USD 0 4 1 True 4874 6003 90058

Competition that received max submissions¶

In [69]:
spark.sql("""
SELECT
    *
FROM
    competitions 
ORDER BY TotalSubmissions DESC
LIMIT 3
""").toPandas()
Out[69]:
Id Slug Title Subtitle HostSegmentTitle ForumId OrganizationId EnabledDate DeadlineDate ProhibitNewEntrantsDeadlineDate TeamMergerDeadlineDate TeamModelDeadlineDate ModelSubmissionDeadlineDate FinalLeaderboardHasBeenVerified HasKernels OnlyAllowKernelSubmissions HasLeaderboard LeaderboardPercentage LeaderboardDisplayFormat EvaluationAlgorithmAbbreviation EvaluationAlgorithmName EvaluationAlgorithmDescription EvaluationAlgorithmIsMax MaxDailySubmissions NumScoredSubmissions MaxTeamSize BanTeamMergers EnableTeamModels RewardType RewardQuantity NumPrizes UserRankMultiplier CanQualifyTiers TotalTeams TotalCompetitors TotalSubmissions ValidationSetName ValidationSetValue EnableSubmissionModelHashes EnableSubmissionModelAttachments HostName CompetitionTypeId
0 9120 home-credit-default-risk Home Credit Default Risk Can you predict how capable each applicant is of repaying a loan? Featured 35355 1536 05/17/2018 22:56:29 08/29/2018 23:59:00 08/22/2018 23:59:00 08/22/2018 23:59:00 09/14/2018 23:59:00 None True True False True 20 0.00000 AUC Area Under Receiver Operating Characteristic Curve Measures discrimination. Calculates how well an algorithm separates true positives from false positives. Overall good metric for classification problems. Has range [0.5, 1.0] True 5 2 20 False True USD NaN 3 1 True 7176 8373 131888 None None False False None 1
1 14242 ieee-fraud-detection IEEE-CIS Fraud Detection Can you detect fraud from customer transactions? Research 275877 3016 07/15/2019 20:47:11 10/03/2019 23:59:00 10/03/2019 23:59:00 09/24/2019 23:59:00 10/26/2019 00:00:00 None True True False True 20 0.000000 AUC Area Under Receiver Operating Characteristic Curve Measures discrimination. Calculates how well an algorithm separates true positives from false positives. Overall good metric for classification problems. Has range [0.5, 1.0] True 5 2 5 False True USD NaN 3 1 True 6351 7389 125219 None None False False None 1
2 10385 santander-customer-transaction-prediction Santander Customer Transaction Prediction Can you identify who will make a transaction? Featured 130117 141 02/13/2019 23:00:00 04/10/2019 23:59:00 04/03/2019 23:59:00 04/03/2019 23:59:00 05/01/2019 00:00:00 None True True False True 25 0.00000 AUC Area Under Receiver Operating Characteristic Curve Measures discrimination. Calculates how well an algorithm separates true positives from false positives. Overall good metric for classification problems. Has range [0.5, 1.0] True 3 2 5 False True USD NaN 5 1 True 8751 9787 104121 None None False False None 1

All competitions¶

In [67]:
spark.sql("""
SELECT
    Title
  , Subtitle
FROM
    competitions
ORDER BY
    Title
""").toPandas()
Out[67]:
Title Subtitle
0 """Clever"" questions classification" The challenge is distinguish questions prepared by professional authors from questions suggested by game users.
1 """Сириус"" зима 2019"
2 "2021 Academic Competition ""Uplift Modeling""" Rank clients according to their purchasing responsiveness to communication
3 "STAT6031 ""Crime"" Project" Course Project in Fall 2019
4 "SejongAI.텀프로젝트.[""범죄유형예측""]" 세종대학교 인공지능 텀 프로젝트 [18011863]_[최영민]
5 "Узнай героев сериала ""Друзья"" с первых слов" "В задании необходимо научиться предсказывать, кому из 6 главных героев сериала ""Друзья"" принадлежит реплика."
6 "אכ""אתון" חיזוי נשר מיטב
7 "אכ""אתון" חיזוי נשר מיטב
8 #HomeAlone2020 Welcome all for #homeAlone2020 kaggle competiton.
9 #HomeAlone2020 Welcome all for #homeAlone2020 kaggle competiton.
10 ( Recognizance - 2 ) Power Lines Detection Detect the images containing the power lines from set of given visible and infrared images.
11 (Deprecated)Crime Category Classification using DR Predict the category of crimes that occurred in the city by the bay
12 (Recognizance-1) Electricity Bill Fraud Detection Detect the fraudulent clients of electricity consumption using their electrical billing history.
13 (SIT × DS)In-lecture competition 2022 Banking Dataset Marketing Targets
14 (aborted) Error
15 ....2319... MME
16 0.00000 clustering task
17 09-860 A4: Machine Learning for Mol. Sci. HW1 Let's fight COVID-19 together!
18 0th datascience competition Let's join and enjoy this competition!
19 1026 None
20 10316 Materials Design with ML and AI (Jan 22) In-class machine learning competition
21 104-1 MLDS_Final Visual Question Answering
22 104-1 MLDS_HW2 Recurrent Neural Network
23 104-1 MLDS_HW3 Structure Learning
24 1040 None
25 108-1 NTUT Building Deep Learning Applications HW1 Classifying Handwritten Letters and Digits in Extended MNIST dataset
26 108-1 NTUT DL APP HW2 Image Hashtag Recommendation Recommend Most Relevant Hashtags based on the Content of Images
27 108-1 NTUT Machine Learning Homework 1 Classifying Handwritten Letters and Digits in Extended MNIST dataset
28 108-1 NTUT Machine Learning Homework 2 Recommend Most Relevant Hashtags based on the Content of Images
29 108-2 NTUT Building Deep Learning Applications HW1 Classifying Handwritten Letters and Digits in Extended MNIST dataset
30 108-2 NTUT DL APP HW2 Image Hashtag Recommendation Recommend Most Relevant Hashtags based on the Content of Images
31 108-2 NTUT DRL HW3 VizDoom VizDoom Competition
32 108-2-NTUT-DRL-HW1 NTUT Deep Reinforcement Learning Homework 1: Frozen Lake
33 109-1 NTUT Building Deep Learning Applications HW1 Classifying Handwritten Letters and Digits in Extended MNIST dataset
34 109-1 NTUT DL APP HW2 Image Hashtag Recommendation Recommend Hashtags based on the Content of Images
35 109-2 Machine Learning CNN for image classification
36 109-2 NTUT Building Deep Learning Applications HW1 Classifying Handwritten Letters and Digits in Extended MNIST dataset
37 109-2 NTUT DL APP HW2 - Image Hashtags Recommending Hashtags based on the Image Content
38 109-2 UTA DL APP HW1 Classifying Handwritten Letters and Digits in Extended MNIST dataset
39 109-2 UTA DL APP HW2 Image Hashtag Recommendation Recommend Hashtags based on the Content of Images
40 109-2 UTA HW3 Frozen Lake Finding a way to arrive you destination on a dangerous frozen lake
41 10주차 캐글 만들기 실습. 캐글 만들기 실습.
42 11-761 Project Investigate, discover and exploit deficiencies in the conventional trigram language model, using sound statistical methods
43 11-775 Homework 1 Leaderboard for CMU 11-775 homework 1
44 11-775 Homework 2 Leaderboard for CMU 11-775 homework 2
45 11-775 Homework 3 Leaderboard for CMU 11-775 homework 3
46 11-785 Fall 2018 Homework 3 Part 2 11-785 Fall 2018 Homework 3 Part 2
47 11-785 Fall 21 Intro-to-Colab Get ready to use Google Colab!!!!
48 11-785 HW2 Competition for class
49 11-785 Homework 1 Part 2 - Fall 18 - Late Introduction to Neural Networks
50 11-785 Homework 1 Part 2 - Fall 18 - Slack Introduction to Neural Networks
51 11-785 Homework 1 Part 2 - Fall 19 Introduction to Neural Networks
52 11-785 Homework 1 Part 2 - Fall 19 (LATE) Introduction to Neural Networks
53 11-785 Homework 1 Part 2 - Fall 19 (Slack) Introduction to Neural Networks (Slack days)
54 11-785 Homework 2 Part 2 - Spring 2019 Face Classification/Verification via CNNs
55 11-785 Homework 4 Attention Networks
56 11-785, F19, Homework 1 [MAKEUP] Makeup for homework 1
57 11-785, F19, Homework 2, Classification [MAKEUP] This competition is optional makeup for homework 2, classification.
58 11-785, F19, Homework 2, Verification [MAKEUP] This competition is optional makeup for homework 2, verification.
59 11-785, F19, Homework 3 [MAKEUP] This competition is optional makeup for homework 3.
60 11-785, F19, Homework 4 [MAKEUP] This competition is optional makeup for homework 4.
61 11-785, Spring 2020, H1P2 - Slack Frame-level Classification of Speech
62 11-785, Spring 2020, HW2P2 - Classification Deep Learning Face Recognition
63 11-785, Spring 2020, HW2P2 - Classification Deep Learning Face Recognition
64 11-785, Spring 2020, HW2P2 - Classification [LATE] Deep Learning Face Recognition
65 11-785, Spring 2020, HW2P2 - Verification Deep Learning Face Recognition
66 11-785, Spring 2020, HW2P2 - Verification [LATE] Deep Learning Face Recognition
67 11-785, Spring 2020, HW2P2 - Verification [SLACK] Deep Learning Face Recognition
68 11-785, Spring 2020, Homework 1 Part 2 Frame-level Classification of Speech
69 11-785, Spring 2020, Homework 3 Part 2 Deep Learning Transcript Generation
70 11-785, Spring 2020, Homework 4 Part 2 Deep Learning Transcript Generation with Attention
71 11-785, Winter 2019, HW2P2, Classification Face Classification Task for HW2P2
72 11-785, Winter 2019, HW2P2, Verification Face Verification Task for HW2P2
73 11-785-Fall-20-Homework 3 Deep Learning Transcript Generation
74 11-785-Fall-20-Homework 3 - Slack Deep Learning Transcript Generation - Slack
75 11-785-Fall-20-Homework 4 Part 2 Deep Learning Transcript Generation with Attention
76 11-785-Fall-20-Homework-1: Part 2 Frame-level Classification of Speech
77 11-785-Fall-20-Homework-2: Part 2 Face Verification Using Convolutional Neural Networks
78 11-785-Fall-20-Slack-Homework-1: Part 2 Frame-level Classification of Speech
79 11-785-Summer-20-Homework 1 This competition is optional makeup for homework 1.
80 11-785-Summer-20-Homework 1 Summer competition for hw1p2
81 11-785-Summer-20-Homework 2 - Classification This competition is optional makeup for homework 2 classification.
82 11-785-Summer-20-Homework 2 - Verification This competition is optional makeup for homework 2 verification.
83 11-785-Summer-20-Homework 3 This competition is optional makeup for homework 3.
84 11-785-Summer-20-Homework 3 Part 2 Test competition homework 3.
85 11-785-Summer-20-Homework 4 This competition is optional makeup for homework 4.
86 11-785-Summer-20-Homework 4 Part 2 Test homework 4
87 11-785-Summer-20-hw2p2-Verification-Super-Hard Summer Competition for hw2p2 Verification(20fall)(super hard)
88 11-785-Summer-20-hw2p2-Verification2 Summer Competition for hw2p2 Verification(20fall)(version2)
89 110-1 AI Edge Computing HW1 Fashion MNIST Image Classification
90 110-1 NTUT DL APP HW1 - Extended MNIST Classifying Handwritten Letters and Digits in Extended MNIST dataset
91 110-1 NTUT EE AI HW1 - Fashion MNIST Fashion MNIST
92 110-1 NTUT EE AI HW2 - Image Hashtag Image Hashtag Recommendation
93 110-1 NTUT 人工智慧概論分組競賽 Fashion MNIST Image Classification
94 110-1-NTUT-DL-APP-HW2 Meet 101 kinds of Taiwanese delicacies!
95 110-2 DL APP HW2: TW Food 101 CLassifying images of 101 kinds of Taiwanese delicacies!
96 110-2 NTUT DL APP HW1 - Extended MNIST Classifying Handwritten Letters and Digits in Extended MNIST dataset
97 110-2 NTUT 人工智慧概論分組競賽 Fashion MNIST Image Classification
98 110NYCUpython Final competition
99 11775 Large Scale Multimedia Analysis Homework-2 - Video-based Multimedia Event Detection
100 11775 Large Scale Multimedia Analysis Homework-3 - Multimedia Event Detection
101 11775-homework-0 Large-Scale Multimedia Analysis HW0
102 11785 Fall 2021 HW5 Slack 11785 Fall 2021 HW5 Slack
103 11785 HW 4 Part 2: LAS Deep Learning Transcript Generation with Attention
104 11785 Homework 3 Part 2 Slack: Seq to Seq RNN-based Phoneme Recognition
105 11785 Homework 3 Part 2: Seq to Seq RNN-based Phoneme Recognition
106 11785 Homework 3 Part 2: Seq to Seq RNN-based Phoneme Recognition
107 11785 Homework 3 Part 2: Slack\Late Spring2021 RNN-based Phoneme Recognition
108 11785 Homework 3 Part 2: Summer 2021 (Make Up) RNN-based Phoneme Recognition, Summer Make Up
109 11785 Homework 4 Part 2 : LAS - Slack Deep Learning Transcript Generation with Attention
110 11785 Homework 4 Part 2: LAS Deep Learning Transcript Generation with Attention
111 11785-2021Fall-HW1P2-Testing This kaggle is for 2021 Fall TAs to test HW1P2
112 11785-2021fall-hw2p2-classification-testing Testing for hw2p2-classification
113 11785-HW1P2-Summer2021 Frame Level Classification of Speech
114 11785-HW2P2S1-Face-Classification-S2021 11785: Intro to Deep Learning
115 11785-HW2P2S2-Face-Verification-S2021 11785: Intro to Deep Learning
116 11785-HW2p2-slack-kaggle 11785: Intro to Deep Learning
117 11785-HW4P2-Test 11785-HW4P2 set up test for F21
118 11785-S2021-HW2P2S1-Face-Classification-Slack 11785: Intro to Deep Learning
119 11785-S2021-HW2P2S2-Face-Verification-Slack 11785: Intro to Deep Learning
120 11785-S22-HW2P2S1 Face Classification
121 11785-Spring2021-HW2P2S1-Face-Classification 11785: Intro to Deep Learning
122 11785-Spring2021-HW2P2S2-Face-Verification 11785: Intro to Deep Learning
123 11785-Spring2021-Hw1P2 Frame Level Classification of Speech
124 11785-Spring2021-Hw1P2-NotToUse Frame Level Classification of Speech
125 11785-Spring2021-Hw1P2-SLACK Frame Level Classification of Speech
126 11785-Spring2021-RC0D-Colab Colab Tutorial Toy Example: Does s/he like me?
127 11785-Summer21-HW4P2 E2E Speech to Text
128 11785-fall21-hw2p2-classification-test2 test2 for hw2p2 classification
129 11785_Fall2020_HW2p2_Makeup Kaggle competition for Introduction to Deep Learning assignment - HW2p2
130 11_LTJRS_3 Revenue Prediction Student Competition
131 123fgdgdfgdfg dfgdfgdfgdgd
132 1331 None
133 17011780-test1 sample-kaggle
134 17011830 백소현 캐글 과제 #2 당뇨병
135 18011762_당뇨병 분류 로지스틱 분류
136 18011762_사람 얼굴 분류 문제3
137 18011803kaggle sample
138 18011826_텀프로젝트 고구마 가격 예측 문제
139 184.702 TU ML WS 19 - Bike Sharing Predict number of shared bikes
140 19_GQVCI_1 (UIUC) Revenue prediction student competition
141 1st and Future - Player Contact Detection Detect Player Contacts from Sensor and Video Data
142 1º Competição Data Train Participe!
143 20 Days of ML Final Task🌠🌠 Predicting the age of abalone from physical measurements
144 20 Newsgroups Ciphertext Challenge V8g{9827 AA{?^*?}$$v7*.yig$w9.8}
145 2014.2_5k12gr_lab2 None
146 2016 API DraftKings Prediction Predict DraftKings scores for the 2016 Arnold Palmer Invitational
147 2017-competition-2 2017级机器学习方向内第二次竞赛
148 2017-competition-3 2017级机器学习方向内第三次竞赛
149 2018 Data Science Bowl Find the nuclei in divergent images to advance medical discovery
150 2018 FGCVx Flower Classification Challenge Fine-grained classification challenge spanning 1,000 species of flower.
151 2018 FGCVx Fungi Classification Challenge Fine-grained classification challenge spanning 1,400 species of fungi.
152 2018 Spring CS273P HW4 Classification modelling of rainfall
153 2018 Spring CS273P Project1 Regression modelling of rainfall
154 2018 Spring CS273P Project2 Classification modelling of income
155 2018 Spring CSE6250 HW1 HW1 Mortality Prediction
156 2018 ml Final - Video Caption 2018 ML Fall
157 2018_competition_1 河北师范大学软件学院2018级人工智能方向内部第一次竞赛
158 2018_competition_2 河北师范大学软件学院2018级机器学习方向内部第二次竞赛
159 2018_competition_3 河北师范大学软件学院2018级机器学习方向内第3次竞赛
160 2018falldatascience-hw4 Buy Less, Choose Well! Fashion Item Classification
161 2019 1st ML month with KaKR 캐글 코리아와 함께하는 1st ML 대회 - 타이타닉 생존자를 예측하라!
162 2019 Data Science Bowl Uncover the factors to help measure how young children learn
163 2019 Fall CSE6250 BDH HW1 Competition
164 2019 Fall SDML - MLML(Drop randomly) Multi-label with Missing Labels Prediction
165 2019 Intro to ML&DL Final Project Steel number detection
166 2019 Intro to ML&DL Final Project Task1 Detect Steel Exist
167 2019 Intro to ML&DL Final Project Task2 Detect Steel Number
168 2019 Intro to ML&DL Final Task1 steel number detection
169 2019 Intro to ML&DL Final Task2 damage state
170 2019 IntroML Midterm Project Seismic Capability Evaluation for School Buildings
171 2019 Spring CSE6250 BDH HW1 competition
172 2019 TTIC 31020 HW4 Spam (AdaBoost) 2019 TTIC 31020 HW4 Spam (AdaBoost)
173 2019 TTIC 31020 HW4 Spam (Single Tree) 2019 TTIC 31020 HW4 Spam (Single Tree)
174 2019-PR-Midterm-ImageClassification Midterm #4
175 2019-PR-Midterm-MusicClassification Midterm #5
176 2019.Fall.PR.Exam #자전거 수요예측
177 2019.Fall.PatternRecognition Final Project
178 2019无线安全产品部编程马拉松-第一阶段 深度学习入门——从手写数字识别开始
179 2020 Classification Data Challenge Predict if a customer will click buy on a website!
180 2020 Data Science HW1 classification task
181 2020 Intro to ML&DL Midterm Project Assessment of Collapses
182 2020 Intro to ML&DL Midterm Project Assessment of Collapses
183 2020 Intro to ML&DL Midterm Project Assessment of Collapses
184 2020 LG AI Camp NLP Final Project Korean Movie Review Sentiment Classification Competition
185 2020 MPCS53111 HW5 CIFAR100 2020 MPCS53111 HW5 CIFAR100
186 2020 MPCS53111 HW5 FashionMNIST 2020 MPCS53111 HW5 FashionMNIST
187 2020 NTUST SNA HW2 Community Detection
188 2020 SDC Localization Competition I The SDC localization competition I in NCTU.
189 2020 SDC Localization Competition II The SDC localization competition II in NCTU.
190 2020 SDC Localization Competition III The SDC localization competition III in NCTU.
191 2020 Spring CSE6250 BDH HW1 Competition
192 2020-01 - Stat 380-02 - March Madness In class Round 1
193 2020-1학기 DeepLearning 감성분석 Competition
194 2020-2021 CNN Contest Identify key parts of a face
195 2020-AI-TermProject 2020-AI-TermProject
196 2020-IRTM:HW3 Multinomial NB Classifier
197 2020-ITM:HW2 multiple class classification
198 2020-TM:HW3-BERT embedding NTU: 2020 Introduction to Text Mining: HW3
199 2020-abalone-age predict abalone's age
200 2020-ai-ShimJaeKyung-Assignment 2020-ai-ShimJaeKyung-Assignment
201 2020-기계학습 파일업로드를 이용한 캐글 제출 연습하기
202 2020-기계학습 노트북을 이용한 캐글 제출 연습하기
203 2020-기계학습 코랩을 이용한 캐글 제출 연습하기
204 2020.AI.Boston 2020.AI.Boston
205 2020.AI.MNIST NN을 이용한 MNIST 데이터 분류하기
206 2020.AI.기말고사.문제1 Fashion MNIST - NN+SGD 로 풀기
207 2020.AI.기말고사.문제2 Fashion MNIST - NN+SGD+Normalization
208 2020.AI.기말고사.문제3 Fashion MNIST-DNN
209 2020.AI.기말고사.문제4 Fashion MNIST-DNN
210 2020.AI.기말고사.문제5 Fashion MNIST-CNN
211 2020.AI.기말고사.문제6 Fashion MNIST-CNN
212 2020.AI.기말고사.문제7 Fashion MNIST-CNN
213 2020.AI.중간고사.문제1 배추가격 예측 문제
214 2020.AI.중간고사.문제1 배추가격 예측 문제
215 2020.AI.중간고사.문제1 배추가격 예측
216 2020.AI.중간고사.문제1 배추가격 예측 문제
217 2020.AI.중간고사.문제1 배추가격 예측 문제
218 2020.AI.중간고사.문제1 배추가격 예측 문제
219 2020.AI.중간고사.문제1-만들기 배추가격 예측문제-Leaderboard 다시만들기
220 2020.AI.중간고사.문제1.re 배추가격 예측 문제
221 2020.AI.중간고사.문제1_캐글리더보드만들기 배추가격 예측 문제_18011751 강민지
222 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
223 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
224 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
225 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
226 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
227 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
228 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류 (17011885박세정10주차과제)
229 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
230 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
231 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
232 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
233 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
234 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
235 2020.AI.중간고사.문제2 당뇨병 데이터를 이용한 로지스틱 분류
236 2020.AI.중간고사.문제3 LWF 데이터셋 얼굴 분류 문제
237 2020.AI.중간고사.문제3 사람 얼굴 분류 문제
238 2020.AI.중간고사.문제3 LWF 데이터셋 얼굴 분류 문제
239 2020.AI.중간고사.문제3 LWF 데이터셋 얼굴 분류 문제
240 2020.AI.중간고사.문제4 서울시 따릉이 이용자 예측 문제
241 2020.AI.중간고사.문제4 서울시 따릉이 이용자 예측 문제
242 2020.AI.중간고사.문제4 서울시 따릉이 이용자 예측 문제
243 2020.AI.중간고사.문제5 유방암 악성/양성 종양 예측 문제
244 2020.AI.중간고사.문제5 유방암 악성/양성 종양 예측 문제
245 2020.AI.중간고사.문제5 유방암 예측 문제. 19011484백지오
246 2020.AI.중간고사.문제5 유방암 악성/양성 종양 예측 문제
247 2020.AI.중간고사.문제5 유방암 악성/양성 종양 예측 문제
248 2020.AI.중간고사.문제5 유방암 악성/양성 종양 예측 문제
249 2020.KISTI.병원_개_폐업_분류_예측 병원_개_폐업_분류_예측
250 2020.ML.TermProject.BoW 2020MLTermprojectBoW
251 2020.ML.중간고사.문제1.다시풀기 문제3
252 2020.ML.중간고사.문제2.다시풀기 문제2
253 2020.ML.중간고사.문제3.다시풀기 문제3
254 2020.ML.중간고사.문제4.다시풀기 문제4
255 2020.ML.중간고사.문제5.다시풀기 문제5
256 2020.RCV.BoW 2020.Spring.Bag_of_Word
257 2020.Spring.AI.Termproject_장마 예측하기 18011762이수민
258 2020.ai.1번.18011765.도진경.sample_kaggle_leaderboard 배추가격 예측 문제
259 2020.기계학습.텀프로젝트1 2D 영상 데이터 분류하기
260 2020.기계학습.텀프로젝트3 3D Point Cloud를 이용한 물체 분류 하기
261 202003 AI Academy Time Series Assignment Time series assignment for AI Academy students
262 2020_AI_assignment1 assignment
263 2020ai_soil 2020년 AI 프로젝트 : 토양 오염의 수치를 예측해보자
264 2020ai_water_quality 단양 하수처리장 대장균 수 예측 문제
265 2021 AI Training Summer training
266 2021 AI Training Final Project Final Project
267 2021 COSC2753 Competition for Assignment 1 An in-class competition for Assigment 1 of COSC2753 in 2021
268 2021 Fall SFU CMPT Instance Segmentation Instance segmentation
269 2021 IML Hackathon In-class hackathon
270 2021 Machine Learning for Mol. Sci. HW3 classification homework
271 2021 NTUST Information Retrieval - HW6 Supervised BERT-based Retrieval Model
272 2021 SDC Localization Competition I The SDC localization competition I in NYCU
273 2021 SDC Localization Competition II The SDC localization competition II in NYCU
274 2021 SDC Localization Competition III The SDC localization competition III in NYCU
275 2021 Summer DIAL Semi-supervised Learning Semi-Supervised Learning on Image Classification
276 2021 Summer IML Hackathon In-class hackathon
277 2021-1 IAB Challenge1 Tabular data classification
278 2021-Linear Model Final Project InClass practice of your ML skills
279 2021-Masters-Project Data series Anomaly Detection
280 2021-NYCU-ML-HW5 Artificial Neural Networks
281 2021-RCV-URP-CNN-tutorial 합성곱 신경망을 이용하여 이미지 분류하기
282 2021-기계학습 파일업로드를 이용한 캐글 제출 연습하기
283 2021-기계학습 노트북을 이용한 캐글 제출 연습하기
284 2021-기계학습 코랩을 이용한 캐글 제출 연습하기
285 2021. Homework1. Multiclass classification Многоклассовая классификация для объявлений по квартирам
286 2021. Homework2. Texts Многоклассовая классификация текстов из чатов
287 2021Summer DIAL Noisy Label 2021Summer DIAL Noisy Label
288 2021agresividad Detectar tuits agresivos 2021
289 2021高级编程期末作业:4G 手机辐射源数据分析 深圳大学高级编程期末作业
290 2021년 데이터 크리에이티브 캠프 예선 (헬스케어) 10-30 10회
291 2022 Regression Data Challenge Estimate score for a medical condition of a patient!
292 2022 SCB Competition - Practice Practice site
293 2022 Spring Competition - Psych 5710 Predictive Modeling Competition for our UVA Psych 5710 Course
294 2022-RCV-Winter-URP CNN model을 이용한 Image Classification
295 2022数智深度学习组最终考核 Compliance with the requirements to complete the game,using tensorflow
296 2022電腦視覺作業2 利用天氣圖片來分辨識何種天氣
297 2023 Kaggle AI Report Essays on the state of machine learning in 2023
298 204456-21s2 - Test run Familiarize yourself with Kaggle
299 20test 20test
300 2110446 Data Science and Data Engineering 2020 Final Project (30%) 2110446 Data Science and Data Engineering with Shopee Data Set
301 2110446 Data Science and Data Engineering 2021 Final Project: 2110446 Data Science and Data Engineering with PM2.5 Data
302 21_ZMVJI_2 (UIUC) Revenue Prediction Student Competition
303 22_LVQQY_2 (UIUC) Revenue Prediction Student Competition
304 23_CXXDE_1 (UIUC) Revenue Prediction Student Competition
305 2639 None
306 2EL1730: Machine Learning Classify an email into four classes based on the metadata extracted from the emails.
307 2GIS-CSPDarknet53 Classification
308 2nd year project: Sentiment Analysis Baselines Baseline systems for sentiment analysis on music reviews
309 2º Competição Data Train Competição realizada dentro da SECITEC IFG 2020
310 30 Days Of ML Join in and spend the next 30 days building your Machine Learning skills.
311 30 Days Of ML 2 Join in and spend the next 30 days building your Machine Learning skills.
312 3C Shared Task Citation Context Classification based on purpose
313 3C Shared Task Citation Context Classification based on influence
314 3C Shared Task (2021) Citation Context Classification based on Purpose
315 3C Shared Task (2021) Citation Context Classification based on Influence
316 3D:Credit Card Fraud Detection Anonymized credit card transactions labeled as fraudulent or genuine
317 3D:Credit Fraud Detection Anonymized credit card transactions labeled as fraudulent or genuine
318 3KuY34T4rRDEu7T [200319] Pingpong AI Research - 김건영님
319 4 Animal Classification cat/deer/dog/horse image classification
320 4300/5500 Assignment 1 HKUST SOSC 4300/5500 Spring 2022
321 4300/5500 Assignment 2 HKUST SOSC 4300/5500 Spring 2022
322 479 Kaggle Housing Hackathon predict SalePrice
323 589 HW1 Indoor Localization Estimate indoor localization
324 589 HW1 Regression Power Plant Use regression to estimate output of power plant
325 589 HW3 Credit Card Extra Credit Upload results for credit card activity extra credit here
326 589 HW3 SVM Tumor Activity Upload results for SVM tumor activity dataset here
327 589 HW3 Tumor Extra Credit Upload results for tumor activity extra credit here
328 6.812/6.825 Lab2 new 2022 test
329 601.464/664 Artificial Intelligence: Cifar-10 Cifar-10 Competition for the Ai class at JHU
330 60k Classes Text Classification Tinkoff Fintech School: HW #2
331 6th edition of IDSS-AI for Agriculture Competition Track 1: problem of parameters prediction
332 7543E9417141B76B0C555C6B6A53F6F9 for Corca AI Applicants
333 780 Challenge Carefully predict the number of Dengue fever outbreaks
334 86191-2数据挖掘课内竞赛 信管专业2021年数据挖掘实训
335 88P9ZEB8vVjzAc7 [200721] Pingpong AI Research - 고상민님
336 <She/Hacks> - Shaastra'21 and Wells Fargo Predict the unique headcount of students enrolled at a university based on different attributes.
337 <ignore> <ignore>
338 A Fin tech fraud transaction classification Default payments in Taiwan: Predict the probability of default payments.
339 A NE PAS UTILISER A NE PAS UTILISER
340 A targeted real-time early warning score (TREWScore) for septic shock A targeted real-time early warning score (TREWScore) for septic shock
341 A1: Proper Name Assignment 1 for CS5740 SP21
342 AA311_1 (UIUC) Revenue Prediction Student Competition
343 AAR Algorithmization of analyses in R environment course test
344 ABCDEF A classification task for ML enthusiasts
345 AC761_1 (UIUC) Revenue Prediction Student Competition
346 ACME Stores Forecasting Predicting how much a customer will buy
347 ADAMS NLP Predicting the popularity of an article
348 ADAMS Time Series Final project for ADAMS SS19
349 ADAMS faces Evaluation prediction for the faces task
350 ADCG SS14 Challenge 02 - Spam Mails Detection Find out spams in email corpus!
351 ADCG SS14 Challenge 03 - Satellite Image Land Pattern Classification A multi-class classification problem to detect various land pattern via satellite images
352 ADCG SS14 Challenge 04 - Diagnosis data set with missing labels Challenge No.4 for the Anomaly Detection Challenges Practical Course SS14 at TUM.
353 ADES: malicious network traffic detection Project as part of the ADES course of MESW
354 ADES: malicious network traffic detection Project as part of the Data Analysis for Software Engineering course of the M.Sc. on Software Engineering of FEUP
355 ADML-Class Competition Competition on Advanced Topics in Machine Learning (SHBI-GB 7310)
356 AE ML for DEVS Get your hands dirty in this learning session and best your colleagues!
357 AI & ML DeMystified IEEE Competition - Cats v Dogs Create a Convolutional Neural Network model to classify photographs of Dogs and Cats.
358 AI & ML DeMystified IEEE Competition - Cats v Dogs Create a Convolutional Neural Network model to classify photographs of Dogs and Cats.
359 AI Against Modern Slavery - TWIML Hackathon Use cutting edge NLP methods to combat modern slavery in corporate supply chains
360 AI CLUB INDUCTIONS Classifying the fashion images
361 AI Drug Discovery Workshop and Coding Challenge Developing Fundamental AI Programming Skills for Drug Discovery
362 AI Hackathon Foobar 6.0 ai hackathon
363 AI Hackathon Foobar 6.0 Q2 Stock Price prediction using Artificial Neural Networks
364 AI Induction We want you
365 AI Training Challenge - 1 Training Very Deep Neural Networks Without Skip Connection
366 AI Village Capture the Flag @ DEFCON Hack AI! Collect flags by evading, poisoning, stealing, and fooling AI/ML
367 AI challange Test your skills on ML problem
368 AI contest for ALL This is a AI contest for all
369 AI for Clinical Data Analytics HW2 Computed Tomography Lung Tumor Segmentation Task
370 AI inductions ' 21 nlp question answering using context
371 AI+ PH July Hackathon Predict Students Scores
372 AI-1 Homework 1 Contest Income prediction based on matrimonial dataset
373 AI-KFM 2022 Automatic Detection of Gastrointestinal Parasites in Ruminants
374 AI-Med Future Competition Leveraging AI to tackle Medical Challenges!
375 AI2020. Housing Price Learning application of regression models
376 AI2020. Housing Price (Broken) Learning application of regression models
377 AI7005-00 DeepLearning Project Kyung Hee University AI7005-00 Deep Learning Lecture Project Challenge
378 AI@KMU AI competition in Kookmin university (KMU)
379 AIA Pokemon forecast 台灣人工智慧學校 新竹技術領袖班第三屆 機器學習預測
380 AIA Pokemon forecast 2 人工智慧學校 新竹班三期 DNN 實戰練習
381 AIA Pokemon forecast using DNN 台灣人工智慧學校 技術領袖班 深度學習 預測
382 AIA Pokemon forecast using DNN 台灣人工智慧學校 台中技術領袖班 第七期 深度學習 分類預測
383 AIA image classification by CNN 台灣人工智慧學校 技術領袖班 卷積神經網路 分類預測
384 AIA 圖像髮色分類 台灣人工智慧學校 台中技術班第六期 深度學習考試
385 AIA 森林種類預測 人工智慧學校 AI 基礎技術訓練班 DL 實戰演練
386 AIA-TEST-0429 OOOXXX
387 AIA_1111 ddddd
388 AIA_Interview_CNN CNN Face-Detection and Face-Recognition
389 AIA_TEST 1234
390 AIA_midterm_tp07_CNN 髮色辨識
391 AIA_testing2132 132132132
392 AIA_tp07_mid_term_ML 7/24~7/28
393 AIA第八期期中考 - 借貸還款預測 請使用您的學號作為隊伍名稱
394 AIBD Day 2 - MNIST Get the highest score on logistic regression in MNIST!
395 AIBiz 2020 Spring Task 3: Fashion MNIST Please design a Computer Vision Deep Learning Model to auto-tag fashion products
396 AIBiz 2021 Fall Task 3 This is a computer vision task. The dataset are Fashion MNIST.
397 AIBiz 2021 Spring Task 3 This is a computer vision task. The dataset are Fashion MNIST.
398 AICVS Kaggle Competition Competition on Bank Marketing Dataset from UCI ML Directory.
399 AIDA_434 Case presentation (image data)
400 AIDefenseGame18011862 AIDefenseGame18011862
401 AII2022: Conference Competition (www.aii2022.org) Challenge: Human Pose Estimation
402 AIM Datathon 2020 Join the AI in Medicine ( AIM ) Datathon 2020
403 AIML - Adult Dataset This competition is for students who chose the adult dataset
404 AIP2 TEST TEST
405 AIPI350 Optimization Optimization Competition
406 AIR Heart Disease Cumulative Project 2022
407 AIRWAYS 2020 Airway Segmentation 2020
408 AIS Winter 2021 Competition Classify different types of stars
409 AIST4010-Spring2022-A0 This is a non-grading assignment for you to get familiar with Kaggle.
410 AIU ML Competition Use your newly acquired machine learning skills to predict churn and win an incredible prize!
411 AI_110_1-HW1 COVID-19 Prediction
412 AI_midterm_1_cabbage 배추가격 예측 문제
413 ALASKA2 Image Steganalysis Detect secret data hidden within digital images
414 ALSET Test A Data Science Challenge
415 ALTA 2018 Challenge Patent application classification
416 ALTA-Geoloc-Reprise Identify expressions of locations in tweet messages.
417 AM 201 HW 1 2022 Minimize the MSE between for noisy regression
418 AM 216 Minimize mse
419 AM 216 2021 Homework 1 Minimize the MSE between for noisy regression
420 AM 216 2021 Homework 2 Find the temperature of an Ising Image.
421 AM 216 HW 2 (updated) Find the temperature of an Ising Image.
422 AM 216 HW 4 Spin Configuration Problem
423 AM 216 HW1 22 Official Minize mse
424 AM 216 HW3 Calculate the mass of Neptune and distance from the sun!
425 AM 216 HW3 2022 Calculate the mass of Neptune and distance from the sun!
426 AM 216 Homework 2 2022 Find the critical temperatures
427 AM 216 Homework 4 2022 Spin configurations
428 AM216 Spring 2020 HW4 Hot then Cold. Yes then No.
429 AM216-2019s homework competition
430 AM225_1 (UIUC) Revenue Prediction Student Competition
431 AML Week 4 Find the best logistic regression model but don't overfit!
432 AMMI Bootcamp Kaggle competition Predict the price of a bottle of wine based on a collection of over one hundred thousand reviews and other product features.
433 AMP®-Parkinson's Disease Progression Prediction Use protein and peptide data measurements from Parkinson's Disease patients to predict progression of the disease.
434 AMS 2013-2014 Solar Energy Prediction Contest Forecast daily solar energy with an ensemble of weather models
435 ANN for BP Predicting bankruptcy with a combination of financial and textual data.
436 ANU COMP4650 Assignment1 Information retrieval task
437 ANU-COMP4650-assignment1 Assignment for information retrieval part
438 ANU-COMP6490-A2-2019-A A2 Submission Competition
439 AOI_test aoit
440 APTOS 2019 Blindness Detection Detect diabetic retinopathy to stop blindness before it's too late
441 ARM_202201_01 Desarrollo de un modelo de Machine Learning
442 ARTELLIGENCE-WISSENAIRE Machine Learning Competition by Wissenaire,IIT Bhubaneswar
443 ASHRAE - Great Energy Predictor III How much energy will a building consume?
444 ASRM 499/552 ASRM 499/552 Individual Projects
445 ASRM 499/552 - Regression Project MAE ASRM 499/552 Individual Regression Project with Validation Metric PE
446 ASRM 499: Third Individual Project (AUC) This is the third (also the last) individual project.
447 ASRM 499: Third Individual Project (F1) The second metric using F1 score
448 AUO Small Data HW: FUNGI N-way K-shot DAY1 使用大資料集訓練小資料集分類學習能力-1
449 AVOCADOS Can you predict the avocado price?
450 AWS Challenge 2020 Phase 1: To predict the time to developing complications from time of first diagnosis
451 AWS Challenge 2020 Phase 2 Phase 2: To predict the time to death from time of first diagnosis
452 AX363_1 Revenue Prediction Student Competition
453 Aalto Wine Quality Prediction : T-61.3050 Challenge Help Jorma, Alex and the T.A's choose wines for the perfect occasion by building a model to assess the quality of a wine based on data.
454 Aalto: Matrix Completion Predict which music artists a user has listened to.
455 Abandono de clientes de teleco - BA 2020 Queremos predecir los clientes que van a abandonar una compañía de telecomunicaciones
456 Abandono de clientes en telecomunicaciones Queremos predecir los clientes que van a abandonar una compañía de telecomunicaciones
457 Abhyudaya Machine Learning By Analytics club
458 Absa Data Science Masterclass: Predicting House Prices Predict future sales prices of houses and practice general machine learning techniques and approaches.
459 Abstraction and Reasoning Challenge Create an AI capable of solving reasoning tasks it has never seen before
460 AccelerateML Hackathon Regression Case Study
461 Accelerometer Biometric Competition Recognize users of mobile devices from accelerometer data
462 Accelerometer Gesture Classification Hand gesture classification competition using accelerometer data for CSCE 5280 Fall 2021.
463 AccurateAction Predict the action output correctly. Only 3 output variables
464 Acquire Valued Shoppers Challenge Predict which shoppers will become repeat buyers
465 Actest3 testtest
466 Action Classification Using RNN Train RNNs to classify human actions
467 Action Recognition Competition Use action recognition techniques on dogs with multi-frame keypoint data
468 Action Recognition in Videos using CNN Try the best learning networks for Action Recognition.
469 Action Recognition using CNN for Images You'll learn to solve a multiclass classification problem using CNN for different images
470 Action recognition Classify actions in videos
471 Active learning (Test) DM3 Fall 2018 Active learning competition
472 Active learning DM3 Fall 2017 Active learning competition
473 Active learning DM3 Fall 2018 Active learning competition
474 Active learning DM3 Fall 2019 Active learning competition
475 Active learning DM3 Fall 2020 Active learning competition
476 Active learning DM3 Spring 2017 HomeWork 2
477 Active learning DM3 Spring 2018 Active learning competition
478 Active learning DM3 Spring 2019 Active learning competition
479 ActiveLearning@Careem Work Active, Learn Active
480 Actsc 468 - W2018 - Vehicle Comp Claim Frequency Construct a frequency model to predict the likelihood of comprehensive claims.
481 Actuarial loss prediction Predict workers compensation insurance claims
482 Adatelemzési platformok 2. kisházi Practical analytical exercise for course of Applied data analytics
483 Adatelemzési platformok 2016 - 2. gyakorlat Practical analytical exercise for course of Data Analytics Platform and home assignment for course of Customer Analytics.
484 Addition Examination
485 Adquisición de un producto financiero Predecir si un cliente adquirirá un producto financiero como el depósito a plazos
486 Adult readmission Structure data to predict adult 30 day readmission
487 AdvNLP - Constructive Comments Classification Binary Classification Problem
488 Advance NLP Hackathon - 2 This hackathon is intended to test your understanding of topics that you learnt so far in this course.
489 Advanced NLP L1 - Hackthon 1 Constructive Comments Classification
490 Advanced Topics in Machine Learning Fall 2021 Final
491 Advdl_0611 advdl 0611
492 Advdl_0616 Advdl_0616
493 Adversarial Attacks against Spam Detectors Try to evade a grey-box review spam detector.
494 Aerial Cactus Identification Determine whether an image contains a columnar cactus
495 Aesthetic Visual Analysis Image classification by quality
496 Aesthetic Visual Analysis Image classification by quality
497 Affinity Predict drugs in the dataset of X-ray crystallographic images
498 Affinity Find drugs in the dataset of atomic 3D images of protein-small molecule complexes.
499 Africa Soil Property Prediction Challenge Predict physical and chemical properties of soil using spectral measurements
500 Age Prediction - ML-thon 2022 Can you predict a person's age from their image?
501 Aggregate Planning An aggregate production plan is stated by product family over the given planning horizon
502 Ai Biker_18011759 Ai Biker_18011759
503 AiCore classification 1 "10 class ""simple"" classification. Avoid overfitting!"
504 AirBnB IronHack Predict AirBnB price in Madrid
505 Airbnb New User Bookings Where will a new guest book their first travel experience?
506 Airbus Ship Detection Challenge Find ships on satellite images as quickly as possible
507 Aircraft Pitch Prediction Challenge Coding Challenge on Regression task | The Cynaptics Club
508 Airplane direction You need to predict the plane is flying up or down
509 Aist4010-Spring2022-A1 Assignment-1 Kaggle Part
510 Aist4010-Spring2022-A2 Assignment-2 Kaggle Part
511 Aist4010-Spring2022-A3 Assignment-3 Kaggle Part
512 Alcohol(1) PREDICT SECONDARY SCHOOL STUDENT ALCOHOL CONSUMPTION
513 Alcohol(1) PREDICT SECONDARY SCHOOL STUDENT ALCOHOL CONSUMPTION
514 Alcohol(2) PREDICT SECONDARY SCHOOL STUDENT ALCOHOL CONSUMPTION
515 Alcohol(2) PREDICT SECONDARY SCHOOL STUDENT ALCOHOL CONSUMPTION
516 Algorithmic Trading Challenge Develop new models to accurately predict the market response to large trades.
517 Algorithmic composition Классификация с помощью алгоритмических композиций
518 Algorithmic trading HW1 part 1 Simple trading strategy
519 Algorithmic trading HW1 part 2 strategy characteristics
520 Algorithmic trading HW2 part 1 Work with dividends
521 Algorithmic trading HW2 part 3 Work with futures
522 Algorithmic trading HW3 stratbuilder2
523 Algorithmic trading HW4 markowitz portfolio
524 Algorithmic trading HW5 search for trading pairs
525 Algorithmic trading. Dividends. Buy before dividends, sell after.
526 Algorithmics ML Aplica tus conocimientos para obtener el mejor resultado en este problema de Aprendizaje Automático
527 Alkalmazott adatelemzés - Nagyházi feladat Practical analytical exercise for course of Applied data analytics
528 Alkalmazott adatelemzés házifeladat Practical analytical exercise for course of Applied data analytics
529 AllergyPrediction Predict allergy symptoms
530 Allianz conversion rate prediction Use home quotes data to give the best prediction for conversion
531 Allstate Claim Prediction Challenge A key part of insurance is charging each customer the appropriate price for the risk they represent.
532 Allstate Claims Severity How severe is an insurance claim?
533 Allstate Purchase Prediction Challenge Predict a purchased policy based on transaction history
534 AlmaU Data Mining Salary Perdiction Here you may check your predictions
535 Amazon Customer Service Es muy importante para Amazon reconocer las transacciones exitosas de sus clientes que compran artículos.
536 Amazon QLearn Classify the Questions
537 Amazon pet product reviews classification Explore semi-supervised and transfer learning for NLP
538 Amazon reviews sentiment Amazon reviews sentiment analysis
539 Amazon.com - Employee Access Challenge Predict an employee's access needs, given his/her job role
540 American Epilepsy Society Seizure Prediction Challenge Predict seizures in intracranial EEG recordings
541 American Express - Default Prediction Predict if a customer will default in the future
542 Ames Housing Competition MSDS 410 Fall 2020
543 Ames Housing Data Data Science
544 Ames Housing Exercise - Day 2 Introduction to Machine Learning
545 Ames Housing Exercise - Day 3 Introduction to Machine Learning
546 Ames Iowa Louisville DSI friendly competition
547 Ames housing predictions Face-off with your fellow classmates
548 Analysts@Emory Build a Bitcoin prediction model and win a prize!
549 Analytics Club Project Task Money Laundering in Bitcoins & Inventory Management
550 Analytics Connect '18 Machine learning regression challenge
551 Analytics Inclass Competition Summer Associates 2020
552 Analytics Sprint - Round 2 Bank Marketing - Predict if the client will subscribe to a term deposit or not
553 Analytics Summit 2019 Practice feature engineering and regression machine learning approaches by predicting Ames home sales prices
554 AnanikovLab Fall 2021 admissions Классификация упорядоченного и неупорядоченного расположения частиц
555 Anime recommendation RuCode-3 Построй рекомендательную систему аниме =)
556 Anokha AI Adept 2020 Prelims for Anokha AI Adept 2020
557 Anomaly Detection The Challenge is Anomaly Detection which generates alerts on client's business metrics.
558 Anomaly Detection Challenge: Predict the jokes' rating! Challenge No. 5 for the Anomaly Detection Challenges Practical Course SS14 at TUM.
559 Anomaly Detection Challenge: Predict the jokes' rating! (fixed) Challenge No. 5 for the Anomaly Detection Challenges Practical Course SS14 at TUM. Fixed some issues of the data set
560 Anomaly Detection Challenges Find out anomalies in various data sets
561 Anomaly detection EECS 498 project 2
562 Anomaly detection in 4G cellular networks Explore ML solutions for the detection of abnormal behaviour of eNB
563 Anomaly detection in cellular networks Explore ML solutions for detection of abnormal behaviour of base stations
564 Análise de dados 1 - UFCG - First Round A partir do histórico de um aluno, prever se ele irá evadir ou não. Esse round é referente aos alunos de 2014.1 com período relativo 1.
565 Análise de dados 1 - UFCG - Second Round A partir do histórico de um aluno, prever se ele irá evadir ou não. Esse round é referente aos alunos de 2014.1 com período relativo 5.
566 Análisis Predictivo Competencia entre alumnos de la materia Análisis Predictivo del ITBA
567 AppState CS 07 22K-dimensional data set 07
568 AppState CS 08 22K-dimensional data set 08
569 ApplAI 2021 Summer Training Contest (Problem B) Second problem
570 ApplAI Training B3 video games
571 ApplAI's Fourth Assignment Logistic Regression Assignment
572 ApplAi 2021 Summer Training (Problem A) First Problem
573 ApplAi Global Contest A1 Regression Problem
574 ApplAi Global Contest A2 Classification Problem
575 ApplAi Qualification Competition B1 First Problem, Company's Stocks Issue
576 ApplAi Qualification Competition B2 Second Problem, Heart Attacks
577 ApplAi Training B1 First Problem
578 ApplAi Training B2 Second Problem
579 ApplAi Workshop A1 Linear Regression Assignment
580 ApplAi's assignment Logistic Regression assignment
581 Applai Delta Competition A Learn, Apply, Compete
582 Applai Delta Competition B Learn, Apply, Compete
583 Applai Seniors Competition A1 First Problem, Factory Quality Line
584 Applai Seniors Competition A2 Second Problem,
585 Applai Seniors Competition A3 Third Problem
586 Apple Computers Twitter Sentiment A look into the sentiment around Apple computers
587 Apple iOS App Rating Prediction Predict the user ratings for Apple apps
588 Application of Machine Learning (LNU 2022) MNIST Prediction
589 Applications Lets save some lives!
590 Applications of Deep Learning (WUSTL, Fall 2016) Regression problem with 7 inputs. Programming assignment #3 for T81-558 applications of deep learning.
591 Applications of Deep Learning (WUSTL, Fall 2020) House of blocks? Will the structure stand or will it fall?
592 Applications of Deep Learning (WUSTL, Spring 2017) Classification problem for Wikipedia with multiple inputs. Programming assignment #3 for T81-558 applications of deep learning.
593 Applications of Deep Learning (WUSTL, Spring 2021) Detect Real or Fake Minecraft Images
594 Applications of Deep Learning (WUSTL,Fall 2021) Estimate the square footage of a virtual city
595 Applications of Deep Learning (WUSTL,Spring 2021b) Detect Real or Fake Minecraft Images
596 Applications of Deep Learning(WUSTL, Fall 2018) Predict the weight of widgets.
597 Applications of Deep Learning(WUSTL, Fall 2019) Natural Language Understanding: Are Two Sentences of the same Topic
598 Applications of Deep Learning(WUSTL, Spring 2018) Predict the price of office supplies.
599 Applications of Deep Learning(WUSTL, Spring 2019) Predict a score indicating business saturation of USA zipcodes
600 Applications of Deep Learning(WUSTL, Spring 2020) Computer vision: glasses or not?
601 Applications of Deep Learning(WUSTL, Spring 2020B) Computer vision: count the paperclips
602 Applied AI Assignment 1 Connect 4 Level 1 Create the rules engine for class Connect 4 application
603 Applied AI Assignment 1.5 Using MLP to solve the connect 4 problem from Assignment 1
604 Aprendizaje Automático Intermedio 2021 Competición para los estudiantes del curso de Aprendizaje Automático Intermedio
605 Arabic Sentiment Analysis 2021 @ KAUST To build a machine learning model to classify Arabic tweets with three sentiment labels (Positive, Negative or Neutral)
606 Artelligence-Wissenaire'22 Machine Learning Competition by Wissenaire,IIT Bhubaneswar
607 Asoul Image Classification(Asoul 图像分类) 嘉然,我真的好喜欢你啊!mua!为了你,我要在kaggle办比赛!
608 Assignment (dt) Ensembling
609 Assignment (intro-nn) NN for regression
610 Assignment (intro-nn) with leaderboard NN for regression
611 Assignment 01 test Assignment 01 test
612 Assignment 1 (ELL 409) Create a Neural Network to classify MNIST data into digits
613 Assignment 1 Demo ELL 409 Demo for assignment 1
614 Assignment 10 Kaggle page for the tenth assignment
615 Assignment 3: CNN Implement CNN on MNIST image data in python
616 Assignment 5 Kaggle page for the fifth assignment
617 Assignment 6 Kaggle page for the sixth assignment
618 Assignment 7 Kaggle page for the seventh assignment
619 Assignment 8 Kaggle page for the eight assignment
620 Assignment 9 Kaggle page for the ninth assignment
621 Assignment SVM SVM for regression
622 Assignment Test 0.01 Assignment Test 0.01
623 Assignment-1 (ELL-409) Predict the value on a given date.
624 AstraX 21 Enigma Problem 2 Problem 2 of Enigma
625 Attention-Based Speech Recognition 11-785, Spring 2022, Homework 4 Part 2 (hw4p2)
626 Attrition de clientes Se quiere predecir la probabilidad de attrition (abandono) de clientes de una institución financiera
627 Audio Emotion Classification CDS-B1 Module 4 Mini Project-4
628 Audio speech emotion classification CDS-B1 Module 4 Mini Project-4
629 Audit Classification Classify audits based on anonymized features
630 Australian weather prediction Build a logistic regression model to predict rain weather
631 Autism Prediction Autism Prediction in Adults
632 Autism Spectrum Disorder Classification QMUL Data Science Society
633 Auto Insurance Predict the expected loss for claims.
634 Auto Insurance Risk Prediction The Canceled 1056Lab Data Analytics Competition
635 Automatic Speech Recognition (ASR) 11-785, Spring 2022, Homework 3 Part 2 (hw3p2)
636 Automatic Speech Recognition (Slack) 11785: Introduction to Deep Learning (Spring 22), HW3P2
637 Autonobot SP20: Challenge 1 First competition for Autonobot group in Spring 2020
638 Autonobot SP20: Challenge 2 Second competition for Autonobot group in Spring 2020
639 Autonobot SP20: Challenge 3 Third competition for Autonobot group in Spring 2020
640 Autonobot SP20: Challenge 4 Fourth competition for Autonobot group in Spring 2020
641 Autonobot SP20: Challenge 5 Fifth competition for Autonobot group in Spring 2020
642 Avaliação de Carros Multiclasse
643 Avito Category Prediction You need to predict the category of avito publications
644 Avito Context Ad Clicks Predict if context ads will earn a user's click
645 Avito Demand Prediction Challenge Predict demand for an online classified ad
646 Avito Duplicate Ads Detection Can you detect duplicitous duplicate ads?
647 BADS 2020/2021 Assignment for Business Analytics and Data Science 20/21 (HU Berlin)
648 BAN 502 Shark Tank Summer 2021 "In this competition you will predict whether or not a company receives a deal on the hit TV show ""Shark Tank""."
649 BAN 7002 - 2018 Final project, loan default STAGE, STRUCTURE, EXPLORE, MODEL
650 BAS 479 - Option 1 - Will they donate? Develop a predictive model to determine who is most likely to donate in 2019
651 BAS 479 - Option 2 - How much will alumni donate? Develop a predictive model to determine who how much alumni have donated (on the log scale)
652 BAS 479 Fall 2020 - Predicting UBER pickups What's the best model for predicting the number of UBER pickups?
653 BAS 479 Fall 2020 Predicting Total Cash Gift These alumni have donated between $1-10000 since graduation, can you predict exactly how much?
654 BAS 479 Fall 2020: Will they donate in 2019? Can you predict whether an alumnus donates in 2019?
655 BAS 479 Fall 2021 Hackathon Predict UBER pickups!
656 BAS 479 Housing Hackathon Fall 19 How good of a predictive model can you come up with in a day?
657 BAS 479 Housing Hackathon Fall 2020 How good of a predictive model can you come up with in a day?
658 BAS 479 Housing Hackathon Spring19 How good of a predictive model can you come up with in a day?
659 BAS 479 Petrie Spring 22 Hackathon Predict UBER pickups!
660 BAS 479 Predicting Average Amount Donated Per Year Can you predict the average donation amount per year of previous UT graduates?
661 BAS 479 Predicting Whether Alumni Have Donated Can you predict whether an alumnus to UT has donated?
662 BAS 479 S20 Predicting Total Cash Gift These alumni have donated between $1-10000 since graduation, can you predict exactly how much?
663 BAS 479 S20 Will they donate in 2019? Can you predict whether an alumnus donates in 2019?
664 BAS 479 Spring 2020 - How many pickups? What's the best model for predicting the number of UBER pickups?
665 BAS 479 Spring 2021 - Predicting UBER pickups What's the best model for predicting the number of UBER pickups?
666 BAS 479 Spring 2021 Predicting Total Cash Gift These alumni have donated between $1-10000 since graduation, can you predict exactly how much?
667 BAS 479 Spring 2021: Will they donate in 2019? Can you predict whether an alumnus donates in 2019?
668 BBC News Classification News Articles Categorization
669 BBM497-Assignment2 BBM497-Assignment2
670 BCC - Unifal Competition Predict the revenue figure for the following month.
671 BCC 2021 Datathon #1 #BCCInGlory
672 BCI Challenge @ NER 2015 A spell on you if you cannot detect errors!
673 BCI EEG data analysis NEUROML2020 class competition
674 BCU Ratings - 2020 Predict if a company will file for bankruptcy within 1 year
675 BCU Ratings 2021 Predict if a company will file for bankruptcy within 1 year
676 BCU Ratings 2021 2o Ejercicio Predict if a company will file for bankruptcy within 1 year
677 BDA 2018-19 sem 2 Personality Profiling predicting personality from vlogger videos
678 BDA 2018-19 sem2 test competition In this test competition teams build a text based personality profiler
679 BDA 2019 Physical activity recognition Recognizing daily physical activity from phone sensor signals
680 BDC103 빅데이터와 정보검색 기말 최종 평가: 정보 검색 기반의 질의 응답 시스템 구축
681 BDCoE-DataHack BDCoE-Hackathon
682 BDN Inspiration Session Show me the money!
683 BGU - Machine Learning Classify patients according to the eye operation outcome (safe or unsafe)
684 BGU - R Course Prediction Competition Use Climate Data From Weather Stations to Predict Temperature
685 BGU Recsys - CTR Prediction CTR Prediction Challenge By Taboola
686 BGU-Rcourse Climate Data From Weather Stations to Predict Temperature
687 BGU-Rcourse 2020 Climate Data From Weather Stations to Predict Temperature
688 BGUDrugChallenge2022 ML Course challenge 2022
689 BI Challenge WS 20/21 Online Store
690 BI Competition New Launch with fixed loss function
691 BIDS - Machine Learning Our first class Kaggle challenge with machine learning
692 BIO322 Classification **Deprecated.** Please go to https://www.kaggle.com/c/bio322b.
693 BIO322 Classification Predict if a new molecule smells more sweet or more sour.
694 BIO322 Regression **Deprecated.** Please go to https://www.kaggle.com/c/bio322a.
695 BIO322 Regression Predict how pleasantly a new molecule smells.
696 BITS-F464-L0 A practice lab for people new to kaggle.
697 BLG 454E Term Project Competition ITU Computer and Informatics Faculty, BLG 454E Learning From Data, Spring 2018 Term Project
698 BME BProf Adatalapú Rendszerek Labor - Digits Adatalapú rendszerek laboratórium - Első etap
699 BME Dmlab ingatlan.com adatbányászati verseny Építsünk prediktív modellt, amely előrejelzi, hogy egy ingatlanhirdetés árát módosítja-e a hirdető
700 BME | ADA és Big data házi feladat Közös házifeladat a BME-n 2018. őszi félévében oktatott Alkalmazott adatelemzés és 'Big Data' elemzési eszközök tárgyakhoz
701 BMGT431 Final Project Predict customer churn
702 BMI Normal Equation Predicting the BMI using normal equation.
703 BMI707 Assignment 2 Q5 Diagnose Lung Diseases by Deep Learning
704 BMI707 Assignment 2 Q5 Diagnose Lung Diseases by Deep Learning
705 BMI707/EPI290 Assignment 2 Q5 Diagnose Lung Diseases by Deep Learning
706 BMI707/EPI290 Assignment 2 Q5 Diagnose Lung Diseases by Deep Learning
707 BMI707/EPI290 Assignment 2 Q5 Diagnose Lung Diseases by Deep Learning
708 BMLB Project Ivar Train the best classifier on a toy dataset!
709 BMM497-Assignment3 BMM497-Assignment3
710 BMSC GA 4493 Comp Trial Competition
711 BMT car prediction Predict price of car
712 BNP Paribas Cardif Claims Management Can you accelerate BNP Paribas Cardif's claims management process?
713 BNU ESL 2020 California Housing
714 BOAZ_RS_Study 직접 해봅시당
715 BOSTON housing 一橋大学「AI入門」課題
716 BROKEN Predict whether a set of delivered recommendations will be clicked or not
717 BST 232 Final Project A neurotoxicity study on maternal exposure to metal pollutant in Bangledash
718 BT4012 In-class Kaggle Competition (2021 October) The objective is to create an approach to do effective anomaly detection on a Character Font Images Dataset
719 BTC-USDT Binary Target Target for BUY exp 5min
720 BYU IMDB Competition Build a model to predict the IMDB movie rating
721 Bacteria Classification at the Genus Level Unsupervised feature learning for classifying images of bacteria at the genus level
722 Badge-2 Competition Work on the ML Competition.
723 Bag of Words Meets Bags of Popcorn Use Google's Word2Vec for movie reviews
724 Bangla Money Recognition NEUB ICT Fest
725 Bank Direct Marketing Predict if the client will subscribe a term deposit
726 Bank Marketing Predict if the client will subscribe a term deposit
727 Bank Marketing UCI The data is related with direct marketing campaigns of a Portuguese banking institution
728 Bank Transactions Data of ATM transaction of bank
729 Bank issues v2 You will need to predict if clients will be loyal to the bank
730 Bank marketing prediction (reboot ds) Test your skills on real data
731 Bankruptcy Risk Prediction Predict debtor's bankruptcy risk relying on information from his bank account
732 Barley Price Decrease Prediction ABI needs your help pedicting the 'per day' decrease of barley price.
733 Bathymetry Estimation Estimate coastal seabed depths using Sentinel-2 satellite imagery
734 Be my guest Which guests are more likely to return?
735 Bean Plant Classification Classify different varieties of bean plants based on their dimensions and characteristics
736 Beat The System Optimize a strategy based on given requirements for maximum reward and minimum risk.
737 Beat The System Optimize a strategy based on given requirements for maximum reward and minimum risk.
738 Beating compass (part II) You know what it is
739 Bedrock02_Round01_Freq 14 feature freq model
740 Beeline Data Analysis School. Task 2 Your goal is to predict the probability that a certain label is attached to a budget line item. Each row in the budget has mostly free-form
741 Beer Ratings Predict the rating of a beer from user reviews.
742 Beginner's Cats and Dogs Classify the picture of cats and dogs.
743 Belkin Energy Disaggregation Competition Disaggregate household energy consumption into individual appliances
744 Benchmark Bond Trade Price Challenge Develop models to accurately predict the trade price of a bond.
745 Benetech - Making Graphs Accessible Use ML to create tabular data from graphs
746 Bengali.AI Handwritten Grapheme Classification Classify the components of handwritten Bengali
747 Berkeley CS280 Backup Project The backup project for CS280
748 Berkeley Trading Competition Yosemite Model realized edge on past trades
749 Berlin Airbnb prices Try to win this tasty +2 to nakop
750 Berovingen op straat in Rotterdam - is er een patroon? De gegevens zijn van berovingen op straat in Rotterdam tussen januari 2011 en oktober 2012. Wat bepaalt of het slachtoffer gewond raakt?
751 Best Home Предсказание популярности объявлений о продаже домов
752 Best Home Предсказание популярности объявлений о продаже домов
753 Best Home Предсказание популярности объявлений о продаже домов
754 Best Home Предсказание популярности объявлений о продаже домов
755 Best Home Предсказание популярности объявлений о продаже домов
756 Beta-Beta Decay Identification Recognize decays in real high energy physics experiment.
757 Beyond Analysis A competitive Data Science Hackathon by Techniche 2021
758 Bharath's Zoo CS 4670 Spring 2020 PA3 Kaggle Competition
759 Bi Challenge Guess the products
760 Bi Challenge WS 2019 Guess the products
761 Big Data Adelaide Bootcamp Can you predict productive and non-productive audits of a person's financial statement?
762 Big Data. Homework 1 Predict good flat proposals
763 BigData 2021-2022 DTW The DTW part of the exercise.
764 BigData 2021-2022 LCSS LCSS part of the exercise
765 BigData 2022 Classification Part A: Text Classification
766 BigData Cup Challenge 2019: Flare Prediction Solar Flare Prediction from Time Series of Solar Magnetic Field Parameters
767 BigData Cup Challenge 2020: Flare Prediction Solar Flare Prediction from Time Series of Solar Magnetic Field Parameters
768 BigData Team | Marks of students В соревновании требуется предсказать оценки за диссертацию
769 BigData Team | Taxi trip distance Угадай расстояние поездки
770 BigData Team | Это что за покемон? Определи по картинке, умеет ли покемон летать
771 BigData UI Class Competition 2-1 노동자 정보에서 성별 예측
772 BigData2021-Exercise1-Classification BigData2021-Exercise1-Classification
773 BigData2021-Exercise1-DuplicateDetection BigData2021-Exercise1-DuplicateDetection
774 BigData2022: IMDB Requirement 2: Using the KNN to classify reviews
775 BigData2022: Stocks BigData2020: Stocks Prediction
776 BigQuery-Geotab Intersection Congestion Can you predict wait times at major city intersections?
777 Bike Rental Prediction Homework 3
778 Bike Rentals You are mayor of Newtopia and you want to predict how many new bikes your city will need
779 Bike Sharing Demand Forecast use of a city bikeshare system
780 Bike Sharing Demand Predict use of bikeshare system
781 Bike sharing SUSU Учебное соревнование для лабораторной ЮУрГУ
782 Bikeshare competition A short prediction competition for UNT's ML class in Fall 2019
783 Billion Word Imputation Find and impute missing words in the billion word corpus
784 Bim Bam Boum Challenge Classifying anomalies in ECGs using Recurrent Neural Networks
785 Binary Classification of Machine Failures Playground Series - Season 3, Episode 17
786 Binary Classification using linear regression We are going to abuse the linear regression to make binary classifications
787 Binary Classification with a Tabular Credit Card Fraud Dataset Playground Series - Season 3, Episode 4
788 Binary Classification with a Tabular Employee Attrition Dataset Playground Series - Season 3, Episode 3
789 Binary Classification with a Tabular Kidney Stone Prediction Dataset Playground Series - Season 3, Episode 12
790 Binary Classification with a Tabular Pulsar Dataset Playground Series - Season 3, Episode 10
791 Binary Classification with a Tabular Reservation Cancellation Dataset Playground Series - Season 3, Episode 7
792 Binary Classification with a Tabular Stroke Prediction Dataset Playground Series - Season 3, Episode 2
793 Bio Data Analysis Competition Cancer Classification Model using Deep Learning
794 Bird Watch W251 Week07 HW - Identify species of bird
795 Bird Watch W251 Autumn Semester 2021 Week07 HW - Identify species of bird
796 Bird Watch Spring 2022 W251 Week07 HW - Identify species of bird
797 Bird vs. Non-Bird 2018 (No Holds Barred) Distinguish between bird and non-bird images
798 BirdCLEF 2021 - Birdcall Identification Identify bird calls in soundscape recordings
799 BirdCLEF 2022 Identify bird calls in soundscapes
800 BirdCLEF 2023 Identify bird calls in soundscapes
801 BirdSO Satellite Machine Learning 2022 This is the Pre-Tournament Task for the Machine Learning event at the 2022 BirdSO Satellite Invitational.
802 Birth Weight Prediction Predict birth weight of a baby even before it's birth
803 Bitamin Deep Learning Contest 비타민 - 캐글 MNIST 제출해보기
804 Black Friday contest kontes daming
805 Blood Donor Disease Prediction To predict whether a final test should be conducted on the blood donated by a donor
806 Blood-MNIST Classifying blood cell types using Weights and Biases
807 Blue Book for Bulldozers "Predict the auction sale price for a piece of heavy equipment to create a ""blue book"" for bulldozers."
808 Blueprint Description
809 Body Morphometry: Kidney and Tumor MOAI 2021 Body Morphometry AI Segmentation Online Challenge
810 Body morphometry for sarcopenia MOAI 2020 Body Morphometry AI Segmentation Online Challenge
811 Bolknoms Predict the amount of people that will eat each night
812 Bone Age Regression Given hands' XRays, it's expected to predict the bone age
813 Bonus 410 Spring 2018 A competition to help you start using the training/testing format with Kaggle.
814 Bonus for MSDS 410 Fall 2020 A chance for you to earn Bonus points and start learning about train vs test data in modeling.
815 Book Price Prediction Predict the book's prices using ML
816 Book Price Prediction Predict the book's prices using ML
817 Book Reviews book reviews
818 Book retailing case Develop feature variables and a predictive model to predict the amount spent by customers of a book retailer
819 Boolean Retrieval Homework IR 2 ITMO Spring 2020 Boolean model & inverted index
820 Boostcamp_Upstage_2021_NLP private competition for boost campers
821 Bosch Production Line Performance Reduce manufacturing failures
822 Boston Housing Boston Housing
823 Boston Housing Data In-house competition for tree ensemble workshop
824 Boston Housing Dataset Предсказание цены квартиры в зависимости от ее района.
825 Box Office Revenue Prediction Can you predict a movie's worldwide box office revenue?
826 Brain-Computer Interface (BCI) Trajectory Prediction Map brain signals to a joystick trajectory position.
827 Brain-Computer Interface Prediction Map brain signals to a joystick position
828 Break Our Optical Security Technology BOOST aims to investigate the security potential of optical Physically unclonable function (PUFs)
829 Breast Cancer Use cell nuclei categories to predict breast cancer tumor.
830 Breast Cancer breast cancer detection
831 Breast Cancer - Beginners ML Beginners hands-on experience with ML basics
832 Bring back the sun! Can you tell whether a given image depicts a sunny scenery or not a sunny scenery using your favourite binary classifier?
833 Bristol-Myers Squibb – Molecular Translation Can you translate chemical images to text?
834 Broken Comp (Don't Use) Detect the emotion behind poeple's tweets.
835 BrokenWorkshop - Kaggle pls fix Can you create a neural network to classify street view house number digits?
836 Build your Best Eye Blink Model CSEP546 Kaggle Competition 2
837 Build your Best SMS Spam Model CSEP 546 Kaggle Competition 1
838 Build your Best SMS Spam Model CSEP546 Kaggle Competition 1
839 Building on the first leap Which building is making claims?
840 Burn CPU Burn Predict CPU load based on applications running on a server cluster.
841 Business Analytics Project Classification The Classification part of the project for Business Analytics 2021
842 Business Analytics Project Regression Regression Part of the project for Business Analytics, Spring 2021
843 Business Analytics Summer20 Classification Eleme delivery pattern analytics & prediction during the period of the COVID-19 pandemic
844 Business Analytics Summer20 Regression Eleme delivery pattern analytics & prediction during the period of the COVID-19 pandemic
845 Business Data Science Competition Predict and Learn
846 Business Forecasting Exam This is an exam based on a business/applied forecasting course taught in St. Joseph's College, Bangalore.
847 Buy Stock Buy/Sell Stock with Running Average Filters
848 Bài thi mẫu Sample
849 C7 University Ejercicio práctico de Machine Learning
850 CA2 Hackathon [GIST AI Exp. Lab. 2021 Fall] Sentiment Analysis
851 CAD 2020 Cáncer de Mama IUMA Ciencia y Analítica de Datos
852 CAIIS Dogfood Day Let's get ready to rumble
853 CAIS Covid19 Competition 1 Try your hand at modelling Covid19 cases in Canadian Provinces!
854 CAIS X - Fall 2020 Try your hand at predicting Covid-19 cases recoveries and deaths in Canada!
855 CAISX 2021-2022 Carleton Artificial Intelligence Society's Official Machine Learning Competition!
856 CANCEL CANCEL
857 CAP 394 - Exercício de análise de dados Exercício para aplicação dos conceitos de análise de dados
858 CAP 4611 - 2021 Fall - Assignment 2 ESRB Ratings
859 CAP 4611 - 2021 Fall - Extra Practice 1 IRIS Dataset Classification
860 CCC ChestX-ray14 Multi-label Classification This is an internal deep learning exercise. The data set will be released in class.
861 CCC_Lesson_1 ccc internal deep learning class
862 CCI Education Performance geoLab x CCI Education project
863 CE263N Assignment 4 In-class competition for assignment 4
864 CEBD 1260 - Classification Predict Adoption Speed
865 CEE 498 Project 2: Energy Output from Solar Farms Can we predict energy output from solar farms? (Daily, weekly, or monthly scale)
866 CEE 498 Project13: food trade links and weights The primary objective of our project is to build a ML model to predict the food trade links and weights.
867 CEE 498 Project3: Predict the Strength of Concrete Can we predict the strength of concrete based on its parameters?
868 CEE 498 Project7: arrival time of NYC Buses Can we predict the arrival time of New York City Buses?
869 CEE 498 Project7: C-U Bus Load Prediction Predict the average number of people on board in Champaign-Urbana region
870 CEE 498 Project8: Measuring Pore in Concrete Machine Learning Algorithm for Measuring and Characterizing Pore Structure in Concrete
871 CES117V - Final Project Predicting COVID-19 from X-ray images
872 CH-315 2021 Competition for the ML course of the 2021 version of the CH-315 course
873 CH315 2020 ML competition ML competition for the 2020 version of the CH315 course at EPFL
874 CHALEARN Gesture Challenge Develop a Gesture Recognizer for Microsoft Kinect (TM)
875 CHALEARN Gesture Challenge 2 Develop a Gesture Recognizer for Microsoft Kinect (TM)
876 CHE609 Competition for the CHE609 machine learning module.
877 CHT ML 2018 - Movie Recommendation HW5 Matrix Factorization
878 CHT ML 2019 - Image Clustering HW6 Unsupervised Learning & Dimension Reduction
879 CHT ML 2019 - Text Sentiment Classification HW4 Recurrent Neural Network
880 CIC 1.0 Classification Problem NLP Classification
881 CIC 1.0 regression Regression Problem
882 CIC1.0 Image Classification Indian cuisine images
883 CIE5141 2021SP HW12 Convolution Neural Network
884 CIFAR-10 - Object Recognition in Images Identify the subject of 60,000 labeled images
885 CIFAR-10 Classification cifar-10 classification using CNN
886 CIFAR-10: Image Classification Exercise Convolutional Neural Networks (CNNs) and Image Classification.
887 CIFAR100 Competencia con el dataset CIFAR100
888 CIFAR100 Diplomatura en Deep Learning ITBA 2020Q2
889 CIFAR100 image classification [GIST MLDL 2021 Spring] CA1 - Image classification with CIFAR100
890 CIFAR100 image classification with Long-tail dist. [GIST MLDL 2021 Spring] CA3 - Image classification on CIFAR100 with long tail distribution
891 CIFAR100 image classification with Noisy Labels [GIST MLDL 2021 Spring] CA2 - Image classification on CIFAR100 with noisy labels
892 CIS 321 - Data mining A competition for CIS 321 students at JUST - 2nd Semester 2022
893 CIS370-FALL2020 Final Project (Walking Data)
894 CISC-873-DM-F22-A1 A1 Wish.com Product Rating Prediction
895 CISC-873-DM-F22-A4 Airbnb price category prediction
896 CISC873-DM-F21-A1 A1 Wish.com Product Rating Prediction
897 CISC873-DM-F21-A1 Whether a first date will lead to a relationship
898 CISC873-DM-F21-A3 Chest X-ray COVID Classification
899 CISC873-DM-F21-A5 Anti-Cancer Drug Activity Prediction
900 CISC873-dm-f21-a4 Airbnb price category prediction
901 CIVE 6358 Assignment 3 Spring 2022 Component segmentation
902 CM256_1 (UIUC) Revenue Prediction Student Competition
903 CMF DataAnalysis Training Predicting forest type.
904 CML2 Length of Stay prediction with Decision Trees Predicting length of stay of patients at ICU with decision tree models
905 CMPE 188 Sample Sample test 188
906 CMPE 257 Lab 2 Part 2 Using a Convolutional Neural Network classify the CIFAR dataset.
907 CMPE-255 HW2 Classification
908 CMPE_257 Fall 2021 LAB1 In Class Competition for CMPE-257 Machine Learning
909 CMPT 726/419 A3 Q3 Adam Submit results for CMPT 726/419 A3 Q3 Adam
910 CMSC 4383: Lab #3 Salary prediction
911 CNAM Niort 2019/2020 Challenge 2 pour l'année scolaire 2019/2020 du CNAM
912 CNN - ITBA - 2021 Q2 CIFAR100 Image Classification
913 CNN COVID Estimation Submit your model's COVID case estimations.
914 CNN Competition The best challange to evaluate your skills
915 CNN Competition TJ ML's CNN Competition
916 CNN based image classification Building CNN to classify images
917 CNN en CIFAR-100 Clasificación de imágenes usando perceptrón multicapa
918 CODEML: Challenge 4 Sentiment Analysis
919 CODEML: Challenge 5 Image Classification
920 COEP DSAI Inductions for FYs 21-2 Heart Failure Prediction
921 COLX 563: Chatbotting In this kaggle, you'll compare your chatbot output to what actually occurred in a dialogue
922 COLX 563: Named Entity Recognition Competition In this competition, you will submit your NER IOB tags and compete against your classmates for the highest performance model.
923 COLX 563: Question-Answering system In this kaggle, you'll compete to correctly identify the starting index of answer spans in a passage
924 COLX 563: Semantic Role Labeling In this competition, you will submit your SRL IOB tags and compete against your classmates for the highest performance model.
925 COM2028 21/22 Lab 5 COM2028 21/22 Lab 5
926 COMET track recognition [MLHEP 2015] Guess which points belong to signal track
927 COMET track recognition [YSDA 2016] Identify electron tracks
928 COMP551 - Modified MNIST Train a model that classifies images consisting of two digits and an arithmetic operation
929 COMPETITIE TEST Dit is een test
930 COMPETITION ON OPEN SOURCE INTELLIGENCE DISCOVERY Select which Open Source Intelligence items are relevant for the protection of an IT infrastructure.
931 COMPSCI367: Artificial Intelligence Machine Learning Assignment: Will they default?
932 COMS4771 Fall 2021 Regression Competition Compete against your classmates to design the best regressor!
933 COMS4771 MSD Regression Competition Compete against your classmates to design the best regressor!
934 COMS4771 Spring 2021 MSD Regression Competition Compete against your classmates to design the best regressor!
935 COMS4771 Spring 2022 Regression Competition Compete against your classmates to design the best regressor!
936 CONNECTOMICS Reconstruct the wiring between neurons from fluorescence imaging of neural activity
937 CORRECTED - Bike Sharing Regression OTM 714 2022 Develop the best linear regression model you can to forecast total bike usage for each hour of each day.
938 COSC 6389: Contest 2 The second contest for this course is to construct a model to predict the classes of images.
939 COSE471 SP21 Project 1 Competition for Korea Univ COSE471/AAA619 Project 1, Sp 2021.
940 COSI 143b - Data Management for Data Science Spring 2021, Instructor: Olga Papaemmanouil
941 COV878-1 Extreme classification dataset-1
942 COV878-2 Extreme classification dataset-2
943 COV878-3 Extreme classification dataset-3
944 COV878-3 Extreme classification dataset-3
945 COVID-19 Chest x-ray challenge CSC532 Machine Learning class Hackathon 2021
946 COVID-19 Houston Datathon Use county-level data to estimate the changes in hospitalization and mortality rates in the greater Houston area, Texas, USA.
947 COVID-19 diagnostic Detect case using data
948 COVID-19's content by PEBMED Is it possible to correlate the content consumption of PEBMED apps with the total cases in Brazil?
949 COVID19 Chile Predice el número de infectados de Coronavirus en Chile
950 COVID19 Global Forecasting (Week 1) Forecast daily COVID-19 spread in regions around world
951 COVID19 Global Forecasting (Week 2) Forecast daily COVID-19 spread in regions around world
952 COVID19 Global Forecasting (Week 3) Forecast daily COVID-19 spread in regions around world
953 COVID19 Global Forecasting (Week 4) Forecast daily COVID-19 spread in regions around world
954 COVID19 Global Forecasting (Week 5) Forecast daily COVID-19 spread in regions around world
955 COVID19 Local US-CA Forecasting (Week 1) Forecast daily COVID-19 spread in California, USA
956 CP DS Guild Day competition Do your best in competing, learning and experiment
957 CPROD1: Consumer PRODucts contest #1 Identify product mentions within a largely user-generated web-based corpus and disambiguate the mentions against a large product catalog.
958 CQUAI 训练赛 预测TED的观看人数
959 CRASS: Credit Risk Assessment Risikobewertung von Kreditanträgen
960 CS 189 HW4 Wine Competition CS189 Spring22, HW4 Wine Competition Submission Kaggle
961 CS 189 Test Competition None
962 CS 221 Test CS 221 Test
963 CS 444 Assignment 1-Perceptron Perceptron Portion of Assignment 1 on Fasion-MNIST Dataset
964 CS 444 Assignment 1-SVM SVM Portion of Assignment 1 on Fasion-MNIST Dataset
965 CS 444 Assignment 1-Softmax Softmax Portion of Assignment 1 on Fasion-MNIST Dataset
966 CS 444 Assignment 2 - 2 layer NN Adam Adam Optimization Portion for 2 Layer NN in Assignment 2
967 CS 444 Assignment 2 - 3 layer NN Adam Adam Optimization Portion for 3 Layer NN in Assignment 2
968 CS 444 Assignment 2-2 layer NN SGD SGD Portion for 2 Layer NN in Assignment 2
969 CS 444 Assignment 2-3 layer NN SGD SGD Portion for 3 Layer NN in Assignment 2
970 CS 444 Assignment 3 Part 2 Object Detection on PASCAL VOC
971 CS 446 Fall 2017 Brain Multilabel Classification (AUC)
972 CS 446 Fall 2019 Project Performance Predictors for Meta-Learning and AutoML
973 CS 4740 FA'21 Project 2 : Named Entity Recognition Find and classify named entities in the CoNLL-2003 dataset.
974 CS 4740 P2 metaphor detection
975 CS 4740 Project 4 Revised Revised Kaggle Competition for CS 4740 Project 4
976 CS 4740/5740 Project 4 - Part A
977 CS 4740/5740 Project 4 - Part B
978 CS 4740: Project 2 Named Entity Tagging with HMMs
979 CS 4740: Project 2 Named Entity Tagging with HMMs and MEMMs
980 CS 475 (Spring'19) MNIST large Handwritten digit recognition
981 CS 475 (Spring'19) MNIST small Handwritten digit recognition
982 CS 475 (Spring'19) Sentiment Analysis Sentiment analysis using SVMs
983 CS 475 (Spring'21) MNIST large Handwritten digit recognition
984 CS 475 (Spring'21) MNIST small Handwritten digit recognition
985 CS 475 (Spring'21) Sentiment Analysis Sentiment analysis using SVMs
986 CS 475: Generative models for MNIST Handwritten digit recognition using Naive Bayes (NB) and mixture models (MM)
987 CS 475: Generative models for MNIST Handwritten digit recognition using Naive Bayes (NB) and mixture models (MM)
988 CS 475: Generative models for sentiment analysis Analyzing consumer reviews using Naive Bayes (NB) and mixture models (MM)
989 CS 475: Generative models for sentiment analysis Analyzing consumer reviews using Naive Bayes (NB) and mixture models (MM)
990 CS 498 DL Assignment 1 - Perceptron Perceptron Portion of Assignment 1 on CIFAR-10 Dataset
991 CS 498 DL Assignment 1 - SVM SVM Portion of Assignment 1 on CIFAR-10 Dataset
992 CS 498 DL Assignment 1 - Softmax Softmax Portion of Assignment 1 on CIFAR-10 Dataset
993 CS 498 DL Assignment 2 - 2 layer NN Adam Adam Optimization Portion for 2 Layer NN in Assignment 2
994 CS 498 DL Assignment 2 - 2 layer NN Adam Adam Optimization Portion for 2 Layer NN in Assignment 2
995 CS 498 DL Assignment 2 - 2 layer NN SGD SGD Portion for 2 Layer NN in Assignment 2
996 CS 498 DL Assignment 2 - 2 layer NN SGD SGD Portion for 2 Layer NN in Assignment 2
997 CS 498 DL Assignment 2 - 3 layer NN Adam Adam Optimization Portion for 3 Layer NN in Assignment 2
998 CS 498 DL Assignment 2 - 3 layer NN Adam Adam Optimization Portion for 3 Layer NN in Assignment 2
999 CS 498 DL Assignment 2 - 3 layer NN SGD SGD Portion for 3 Layer NN in Assignment 2
1000 CS 498 DL Assignment 2 - 3 layer NN SGD SGD Portion for 3 Layer NN in Assignment 2
1001 CS 498 DL Assignment 3 Part 2 Object Detection on PASCAL VOC
1002 CS 498 DL Assignment-2 2-layer NN Relu Relu activation function portion for 2-layer NN
1003 CS 498 DL Assignment-2 2-layer NN Sigmoid Sigmoid activation function portion for 2-layer NN
1004 CS 498 DL Assignment-2 3-layer NN Relu Relu activation function portion for 3-layer NN
1005 CS 498 DL Assignment-2 3-layer NN Sigmoid Sigmoid activation function portion for 3-layer NN
1006 CS 498 DL Assignment-3 Pascal VOC Classification Part-1 of Assignment 3 - Pascal VOC Multilabel Classification
1007 CS 498DL Assignment 3 P2 Competition for YOLO
1008 CS 543 (Fall 2021): MP4 Part1 CIFAR100 Classification
1009 CS 543 (Fall 2021): MP4 Part2 Caltech-UCSD Birds dataset
1010 CS 543 Deep Conv Nets CIFAR100 Classification
1011 CS 589 Fall 21 Assignment 4 Assignment 4
1012 CS 589 HW1 Regression Power Plant Use regression to estimate output of power plant
1013 CS 6601 AI Assignment 4 Bonus Assignment 4 Bonus - Decision Trees and Random Forests for Georgia Tech CS 6601, Spring 2019
1014 CS 725 2021: Programming Assignment Implementing Linear Regression
1015 CS HSE Machine Learning seminar assignment A simple classification task
1016 CS UNI - Fundamentos de Procesamiento de Imágenes """Competencia para el curso Fundamento de Procesamiento de Imágenes"""
1017 CS-4361/5361 CLASSIFICATION OF FLARES Predict if there is any flare in next 30 minutes
1018 CS-4361/5361 In-class Competition Predict flux in next 30 minutes
1019 CS178 Data Competition at UCI, Winter 2022 Rainfall prediction with satellite image information
1020 CS189 HW6: Neural Networks CS189 HW6: Neural Networks
1021 CS194-26 Fall 2020 Project 4 Facial Keypoint Detection with Neural Networks
1022 CS194-26 Fall 2021 Project 5 Facial Keypoint Detection with Neural Networks
1023 CS273A Data Competition at UCI, Winter 2022 Rainfall prediction with satellite image information
1024 CS419(M) Assignment-1 In-class competition for CS419(M) students.
1025 CS420-2019: Click-Through Rate Prediction Predicting the click-through rate for online advertising.
1026 CS4487 Course Project Deepfake Detection
1027 CS4487-2020Fall CS4487-2020Fall
1028 CS456 20S2 Warmup A warming up competition
1029 CS470 Anomaly Segmentation Identify anomaly in manufacturer images
1030 CS4740-Fall2020-P2 Propaganda detection with Markov Models.
1031 CS4740_Speech_LM Train language models to classify political speeches
1032 CS4740_Speech_Wemb Speech classification using pretrained word embeddings
1033 CS498DL Assignment 1 - KNN KNN portion of assignment 1
1034 CS498DL Assignment 1 - Perceptron Perceptron portion of assignment 1
1035 CS498DL Assignment 1 - Perceptron Perceptron Portion of Assignment 1 on CIFAR Dataset
1036 CS498DL Assignment 1 - SVM SVM portion of assignment 1
1037 CS498DL Assignment 1 - SVM SVM Portion of Assignment 1 on CIFAR Dataset
1038 CS498DL Assignment 1 - SVM SVM Portion of Assignment 1 on CIFAR Dataset
1039 CS498DL Assignment 1 - Softmax Softmax portion of assignment 1
1040 CS498DL Assignment 1 - Softmax Softmax Portion of Assignment 1 on CIFAR Dataset
1041 CS498DL Assignment 4 - Language Recognition Assignment 4 Part 2 RNN Language Recognition Task
1042 CS498DL Assignment 4 - Language Recognition Assignment 4 Part 2 RNN Language Recognition Task
1043 CS498DL SP 21 Assignment 4 - Language Recognition Assignment 4 Part 2 RNN Language Recognition Task
1044 CS4990-Fall2019-Assignment 2 Deep Learning for Facial Expression Classification
1045 CS5228 Course Project
1046 CS5228 - Knowledge Discovery and Data Mining Project - Business Bankruptcy Prediction
1047 CS5644 Extra Credit predict this dataset for extra credit
1048 CS5785 Fall 2017 Final Exam Applied machine learning final
1049 CS5785 Fall 2018 Final Cornell CS 5785 Final
1050 CS5785 Fall 2018 Final Exam Applied Machine Learning Final
1051 CS5785 Fall 2019 Final Cornell CS 5785 Final
1052 CS5785 Fall 2019 Final Exam Cornell Tech Applied Machine Learning Course Final
1053 CS5785 Fall 2021 Final Build a large-scale image search engine
1054 CS5785 Spring 2017 Final Cornell CS 5785 Final
1055 CS589 HW1 Our first Kaggle competition!
1056 CS589 HW1 Our first Kaggle competition!
1057 CS589 HW1 A This is the submissions for the dataA provided in HW1
1058 CS589 HW1 B This is the submission page for the dataB provided in HW1
1059 CS589 HW1 F19 This is the final version of our Kaggle Competition, use this one!
1060 CS589 HW2 Classification homework for CS589
1061 CS589 HW2 F19 Housing Dataset Kaggle Competition
1062 CS6271 2021/22 Final Project
1063 CS6923 Final Project Leaderboard CS6923 Final Project Leaderboard
1064 CS725-2020 Assignment 2 Implement a Feedforward Neural Network using NumPy
1065 CS725: Assignment 2 Build a neural network from scratch for classification problem.
1066 CS747-assignment-0 k-nn competition
1067 CS747-assignment-1 perceptron competition
1068 CS747-assignment-1 svm competition
1069 CS747-assignment-1 softmax competition
1070 CS747-assignment-2-p1 Multi-class classification in PASCAL dataset
1071 CS747-assignment-2-p2 Object detection challenge
1072 CS747-assignment-2-p2-v2 Object detection challenge
1073 CS747-assignment-2-p2-v3 Object Detection Challenge
1074 CS8750: AI 2 - Bird Recognition Competition Find birds from aerial images
1075 CS98-22-DL-Task2 This competition is related to Task 2 in coursework - student performance classification
1076 CS98X-22-DL-Task1 This competition is related to Task 1 in coursework - breast cancer classification
1077 CS98X-22-DL-Task2 This competition is related to Task 2 in coursework - student performance classification
1078 CS98X-DL-Task2-Contract-Clasification Classify each contract into the corresponding classes
1079 CSC 578 Fall 2020 Final class project Predict traffic flow volume using time series analysis
1080 CSC 578 Homework #3 - Fall 2018 A mock Kaggle competition combined with the CNN assignment
1081 CSC2515 Rating Prediction Predict what rating a user will give a product
1082 CSC2515F Read Prediction Predict whether a user will read a book
1083 CSC311 FALL 2021 final project CSC311 F21 Final Project
1084 CSCI 5622 Problem Set 4 - 2020 Spring Solving a Real-World Machine Learning Problem
1085 CSCI688 Revenue prediction problem
1086 CSCI835Competition Competition for CSCI835 class at NDSU
1087 CSCIE82 2020 Classification
1088 CSE 244 ML for NLP HW 1 Relation Extraction from Natural Language Text
1089 CSE 354: Assignment 4 This is the competition page for the fourth assignment of CSE 354@Stony Brook University Spring 2021.
1090 CSE 464: MCQCorrector The competition is about designing an image processing pipeline to automatically correct the scanned documents for students answers.
1091 CSE 465: Kickstarter Projects Competition Can you predict if a kickstarter project will succeed or not ?
1092 CSE 512 Classify videos into 10 action categories
1093 CSE 512 HW6 Classify images into 10 action categories
1094 CSE 512 Hw5 Kaggle competition for CSE 512 Assignment 5
1095 CSE 601 Project 3 Fall 2020 CSE 601 Project 3 Fall 2020
1096 CSE-ShU-Advanced-PR-2016 ShU Advanced Statistical Pattern Recognition Contest
1097 CSE/STAT 416 - Homework 5 Temporary This is a temporary submission for HW5. Submissions here will count the same as submissions to the other competition.
1098 CSE/STAT 416 22sp - Extra Credit Assignment Is student X going to complete their online course?
1099 CSE144 Homework4-part2 Image Classification Open ended machine learning challenge for CSE144
1100 CSE158 (fa19) Category Prediction Predict the category of a book based on its review
1101 CSE158 Cook-time Prediction Predict how long a recipe will take to cook
1102 CSE158 FA20 Category Prediction Predict categories of games on Steam
1103 CSE158 fa18 Category Prediction Predict clothing categories on Amazon
1104 CSE158/258 (fa19) Read Prediction Predict whether a user would read a book
1105 CSE158/258 Cooking Prediction Predict whether a user will cook a certain recipe
1106 CSE158/258 FA20 Play Prediction Predict what games users will play on steam
1107 CSE2525: Data Mining Project The goal of this project is to develop a recommendation algorithm for movies.
1108 CSE258 (fa19) Rating Prediction Predict what rating a user will give to a book
1109 CSE258 FA20 Time Played Prediction Predict how long a bought game on Steam will be played
1110 CSE258 Recipe Rating Prediction Predict how users will rate recipes
1111 CSE353 - HW6: Action recognition from images Train a CNN to classify images into 10 action categories
1112 CSE353 - HW6: Action recognition from videos Train a CNN to classify videos into 10 action categories
1113 CSE464 Introduction to Data Mining Challenge 2 Sentiment Analysis of Faculty Evaluation
1114 CSE464 Spring 2020 Challenge 1 Participate in a credit risk competition by predicting the probability of a bad customer
1115 CSE465 Can you predict the startup industry ? Student will need to use what they have learnt in ML course until now to predict the startup field of operation
1116 CSE512 Classify Crowd Image features into 4 different categories
1117 CSE512 Classify Crowd Image features into 4 different categories
1118 CSS-324 - Bonus Bonus assignment competition for ML course
1119 CSU-AI-InClass-NLP Central South University, Intelligent Science and technology, experiments in natural language processing: segmentation.
1120 CSU-AI-InClass-NLP-2022-Emotion CSU, AI, experiments in natural language processing: emotional analysis of film critics.
1121 CTBCSEC Interview Please submit your ANSWER and SCRIPT to Email described in Overview section. The score is for reference only.
1122 CTC-34 Concrete Compressive Strength prediction The concrete compressive strength of concrete is a highly nonlinear function of age and ingredients.
1123 CTC-34 Resistência de concreto "Previsão de ""concrete compressive strength"""
1124 CTE-DL4CV Assignment 1 Assignment on Object Localisation for the course Deep Learning for Computer Vision
1125 CU Deep Learning Spring 2019 HW2 Protein tertiary structure prediction using sequence models
1126 CUDL Finance Time Series Prediction Deep Learning Course Project Evaluation
1127 CV Competation EVC This competition is for EVC trainees at EVC
1128 CV2020 Classification challenge Competition for final project of CV lecture
1129 CVDL2020 Fine-Grained Classification Task Homework for the course CVDL(2020 spring) at PKU. This homework is a fine-grained classification task.
1130 CVPR 2018 WAD Video Segmentation Challenge Can you segment each objects within image frames captured by vehicles?
1131 CX Kaggle Final Project Fall 2021 Stroke Prediction
1132 Caducado Terminó el tiempo de prueba
1133 Café com Bytes - Wine Quality Classificação de vinhos com base nas suas propriedades.
1134 Calidad del Vino Predicción de la calidad del vino (precio) en función de ciertas variables independientes
1135 California House Prices Predict California sales prices
1136 California house price Build linear regression model to predict house price
1137 California house prices'22 Build a linear regression model to predict house prices
1138 Caltech 101 -1D Caltech101 dataset
1139 Caltech 256 Dataset - Classification of Images Classify over 30,000 images in 256 object categories.
1140 Caltech CS 155 2019 Final Final Kaggle competition using QLess data
1141 Caltech CS 155 2019 Part 1 Miniproject #1 Pt. 1
1142 Caltech CS 155 2019 Part 2 Miniproject #1 Pt. 2
1143 Caltech101-1D byResNet
1144 Campanha de telemarketing Preveja se um indivíduo vai adquirir um produto de uma seguradora
1145 Campus 20 - Spring 2018 Make predictions about our new marketing campaign!
1146 Campus Recruitment Prediction (Course Project) Academic and Employability Factors prediction using demographic data
1147 Can I make a wish? Detecting shooting stars Classify images into one of two classes: meteor vs non-meteor.
1148 Can we predict voting outcomes? Can we accurately predict voting outcomes by using informal polling questions?
1149 Cancelled Competition cancelled
1150 Cancer Diagnosis Predict breast cancer
1151 Cape town property price predict the property prices in cape town
1152 Capitec BBLB Using Data Science to improve lives
1153 Car Classification(Project Vision) Identify the cars in images using CNNs
1154 Car Insurance Risk Prediction The Canceled 1056Lab Data Analytics Competition
1155 Cardinality Estimation RUC Cardinality Estimation
1156 CareerCon 2019 - Help Navigate Robots Compete to get your resume in front of our sponsors
1157 Cars price Predicting car price using car information
1158 Carseats Sales Predict Carseat Sales
1159 Cartesius Learn to extract good features from geometries
1160 Carvana Image Masking Challenge Automatically identify the boundaries of the car in an image
1161 Case 4 Pair Trading
1162 Case 4-2 Pair Trading
1163 Caso 2. Credit-Scoring Consiste en clasificar a una persona como: buen pagador o mal pagador.
1164 Caso_2_Muerte_Coronaria_2020 Predicción de indicador de muerte coronaria
1165 Caso_2_Muerte_Coronaria_v1 Predicción de indicador de muerte coronaria.
1166 Cassava Disease Classification Classify pictures of cassava leaves into 1 of 4 disease categories (or healthy)
1167 Cassava Disease Classification Classify pictures of cassava leaves into 1 of 4 disease categories (or healthy)
1168 Cassava Leaf Disease Classification Identify the type of disease present on a Cassava Leaf image
1169 Cat and Dog Classification Correctly Classify Cat and Dog Images!
1170 Catalog "You must predict the ""Group"" attribute by Attribute ""Name"""
1171 Catch Me If You Can: Intruder Detection through Webpage Session Tracking. Intruder detection through webpage session tracking.
1172 Categorical Feature Encoding Challenge Binary classification, with every feature a categorical
1173 Categorical Feature Encoding Challenge II Binary classification, with every feature a categorical (and interactions!)
1174 Cats and Dog Distinguish images of dogs from cats
1175 CatsVSDogs 2021-1.IVCL-SummerSchool
1176 Cause-effect pairs Given samples from a pair of variables A, B, find whether A is a cause of B.
1177 Cdiscount’s Image Classification Challenge Categorize e-commerce photos
1178 Cell Response Classification From recorded timeseries of many cells in a well, predict which drug treatment has been applied
1179 Central University of Rajasthan Lab Exam It is a machine learning lab exam of Data Science and Analytics Department students
1180 Challenge Challenge
1181 Challenge 1: Text Classification (CS 287) Text Classification
1182 Challenge 2: Language Modeling (CS 287) Language modeling.
1183 Challenge 3: Attention (CS 287) Harvard CS 287
1184 Challenge Intact - Code ML 2021 Challenge 5 Challenge Intact - Fact-checking : claim-evidence verdict
1185 Challenge JJ Challenge JJ
1186 Challenge SK Challenge SK
1187 Challenge apoBank Challenge apoBank
1188 Challenge of Machine Learning 2020 Master of Information Health Engineering (UC3M)
1189 Challenges in Representation Learning: Facial Expression Recognition Challenge Learn facial expressions from an image
1190 Challenges in Representation Learning: Multi-modal Learning The multi-modal learning challenge
1191 Challenges in Representation Learning: The Black Box Learning Challenge Competitors train a classifier on a dataset that is not human readable, without knowledge of what the data consists of.
1192 ChapmanCS530 Data Mining Hackathon: Housing Prices Can you predict the price of a house?
1193 Chapter Computer Vision & NLP Fashion MNIST competition
1194 Characters classification Chinese сharacters classification problem
1195 Characters classification Chinese сharacters classification problem
1196 Chat Classification Tinkoff Fintech School: HW #1
1197 Check-1 checking if a closed door competition can be hosted at Kaggle
1198 Chekhov ML Workshop Предсказание популярности статей Хабрахабра
1199 Chemical Engineering Hackathon Chemplus 2022 hackathon held as a part of Chemplus 2022
1200 Cheque Book Appproval Predict whether the check book request is approved or not
1201 Chess ratings - Elo versus the Rest of the World This competition aims to discover whether other approaches can predict the outcome of chess games more accurately than the workhorse Elo rating system.
1202 Chh-OLA Help the developers to predict total fare amount of trips
1203 Chi SquareX ML interns shortlist competition This is for shortlisted candidates for a machine learning intern position at Chi SquareX technologies.
1204 Chicago Crimes (Banana #2) Predict arrests
1205 Chinese ASR Test
1206 Chinese Characters Classification Classify
1207 Chit-chat Encoders Выбор лучшего ответа на вопрос
1208 Chords Prediction Predict Chord label on the basis of pitches, bass and meter
1209 Churn Prediction Determine when a user is going to churn from the usage history.
1210 Churn Prediction Uma determinada empresa deseja uma solução de IA que indique quais clientes irão cancelar o serviço em um futuro próximo.
1211 Churn Prediction Can you predict the Churn to identify who's most likely not to come back?
1212 Churn Prediction Find the customers who will churn
1213 Cifar10 test! cifar10 contest for deep learning beginner
1214 Ciphertext Challenge II 553398 418126 467884 411 374106 551004 356535 539549 487091 290502 121468 556912 469347 515719 201909 101
1215 Ciphertext Challenge III BRBTvl0LNstxQLyxulCEEq1czSFje0Z6iajczo6ktGmitTE=
1216 Citibank fraud defaulters As a Machine Learning Expert, help identify Citibank who is going to default!
1217 City Road Damage Detection Road damage detection for intelligent transportation
1218 Ciência de Dados Preditiva - UFCG Predição de votos de deputados federais nas eleições de 2014
1219 Ciência de Dados Preditiva - UFCG Predição da situação final de deputados federais nas eleições de 2014
1220 Ciência de Dados Preditiva - UFCG Predição do desempenho dos jogadores no Brasileirão 2014
1221 Ciência de Dados Preditiva - UFCG Predição do desempenho de times nos campeonatos europeus
1222 Claims Value Prediction Improving operational excellence
1223 Clasificación de señales de tránsito En esta competencia te retamos a clasificar señales de tránsito.
1224 Clasificación- Scoring Predecir si un cliente incumplirá o no
1225 Clasificación- Scoring Concurso No. 2 Maestría Analítica Pontificia Universidad Javeriana- Métodos y Aplicaciones de Analítica
1226 Classification 3 Challenge Do your best!
1227 Classification 3 Challenge Do your best!
1228 Classification 3. EPAM DS course User segmentation
1229 Classification : Animal Classification Classification with Animal data
1230 Classification Hackathon Imarticus PGA-09 classification hackathon
1231 Classification for bank data In this competition you must analyze bank data from current accounts and identify insolvent individuals.
1232 Classification of Musical Emotions Classify Happy or Sad Emotions in Musical Audio Files
1233 Classification of Musical Emotions Classify Happy or Sad Emotions in Musical Audio Files
1234 Classification of an Out-of-Distribution dataset Assignment#3: SYDE 522
1235 Classification of butterflies Вам необходимо решить задачу классификации фотографий бабочек на 50 классов.
1236 Classification of car brands Try to classify car brands by images
1237 Classification of crime types Use monthly crime rate data to predict what kind of crimes data they are.
1238 Classification of plants of Southeast Asia Bali26 image classification - The 3rd Annual International Data Science & AI Competition 2022
1239 Classification problem Identify the words that are surnames
1240 Classification task Wow what is it about?
1241 Classification using MLP Classify the Urdu language characters
1242 Classification with a Tabular Vector Borne Disease Dataset Playground Series - Season 3, Episode 13
1243 Classification with synthetic data - 100 Two-class classification problem with synthetic data
1244 Classification with synthetic data - 1000 Two-class classification problem with synthetic data with 1000 training cases.
1245 Classificator Study 2 lesson 1-3
1246 Classificator Study 3 Classificator Study 2
1247 Classificação de Cartão Inadimplente 120642 - Aprendizado de Máquina - Universidade de Brasília
1248 Classificação de Texto - Ads Segmentation Classificação de Texto - Ads Segmentation
1249 Classify 3D voxels daf
1250 Classify Leaves Train models to predict the plant species
1251 Classify Sentiment in Movie Reviews Classify the sentiment of movie reviews in Rotten Tomatoes
1252 Classify This Movie Genre Prediction of Movies based on their Poster
1253 Classify news by tags Divide news by tags
1254 Classifying 20 Newsgroups Classification of newsgroup messages by their topic
1255 Classifying Images Classify images into one of 49 groups.
1256 Classifying Images in Fashion MNIST Homework 2 of Introduction to AI
1257 Classifying iLur News Classification of news articles from iLur.am
1258 Classifying the Fake News Data Science and Big Data Analytics Course - UMT, Sialkot
1259 Classroom Daily Activity Recognition "Competition for participants of MIPT ""Introduction to machine learning"" course"
1260 Classroom Diabetic Retinopathy Detection Competition "Competition for participants of MIPT ""Introduction to machine learning"" course."
1261 Cleaned vs Dirty Classify if a plate is cleaned or dirty?
1262 ClearNews - news category classification Classification of news categories
1263 Click-Through Rate Prediction Predict whether a mobile ad will be clicked
1264 Clickbait news detection Explore semi-supervised and transfer learning for NLP
1265 Clinical Trials Predict clinical trial outcome
1266 Clinton-Obama Predict primary outcomes.
1267 Closed Closed
1268 Cloud Faculty Institute Workshop Predict Diabetes from Medical Records
1269 Cloud Type Classification Classify ground-based cloud images into 7 sky conditions
1270 Cloud Type Classification 2 Classify ground-based cloud images into 7 sky conditions
1271 Clustering Use clustering for classification.You have to use only clustering methods. No classifiers.
1272 Co2 emissions short description
1273 CoLA In-Domain Open Evaluation Public access to CoLA in-domain test set
1274 CoLA Out-of-Domain Open Evaluation Public access to CoLA out-of-domain test set
1275 Coches de segunda mano Anuncios de venta de coches de segunda mano en las principales plataformas.
1276 Code ML 2021 Challenge 2 Solve the maze with Reinforcement Learning
1277 Code ML 2021 Challenge 3 Medium level - Sound classification
1278 Code ML 2021 Challenge 4 Text classification
1279 Code ML 2021 Challenge 6 Rock-Paper-Scissors classification
1280 Code ML Challenge 6 - Part 2 You had 48h to train your model.. let's see how it really performs
1281 Code Marathon ML 2 Round 2 - Do not overfit!
1282 CodeMarathon V 6.0: ClickBait Detection Train a binary Text classifier to detect the ClickBaits in Hindi Language.
1283 CodeOp - DAPT4 - Home Credit Default Risk Competition for CodeOp's DA course on a classification task.
1284 CodeOp - Predicting Home Credit Default Risk Competition for CodeOp's DA course on a classification task.
1285 CodeOp - Predicting Home Credit Default Risk Competition for CodeOp's DA course on a classification task.
1286 CodeOp - Predicting Home Credit Default Risk v2 Competition for CodeOp's DA course on a classification task.
1287 CodeRIT Data Science Competition Compete in the first ever data science competition hosted by the CodeRIT club
1288 Codeboss Question 1 - Dry run Bitcoin Heist
1289 Coin_Flips Section 2 Competition 2 Spring 2020
1290 Cold Call Spaceport.AI Assignment 3 (optional): Can you predict if a telemarketing call will make a sale?
1291 Coleridge Initiative - Show US the Data Discover how data is used for the public good
1292 Collaborative learning and DDoS attack detection detecting ddos attack using collaborative learning
1293 Combed DNA Image Recognition Combed DNA signal recognition: recognise signal images related to true combed DNA from noisy ones
1294 Commercial Driver Modeling CS188 Final Project
1295 Commercial Support TaskA первая задача классификации обращений в техподдержку
1296 CommonLit Readability Prize Rate the complexity of literary passages for grades 3-12 classroom use
1297 Community competition test test
1298 CompAB1 AB comp
1299 Companies bankruptcy forecast The objective is to design a classifier for bankruptcy status prediction
1300 Company Bankruptcy Prediction Which companies are going bankruptcy? - The 3rd Annual International Data Science & AI Competition 2022
1301 Comparing Images Найдите и выделите отличия на двух картинках
1302 Competencia de Aprendizaje Automático (ECI 2017) #1 Predicción de variaciones de parámetros de salud infantil en Argentina (ECI2017).
1303 Competencia de Aprendizaje Automático (ECI 2017) #2 Recomendaciones de inmuebles en un sistema de búsqueda online (ECI2017).
1304 Competencia de clasificación 2021 En este espacio se desarrollará la competencia de clasificación para el 2021
1305 Competencia de clasificación IML En este espacio se realizará la competencia de clasificación para IML
1306 Competencia de regresión 2021 En este espacio se desarrollará la competencia de regresión para el 2021
1307 Competicion prueba JJ1 Prueba
1308 Competition Classify online products into classes
1309 Competition (FIVT, ML, Spring 2015) Предскажите, превышает ли годовой доход человека 50000$
1310 Competition 1 Competition 1 based on basic algorithms
1311 Competition 1 (MIPT FIVT, ML, Spring 2015) Determine whether a person's income is more than 50000$. Based on census data.
1312 Competition 2, SHAD, Fall 2019 Категоризация вакансий
1313 Competition 2, Yandex SHAD, Fall 2017, FIXED Ранжирование организаций по пользовательскому запросу
1314 Competition 2, Yandex SHAD, Spring 2019 Определите есть ли осложнение у пациента
1315 Competition 2, Yandex SHAD, Spring 2020 Определите, есть ли осложнение у пациента
1316 Competition 2, Yandex SHAD, Spring 2021 Определите риск развития сахарного диабета у пациента
1317 Competition 3, Yandex SHAD, Fall 2017, EKB Создайте систему обнаружения несанкционированных обращений к ресурсам
1318 Competition 3, Yandex SHAD, Spring 2019 К каким категориям относится документ?
1319 Competition 3, Yandex SHAD, Spring 2020 К каким темам относится вопрос?
1320 Competition Closed Competition Closed
1321 Competition Over - PRED 411-2016_04-U2-BONUS_HMEQ Predict which person will default on a Home Equity Line of Credit (HELOC) Loan
1322 Competition Over - PRED 411-2016_04-U2-INSURANCE-A Predict the probability that a person will crash their car.
1323 Competition Over - PRED 411-2016_04-U2-INSURANCE-B Predict the amount that it will cost if a person DOES crash their car.
1324 Competition Over - PRED 411-2016_04-U3-ABALONE Guess the age of the abalone
1325 Competition Over - PRED-411-2016-04-U3-WINE Predict Wine Sales
1326 Competition Test An in-class competition made for the purpose of testing.
1327 Competition Test CVH-ML Unser Test von Kaggle InClass Competitions
1328 Competition is closed Competition is closed
1329 Competition of Image Classification2 Higher accuracy, higher score.
1330 Competition on Introduction to A.I. 透過去識別化之資料,學習課堂介紹之機械學習方法
1331 Competition on classification tasks: pima&mnist Please try out KNN first and then modify the method as you like to gain higher test accuarcy
1332 Competitive bioinformatics SMTB rotation activity of Mikhail Gelfand's lab
1333 Competição curso de verão Mini competição do curso de verão do INPE 2020
1334 Competição interna do Grupo Turing Será necessário que vocês, junto com seus mentores/mentoreados devam desenvolver uma simples IA.
1335 Component Separation with NN Find the different components of the full sky observed in the microwave band
1336 Component Separation with NN Find the different components of the microwave sky
1337 Compra de Producto Financiero La idea es predecir si un clientes comprará un activo (Y) en base a ciertas variables (X).
1338 Computational Intelligence Course Final Project Final Project of Computational Intelligence Course (Fall 1399)
1339 Computational Intelligence Course Final Project Final Project of Computational Intelligence Course (Fall 1400)
1340 Computational Intelligence Project Upload your results for the second phase of the project.
1341 Computational time FIR high order low pass filter BMEN 428/ECEN 489/CSCE 489/BMEN 689
1342 Computational time IIR high order low pass filter BMEN 428/ECEN 489/CSCE 489/BMEN 689
1343 Computational time high pass filter BMEN 428/ECEN 489/CSCE 489/BMEN 689
1344 Computational time low pass filter BMEN 428/ECEN 489/CSCE 489/BMEN 689
1345 Computer Network Intrusion Detection Task is to learn a predictive model capable of distinguishing between legitimate and illegitimate connections in a network
1346 Computer Vision Competition [SC-2020] Video Action Recognition
1347 Computer Vision Competition [SC-2020] Video Action Recognition
1348 Computer Vision Summer Training (FCIS) Flowers Segmentation
1349 Congressional Tweet Competition - Spring 2022 Do the tweets belong to Democrats or Republicans?
1350 Contest Descr
1351 Contest 1: Data Augmentation Given the MNIST data set, perform data augmentation so a NN can recognize transformed digits.
1352 Contest 3: Counting Change Given coins identified by circles of different radii, determine their monetary value
1353 Contest de classificação AIE Contest de classificação sobre tendências do youtube
1354 Conversion Rate Prediction Build a model to predict whether a user is going to buy an item
1355 Conway's Reverse Game of Life Reverse the arrow of time in the Game of Life
1356 Conway's Reverse Game of Life 2020 Reverse the arrow of time in the Game of Life
1357 Corn-Seed-Counting Misnk Yandex SHAD 2019 Corn seed countng
1358 Cornell Birdcall Identification Build tools for bird population monitoring
1359 Cornell CS4740 Project 1 Predict truthfulness of review
1360 Cornell CS5785 2016 Fall Final Cornell CS5785 AML Fall 2016 Final
1361 Cornell Movie Challenge Overview
1362 Cornell Tech CS5785 2015 Fall Final This competition is used for the final of Cornell Tech CS5785 Applied Machine Learning in Fall 2015
1363 Corona 2.0 Can we predict a pandemic from the new corona virus?
1364 Corporación Favorita Grocery Sales Forecasting Can you accurately predict sales for a large grocery chain?
1365 Correlation: exercise and calories Predict calories burned using exercise, age, body temp, and other features.
1366 CosmicResearch Kaggle 1. Dota2: Predict the winner Given players stats, predict who won the game: Radiant or Dire
1367 CosmicResearchML: Lab03 Dota2: Match Outcome Prediction
1368 Cost Prediction for Logistic Company Building a model that predicts the cost of deliveries
1369 Costa Rican Household Poverty Level Prediction Can you identify which households have the highest need for social welfare assistance?
1370 Count small aquatic animals Counting small aquatic animals, Daphnia magna, in a tank
1371 Count the green boxes Train a model to count the number of green boxes appearing in each image
1372 Coupon Purchase Prediction Predict which coupons a customer will buy
1373 Course 1 This is a clustering competition for EE226 Data Mining(AI)
1374 Course 4 - competition v2 Same than previous one
1375 Coursework2 This is a competition for datamining-ai 2020
1376 Coursework3 This is a competition for class EE226!
1377 Cover Type Prediction of Forests Use cartographic variables to classify forest categories.
1378 Cover Type Prediction of Forests Use cartographic variables to classify forest categories.
1379 Covid en Chile 2020 Prediciendo los nuevos casos de Coronavirus
1380 Covid-19 Challenge Détection de Covid-19 à partir d'images radiographiques X-ray (Cours IA Master 1 IG-FPMS-UMONS)
1381 Covid-19 Challenge Détection de Covid-19 à partir d'images radiographiques X-ray (Cours IA Master 1 IG-FPMS-UMONS)
1382 Covid-19 Prediction of the number It predict number of Covid-19 infected.
1383 Covid19 predictive analysis hackathon Predict number of daily cases of COVID-19 globally
1384 CowBoy Outfits Detection Can you train a model to locate cowboy outfits? Accept the challenge of imbalanced training data.
1385 Crack Detection: Image Classification Binary image classification problem to identify if image contain of cracks or not
1386 Credit Card Default To find whether the customer will default payment on next month or not
1387 Credit Card Fraud Can you help Equifax find compromised information?
1388 Credit Card Fraud Detection The 15th 1056Lab Data Analytics Competition
1389 Credit Card Fraud SP20 Whos commiting fraud? Suprisingly its hard to spot...
1390 Credit Hackathon 2019 Test Challenge on the development of a credit granting scorecard
1391 Credit Risk Modelling Dataset The participants has to upload their notebook for the CRM dataset. They have to measure the accuracy for the dataset.
1392 Credit Scoring Utiva Challenge Credit scoring challenge for DSF & AAP Utiva Class
1393 Credit risk scoring with logreg Assess credibility of credit loan applicants using logistic regression model.
1394 Credit risk scoring with logreg Assess credibility of credit loan applicants using logistic regression model.
1395 Credit risk scoring with xgboost Assess credibility of credit loan applicants using XGBoost model.
1396 Credit risk scoring with xgboost Assess credibility of credit loan applicants using XGBoost model.
1397 CreditCard competition This is a test competition
1398 Creditcards fraud detection Detect fraud transactions
1399 Cricket Score predictor AI ML based prediction
1400 Crime Classification - DatamexPT_0919 Classification with Machine Learning. This competition is part of Ironhack Mexico part time Data Analytics Bootcamp
1401 Crime&Unemployment_test1 test1
1402 Crime, Unemployment and Homeprice index test1
1403 Crime_Learn Sample Crime data for learning Regression
1404 Criot's IoT Challenge Outlier detection for sensor data
1405 Critical semiconductor temperature It is necessary to determine the critical temperature for these semiconductors.
1406 Crop classification Crop classification using satellite data
1407 Crowd Bias Challenge Crowd Bias Challenge at the CSCW 2021 Workshop - Investigating and Mitigating Biases in Crowdsourced Data
1408 Crowdflower Search Results Relevance Predict the relevance of search results from eCommerce sites
1409 Crunch all you want, they’ll make more: Baseball Edition It's all about winning. Using over 40 years of MLB team-level statistics, you will be modeling wins.
1410 Crypt Compet inter college compet
1411 Cryptocurrency forecasting forecasting the rate of return
1412 Ctrl Shift Intelligence! How accurately can you recognise a doodle?
1413 Curso ML - Noviembre 2020 Curso de la C7 University
1414 Curso Machine Learning Chile Curso Machine Learning Chile 18/10/2019
1415 Curso en Ciencia de Datos de la UGR (4ª edición) "Competición para la cuarta edición del Curso ""Ciencia de Datos: Un Enfoque Práctico en la Era del Big Data"""
1416 Curso en Ciencia de Datos de la UGR (5ª edición) "Competición para la quinta edición del Curso ""Ciencia de Datos: Un Enfoque Práctico en la Era del Big Data"""
1417 Curso en Ciencia de Datos de la UGR (6ª edición) "Competición interna para la sexta edición del curso ""Ciencia de Datos: Un Enfoque Práctico en la Era del Big Data"""
1418 Curso-R - Intro ao Machine Learning - Turma 202009 Competição para a entrega final do curso de introdução ao machine learning com R.
1419 Curso-R - Intro ao Machine Learning - Turma 202104 Competição para a entrega final do curso de introdução ao machine learning com R.
1420 Curso-R - Introdução ao Machine Learning com R Competição para a entrega final do curso de introdução ao machine learning com R.
1421 Curso-R - Workshop XGBoost Scripts p/ o workshop de XGboost da Curso-R
1422 Cusco-PUCP 2021-02 - Ataque al Corazón Competencia para el Curso de Capacitación en Machine Learning y Data Science con Python 2021-02
1423 Customer Churn Prediction 2020 Predict whether a customer will change telco provider
1424 Customer Segmentation Understand your customers and have the edge!
1425 Customer Transaction Prediction identify who will make a transaction
1426 Customer churn Predicting customer churn
1427 Customer classification challenge - dw rzeszow This dataset is about the direct phone call marketing campaigns, which aim to promote term deposits among existing customers.
1428 Customer spend model Predict customer purchases from German book company
1429 D-Tribe AI Hackathon 2020 Insect Species Classification
1430 D012554 (2017-2018) Machine Leren methoden voor biomedische gegevens
1431 D012554 - 2021 Classify the health of a fetus using CTG data
1432 DA NLP Task Postcomp Build a classifier to predict a book's genre.
1433 DAD Bankruptcy prediction challenge 2019 Binary classification challenge for a graduate course at Ecole Centrale de Lille, France.
1434 DAI_5004_01_AMLDL_Competition 성균관대학교 고급머신러닝딥러닝 대회
1435 DAP 2018 Nagyházi Vajon többért tudom-e eladni a használt autómat, mint az átlag?
1436 DASPRO DATA HACKATHON House Pricing Problem. Let predict the price!
1437 DAT21 Linear Regression Assignment Review exercise on linear regression
1438 DAT31 Shuttle Diaster Predicting NASA Space Shuttle Part Failure
1439 DATA ANALYTICS CHALLENGE PRODIGY'18 Data Analytics Event by Prodigy, NIT Trichy
1440 DATA SCIENCE - ML AND DL TEST CLASSIC ML AND DL ALGORITHMS! :D
1441 DATA SCIENCE - ML AND DL TEST CLASSIC ML AND DL ALGORITHMS! :D
1442 DATA SCIENCE - ML AND DL TEST CLASSIC ML AND DL ALGORITHMS! :D
1443 DATA101 Prediction Challenge 5 Predict if two people are friends
1444 DATACUP Just a dataset can change your mindset!
1445 DATACUP Just a dataset can change your mindset!
1446 DATAMAESTRO Try different machine learning and deep learning algorithms
1447 DATDC28: Whiskey Can you predict the type of whiskey based on the text of the review?
1448 DAYTESTCOMP How many notifications will you get?
1449 DC165_1 (UIUC) Revenue Prediction Student Competition
1450 DCASE2018 Challenge - Task1A Leaderboard Acoustic Scene Classification
1451 DCASE2018 Challenge - Task1B Leaderboard Acoustic Scene Classification with mismatched recording devices
1452 DCASE2018 Challenge - Task1C Leaderboard Acoustic Scene Classification with use of external data
1453 DCASE2019 Challenge - Task1A Leaderboard Acoustic Scene Classification
1454 DCASE2019 Challenge - Task1B Leaderboard Acoustic Scene Classification with mismatched recording devices
1455 DCASE2019 Challenge - Task1C Leaderboard Classification on data that includes classes not encountered in the training data
1456 DDDDDUMMMMMMY DUMY
1457 DEFI 1 IA Trouver le meilleur algorithme pour détecter les feux de foret
1458 DEL/UFRJ - EEL891 - Semestre 2019-1 - Trabalho 1 Regressao Multivariável - estimar o valor de um diamante a partir de suas características
1459 DETECTING PNEUMONIA USING CNN IN PYTORCH You will train a CNN in PyTorch to detect Pneumonia from a chest X-Ray scan using the Chest X-Ray Images (Pneumonia) Dataset.
1460 DFC615(00) KorQuad MRC
1461 DFL - Bundesliga Data Shootout Identify plays based upon video footage
1462 DL CSHSE, fall 2021, Image classification homework 1
1463 DL Hack Track 1 (CV) Deep Learning Hackathon - Track 1 hosted by Analytics Club, CFI, IIT-M
1464 DL Hack Track 2 (NLP) Deep Learning Hackathon - Track 2 hosted by Analytics Club, CFI, IIT-M
1465 DL for exploration geophysics Competition #1
1466 DL in NLP Spring 2019. Classification Train a clickbait detector
1467 DL50 Project 1 graded Project for the students of the 2nd year Masters Data Science in ESEN Manouba
1468 DLA Project B Test Test for Project B competition
1469 DLAI3 Hackathon COVID-19 Chest x-ray challenge
1470 DLAI3 Hackathon Phase 3 Multi-class COVID-19 Chest x-ray challenge
1471 DLAI5 Fruits Categorical Classification Crowdsourced hackathon from DLAI5
1472 DLHLP(2020, Spring) HW4-3 Question Answering
1473 DLHLP2020spring ASR Joint CTC-attention based end-to-end Bopomofo-level speech recognition
1474 DLSchool: clothes recognition Предскажите тип одежды по изображению
1475 DLSchool: clothes recognition Предскажите тип одежды по изображению
1476 DLTTHIS null descr
1477 DM Assignment-2 Classification using Classifiers
1478 DM para ingeniería de procesos Clasificación de material dentro y fuera de especificación
1479 DM-Assignment 1 Classify by Clustering!
1480 DM-Assignment-1 Classify by Clustering!!
1481 DM-Assignment-1 Classify by Clustering!!
1482 DM-Assignment-1-Trial2 Trial-2
1483 DM-Assignment-1_Trial Trial for 1st assignment
1484 DM20 HW2 Kaggle Competition Emotion Recognition on Twitter
1485 DM2021 ISA5810 Lab2 Homework Emotion recognition on twitter.
1486 DMA Spring 2017 Assignment 5 - Who Survived the Titanic? Binary classification competition for Info 290T.
1487 DMA: Lab 5 This is Lab 5 in INFO 154/254 (Data Mining and Analytics)
1488 DMIA NLP Challenge Домашка для курса DMIA, трека Deep Learning, блока NLP
1489 DMIA sport intro: Surnames classification Определите слова, являющиеся фамилиями
1490 DMtest test
1491 DNN을 이용한 MNIST 손글씨 분류 2021학년도 2학기 인공지능 7주차 실습문제 1번
1492 DNN을 이용한 원자력발전소 상태 판단 2021학년도 2학기 인공지능 6주차 실습문제 1번
1493 DPSP Talent 2019 Analiza datos presupuestales y encuentra patrones que permitan predecir proyectos paralizados
1494 DPhi Kaggle Challenge Predict the price of an Airbnb listing
1495 DQ627_1 (UIUC) Revenue Prediction Student Competition
1496 DRL for Finance IASD 2022 Final project
1497 DRR Sign Sign Competition for DRR
1498 DS Test Data Science Programming Test
1499 DS UCSB - Job Board Clicks Predict the number of clicks received by job postings on Indeed using a dataset from Datafest 2018
1500 DS engineering Final Task 1 Task1 : Scene level identification
1501 DS-DC-25 ds-dc-25
1502 DS-DC-27 DS-DC-27 competition
1503 DS-UA 112: Introduction to Data Science Project 2 -- Spam Classification
1504 DS100 SP19 Project 2 Spam/Ham Email Classification
1505 DS2 competition for JY gas dataset
1506 DS2019hw4 DS2019hw4
1507 DS26 Water Pump Challenge Can you help the Tanzanian government identify faulty water pumps?
1508 DS28 Water Pump Challenge Can you help the Tanzanian government identify faulty water pumps?
1509 DS29 Water Pump Challenge Can you help the Tanzanian government identify faulty water pumps?
1510 DS3 Predictive Modeling Challenge Can you predict which water pumps are faulty?
1511 DS30 Water Pump Challenge Can you help the Tanzanian government identify faulty water pumps?
1512 DS310 2021 Spring In-class-competition .
1513 DS310_project_1_competition DS310_project_1_competition
1514 DS33 Water Pump Challenge Can you help the Tanzanian government identify faulty water pumps?
1515 DS8 Which Whiskey Use review text to predict the type of whisky
1516 DS9 Which Whiskey Use review text to predict the type of whiskey
1517 DSBA 6156 Spring 2019 - 1 Our first Kaggle InClass Competition for SVMs.
1518 DSBA-FML: Foundations of Machine Learning Classify an email into eight classes based on the metadata extracted from the emails.
1519 DSC House Price Prediction The future of Real Estate
1520 DSC PSUT continued First competition for club members
1521 DSEG660: Multi-Label Image Classification Multilabel image classification challenge, using a modified version of Microsoft COCO 2017 dataset.
1522 DSI AMES COMP. Practice your EDA and face off between classmates
1523 DSI Classification DSI classification challenge
1524 DSI Data Challenge Try to predict the number of comments based on our dataset.
1525 DSI Regression DSI regression challenge
1526 DSI-Flex Project 2 Regression Challenge Predict the sales prices of homes in Ames, Iowa
1527 DSI-SMD-1 Project 2 Regression Challenge Predict the price of homes at sale for the Aimes Iowa Housing dataset
1528 DSIR-1116 Regression Challenge DSIR-1116 Ames Housing Regression Challenge
1529 DSIR-1129 Ames Competition Using the Ames Kaggle data, build your best Linear Regression Model
1530 DSIR-28-Project 2 Regression Challenge Predict the price of homes at sale for the Ames Iowa Housing dataset
1531 DSIR-322 Project 2 Regression Challenge Predict the price of homes at sale for the Ames, Iowa housing dataset
1532 DSIR-420 Project 2 Regression Challenge Predict the price of homes at sale for the Ames, Iowa Housing dataset
1533 DSIR-524-Project 2 Regression Challenge Predict the price of homes at sale for the Ames Iowa Housing dataset
1534 DSIR-830 Project 2 Regression Challenge Predict the price of homes at sale for the Ames Iowa Housing dataset
1535 DSIR-907 Project 2 Regression Challenge Predict the price of homes at sale for the Ames, Iowa housing dataset
1536 DSML Kobe Shot Selection Dataset for the course CTE Data Science and Machine Learning.
1537 DSN Car Price Prediction Predicting prices of cars based on defined parameters
1538 DSN Pre-AI Bootcamp Titanic Survival Prediction Predict survival on the Titanic and get familiar with ML basics
1539 DSN Recruitment Service Test Data Science Nigeria Data Scientist recruitment test for a leading automotive (car) trading platform in Nigeria
1540 DSN Recruitment Service Test Data Science Nigeria Data Scientist recruitment test for a leading automotive (car) trading platform in Nigeria
1541 DSN Submission Validation Recruitment test
1542 DSN Telecom Customer Churn This competition is focus toward understanding the customer within the telecommunication industries
1543 DSONLINE Aplica todos los conocimientos del curso en esta competencia!
1544 DSPT12 Water Pump Challenge Can you help the Tanzanian government identify faulty water pumps?
1545 DSPT13 Water Pump Challenge Can you help the Tanzanian government identify faulty water pumps?
1546 DSPT2 Which Whiskey Use review text to predict the type of whiskey
1547 DSR-B29-MiniComp This mini competition is adapted from the Kaggle Rossman challenge.
1548 DSS 615 KDD 2016
1549 DSlab Kaggle Competition Fall 21 UT Kaggling since 1954
1550 DS特論2019年度 演習課題1 Binary Classification (Bank Marketing)
1551 DS特論2019年度 演習課題2 Recommendation (steam-video-games)
1552 DTMF Challenge IUST - Computer Department - Signals and Systems
1553 DTMF Challenge - Phase1 IUST - Computer Engineering Department - Signals and Systems
1554 DTMF Challenge - Phase2 IUST - Computer Engineering Department - Signals and Systems
1555 DUCDatathon2020 Quantitative Competition for the DUC2020 challenge
1556 DanburyAI: June 2018 Workshop Can you create a neural network to classify street view house number digits?
1557 Dark Matter signal search. Episode 1. Find traces of electromagnetic showers that may be a signal of dark matter particles
1558 Dark Matter signal search. Episode 2. Find traces of electromagnetic showers that may be a signal of dark matter particles
1559 Dark Matter signal search. Episode 2.1 Find traces of electromagnetic showers that may be a signal of dark matter particles
1560 Darkmatter-milestone5 (only private) ecognize many overlapping em-showers with no origin information
1561 Dart Score Prediction ทำนายคะแนนเกมปาเป้า
1562 Data & Beyond Become a Top Security Analyst and Tackle the Worlds Greatest Threat - Terrorism
1563 Data 100 Fall 19, Project 2 Spam/Ham Email Classification
1564 Data 100 Spring 2020 Project 2 Spam / Ham Classification
1565 Data 100 Summer 19 Proj 2 Spam/Ham Email Classification
1566 Data 101 Practice Practice for submitting to Kaggle competitions
1567 Data Boot Camp Challenge Test your machine learning wits!
1568 Data Challenge Predict the final year grade ?
1569 Data Challenge - Supervised ML Multi-class classification on imbalanced data set
1570 Data Challenge - Supervised ML Multi-class classification
1571 Data Challenge Kemenkeu Data Challenge Kemenkeu 2020
1572 Data Challenge at PHM Asia Pacific 2021 Task II: Classification
1573 Data Mining (AI) This is a competition of image procession on Imagenet
1574 Data Mining Assignment-3 Malware Detection System
1575 Data Mining C Competition Only for Data Mining C Participants
1576 Data Mining Hackathon on (20 mb) Best Buy mobile web site - ACM SF Bay Area Chapter Getting Started - Predict which Xbox game a visitor will be most interested in based on their search query. (20 MB)
1577 Data Mining Hackathon on BIG DATA (7GB) Best Buy mobile web site Predict which BestBuy product a mobile web visitor will be most interested in based on their search query or behavior over 2 years (7 GB).
1578 Data Mining I (CC4018) - 2020/2021 Predict causes of Forest Fires in Portugal during 2015
1579 Data Mining: Programming HW1 Classification
1580 Data Mining: Programming HW1_new Classification
1581 Data Preparation (Exercise) Advanced Data Preparation (Exercise 1)
1582 Data Science & Machine Learning (ISM 415, 2021) Machine Learning: Exited or Not?
1583 Data Science Bowl 2017 Can you improve lung cancer detection?
1584 Data Science Capstone - Mini Project Competition A competition about predicting the review scores using the Amazon Fine Food Reviews dataset.
1585 Data Science Capstone - Mini Project Competition A competition about predicting the review scores using the Amazon Fine Food Reviews dataset.
1586 Data Science Challenge at EEF 2019 Competição de ciência de dados para alunos do ITA/UNIFESP SJC.
1587 Data Science Challenge at ITA 2020 Competição de ciência de dados para alunos do ITA/UNIFESP/IFSP.
1588 Data Science Challenge at ITA 2021 (Warm Up) Competição de ciência de dados para estudantes brasileiros.
1589 Data Science Club PSUT First competition for club members
1590 Data Science Hackathon Can you predict the salary of an Engineer in India based on their previous performance history?
1591 Data Science Homework Predict the onset of diabetes based on diagnostic measures
1592 Data Science Ife Telecoms churn prediction predicting churn amongst mobile telephone subscribers
1593 Data Science Lab Kaggle Sp2020 Binary classification for 2020 Longhorns
1594 Data Science London + Scikit-learn Scikit-learn is an open-source machine learning library for Python. Give it a try here!
1595 Data Science Nigeria Bank Campaign Subscriptions 2 A direct marketing campaign of a Nigerian banking institution to their clients
1596 Data Science Nigeria Instagram Marketing Ad Predict the conversion rate of an Instagram marketing campaign run
1597 Data Science Nigeria Staff Promotion Algorithm Predicting staff that are likely to be promoted based on defined personal and performance parameters
1598 Data Science Nigeria Telecoms Churn Predict the likelihood of churn among mobile telephone subscribers using a balanced dataset
1599 Data Science Nigeria/OneFi loan risk prediction Predicting the odds of loan repayment among low income segment
1600 Data Science testing ex №2 Classification exercise
1601 Data Science testing ex №3 Classification exercise
1602 Data Science testing ex №5 Classification exercise
1603 Data Wrangling Give the margin in congressional elections
1604 Data analysis CSE Trial for the competition
1605 Data challenge 1 (Stat 946) Image classification
1606 Data driven Security and Privacy ADS5035_01 In class competition that detecting output of Neural texture model
1607 Data mining competition 2021 Internal competition
1608 Data sorcerer for education puropose only
1609 Data&Science: HEP triggers Select which events at the LHC should be stored and analyzed.
1610 Data-Driven Business Analytics WS 19/20 3. Projekt
1611 DataAnalyze inclass competition 2020(titanic)-old Let's try DataAnalyze
1612 DataBreak 2018: Hello Kaggler! Titanic 어디까지 학습해봤니?
1613 DataFest BDCoE's annual hackathon
1614 DataHack Regression competition
1615 DataHack-TechnoStart 2k19 RGUKT's first ever Machine Learning Competetion.
1616 DataHunt SVC Attrition Prediction Challenge
1617 DataLab 2021 Cup2: Object Detection Competition for CS565600 Deep Learning
1618 DataLabCup1: Predicting News Popularity Competition for CS565600 Deep Learning
1619 DataMex 1019 Prediccion del precio del Airbnb
1620 DataMex2020 Proyecto ML
1621 DataRobot AI Academy on Time Series for DIC 時系列モデリングの理論とハンズオン
1622 DataScience1718@L3S Text message spam detection
1623 DataScience2019#HW5 Graph node clasification
1624 DataScience_ML DataScience ML Assignment
1625 Data_Analytics_Assign Perform comparative analysis of regression and time series models to predict stock prices
1626 Datacrunch: Which company is getting blocked next Predict which companies are going to be blocked next year based on their history data
1627 Datalab Cup3: Reverse Image Caption Competition for CS565600 Deep Learning
1628 Datalab Cup4: Unlearnable Datasets CIFAR-10 Competition for CS565600 Deep Learning
1629 Datalab Cup4: Unlearnable Datasets Imagenet Competition for CS565600 Deep Learning
1630 Datascience Class Fake news detection competition
1631 Datascience NEFU 2020 Ammosov NEFU students competition on Machine Learning
1632 Datathon BanBif Como parte de su estrategia de innovación abierta BanBif lanza la 1era Datathon BanBif
1633 Datathon Internacional Interbank 2020 Score crediticio para emprendedores
1634 Datathon2021 Your goal is to process data, build a model and get a good accuracy score.
1635 Datathon_backus_001 Competencia analítica.
1636 Dataton - Banco Galicia - 2019 Use web analytics to predict future conversions
1637 Dataton DataKnow Reto Forecast As A Service
1638 Datawiz 2022 Round 1 An ode through Random Forests...
1639 Datern ML Competition Week 3 Project
1640 Datos estructurados - ITBA 2020 Sistema de Recomendación de peliculas
1641 Datos estructurados - ITBA 2021 Sistema de Recomendación de peliculas.
1642 Dauphine - Data Science - Acquisition How much should we pay for a click ?
1643 Day2Comp one day from now...
1644 DeClutter Build an automated tool that can identify unnecessary software documentation at the class or file level.
1645 DecMeg2014 - Decoding the Human Brain Predict visual stimuli from MEG recordings of human brain activity
1646 Decision Trees TJ Machine Learning Club's Decision Trees Contest
1647 Decision Trees 2021 Predicting whether or not someone has a cardiovascular disease given info about their health
1648 Decision Trees/Random Forests 2020 TJML's Competition on Decision Trees and Random Forests for 2020
1649 Declutter Challenge 2020 Build an automated tool that can identify unnecessary software documentation at the class or file level.
1650 Deep Covid-19 Développer un réseau de neurones profond pour classifier les radiographies
1651 Deep Health - Diabetes 2 This competition is for those attending the Deep Health Hackathon.
1652 Deep Health - alcohol Find Correlations and patterns with Medical data
1653 Deep Learning Classification Task The goal is to achieve high accuracy on a given dataset.
1654 Deep Learning Competition [ CS -2020 ] COVID-19 and Pneumonia Diagnosis
1655 Deep Learning Competition [SC-2021] Natural scene recognition
1656 Deep Learning Course Final Competition This is the final competition for NCTU 2020 Deep Learning Course
1657 Deep Learning Creator School: Step 02 Сan you recognize fake videos?
1658 Deep Learning Fasam 7 Classifique o set de cada card do jogo Magic The Gathering
1659 Deep Learning HW2P2 Part 2 (Verification)) CMU - Turnkey : Intro to Deep Learning
1660 Deep Learning LMU WiSe 2017 - Challenge 2 ...
1661 Deep Learning and Applications This is an in-class competition for Deep Learning and Applications at HEC Montreal.
1662 Deep Learning based Bandura Music Development of music with musical note recognition and NLG in the form of music with bandura music instrument
1663 Deep Learning for Hot Dog Recognition Help Dasha Find Hot Dogs On Images
1664 Deep Learning para Análise de Sentimento Atividade da disciplina COC891 - Deep Learning
1665 Deep Learning using pyTorch thinkAI.org
1666 Deep Learning with Limited Labeled Data This competition expects you to train a powerful model with limited labeled data
1667 Deep Learning-Teoria i Praktyka Staszicowe Warsztaty o Sieciach Neuronowych
1668 DeepFake Detection Deepfake Detection/Mitigation
1669 DeepLearning HW2 Transformer News classification
1670 DeepLearning2021Competition Kyung Hee University Deep Learning Lecture Project Challenge
1671 DeepN - Rumour Identification on Tweets If Technology had a face now, it would be ‘AI’.
1672 DeepNLP HSE Course Millions of trash questions with billions of answers
1673 DeepShare_nlpstarter 文本分类入门比赛
1674 Deepfake Detection Challenge Identify videos with facial or voice manipulations
1675 Deeplearning2021Project Kyung Hee University Deep Learning Lecture Project Challenge
1676 Default of Credit Card Clients Predict the default payments of credit card clients
1677 Defi 1 IA 2021 Développez le meilleur modèle Deep Learning pour détecter les feux de forêt
1678 Deforestation Can you find deforestation on satellite imagery?
1679 Delete delete
1680 Delete this competition Delete this competition
1681 Delete this competition Vamos verificar se é possível classificar pacientes saudáveis com base em dados
1682 Deleted Project This is a multi-classification task based on medical images, which contains CT images of various lung diseases
1683 Deleted competition Deleted competition
1684 Delitos en los municipios de NY Predicción de la cantidad de delitos, por tipo y por barrio, semana a semana en la ciudad de Nueva York
1685 Deloitte/FIDE Chess Rating Challenge This contest, sponsored by professional services firm Deloitte, will find the most accurate system to predict chess outcomes, and FIDE will also bring a top finisher to Athens to present their system
1686 Demand Forecasting of store data Forecast the number of demand for each products on store for next 12 month in the test data set using training data
1687 Demo Competition This is just a practice competition.
1688 Demo UPAI UPAI Submit
1689 Demo-MIC XXXXXX
1690 Demo123 Predicting the Returns of Artistic Works
1691 Deneme Hackaton some trial
1692 Deneme11 Deneme Kaggle Projesi
1693 Denison DA350: Amazon Lab - Fall 2019 Predicting the scores for Amazon Fine Food Reviews
1694 Denoising Dirty Documents Remove noise from printed text
1695 Dense neural network for classification Build a dense neural network model to classify the dataset
1696 Deprecated ?
1697 Depricated Test
1698 Desafio WorCAP 2020 Desafio criado com o intuito de praticar Data Science e Machine Learning!
1699 Design Image Style Classification CNN algorithm competition for design style representation and recognition.
1700 Detección de diabetes En base a un dataset conocido, se debe hacer un clasificador de diabetes
1701 Detecting Boosted Higgs Competition 2021 Boosted Higgs boson vs. light quark events classifying
1702 Detecting Boosted Higgs Competition 2022 Boosted Higgs boson vs. light quark events classifying
1703 Detecting Insults in Social Commentary Predict whether a comment posted during a public discussion is considered insulting to one of the participants.
1704 Detecting Xenophobic Tweets Using the text of several tweets, you should be create a model for detecting Xenophobic Tweets
1705 DevDay'21 Data Science Competition Classify high energy Gamma particles in atmosphere
1706 DevFest21 Competition Start here! Predict whether a customer will generate revenue for an online shopping website
1707 Device profiling Predict operating system family from input event timings
1708 Diabetes Figure out who will get diabetes!
1709 Diabetes How to Setup an InClass Competition
1710 Diabetes Classification Predict the given person is suffering from diabetes.
1711 Diabetes SP20 Hopefully insulin is cheap around here.
1712 Diabetic Retinopathy Classification medical image classification
1713 Diabetic Retinopathy Contest .
1714 Diabetic Retinopathy Detection Identify signs of diabetic retinopathy in eye images
1715 Diablo Cryptocurrency Price Prediction Predict price of private cryptocurrency 'Diablo'
1716 Diamantes Prediccion del precio de los diamantes.
1717 Diamantes 2 Prediccion precios de diamates.
1718 Diamantes The Bridge Prediccion precio de diamantes
1719 Diamonds Predicting diamonds prices | Data FT Nov 2020 | The Bridge
1720 Diamonds Can you predict how much does a Diamond cost? | DS-FT 21.09 | The Bridge
1721 Diamonds Price Predict the price of diamonds
1722 Diamonds datamex0719 Predicting diamonds prices!!!
1723 Diamonds | datamad0121 Predicting diamonds prices
1724 Diamonds | datamad0320 Predicting diamonds prices
1725 Diamonds | datamad0321 Predicting diamonds prices
1726 Diamonds | datamad0620 Predicting diamonds prices
1727 Diamonds | datamad0821 Predicting diamonds prices
1728 Diamonds | datamad1021 Predicting diamonds prices
1729 Diamonds | datamad1021-rev Predicting diamonds prices
1730 Digging into Data : Fall 2018 : HW3 : QA The goal of this homework is to predict whether the answer to a trivia question is correct or not.
1731 Digit Recognizer Learning Computer vision with MNIST
1732 Digit Recongnizer 1438 This is a multiclass classification problem on subset of MNSIT
1733 Digital Democracy Image Recognition using Convolutional Neural Networks
1734 Digital Economy Network Summer Task Predict Sentiment
1735 Digital Pathology Classification Challenge You will build a classfier for digital pathology images.
1736 Digits classification - Dubna 2015 Recognition of the handwritten digits from the MNIST dataset.
1737 Digits classification with CNN Build a CNN model to classify samples of handwritten digits
1738 Dimensionality reduction Classify music symbols using dimensionality reductions techniques, assignment 4 for SPRL at FAST, National University of Computer & Emergin
1739 Discriminant Analysis Predict which position the FIFA player is
1740 Discussion Forum for MB internal ML Trainings. This platform will be used to discuss the queries related to ML trainings in MB.
1741 Disease Classification Challenge Classify the diabetes of the індіанЧів based on the clinicially important features
1742 Disease Prediction Predict new diseases for patients
1743 Disneyland Crowd Levels 디즈니랜드 Crowd Level 예측 분류
1744 Display Advertising Challenge Predict click-through rates on display ads
1745 Distance Geometry Learning Восстановление координатного пространства по матрице расстояний
1746 Do not enter Do not enter
1747 Document classification Optimizing a perceptron for document classification
1748 Document classification Optimizing a perceptron for document classification
1749 Document classification Optimizing a perceptron for document classification
1750 Dog Breed Classification This would make a good app...
1751 Dog Breed Classifier There's a lot more dog breeds than you think.
1752 Dog Breed Identification Determine the breed of a dog in an image
1753 Dog vs Cat classification Classify between a Dog and Cat in each image
1754 Dogs Vs Cats MVML 2020 Task to classify dogs or cats
1755 Dogs vs Cats ImInt 2020 You have to classify dogs and cats
1756 Dogs vs Cats iminit 2017 You have to classify dogs and cats
1757 Dogs vs. Cats Create an algorithm to distinguish dogs from cats
1758 Dogs vs. Cats Redux: Kernels Edition Distinguish images of dogs from cats
1759 Domain Auctions Predict current price of a domain at auction
1760 Domain price KSE DAVR 2019 Predict price of domain for a DAVR course at KSE 2019
1761 Don't Get Kicked! Predict if a car purchased at auction is a lemon
1762 Don't Overfit! With nearly as many variables as training cases, what are the best techniques to avoid disaster?
1763 Don't Overfit! II A Fistful of Samples
1764 Don't Overfit-Alternate This is just like Don't Overfit, but with a target I made.
1765 Don't call me turkey! Thanksgiving Edition: Find the turkey in the sound bite
1766 Don't join this compettion!!! No join here this compet is test!!!
1767 DonorsChoose.org Application Screening Predict whether teachers' project proposals are accepted
1768 Dota 2: Predicting match outcome Predict the outcome of Dota 2 matches based on the first 5 minutes.
1769 Dota Science Предсказание победителя в Dota
1770 Draft title Draft title
1771 Draft2 Lol
1772 Dragon Test Plant your code
1773 Draper Satellite Image Chronology Can you put order to space and time?
1774 Driver Gaze Zone Classification Image classification to detect driver gaze zone
1775 Driver Telematics Analysis Use telematic data to identify a driver signature
1776 Driving Segmentation Inclass Competition Driving Scene Segmentation
1777 Dromosys Movie Review Sentiment classification on movie reviews
1778 Drone identification and tracking From radar and other sensor data, can you detect, classify and track different drones or UAVs
1779 Drug solubility challenge Solubility is vital to achieve desired concentration of drug for anticipated pharmacological response.
1780 Dstl Satellite Imagery Feature Detection Can you train an eye in the sky?
1781 Dummy Competition For test Upskill yourself by experimenting with sklearn, automl and deep learning
1782 Dummy Dumy Everything is dummy
1783 Duración de recorridos de taxi en NY En esta competencia tu reto es predecir cuánto durará un viaje en taxi en la ciudad de nueva york.
1784 Dx Test Stress and Validation test for Sep 27th Kaggle
1785 Dyuksha demo HI there
1786 Découverte des outils Initiation à l'utilisation des librairies python utiles à la fouille de données.
1787 EB数据科学家挑战赛 数据科学家入门课程的配套比赛
1788 EC524: Heart-disease classification Classify individuals' risk for heart disease
1789 ECBM E4040Fall2019 Assignment 2 task 5 Bottle dataset Kaggle competition.
1790 ECE 657A : Asg3 : DKMA-COVID-S21 Use Deep Neural Networks to Predict Three Daily COVID-19 Outcomes in US States over one month.
1791 ECE 657A : Assignment 2 : DKMA-COVID-S21 Predict three binary labels describing COVID-19 trends in Jan 2021 in US States.
1792 ECE Paris - Deep Learning Deep learning challenge - ECE Paris 2019
1793 ECE4110 Mini project 1 Try to eliminate the noise as much as possible from the audio file!
1794 ECE4250 Project : Spring 2019 Automatic segmentation of brain MRI
1795 ECE4250 Project: Spring 2020 Automatic segmentation of brain MRI
1796 ECE4250 Project: Spring 2021 Automatic segmentation of brain MRI
1797 ECE590:CIFAR-10 Object Recognition Modified CIFAR-10 dataset for image classification. Classify 10 objects from 60,000 images.
1798 ECE597/697 Fashion MNIST Classifier Can your classifier predict the type of Fashion item in the image?
1799 ECE597/697 Fashion MNIST Classifier Can your classifier predict the type of Fashion item in the image?
1800 ECE657AW21-Assignment1-Iris-Dataset Basic Environment Set-up and Classification
1801 ECHO2022 Prediction of cardiac ejection fraction based on echocardiogram loops
1802 ECI 2019 - NLP "TP del curso ""Procesamiento del lenguaje natural mediante redes neuronales""."
1803 ECML/PKDD 15: Taxi Trajectory Prediction (I) Predict the destination of taxi trips based on initial partial trajectories
1804 ECML/PKDD 15: Taxi Trip Time Prediction (II) Predict the total travel time of taxi trips based on their initial partial trajectories
1805 ECO3119 Final Competition Spring, 2021, Yonsei University
1806 ECO3119_20210502 due to 5/2
1807 ECO3119_20210509 5/9
1808 ECS308/658 Predict the value on a given date
1809 EDLD 654: Fall 2020 Competition for EDLD 654 Course at the University of Oregon: Machine Learning for Educational Data Science
1810 EDLD 654: Spring 2020 Submit your predictions for student-level statewide testing scores
1811 EDM UPV 2020 Competición para la asignatura EDM máster MUGI-UPV
1812 EDSA - Climate Change Belief Analysis Predict an individual’s belief in climate change based on historical tweet data
1813 EE258_1 (UIUC) Revenue Prediction Competition
1814 EE359-1 数据挖掘技术 This is a competition for course project 1
1815 EE359-2 数据挖掘技术 This is a competition for course project 2
1816 EE4211-Det Detection Task
1817 EE4211-Seg Segmentation Task
1818 EE4211-Segmentation Segmentation Task
1819 EE448_2: Query Expansion In class project for EE448(2020) in SJTU.
1820 EE4708: Final Project - Competition Final Project
1821 EECS 545 Fall 2020 Air quality problem Air pollution is a severe problem. We examine machine learning algorithms that can predict air quality levels within a city.
1822 EECS442 W19 HW4 Wizarding Facade dataset leaderboard
1823 EEE Datathon Challenge 2020 A datathon challenge organised by NTU EEE to hone your skill in data science and machine learning
1824 EEG Eye State Emotive EPOC+
1825 EEL891 - 2020.01 - Trabalho 1 Classificação: sistema de apoio à decisão p/ aprovação de crédito
1826 EESTECH Challenge: Task 1 Ανίχνευση πρωτεϊνών δόμησης πάγου
1827 EESTECH Challenge: Task 2 Κατηγοριοποίηση καρκίνων του δέρματος
1828 EFREI Paris - Deep Learning Deep learning challenge - EFREI Paris 2019
1829 EGRIS - Aprendizaje Automático Clasificación de material dentro y fuera de especificación
1830 EH456_1 (UIUC) Revenue Prediction Student Competition
1831 EL4106 2021 - Proyecto parte 0 En esta competencia, se debe implementar un clasificador de actividades físicas
1832 ELAN DEEPN "Elan & ηvision , IIT Hyderabad proudly presents its Deep Learning event ""DeepN"""
1833 ELL 409 Demo Assignment 1 ELL 409 Demo for assignment 1
1834 ELL 409 Demo Assignment 1 Duration: 90 mins | Max Submissions: 5
1835 ELL409Assignment Demo Part 3 11:45- 1:15 | Max submissions 5
1836 ELTE_phys_photoz Predict redhift from photometric data
1837 EMC Data Science Global Hackathon (Air Quality Prediction) Build a local early warning systems to accurately predict dangerous levels of air pollutants on an hourly basis.
1838 EMC Israel Data Science Challenge Match source code files to the open source code project
1839 EMI Music Data Science Hackathon - July 21st - 24 hours Can you predict if a listener will love a new song?
1840 EN.553.803 Financial Computing Workshop 2021 (10k) Given a dataset of 10K filings can you predict the sector the company belongs to?
1841 ENDED one Regular expressions
1842 ENSAI - Géostatistique 2020 Prediction of Cobalt top soil concentration over the swiss Jura
1843 ENSO Forecasting Forecast ENSO 5 months ahead of time!
1844 EPF Montpellier - Introduction to Data Science Predict digital advertising sales
1845 ES géostatistique Prediction of Cobalt top soil concentration over the swiss Jura
1846 ESB L2 projet ML DS1 te3kom
1847 ESDA NILM NILM Classificaton
1848 ESDA NILM (2021) Predict appliances based on non-intrusive load monitoring (NILM) data
1849 ESTÜ VBK DataWorks'Datathon ESTÜ Öğrencilerine özel makine öğrenmesi yarışması.
1850 EURECOM AML 2021:: Challenge 1 Air travel delay forecasting
1851 EURECOM AML 2021:: Challenge 2 Glaucoma diagnosis and segmentation
1852 EURECOM AML 2021:: Challenge 3 Sentiment Analysis
1853 EURECOM AML 2022:: Challenge 1 Weather prediction
1854 EXP Week 2 Sec Ava EXP Team testing competition for week 2 sec ava
1855 Earthquake Damage Prediction F20 MDST Earthquake damage project
1856 Econometrics 2 (W20) House price prediction
1857 Econometrics 2 (W21) House price prediction
1858 Ecopetrol Tiene como objetivo implementar un modelo de clasificacion
1859 Ectrics2014 Predict Personal Income using six other macroeconomic variables.
1860 Ectrie2014 Predict Personal Income using six other macroeconomic variables.
1861 Efectiva Modelo Ingresos Big Data & Analytics
1862 Elections (ML RANEPA 2018) Predict the outcome of presidential elections
1863 Electric Production Forecasting Use your ML expertise to predict electric production data
1864 Electrical Demand France 2021 Prévisions de la consommation électrique française en 2021
1865 Electricity Shortfall - Regression Challenge Predict the electricity shortfall for the country of Spain
1866 Elemeno AI - SF Hacks Challenge Catch the whale 🐳
1867 Elo Merchant Category Recommendation Help understand customer loyalty
1868 Elo Merchant Category Recommendation Help understand customer loyalty
1869 Email Sentiment Analysis The task of determining the emotional background of the letter
1870 Embajadores-MachineLearning Examen de Machine Learning en el programa formativo en Data Science.
1871 Embedded test 18 It is a test competition
1872 Emotion Detection Challenge. Classification task of segmenting image data corresponding to facial features of humans in various emotional states.
1873 Emotion Detection From Facial Expressions Identify the emotion associated with the facial expression in a set of images
1874 Emotion and identity detection from face images The input is the pixel-level image of a face and the target variables are emotion categories, and optionally, user identities.
1875 Employee Promotion Analysis Build a Machine Learning Classification model to identify potential employees who deserve a promotion at the company.
1876 Employee attrition Try to use available data to predict if an employee plans to quit
1877 Encontrando o melhor valor Você consegue otimizar a fórmula matemática?
1878 Energy consumption Predici il consumo energetico di case e condomini
1879 EngML Criteo Workshop Challenge for the EngML Criteo Workshop
1880 Engima-2 asafdghj
1881 English Hand Written English Hand written Recognition
1882 English SA Competition - BDC101 English SA Competition - BDC101
1883 English SA Competition - DFE610 English SA Competition - DFE610
1884 English phonetics Find transcription of english words!
1885 Enigma - Day 1 Prometheus - A Crusade Through Time
1886 Enigma - Day 1 Prometheus - A Crusade through Time
1887 Enigma - Day 1 Prometheus - A Crusade Through Time
1888 Enigma - Day 3 Prometheus - A Crusade Through Time
1889 Enigma - Day 3 Prometheus - A Crusade Through Time
1890 Enigma Day 3 Prometheus - A Crusade Through Time
1891 Enigma Day 3 Demo WW2 themed competition
1892 Enigma demo Day1
1893 Enigma | Prometheus X Day 2 Enigma | Prometheus X Day 2
1894 Enigma-2_Demo This is a Demo
1895 Enka AI Club Competition Created for ENKA Schools AI Club
1896 Enthusia 2019 Round 1 Round 1 for Enthusia 2019
1897 Epi x Python workshop demo Epi x Python workshop demo
1898 Epidemics Competition Create vaccination strategy so that as few people as possible were infected
1899 Epidemics Competition Create vaccination strategy so that as few people as possible were infected
1900 Erasmus University Rotterdam - Econometrie 2 - Prediction Competition Use the techniques discussed in class to find the regression model that makes the best predictions.
1901 Essay score prediction Essay score prediction
1902 EstMV2020 Predicting Online News Popularity
1903 Estadística para Ciencia de Datos Examen de modelamiento estadístico para los alumnos del curso de Estadística para Ciencia de Datos.
1904 Estimation of Link Quality for LoRa MSU Spring2020 CSE891-004: Estimation of Link Quality for LoRa
1905 Evaluación Final - 2020-1 Evaluación de los conceptos aprendidos durante el Módulo Minería de Texto.
1906 Evaluación Final 2021-1 Evaluación de los conceptos aprendidos durante el Módulo de Minería de Texto.
1907 Evaluación Final 2022-1 Evaluación de los conceptos aprendidos durante el Módulo de Minería de Texto.
1908 Event Recommendation Engine Challenge Predict what events our users will be interested in based on user actions, event metadata, and demographic information.
1909 Events Detection Acoustic Events Detection competition
1910 Evgezoh description
1911 ExML-Prelims-Task-1 Task-1
1912 ExML-Prelims-Task-2 Task-2
1913 Examen 2 - AP - ITBA Segundo Examen
1914 ExamenMachineLearningG10 Examen de modelos predictivos del curso de Machine Learning for Data Science.
1915 ExcelR - Electric Motor Temperature Predict Motor Speed based on other attributes available
1916 Exemplo de competição - WorCAP 2020 Exemplo de competição
1917 Exercício Final de Vendas Período de previsão em teste: ago/2015 (previsão diária)
1918 Expedia Hotel Ranking Order hotels by relevance
1919 Expedia Hotel Recommendations Which hotel type will an Expedia customer book?
1920 Expert Class | Face Emotions Classification Build a model to recognize facial expressions in images
1921 Explicit content detection HSE Data analysis (Software Engineering) 2020
1922 Explore Multi-Label Classification with an Enzyme Substrate Dataset Playground Series - Season 3, Episode 18
1923 Extreme Classification - Amazon Large-scale multi-label classification with millions of labels
1924 Extreme Classification - Dataset1 Large-scale multi-label classification with millions of labels
1925 Extreme Classification - Dataset2 Large-scale multi-label classification with millions of labels
1926 Extreme Classification - EURLex Large-scale multi-label classification with millions of labels
1927 Extreme Classification-Dataset3 Large-scale multi-label classification with millions of labels
1928 Exámen 2 - Análisis Predictivo 2022Q1 Competencia para el exámen 2 de Análisis Predictivo 2022 1er Cuatrimestre
1929 Eye Blinking Prediction CompOmics 2018 summer competition
1930 Eye Movements Verification and Identification Competition Determine how people may be identified based on their eye movement characteristic.
1931 F1 Boost Data Science and Machine Learning Hackathon, Meraz'19, DSC IIT Bhilai
1932 F1 Challenge PECFEST F1 Challenge
1933 F20 Sentiment Analysis Competition UC Irvine FEMBA 290: Machine Learning for Managers
1934 FAA 2020: Cognate Identification Predict whether two words from different languages are etymologically related.
1935 FACE REDUCE Apply k-means and SOM on faces dataset
1936 FALL2018 - UDEL MBA Forecasting Competition Forecasting Two Products for Two Stores Over 60 days: Forecast Daily Demand for June 1, 2013 - July 30, 2013
1937 FALL2019 - UDEL MBA Forecasting Competition Forecasting Two Products for Two Stores Over 60 days: Forecast Daily Demand for June 1, 2013 - July 30, 2013
1938 FASAM - NLP Competition - Turma 4 Predict News Category
1939 FASAM - NLP Competition - Turma 5 Predict News Category
1940 FAST Shapes Reduction Dimensionality reduction on shapes dataset
1941 FCIS Deep Learning Competition This competition is for CS Department in Neural Networks Course at FCIS
1942 FCIS Deep Learning Competition This competition is for SC Department in Neural Networks and Deep Learning Course at FCIS
1943 FCIS-ASU DL competition [CS - 2021] Autism Disorder Classification
1944 FDS Flower Classification 2021 Classify flowers via images
1945 FDS Test Competition Sample description
1946 FDU_test qwertyuio
1947 FEDFML Practisee Final Project Predict when a Hydro Pump Storage works!
1948 FI 2020 Q2 Kaggle Competition! Use Neural Networks to identify fraudulent credit card transactions
1949 FI615_1 (UIUC) Revenue Prediction Student Competition
1950 FIA ML T5 Machine Learning
1951 FIA Machine Learning T7 Credit Card Kaggle
1952 FIAP 2TBDR2018 - NAC 2 Publicação de tentativas de previsão de diabetes.
1953 FIAP FSBDS - Baby Monitor Forecast This competition is running for FIAP Big Data Science course's students.
1954 FIAP FSBDS - Baby Monitor Forecast This competition is running for FIAP Big Data Science course's students.
1955 FIAP FSBDS - Baby Monitor Forecast This competition is running for FIAP Big Data Science course's students. Group 20th
1956 FIAP FSBDS 19Ago - Baby Monitor Forecast This competition is running for FIAP Big Data Science course's students, after classes challenge.
1957 FIAP FSBDS 21 - Baby Monitor Forecast This competition is running for FIAP Big Data Science course's students. Group 21th
1958 FIAP FSBDS 22 - Baby Monitor Forecast This competition is running for FIAP Big Data Science course's students. Group 22th
1959 FIFA 2019 PLAYERS' WAGES 18k+ Latest FIFA Players, with ~80 Attributes Extracted from FIFA database
1960 FIFA UT (short-term) In this competition, we are challenging you to make the best possible short-term forecast of FIFA UT players prices.
1961 FIFA 데이터를 이용한 현실 가치 예측 19011624 송규민
1962 FIFA에서 제공하는 status로 선수 실 이적료 예측 19011624
1963 FIRST AI Crash Course: Challenge 1 This is the first challenge for the AI CrashCourse workshop, using Regression with Deep Neural Networks!
1964 FIRST AI CrashCourse - Challenge 2 This is the second challenge for the AI CrashCourse workshop, using Convolutional Neural Networks!
1965 FIRST AI CrashCourse - Challenge 3 This is the third challenge for the AI CrashCourse workshop, using Recurrent Neural Networks!
1966 FIT3181 S2 2021 Animal Classification This is an in-class competition for FIT3181 Deep Learning unit at Monash Univiersity
1967 FIT3181-5215 competition This is the competition organized for Deep Learning unit at Monash University
1968 FIT5149 2021 A2 Assessment 2
1969 FIT5149 TP6 2021 A2 Image Sentiment Polarity
1970 FIT5212 TP5 2021 A1 This is the in-class competition for the text classification task
1971 FIT5215 S2 2021 Animal Classification This is an in-class competition for FIT5215 Deep Learning unit at Monash Univiersity
1972 FIVT_HW2_SPRING2015 Определите по данным ЭКГ, болен ли пациент?
1973 FIVT_MOBOD_4 Predict tips for a taxi driver.
1974 FM846_1 (UIUC) Revenue Prediction Student Competition
1975 FMAP 2021 - Predicción de bestsellers de Udemy Competencia de predicción de bestsellers de Udemy
1976 FMI SU Recommender System HW 2/2022 Implement Rec System to predict user preferences for books
1977 FMK NLP Competition Description
1978 FST 21/22 - Final graded TP handwritten arabic character recognition
1979 Face Mask Detection CDS-B1 Module 5 MiniProject-2
1980 Face Mask Detection (internal) Something Exclusive
1981 Face Mask Detection Weightage 2 Weightage 2
1982 Face Recognition 11-785, Spring 2022, Homework 2 Part 2 (hw2p2-classification)
1983 Face Recognition (Slack) 11-785, Spring 2022, Homework 2 Part 2 (hw2p2-classification)
1984 Face Recognition on VGGFace2 (CV20) Обучите нейронную сеть для распознавания лиц с лучшим качеством
1985 Face Recognition on VGGFace2 (CV21) Обучите нейронную сеть для распознавания лиц
1986 Face Recognition on VGGFace2 (MIPTCV19) Обучите нейронную сеть для распознавания лиц с лучшим качеством
1987 Face Verification 11-785, Spring 2022, Homework 2 Part 2 (hw2p2-verification)
1988 Face Verification (Slack) 11-785, Spring 2022, Homework 2 Part 2 (hw2p2-verification)
1989 Face recognition Use non-parametric density estimation
1990 Face recognition PCA + SVM for face recognition model
1991 FaceMaskDetection short description
1992 FaceMaskDetection Weightage THis competetion with weightage check
1993 Facebook II - Mapping the Internet Round II of the Facebook Recruiting Competition.
1994 Facebook Recruiting Competition Show them your talent, not just your resume.
1995 Facebook Recruiting III - Keyword Extraction Identify keywords and tags from millions of text questions
1996 Facebook Recruiting IV: Human or Robot? Predict if an online bid is made by a machine or a human
1997 Facebook V: Predicting Check Ins Identify the correct place for check ins
1998 Facial Emotion Recognition Classify the emotion associated with the facial expression using CNN
1999 Facial Emotion Recognition Classify the emotion associated with the facial expression using CNN
2000 Facial Expression Recognition You'll be predicting the facial expressions from a set of images of faces.
2001 Facial Expression Recognition (OOD) You'll be predicting the facial expressions from a set of images of faces that also includes some out-of-domain images.
2002 Facial Keypoint Detection Detection location of keypoints on face images.
2003 Facial Keypoints Detection Detect the location of keypoints on face images
2004 Facial Landmark Detection part 1 binary classification for glasses detection
2005 Facial Landmark Detection part 2 Regressision for left mouth corner
2006 Facial Landmark Detection part 3 Regressision for right mouth corner
2007 Facial Landmark Detection part 4 Regressision for left mouth corner Y
2008 Facial Landmark Detection part 5 Regressision for right mouth corner Y
2009 Facial Recognition Identifying regions of the face
2010 Fair Classification Maximize accuracy while achieving fairness requirement.
2011 Fake Data Hackathonv2 Fake data is everywhere, instead of fighting it, let us embrace it and use it to our advantage.
2012 Fake GPS Detection GOJEK Bootcamp 2019 Kaggle Challenge
2013 Fake News Build a system to identify unreliable news articles
2014 Fake News Detection Challenge KDD 2020 Develop a machine learning algorithm to detect fake news
2015 Fake News Prediction@Toulouse Can you predict how fake is a news?
2016 Fake or Real (public!) Predict which news are real and which ones are fake (public!)
2017 Fall 2018 BAN 7002 Project 6 - Wine Quality Regression
2018 Fall 2018 STAT 441/841 and CM 763 Data Challenge 2 classify the forest cover type dataset
2019 Fall 2020 CS498DL Assignment 1 - Perceptron Perceptron Portion of Assignment 1 on CIFAR Dataset
2020 Fall 2020 MGMT 571 LEC Final Project Apply classification algorithms to forecast if a firm will collapse
2021 Fall 2021 CX Kaggle Final Project Stroke Prediction
2022 Fall ML[2] MIPT 2020 Задание по курсу математические основы машинного обучения
2023 Fall ML[2] MIPT 2021 Задание по курсу математические основы машинного обучения
2024 Fall2020-Cmpe257-Lab1 Lab1-cmpe257-Fall2020
2025 Fall2021: Programming Assignment 5 Dominating tree types in the forest
2026 Fare Classification:2020 Predict whether the fare of a set of trips is correct or not
2027 Fashion MNIST Recognize clothing items from their pictures
2028 Fashion MNIST - ITBA -2019 Clasificación del dataset Fashion MNIST usando distintas técnicas de Machine Learning
2029 Fashion MNIST-ITBA-2019 Diplomatura en Deep Learning - ITBA -
2030 Fashion MNIST-ITBA-LAB 2020 Clasificar las imagenes entre las 10 categorías
2031 Fashion MNIST-ITBA-LAB 2020Q2 Clasificar las imagenes entre las 10 categorías
2032 Fashion MNIST-ITBA-LAB ML Clasificar las imagenes entre las 10 categorías
2033 Fashion Prediction Predict the different types of clothing
2034 Fashion and Beauty Reviews Fashion and Beauty Review Rating - The 3rd Annual International Data Science & AI Competition 2022
2035 Fashiontest3 f3
2036 FathomNet 2023 Shifting seas, shifting species: Out-of-sample detection in the deep ocean
2037 Feature Imputation with a Heat Flux Dataset Playground Series - Season 3, Episode 15
2038 Feedback Prize - English Language Learning Evaluating language knowledge of ELL students from grades 8-12
2039 Feedback Prize - Evaluating Student Writing Analyze argumentative writing elements from students grade 6-12
2040 Feedback Prize - Predicting Effective Arguments Rate the effectiveness of argumentative writing elements from students grade 6-12
2041 Ferrari, Renault or Mercedes? Предсказание марки автомобиля
2042 Ferrari, Renault or Mercedes? Предсказание марки автомобиля
2043 Few Shot Counting - CSE512 Spring21 Counting objects in images
2044 Few Shot Sentiment Analysis Sentiment Analysis
2045 Fewshottask short descript
2046 Fieldguide Challenge: Moths & Butterflies Improve classification accuracy over a dataset that contains high class imbalance and high heterogeneity
2047 Filtered Results FIR high order low pass filter BMEN 428/ECEN 489/CSCE 489/BMEN 689
2048 Filtered Results IIR high order low pass filter BMEN 428/ECEN 489/CSCE 489/BMEN 689
2049 Filtered Results high pass filter BMEN 428/ECEN 489/CSCE 489/BMEN 689
2050 Filtered Results low pass filter BMEN 428/ECEN 489/CSCE 489/BMEN 689
2051 Filtered Signal Part 1 _ EVALUATION Evaluation- filtered signals for part 1 (no time constraint)
2052 Filtered Signal Part 2 _ EVALUATION Evaluation- filtered signals for part 2 (50 ms time constraint)
2053 Filtered Signals_PART 1 filtered signals for part 1 (no time constraint)
2054 Filtered Signals_PART2 filtererd signals in part 2 (50 ms time constraint)
2055 Final Project Of ustc-geo-ai21 Final Project Of ustc-geo-ai21
2056 Final Project Of ustc-geo-ai21-12 Final Project Of ustc-geo-ai21-12
2057 Final Project SA Batch 2 Explore, Visualize, and Model
2058 Final Project-Multiple Choice Competition for CS460100 Introduction to Intelligent Computing
2059 Final project - Fundamentals of ML (Fall 2021) Stock closing price ratio prediction
2060 Final project - Introduction to DNN Spring 2021 Semi-Supervised Learning on Image Classification
2061 Financial Engineering Competition (1/3) Regression
2062 Financial Engineering Competition (2/3) 2 Step Regression
2063 Financial Engineering Competition (3/3) Regression + Classification
2064 Find Person in the Dark Pedestrian detection in low light conditions.
2065 Find me that fish Predict the Probability of Occurence for the Marine Species Engraulis Encrasicolus
2066 Find not random sequence Find not random sequence
2067 Find the fund Help developers to find whether a company should be funded or not.
2068 Finding Elo Predict a chess player's FIDE Elo rating from one game
2069 Fine Food Reviews Predecir el puntaje de los reviews en funcion de sus datos.
2070 Fintech Tinkoff 60k classes text classification
2071 First Day Competition-(20-21) Getting familiar with Kaggle and Colab
2072 First International Competition of Time Series Forecasting We seek to evaluate the accuracy of computational intelligence methods in time series forecasting with multiple frequencies.
2073 First Sberbank regression challenge Predict NYC Airbnb Rental Prices (based on an Airbnb Dataset)
2074 First Steps With Julia Use Julia to identify characters from Google Street View images
2075 Flatiron Bake Off - Classification This is a predictive modeling competition! May the best baker win.
2076 Flats prices prediction Homework - regression
2077 Flats quality prediction Homework - classification
2078 Flavour tagging Hadrons? Gotta tag 'em all!
2079 Flavours of Physics: Finding τ → μμμ Identify a rare decay phenomenon
2080 Flavours of Physics: Finding τ → μμμ (Kernels Only) Identify a rare decay phenomenon
2081 Flight Quest 2: Flight Optimization, Final Phase Final Phase of Flight Quest 2
2082 Flight Quest 2: Flight Optimization, Main Phase Optimize flight routes based on current weather and traffic.
2083 Flight Quest 2: Flight Optimization, Milestone Phase Optimize flight routes based on current weather and traffic.
2084 Flight delay. Banana Предсказание задержки рейса
2085 Flight delays Predict whether a flight will be delayed for more than 15 minutes
2086 Flower Classification 練習轉移學習,CNN模型構建和超參數調整,數據預處理和數據擴充
2087 Flower Classification using Deep Neural Networks Programming Assignment 5 - Flower Classification using CNN
2088 Flower Classification with TPUs Use TPUs to classify 104 types of flowers
2089 Focus start 2020 Предсказание задержек рейсов более чем на 15 минут
2090 Follow the Money: Investigative Reporting Prospect Find hidden patterns, connections, and ultimately compelling stories in a treasure trove of data about US federal campaign contributions
2091 Food Bank Donation Forecasting Use Time Series models to forecast donations for the Food Bank of Central and Eastern North Carolina.
2092 Food Bank Time Series Models Use Time Series models to forecast donations for the Food Bank of Central and Eastern North Carolina.
2093 Food101 @ DAT18 Big Data Challenge Machine Learning Projekt #2 - Masterstudiengang DAT2018
2094 Football Match Probability Prediction Predict the probability results of the beautiful game
2095 Football Sentiment Predict the Sentiment in Twitter Messages written during a football match
2096 Football Sentiment Analysis Predict the Sentiment in Twitter Messages written during a football match
2097 Football data challenge Predict the results of football matches of the Italian League.
2098 For the beginner sorry.. frankly it's for me
2099 Fordham Deep Learning HW1 FCNN modeling in MNIST
2100 Fordham Deep Learning HW2 CNNs modeling in CIFAR-10 and Autoencoder
2101 Fordham Deep Learning HW3 Generative model
2102 Forecast Eurovision Voting This competition requires contestants to forecast the voting for this year's Eurovision Song Contest in Norway on May 25th, 27th and 29th.
2103 Forecast system demand In this competition, you will create a forecast of demand for the South West Interconnected System
2104 Forecasting Mini-Course Sales Playground Series - Season 3, Episode 19
2105 Forecasting Particulate Matter Concentration IIT PKD Petrichor 2020
2106 Forest Cover Type (Kernels Only) Use cartographic variables to classify forest categories
2107 Forest Cover Type PRS 2018 Use cartographic variables to classify forest categories
2108 Forest Cover Type Prediction Use cartographic variables to classify forest categories
2109 Fortune-telling Predicting the unpredictable
2110 Foursquare - Location Matching Match point of interest data across datasets
2111 Frame-Level Speech Recognition 11-785, Spring 2022, Homework 1 Part 2 (hw1p2)
2112 Fraud Detection detect the credit card is fraud or not.
2113 Fraud Detection Shift Academy x Bank Mega
2114 Fraud Detection MAS 648 - Final Project
2115 Fraud Prediction Predict whether a claim is fraud or not
2116 Fraud detection Classify bank transactions
2117 Fraud_detection'22 Detect fraud credit card transactions
2118 Free Pass Data Science BCC 2021 Free Pass sub-departemen Data Science BCC 2021
2119 Free Pass Data Science BCC 2022 Free Pass sub-departemen Data Science BCC
2120 Freesound Audio Tagging 2019 Automatically recognize sounds and apply tags of varying natures
2121 Freesound General-Purpose Audio Tagging Challenge Can you automatically recognize sounds from a wide range of real-world environments?
2122 Friendship-Calculator Will these people get along?
2123 Frio Frio Estimando la probabilidad de exito de distintas oportunidades de negocio
2124 Frozen Lake Use DRL to learn to pass the treachrous fronzen lake!
2125 FuJen ML HW2 Income binary classification
2126 FuJen ML HW3 Facial sentiment classification
2127 Fuga de Clientes Predicción de potenciales clientes a irse de la compañía
2128 Fuga de Clientes Se pretende estimar un modelo que permita detectar clientes con fuga de manera proactiva
2129 Full-body recognition CHTTL
2130 Fullstack Challenge 2019 I Se requiere identificar a los clientes que dejen de usar los productos o servicios de una empresa financiera
2131 Fun competition :)
2132 FunML Hw4 Problem 6 Hw4 Problem 6
2133 Fundamentos Aprendizaje Automático Competición para los estudiantes en el curso de Fundamentos de Aprendizaje Automático
2134 Fundamentos Aprendizaje Automático Competición para los estudiantes en el curso de Fundamentos de Aprendizaje Automático
2135 Fundamentos de Aprendizaje Automático V Competición para los estudiantes del curso Fundamentos de Aprendizaje Automático
2136 FungiCLEF 2022 Automatic Fungi Recognition as an open-set machine learning problem.
2137 Furniture Identification IECSE x VISION
2138 Furniture identification- Demo IECSE X VISION
2139 Fwd test Comp for Beginners SImple Classifiy
2140 G-Research Crypto Forecasting Use your ML expertise to predict real crypto market data
2141 G2Net Detecting Continuous Gravitational Waves Help us detect long-lasting gravitational-wave signals!
2142 G2Net Gravitational Wave Detection Find gravitational wave signals from binary black hole collisions
2143 GA - Lab 01 Lab Work 01
2144 GA Data Science Classification Review (Credit Scores) This is a competition to review the lessons on classifiers
2145 GA Data Science Classification Review (Credit Scores) This is a competition to review the lessons on classifiers
2146 GA Data Science NY 7 Review This project is to review the various classifier we've learned and compare and contrast different models
2147 GA Data Science NY Review This is a competition to review the lessons on classifiers
2148 GA Data Science Workshop This is a review assignment the GA Data Science Workshop to cover classification.
2149 GA x MS Kaggle Competition Build a model and make predictions using your techniques of choice
2150 GA-DS 14 Insult Detection Insult Detection Competition
2151 GA-DS 14 Insult Detection II Sentiment Analysis - Insult detection
2152 GADS15 Classification Review Predicting news content on the web!
2153 GB RecSys Project Develop recommender systems for retail dataset
2154 GCCC Lunch Income Prediction Create a model to predict time series of weekly lunch income
2155 GCP QA Test Round 2 Another migration test
2156 GCT APAC D&A Race Having fun in solving this mysterious machine learning puzzle!
2157 GDG Manouba Challenge a simple 7 hour challange
2158 GDSC NSUT Recruitment Top 10 teams will be recruited in google developer student club
2159 GDSC OUTR ML Event Apply the skills you learnt in the last 2 days, and help to predict the healthcare coverage
2160 GDSC-HICS-MachineLearning-Hackathon The first machine learning hackthon hosted by GDSC-HICS(2021/2022)
2161 GDSC_Damnhour Data Science Track First ML project
2162 GE Flight Quest Think you can change the future of flight?
2163 GE Hospital Quest Think it’s possible to make hospital visits hassle-free? GE does.
2164 GEM Predictive Maintenance 2022 Nasa Turbofan Dataset
2165 GF548_1 (UIUC) Revenue Prediction Student Competition
2166 GIS 3 - Machine Learning Lab 2020 Forecasting Car Rental Demand
2167 GIS 3 Machine Learning Lab 2021 Forecasting Car Rental Demand
2168 GIS III - Machine Learning Lab 2019 Forecasting Bike Rental Demand
2169 GMU CS 747 homework 1 competition on multi-class classification using perceptron
2170 GMU CS 747 homework 1 multi-class classification with SVM
2171 GMU CS 747 homework 1 multi-class classification with softmax
2172 GMU CS747 homework 1 competition on multi-class classification
2173 GO-DS Upscale 2019 Challenge DS Challenge for DS Upscale 2019
2174 GPA759 Competition Competitons on Icon classification
2175 GS-3073-AI-course Regression or classification?
2176 GSE 524 - Fall 2021 Predict the price of a house based on its characteristics
2177 GSE 524 - Fall 2021 - cah Use survey responses from a Cards Against Humanity study to predict political affiliations.
2178 GT CSE6250 Fall 2020 HW5 HW5 RNN for Mortality Prediction
2179 GT CSE6250 Fall 2021 HW5 HW5 RNN for Mortality Prediction
2180 GT CSE6250 Spring 2021 HW5 HW5 RNN for Mortality Prediction
2181 GT CSE6250 Spring 2022 HW5 HW5 RNN for Mortality Prediction
2182 Galaxias-test Galaxias-test
2183 Galaxy Zoo - The Galaxy Challenge Classify the morphologies of distant galaxies in our Universe
2184 Gallivanters Help data scientist to create a tool to predict countries from their coin currencies
2185 Gen 2 AI Force Homework 1 Homework for ProPTIT AIF gen 2
2186 Gen3 - Challenge 1 MNIST
2187 Gender Classification Classifying gender based on personal preferences
2188 Gender Voice Determine male or female based on voice cahrac
2189 Gendered Pronoun Resolution Pair pronouns to their correct entities
2190 Gene Expression Prediction Predicting gene expression from histone modification signals.
2191 Gene Expression Prediction (Final Round) Develop a regression model that utilizes histone mark information to predict gene expression values.
2192 General Assembly Credit Score Let's review classification models and ensembles!
2193 Generalization Competition This competition will give you 100 training samples. The test set will have ~19,000 samples.
2194 Generating Faces Lets create the perfect human face!
2195 Generating Human Faces Let's create the perfect human face!
2196 Generative Dog Images Experiment with creating puppy pics
2197 Genesis Machine learning event for Infoxpression
2198 GeoLifeCLEF 2021 - LifeCLEF 2021 x FGVC8 Location-based species presence prediction
2199 GeoLifeCLEF 2022 - LifeCLEF 2022 x FGVC9 Location-based species presence prediction
2200 Geostatistics Athens week 2021 Prediction of Cobalt top soil concentration over the swiss Jura
2201 Geostatistics Lutetia week 2020 Prediction of Cobalt top soil concentration over the swiss Jura
2202 Geostatistics PSL week 2019 Prediction of Cobalt top soil concentration over the swiss Jura
2203 German Retail Book Store Predict response to an offer
2204 German traffic sign classification A Challenge that uses Machine learning and Deep learning in solving traffic sign classification problem
2205 Getting Started Create a forum for New Users
2206 Ghouls, Goblins, and Ghosts... Boo! Can you classify monsters haunting Kaggle?
2207 Giant Sucking Sound: The 1992 Election Modeling the 1992 US Presidential Election
2208 Giant Sucking Sound: The 1992 Election Modeling the 1992 US Presidential Election
2209 GigaOM WordPress Challenge: Splunk Innovation Prospect Predict which blog posts someone will like.
2210 GirlsGoIT competition 2020 Competition for the GirlsGoIT Data Science Summer Camp 2020
2211 Give Me Some Credit Improve on the state of the art in credit scoring by predicting the probability that somebody will experience financial distress in the next two years.
2212 Give Me Some Credit Predicting credit scoring
2213 Give Me Some Credit Predicting credit scoring
2214 Give Me Some Credit JUN21 Predicting credit scoring
2215 Give me some credit Predice la probabilidad de que alguien experimente dificultades financieras mejorando un modelo puntero de credit scoring
2216 Glioma Survival Predictions Determine the probability of one year survival based on gene expression data
2217 Global Energy Forecasting Competition 2012 - Load Forecasting A hierarchical load forecasting problem: backcasting and forecasting hourly loads (in kW) for a US utility with 20 zones.
2218 Global Energy Forecasting Competition 2012 - Wind Forecasting A wind power forecasting problem: predicting hourly power generation up to 48 hours ahead at 7 wind farms
2219 Global Shoreline Forecasting ISAE Supaero Hackathon 2022
2220 Global Wheat Detection Can you help identify wheat heads using image analysis?
2221 GoDaddy - Microbusiness Density Forecasting Forecast Next Month’s Microbusiness Density
2222 Goodreads Books Reviews Goodreads Books Review Rating Prediction
2223 Google - Isolated Sign Language Recognition Enhance PopSign's educational games for learning ASL
2224 Google AI Open Images - Object Detection Track Detect objects in varied and complex images.
2225 Google AI Open Images - Visual Relationship Track Detect pairs of objects in particular relationships.
2226 Google AI4Code – Understand Code in Python Notebooks Predict the relationship between code and comments
2227 Google Analysis Google Analysis Challenge
2228 Google Analytics Customer Revenue Prediction Predict how much GStore customers will spend
2229 Google Brain - Ventilator Pressure Prediction Simulate a ventilator connected to a sedated patient's lung
2230 Google Cloud & NCAA® ML Competition 2018-Men's Apply Machine Learning to NCAA® March Madness®
2231 Google Cloud & NCAA® ML Competition 2018-Women's Apply machine learning to NCAA® March Madness®
2232 Google Cloud & NCAA® ML Competition 2019-Men's Apply Machine Learning to NCAA® March Madness®
2233 Google Cloud & NCAA® ML Competition 2019-Women's Apply Machine Learning to NCAA® March Madness®
2234 Google Cloud & NCAA® ML Competition 2020-NCAAM Apply Machine Learning to NCAA® March Madness®
2235 Google Cloud & NCAA® ML Competition 2020-NCAAW Apply Machine Learning to NCAA® March Madness®
2236 Google Cloud & YouTube-8M Video Understanding Challenge Can you produce the best video tag predictions?
2237 Google Landmark Recognition 2019 Label famous (and not-so-famous) landmarks in images
2238 Google Landmark Recognition 2020 Label famous (and not-so-famous) landmarks in images
2239 Google Landmark Recognition 2021 Label famous, and not-so-famous, landmarks in images
2240 Google Landmark Recognition Challenge Label famous (and not-so-famous) landmarks in images
2241 Google Landmark Retrieval 2019 Given an image, can you find all of the same landmarks in a dataset?
2242 Google Landmark Retrieval 2020 Given an image, can you find all of the same landmarks in a dataset?
2243 Google Landmark Retrieval 2021 Given an image, can you find all of the same landmarks in a dataset?
2244 Google Landmark Retrieval Challenge Given an image, can you find all of the same landmarks in a dataset?
2245 Google QUEST Q&A Labeling Improving automated understanding of complex question answer content
2246 Google Research Football with Manchester City F.C. Train agents to master the world's most popular sport
2247 Google Smartphone Decimeter Challenge Improve high precision GNSS positioning and navigation accuracy on smartphones
2248 Google Smartphone Decimeter Challenge 2022 Improve high precision GNSS positioning and navigation accuracy on smartphones
2249 Google Universal Image Embedding Create image representations that work across many visual domains
2250 Gorniczy spam W imię wzrostu produkcji i realizacji planu pięcioletniego stajemy do walki ze szkodnikami pocztowymi.
2251 Govind's Kaggle Competition Now that you know a bit about ML, lets have some fun in a competition!
2252 Grade Prediction Prediction challenge : predict grades of students in professor Moody's class
2253 Graph Optimization 4 graph optimization exp4
2254 Grapheme to Phoneme Grapheme to phoneme problem
2255 Grasp-and-Lift EEG Detection Identify hand motions from EEG recordings
2256 Great Energy Predictor Shootout I Replica of the original 1993 competition
2257 Greek Media Monitoring Multilabel Classification (WISE 2014) Multi-label classification of printed media articles to topics
2258 Grid Dynamics Code Batlle Time Series Forecasting
2259 Group 7 Competition Small Competition to improve our model
2260 Group Project Data Science of Business Analytics
2261 Group Project Data Science of Business Analytics
2262 Group Project Data Science of Business Analytics
2263 Grupo Bimbo Inventory Demand Maximize sales and minimize returns of bakery goods
2264 Guess the correlation Help robots to beat humans at Guess Correlation Game
2265 Gujarati Internal ASR Ok
2266 Gusto-I Predict 30 day mortality after acute myocardial infarction
2267 H&M Personalized Fashion Recommendations Provide product recommendations based on previous purchases
2268 H1B Visa 2017 Data Predicting the status of an H1B visa application
2269 HACKATHON 2021 TKRCET TKR COLLEGE OF ENGINEERING & TECHNOLOGY
2270 HACKATHON IMT Mines Alès - 2IA 2020 Prédiction du nombre d'hospitalisation en réanimation à partir de données de médecine de ville
2271 HBAP DSP July 2021 Classification Challenge
2272 HCKT02 - Data Wrangling Make your best predictions on whether a website is legitimate or not
2273 HCKT03 - Time Series Forecasting In this hackathon you’ll get to test your multistep time series forecasting skills with exogenous data!
2274 HCKT04 - Text Classification Distinguish between helpful and not so helpful book reviews!
2275 HCKT05 - Recommender Systems Predict 50 recommendations with the most relevant new anime for each test user based on data that you have
2276 HDU-CAMA-SVHN Recognition 杭电 CAMALAB ML 暑期班作业
2277 HDU-CAMA-井字棋胜负判断 杭电 CAMALAB ML 暑期班第二次作业
2278 HED606-Summer 2020 HED 606 Summer 2020 Competition
2279 HL442_1 (UIUC) Revenue Prediction Student Competition
2280 HMIF Data Science Bootcamp 2019 Bisakah kamu memprediksi akreditasi suatu sekolah?
2281 HOML Class Project: IMDB Challenge Sentiment analysis on IMDB reviews!
2282 HOML Class Project: Titanic Challenge Predict whether Titanic passengers survived!
2283 HR Analytics In-Class Practice Predict Employee Satisfaction
2284 HR Churn Competition Figure out who is and isn't going to quit
2285 HR Part 1 _ EVALUATION Evaluation - Heartrate Estimation Part 1
2286 HR Part 2 _ EVALUATION Evaluation - Heartrate Estimation Part 2
2287 HR457_1 (UIUC) Revenue Prediction Student Competition
2288 HR_PART1 Heart rate data for part 1 (no time constraint)
2289 HR_PART2 Heart rate for part 2 (50 ms time constraint)
2290 HSE & Itseez Machine Learning Competition (June 2015) HSE & Itseez Machine Learning Competition (June 2015)
2291 HSE AML Homework 2 (2021) Predicting ratings of books!
2292 HSE CS AMI Intro to DL HW2 Predict holel ratings based on review texts
2293 HSE IAD 2020 Homework 3 Предсказание фидбека пользователей об отелях
2294 HSE IAD 2020 Homework X Предсказание фидбека пользователей об отелях
2295 HSE IAD16 project Предскажите зарплату по тексту объявления
2296 HSE Lab (linear regression) 21-22 Лабораторная работа № 2
2297 HSGS Hackathon 2021 HSGSers and their first step to the AI world!
2298 HTA Tagging Classify the medical academic papers based on biases.
2299 HW-1 Problem-3 Apply kNN on the iris dataset
2300 HW-2: Text clustering Implement bisecting k-Means to cluster documents
2301 HW03-Kernels-Currency Classify currencies
2302 HW1 CIFAR-10 Competition CS189 Spring 2022, CIFAR-10 Kaggle Competition HW1
2303 HW1 MNIST Competition UC Berkeley CS189 Spring22 Kaggle Competition
2304 HW1 MNIST Competition CS189 Spring22, MNIST Competition Submission Kaggle
2305 HW1 SPAM Competition CS189 Spring22, SPAM Competition Submission Kaggle
2306 HW1: Audio-based MED CMU 11-775 Large Scale Multimedia Analysis, HW1 evaluation
2307 HW1: Predict Wine Goodness from Review Predicting goodness points of a wine given its review in WineEnthusiast
2308 HW1: Recommender Systems Implement your own collaborative filtering recommender system
2309 HW1:Linear Regression Linear Regression on Boston Housing Data
2310 HW1:sping19 Деревья и леса
2311 HW2 Housing HW2 Housing
2312 HW2 Income Prediction Implement Binary Classification on Income Prediction Dataset
2313 HW2 Income Prediction 2019 Implement Binary Classification on Income Prediction Dataset
2314 HW2 MNIST Competition CS189 Spring22, MNIST Competition Submission Kaggle
2315 HW2 Word2vec Measuring Word Similarity
2316 HW2: Activity Recognition Use multiclass SVM for activity recognition using UCF101 (10 Classes)
2317 HW2: Predict 2013 Home Prices The goal of this homework is to predict 2013 housing prices.
2318 HW2: Predict Wine Goodness from Review Predicting goodness points of a wine given its review in WineEnthusiast
2319 HW2P1: Video-based MED CMU 11-775 Large Scale Multimedia Analysis, HW2 P1 Evaluation
2320 HW2P2-Verification-TA-Fall2021 HW2P2S2
2321 HW2P2: Video-based MED CMU 11-775 Large Scale Multimedia Analysis, HW2 P2 Evaluation
2322 HW2p2_summer2021 Face Verification Using Convolutional Neural Networks
2323 HW2p2_summer2021_classification Face Classification Using Convolutional Neural Networks
2324 HW3 MNIST Competition CS189 Spring22, HW3 MNIST Competition Submission Kaggle
2325 HW3 SPAM Competition CS189 Spring22, HW3 SPAM Competition Submission Kaggle
2326 HW3: Action Recognition by CNN on images Action Recognition by CNN on images
2327 HW3: Action Recognition by CNN on videos Action Recognition by CNN on videos
2328 HW3: Multimodal Fusion for MED CMU 11-775 Large Scale Multimedia Analysis, HW3 Evaluation
2329 HW3: Question Answering Question Answering
2330 HW3: Question Answering Question Answering
2331 HW3P2_TATest HW3P2_TATest
2332 HW4 Wine Test Testing 123
2333 HW5 SPAM Competition CS189 - Spring 2022 SPAM Competition
2334 HW5 Titantic Competition CS189-Spring2022 Titantic Competition
2335 HW5: Unsupervised Speech Recognition 11-785 Fall 2021 HW5
2336 HW_3 Demo Demo kaggle competition for Bike data
2337 HackExpo2018 Use Deep Learning to tell the state of road traffic
2338 HackTheU Kaggle Competition Hosted by the Data Science club @ U of U. You will be predicting fraud in a credit card fraud dataset.
2339 Hackathon #1 - Binary Classification Predict whether a trade is going to be successful or not.
2340 Hackathon Auto_matic Cars Dataset
2341 Hackathon ISAE-Supaero 2022 Amélioration des prévisions de précipitations à 24h
2342 Hackathon Old Fraud Risk Detection
2343 Hackathon SF ML 1.1 Предсказание цены объявления
2344 Hackathon SF ML non-deadline Предсказание цены объявления
2345 Hackathon SF MLO 4 Предсказание цены для объявления
2346 Hackathon Sentimento Sentiment Analysis
2347 Hackathon Sentimento_v2 Sentiment Analysis with tweets
2348 Hackathon Supaero - Restaurants ratings prediction Predict Yelp restaurants ratings from associated reviews, data about users and restaurants
2349 Hackathon Supaero - Sailing Regatta Entraînez vos modèles sur les données de régates
2350 Hackathon isae 2021 Patch retrieval Image retrieval
2351 Halite by Two Sigma Collect the most halite during your match in space
2352 Halite by Two Sigma - Playground Edition Collect the most halite during your match in space
2353 Hallym AI-X R&D Challenge - Track0311 2020 한림대학교 AI+X R&D 챌린지 - 03. 뇌신호를 이용한 O/X 분류하기
2354 Hand-written image competition Non-profit competition on MNIST-like dataset, square/circle/triangle
2355 Hands on ML Hackathon conducted by Team Innoreva
2356 Hands-on Immune Institute Final challenge of the Supervised ML models module
2357 Hands-on Immune Institute Final challenge of the Supervised ML models module
2358 Handwritten digit recognition (PITC) The Data Science Guild presents the first hackathon - A twist to MNIST
2359 Handwritten digits recognition В этом задании вам предстоит реализовать алгоритм Байесовской классификации и решить с его помощью задачу распознавания рукописных цифр.
2360 Handwritten symbols recognition Identify handwritten numbers and Cyrillic letters
2361 Handwritten symbols recognition Second run of RANEPA hometask
2362 Handwritten symbols recognition (HSE 2018) Guess what Cyrillic letters and Arabic numbers are shown on images using convolutional network
2363 Handwritten symbols recognition (RANEPA ML 2018) Identify handwritten Cyrillic letters and numbers
2364 Happywhale - Whale and Dolphin Identification Identify whales and dolphins by unique characteristics
2365 Harvard Business Review 'Vision Statement' Prospect Your Analysis and/or Visualization featured in the Harvard Business Review
2366 Harvard CI708 - Machine Learning Predict whether a movie review is positive or negative
2367 Harvard CS287 S19 HW1 Harvard CS287 Spring 2019 HW1: Text Classification
2368 Harvard CS287 S19 HW2 Harvard CS287 Spring 2019 HW2: Language Modeling
2369 Harvard CS287 S19 HW3 Harvard CS287 Spring 2019 HW3: Translation
2370 Harvard CS287 S19 HW4 Harvard CS287 Spring 2019 HW4: All About Attention
2371 Harvard Data Science Course Competition CS 109A/AC 209A/STAT 121A Data Science: Homework 8
2372 Hash Code 2021 - Traffic Signaling Optimize city traffic in this extension of the 2021 Hash Code qualifier
2373 Hash Code Archive - Drone Delivery Can you help coordinate the drone delivery supply chain?
2374 Hash Code Archive - Photo Slideshow Optimization Optimizing a photo album from Hash Code 2019
2375 Have Fun! An easy game for you~
2376 Health prediction This is to perform a classification task and optimize your machine learning model
2377 Heart Disease AIR Cumulative Project 21-22
2378 Heart Disease Prediction Predict whether a patient had a heart disease
2379 Heart Disease Prediction Competition Class-wide leader board for submissions
2380 Hello Kaggle F464 A test evaluative lab to get you accustomed to the process.
2381 Help Autonomous Cars Recognize Street Signs ML Hackathon by BITS ACM
2382 Helping Santa's Helpers Jingle bells, Santa tells ...
2383 Herbarium 2020 - FGVC7 Identify plant species from herbarium specimens. Data from New York Botanical Garden.
2384 Herbarium 2021 - Half-Earth Challenge - FGVC8 Identify plant species of the Americas, Oceania and the Pacific from herbarium specimens
2385 Herbarium 2022 - FGVC9 Identify plant species of the Americas from herbarium specimens
2386 Herbarium Challenge 2019 - FGVC6 Identify flowering plant species (Melastomes) from herbarium specimens. Data from New York Botanical Garden.
2387 Heritage Health Prize Identify patients who will be admitted to a hospital within the next year using historical claims data. (Enter by 06:59:59 UTC Oct 4 2012)
2388 Higgs Boson Machine Learning Challenge Use the ATLAS experiment to identify the Higgs boson
2389 Higgs Competition Detect Higgs decay (Higgs into two taus) in LHC ATLAS data!
2390 High Flyers Spaceport.AI Assigment 2: Can you predict the sentiment of Tweets about US Airlines?
2391 High Frequency Price Prediction of Index Futures Use high frequency market order book data of a futures contract to predict future price movements
2392 High Pass Filter Computation Time BMEN 428/CSCE 461/ECEN 489/BMEN 628 – Fall 2018
2393 High Pass Filter Computation Time (Final) BMEN 428/CSCE 461/ECEN 489/BMEN 628 – Fall 2018
2394 High Pass Filter PSD BMEN 428/CSCE 461/ECEN 489/BMEN 628 – Fall 2018
2395 High Pass Filter PSD (Final) BMEN 428/CSCE 461/ECEN 489/BMEN 628 – Fall 2018
2396 Histología en Cancer de Mama Crear un modelo para identificar metastasis en cortes histológicos de tejido mamario.
2397 Histopathologic Cancer Detection Identify metastatic tissue in histopathologic scans of lymph node sections
2398 Historical Figures Predict the popularity of historical figures
2399 Historical Figures Take 2 Predict the popularity of historical figures
2400 Holiday Challenge Problem Competition Predicting AirBnB rental prices
2401 Holy Quran Speech Recognition Challenge Speech Recognition for verses of the Holy Quran
2402 Home Credit Default Risk Can you predict how capable each applicant is of repaying a loan?
2403 Home Depot Product Search Relevance Predict the relevance of search results on homedepot.com
2404 Home Hackathon 2018 workshop Just for fun
2405 HomeWork-2-Classification This kaggle is for the classification problem
2406 HomeZilla KSE DAVR 2019 Predict which house photos are watched most
2407 Homesite Quote Conversion Which customers will purchase a quoted insurance plan?
2408 Homework 2 Part 2 (Simplified) Image Classification via Convolutional Neural Networks(CNNs)
2409 Homework 2 Part 2 (Simplified) Image Classification via Convolutional Neural Networks(CNNs)
2410 Homework 2 Part 2 - Classification 11785 Spring'19 - Leaderboard for Classification Task of HW2P2
2411 Homework 2 Part 2 - Classification 11785 Spring'19 - Leaderboard for Classification Task of HW2P2
2412 Homework 2 Part 2 - Classification 11785 Spring'19 - Leaderboard for Classification Task of HW2P2
2413 Homework 2 Part 2 - Classification 11785 Fall'19 - Leaderboard for Classification Task of HW2P2
2414 Homework 2 Part 2 - Classification - Late 11785 Fall'19 - Leaderboard for Classification Task of HW2P2 - Late
2415 Homework 2 Part 2 - Classification - Slack 11785 Fall'19 - Leaderboard for Classification Task of HW2P2 (Slack)
2416 Homework 2 Part 2 - Verification 11785 Spring'19 - Leaderboard for Verification Task of HW2P2
2417 Homework 2 Part 2 - Verification 11785 Spring'19 - Leaderboard 2 for Verification Task of HW2P2
2418 Homework 2 Part 2 - Verification 11785 Spring'19 - Leaderboard 2 for Verification Task of HW2P2
2419 Homework 2 Part 2 - Verification 11785 Spring'19 - Leaderboard 2 for Verification Task of HW2P2
2420 Homework 2 Part 2 - Verification 11785 Fall'19 - Leaderboard 2 for Verification Task of HW2P2
2421 Homework 2 Part 2 - Verification - Late 11785 Fall'19 - Leaderboard 2 for Verification Task of HW2P2 - Late
2422 Homework 2 Part 2 - Verification - Slack 11785 Fall'19 - Leaderboard 2 for Verification Task of HW2P2
2423 Homework 3 Predict rideshare
2424 Homework 3 Part 2 11785 Spring'19 - Leaderboard for HW3P2
2425 Homework 3 Part 2 11-785 RNN-based Phoneme recognition
2426 Homework 3 Part 2 11-785 Fall 2019 RNN-based Phoneme recognition
2427 Homework 3 Part 2 11-785 Fall 2019: Late RNN-based Phoneme recognition
2428 Homework 3 Part 2 11-785 Fall 2019: Slack RNN-based Phoneme recognition
2429 Homework 3 Part 2 11-785 LATE submission RNN-based Phoneme recognition
2430 Homework 3 Part 2 11-785 slack RNN-based Phoneme recognition
2431 Homework 3 Part 2 11785 Spring 2020 RNN-based Phoneme recognition
2432 Homework 4 Part 2 11785 Spring'19 - Leaderboard for HW4P2
2433 Homework 4 Part 2 11-785 Fall 2019 11785 Fall'19 - Leaderboard for HW4P2
2434 Homework 4 Part 2 11-785 Fall 2019 slack or late Homework 4 Part 2 11-785 Fall 2019 Slack or Late submission
2435 Homework 4 Part 2 Slack Submission 11785 Spring'19 - HW4P2 Slack Submission
2436 Homework 5 Predict prices of homes and learn how to select input variables
2437 Homework 5 Predict prices of homes and learn how to select input variables
2438 Homework 5 Predict prices of homes and learn how to select input variables
2439 Homework Decision Trees Homework Decision Trees
2440 Homework Perceptron Homework Perceptron
2441 Homework-3 Predict Income Level
2442 Homework-3 [Practice] This is an optional homework for those who would like to improve their homework-3 solutions
2443 Honda_Lab_test_r2 Trial competition version2.
2444 Honda_Lab_v3 CNN image classification.
2445 Hospital Handover Forms Convert nursing shift-change narratives into useful electronic patient records
2446 Hotel-ID to Combat Human Trafficking 2021 - FGVC8 Recognizing hotels to aid Human trafficking investigations
2447 Hotel-ID to Combat Human Trafficking 2022 - FGVC9 Recognizing hotels to aid Human trafficking investigations
2448 House Price Prediction predict the price of house
2449 House Price Prediction Predict sales prices
2450 House Price Prediction Predict the price of houses using Regression techniques
2451 House Prices Predict sales prices
2452 House Prices Prediction Applying Deep Neural Network in Regression Problem
2453 House Prices in Rotterdam Predict house prices from their characteristics
2454 House Pricing Predict the price of the house
2455 House price 서울 강남구 아파트 매매가 예측하기
2456 House price predict Predict house price for teamer practising sgd
2457 House prices prediction 2 regression
2458 House pricing House sales in USA
2459 House valuation capstone project House valuation capstone project
2460 HousePriceYH Predict the price of house!
2461 HousePricingTG2021 try to predict house price based on some factors
2462 Housing House Prediction Postgraduate Course on DataScience and Bigdata at University of Barcelona
2463 Housing Regression Challenge Part 1
2464 How Bitter is the Beer? Predict the IBU of a beer, given features about the beer.
2465 How Bitter is the Beer? Predict the IBU of a beer, given features about the beer.
2466 How Much Did It Rain? Predict probabilistic distribution of hourly rain given polarimetric radar measurements
2467 How Much Did It Rain? II Predict hourly rainfall using data from polarimetric radars
2468 How am I feeling? Predict the sentiment | Data FT Sep 2021 | The Bridge
2469 How good is your Medium article? Predict the number of recommendations for a Medium article
2470 How long would you stay? The ultimate competition | The Bridge
2471 How many shares (2019-2020) Determine how many times an online article is shared on social media.
2472 How much for your Airbnb? Use renter information, property characteristics and reviews to predict rental price.
2473 How much for your Airbnb? Predict rental price using data on renter, property and reviews
2474 How to be instagram-famous with data science Predict the number of likes in a post
2475 HowsMyFlattening - NPI challenge TODO: Description
2476 HuBMAP + HPA - Hacking the Human Body Segment multi-organ functional tissue units
2477 HuBMAP - Hacking the Human Vasculature Segment instances of microvascular structures from healthy human kidney tissue slides.
2478 HuBMAP - Hacking the Kidney Identify glomeruli in human kidney tissue images
2479 Human Activity Recognition We'll do some human activity recognition
2480 Human Protein Atlas - Single Cell Classification Find individual human cell differences in microscope images
2481 Human Protein Atlas Image Classification Classify subcellular protein patterns in human cells
2482 Human or Machine Generated Text? Given known machine generated text and known human written text, try to predict which is which on unknown data
2483 Humor Detection Build a language model to detect if humor is present in a given snippet of text.
2484 Humpback Whale Identification Can you identify a whale by its tail?
2485 Humpback Whale Identification Challenge Can you identify a whale by the picture of its fluke?
2486 Hungry Geese Don't. Stop. Eating.
2487 HvA Kunstmatige Intelligentie 2019 Classificeer foto's van honden en katten!
2488 HvA Kunstmatige Intelligentie 2020 Classificeer foto's van schepen
2489 Hw1_test form for hw1
2490 Hydraulic Cross Section Determine the flow rate of a hydraulic cross section using convolutional networks.
2491 I Hackathon GEAM InsightLab Competição organizada pelo Grupo de Estudos em Aprendizado de Maquina para os Encontros Universitários UFC Quixadá 2019
2492 I like it when you SMILE Predict binding affinity for a set of ligands towards five proteins
2493 I.fest demo 3 Guess the amount
2494 I2A2 2021 - Sentiment Analysis Classification of products review's from e-commerce
2495 I2A2 2021 - Text Classification Classification of products category by their title
2496 I2A2 Brasil - Pneumonia Classification Classify each chest x-ray between normal and pneumonia
2497 I2A2 Peru - Bank Credit Risk Evaluation Predict whether a customer has a good or bad credit risk
2498 I2A2 Peru - Pneumonia Classification Classify each chest x-ray between normal and pneumonia
2499 IA-PUCP Diplomado - Reto 2 Predecir el tipo de medalla que recibirá un atleta
2500 IA1819 Entregable 2 de la asignatura IA curso 18/19
2501 IA1920 Entregable 1 de la asignatura Inteligencia Artificial curso 19/20
2502 IA2021 Entregable 1 de la asignatura Inteligencia Artificial curso 20/21
2503 IA2122 Entregable 1 de la asignatura Inteligencia Artificial curso 21/22
2504 IAB Challenge 2 - Vision kfood image classification
2505 IAJ-MLS-2018-Visualization The Institute of Actuaries of Japan Moonlight Seminar 2018 - Visualization
2506 IAU 2019 Vyhodnotenie úspešnosti predikčných modelov v rámci zadania na predmete Inteligentná Analýza Údajov na FIIT STU 2019/2020
2507 IBA ML2 Final project Forecast daily electricity consumption
2508 ICDAR 2011 - Arabic Writer Identification This competition require participants to develop an algorithm to identify who wrote which documents. The winner will be honored at a special session of the ICDAR 2011 conference.
2509 ICDAR2013 - Gender Prediction from Handwriting Predict if a handwritten document has been produced by a male or a female writer
2510 ICDAR2013 - Handwriting Stroke Recovery from Offline Data Predict the trajectory of a handwritten signature
2511 ICDM 2015: Drawbridge Cross-Device Connections Identify individual users across their digital devices
2512 ICFHR 2012 - Arabic Writer Identification Identify which writer wrote which documents.
2513 ICL2022-jet Jet type identification at the LHC
2514 ICLR 2023 Kaggle/Zindi Hackathon Predict CO2 Emissions
2515 ICNOC AI COMPETITION 2021年广东电信数智杯大数据及AI专业技能竞赛实操部分
2516 ICSHM2021 P1 Damage Segmentation Kaggle page for ICSHM2021 Project 1, Damage segmentation sub-task
2517 ICSHM2021 P1 Structural Component Segmentation Kaggle page for ICSHM2021 Project 1, Structural component segmentation sub-task
2518 ICSHM2021 P2 Component Segmentation Kaggle page for ICSHM2021 Project 2, Component Segmentation sub-task
2519 ICSHM2021 P2 Crack Segmentation Kaggle page for ICSHM2021 Project 2, Crack Segmentation sub-task
2520 ICSHM2021 P2 Damage State Segmentation Kaggle page for ICSHM2021 Project 2, Damage State Segmentation sub-task
2521 ICSHM2021 P2 Rebar Segmentation Kaggle page for ICSHM2021 Project 2, Rebar Segmentation sub-task
2522 ICSHM2021 P2 Spall Segmentation Kaggle page for ICSHM2021 Project 2, Spall Segmentation sub-task
2523 ID National Data Science Challenge 2020 - Advanced Dummy Page - Advanced
2524 IDAO 2022. ML Bootcamp - Insomnia Predict sleep disorder on given human health data
2525 IDC Big Data 2021 ML Competition May the best model win
2526 IDC Big Data ML Competition May the best model win
2527 IDC Big Data Platforms 2021 ML Competition May the best model win
2528 IDL Winter HW1P2 IDL Winter HW1P2
2529 IDL-Fall21-HW1P2 This is your first kaggle homework for IDL
2530 IDL-Fall21-HW1P2 This is your first Kaggle homework.
2531 IDL-Fall21-HW1P2-Slack This is the slack Kaggle for HW1P2. Use this for submitting after the submission deadline of hw1p2
2532 IDL-Fall21-HW2P2S1 Face Classification
2533 IDL-Fall21-HW2P2S1-Face Classification Face Classification
2534 IDL-Fall21-HW2P2S1-Face Classification-Slack Face Classification
2535 IDL-Fall21-HW2P2S2-Face Verification Face verification
2536 IDL-Fall21-HW2P2S2-Face Verification-Slack Face verification
2537 IDL-Winter-HW2P2S1 Face Recognition
2538 IDL-Winter-HW2P2S2 Face Verification
2539 IDL-Winter-HW3P2 RNN-based Phoneme Recognition
2540 IDL-Winter-HW5 IDL_Winter_HW5
2541 IE Gadget Hack1 Just a simple Classification problem :)
2542 IEEE BigData Cup 2021: RL based RecSys A novel recommendation scenario for modeling as a multi-step decision-making item recommendation..
2543 IEEE BigData Cup 2022: Trip Destination Prediction Cross-City Generalizability of Destination Choice Model Challenge
2544 IEEE Datathon IEEE Datathon
2545 IEEE Execom Datathon IEEE Execom Datathon
2546 IEEE ITSC2018 Data Mining Hackathon dummy Detecting Lane Changes by Using Naturalistic Driving Data
2547 IEEE PEC Techadroit Data Science Challenge The goal is to build a supervised model on a sample of fraud data where AUC score is good.
2548 IEEE's Signal Processing Society - Camera Model Identification Identify from which camera an image was taken
2549 IEEE-CIS Fraud Detection Can you detect fraud from customer transactions?
2550 IEOR 242 Spring 2020 HW 4 Show your amazing ideas!
2551 IESB Norte - IGM - Maio 2019 ENEM mathematics grade prediction
2552 IESB Sul - IGM - Maio 2019 ENEM mathematics grade prediction
2553 IETE STUDENTS' FORUM ML Competition Image Recognition
2554 IF4074 Praktikum 1 - CNN (2021) Klasifikasi gambar multikelas
2555 IF4074 Praktikum 1 - CNN (2021) Official page
2556 IF702 - 2018.1 Competição redes neurais
2557 IFT6135H19 Assignment 1 Competition Cats and Dogs classification - Competition for IFT6135H19 Assignment 1, Practical part
2558 IH Hotel Booking Predicting hotel booking cancellations with ML!
2559 IHSM Sample Sample competition to get logistics done before the Hackathon
2560 IIIT-D Multilingual Abusive Comment Identiication Massively multilingual abusive comment identification across Indic languages
2561 IIITB AIML-2020 Assignment 2 Malware Detection
2562 IIITB AIML-2020 Assignment 2 Malware Detection
2563 IIITB Assignment 2 Microsoft Malware Prediction
2564 IIITB Assignment 2 Malware Detection
2565 IIITB ML Assignment 2: Malware Prediction InClass AI511 Machine Learning Competition: Course Assignment
2566 IIITB ML Project: ASHRAE - Great Energy Predictor InClass competition for AI511 course 2020 at IIIT Bangalore
2567 IIITB ML Project: Airbnb New User Bookings InClass competition for AI511 course 2020 at IIIT Bangalore
2568 IIITB ML Project: GA Customer Revenue Prediction InClass competition for AI511 course 2020 at IIIT Bangalore
2569 IIITB ML Project: Home Credit Default Risk InClass competition for AI511 course 2020 at IIIT Bangalore
2570 IIITB ML Project: IEEE CIS Fraud Detection InClass competition for AI511 course 2020 at IIIT Bangalore
2571 IIITB ML Project: Mercari Price Suggestion InClass competition for AI511 course 2020 at IIIT Bangalore
2572 IIITB ML Project: PS Safe Driver Prediction InClass competition for AI511 course 2020 at IIIT Bangalore
2573 IIITB ML Project: PS Safe Driver Prediction InClass competition for AI511 course 2020 at IIIT Bangalore
2574 IIITB ML Project: PS Safe Driver Prediction InClass competition for AI511 course 2020 at IIIT Bangalore
2575 IIITB ML Project: PUBG Finish Placement Prediction InClass competition for AI511 course 2020 at IIIT Bangalore
2576 IIITB ML Project: PUBG Finish Placement Prediction InClass competition for AI511 course 2020 at IIIT Bangalore
2577 IIITB ML Project: Quora Insincere Questions InClass competition for AI511 course 2020 at IIIT Bangalore
2578 IIITB ML Project: Restaurant Visitor Forecasting InClass competition for AI511 course 2020 at IIIT Bangalore
2579 IIITB ML Project: Santander Product Recommendation InClass competition for AI511 course 2020 at IIIT Bangalore
2580 IIITB ML: Malware Detection ML 2020 Assignment 2
2581 IIITB ML: Malware Detection ML 2020 Assignment 2 on Imbalanced datasets
2582 IIITB Microsoft Malware Detection https://www.kaggle.com/c/microsoft-malware-prediction
2583 IISc DA224O Mini Project 2 Song Popularity Competition
2584 IISc Hackathon Open Day 2018
2585 IIT M MS6032 Project This is for groups that wish to pick up this bonus project as part of their course evaluation
2586 IIT-G-Hackathon One hour community hackathon
2587 IITG.AI HACKATHON 1 2021-22 1ST HACKATHON OF 2021-22
2588 IITG.ai Hackathon 2 2021-2022 Hackathon 1 2021-22
2589 IITM PRML 2020 Data Contest Predict whether an employee remains in the company
2590 IITM PRML 2020 Data Contest Employee churn prediction
2591 IJCNN Social Network Challenge This competition requires participants to predict edges in an online social network. The winner will receive free registration and the opportunity to present their solution at IJCNN 2011.
2592 IMC2021LA1 Competition about Lab Assignment 1, course 20/21
2593 IMC2021LA3 Competition about Lab Assignment 3, course 20/21
2594 IMDB - SECOMP (UFAL) Preveja a nota dos filmes no IMDB
2595 IMDB Review Home work 3
2596 IMDB classification using RNN
2597 IMDB review classification Can you figure out whether review is positive or negative?
2598 IML - Hackathon In class Hackathon
2599 INF131 - 2019 Challenge Build a regressor to predict bike sharing demand
2600 INF131: The case of flight passengers prediction Build a classifier to predict number of passengers in flights
2601 INF131: The case of flight passengers prediction Build a classifier to predict number of passengers in flights
2602 INF265 - PUCP Competencia Capstone Competencia par el curso de INF265: Aplicaciones de la Ciencia de la Computación.
2603 INF554 2021: H-index Prediction Predicting the academic success using multi-faceted data.
2604 INF648 - Curso de Aprendizaje Automático Problema Kaggle sobre un caso práctico de un dataset académico
2605 INFO 3301 - Fall 2020 - Version 2 Homework Assignment #5 - Linear Regression
2606 INFO 3301, Summer 2019 Kaggle InClass Test Run
2607 INFO 3301, Summer 2021 Multiple Regression Class Competition
2608 INFORMS Data Mining Contest 2010 The goal of this contest is to predict short term movements in stock prices. The winners of this contest will be honoured of the INFORMS Annual Meeting in Austin-Texas (November 7-10).
2609 INGV - Volcanic Eruption Prediction Discover hidden precursors in geophysical data to help emergency response
2610 INLS690-270 Sarcasm Detection Detecting sarcasm in online forum posts
2611 INSULATOR DEFECT DETECTION Defect detection in Electric Insulators
2612 INT18@WHS Classify Simple Data We compete to classify a structurally very simple dataset
2613 INT20H 2022 Hackathon tech/uklon case for qualifying round
2614 INT20H 2022 Hackathon tech/uklon case for main task
2615 INT20H Hackathon Transfer Learning Image Classification
2616 INT303 Big Data Analysis Titanic Data Science Solutions
2617 INT303 Big Data Analysis Can you predict if a start-up will succeed or fail?
2618 INT528 CA2 2 Regression Problem
2619 INTRA HALL competetion 2022 - MS Hall This is a pre interhall data analytics event.
2620 IPL 2020 Player Performance Predicting the performance score of each player in IPL 2020
2621 IR test1 IR test
2622 IR test3 IR test3
2623 IR. Learning to Rank Необходимо посоревноваться в обучении ранжированию.
2624 IR. Семинарское задание Word2Vec Вам предстоит научиться предсказывать род деятельности организации по её имени.
2625 IR. Семинарское задание №2. Word2Vec Вам предстоит научиться предсказывать род деятельности организации по её имени.
2626 IR. Семинарское задание №3. DSSM Необходимо для каждого запроса из тестовой выборки указать наиболее релевантный документ.
2627 IR. Семинарское задание №3. DSSM Необходимо для каждого запроса из тестовой выборки указать наиболее релевантный документ.
2628 IRIS_M Flower Classification Use modified IRIS to identity flower
2629 IRIS_M Flower Classification Use modified IRIS to identity flower
2630 IS161AIDAY Анализ тональности от alem.kz/aiDay
2631 ISEC2020: Learning Kaggle In this competition you'll fit models to a small data set to learn how kaggle works.
2632 ISFOG2020 Pile driving predictions Data science prediction event for the International Symposium Frontiers in Offshore Geotechnics in Austin, TX
2633 ISP Data scientists @ work DM class competition
2634 IST Deep Learning Workshop Urdu Character recognition dataset for MLP
2635 ISTE Kagglethon Data is ❤️
2636 ISTE Kagglethon Hunt for the legendary artifact
2637 ISUP 2021: NN contest Competition to get used to neural networks
2638 ITBA - CIFAR 100 - 2021Q2 Clasificación de imágenes
2639 ITEA Goal prediction Predict goal in a game
2640 ITEA Python4DS - CorruptionScoring Estimate corruption risk
2641 ITK Fall 2018 APS Failure at Scania Trucks
2642 ITMO Acoustic Event Detection 2021 NN based classifications of Acoustic Events
2643 ITMO Acoustic Event Detection 2022 NN based classifications of Acoustic Events
2644 ITMO Flat price prediction 2021 Small contest part of the Identification course (ITMO University)
2645 ITMO Flat price prediction 2021 Small contest part of the Identification course (ITMO University)
2646 ITMO IINLP Lab #2 Spell checking
2647 ITMO IINLP Lab #3 The People vs the Language Model
2648 ITMO ML RecSys 2016 Задача для студентов 4-го курса КТ по рекомендательным системам в рамках курса по машинному обучению
2649 ITMO NLP Lab Language Model The People vs the Language Model
2650 ITMO Spelling Correction Autumn Contest 2019 Fix single words from search queries in russian
2651 ITMO Spelling Correction Contest 2019 Fix single words from search queries in russian
2652 ITMO Spelling Correction Contest Spring 2020 Fix single words from search queries in russian
2653 ITMO year2011 ML RecSys (track 1) Задача для студентов 4-го курса КТ по рекомендательным системам в рамках курса по машинному обучению. Track 1
2654 ITMO year2012 ML RecSys (track 1) Задача для студентов 4-го курса КТ по рекомендательным системам в рамках курса по машинному обучению. Track 1
2655 ITU DS test This is a test.
2656 IUST Visual Question Answering A simple visual question answering project
2657 IceCube - Neutrinos in Deep Ice Reconstruct the direction of neutrinos from the Universe to the South Pole
2658 Identificación de especies de corales Identificación de especies de corales a partir de imágenes marinas usando Deep Learning
2659 Identificación de especies de corales Identificación de especies de corales a partir de imágenes marinas usando Deep Learning
2660 Identification of Comments Toxic Comment Classification, Engaging Comment Classification & Fact-Claiming Comment Classification &
2661 Identification of Comments v2 Toxic Comment Classification, Engaging Comment Classification & Fact-Claiming Comment Classification
2662 Identification of Similar Questions on Quora Identify similar or paired questions that have the same intent?
2663 Identification of kilns Satellite imagery for reducing pollution in Bangladesh
2664 Identify Me If You Can Web-user identification through webpage session tracking.
2665 Identify Me If You Can Web-user identification through webpage session tracking.
2666 Identify Me If You Can – Yandex & MIPT Web-user identification through webpage session tracking.
2667 Image Classification Classify JAFFE images
2668 Image Classification Spring 2020 - Image Classification
2669 Image Classification Classify Images with KNN and SVM.
2670 Image Classification - 2 Spring 2020 - Image Classification
2671 Image Classification and Localization test
2672 Image Classification on Caltech-256 Dataset Use a CNN to classify over 30,000 images in 257 object categories.
2673 Image Classification: car, motorbike, bicycle Image Classification Competition for students of Data Analysis School
2674 Image Matching Challenge 2022 Register two images from different viewpoints
2675 Image Matching Challenge 2023 Reconstruct 3D scenes from 2D images
2676 Image Recognition 2020 Predict an important outcome
2677 Image Recognition for DRR Simple Image Recognition for Lab4
2678 Image season recognition В этом соревновании предстоит распознать время года по изображению.
2679 ImageAnalysis.BarcodesClassification Classify them all!
2680 ImageNet Object Localization Challenge Identify the objects in images
2681 Imagenette Classification Imagenette competition
2682 In class FIFA 19 competition Predict whether the player is good or not
2683 InClass Argentina COVID cases An inclass competition aimed to train timeseries skills
2684 InClass classification problem Try to predict which League Starcraft game is in
2685 Incident Impact Prediction To predict the impact of the incident raised by the customer.
2686 Inclass competition test inclass competition
2687 Inclinación del Arbolado Publico Mendoza Predicción de inclinación grave en arbolado público en Mendoza (Argentina)
2688 Inclinación del Arbolado Publico Mendoza 2021 Predicción de inclinación grave en arbolado público en Mendoza (Argentina)
2689 Inclusive Images Challenge Stress test image classifiers across new geographic distributions
2690 Income Prediction Predict Income Based on Age, Education and Sex
2691 Income prediction Predict the income of loan customers
2692 Indian Liver Patient Dataset - MLEARN Classify data into groups: liver patient or not
2693 Indian Liver Patient Record Predict if a patient has liver disease, or no disease
2694 Indian Railways Challenge This is a Classification problem to predict confirmation of your train journey in India
2695 IndoRE-datathon-2021 IndoRE
2696 Indoor Location & Navigation Identify the position of a smartphone in a shopping mall
2697 Indoor Location Competition 2.0 test test using InClass
2698 Indoor Location Competition 2.0 test2 test using InClass
2699 Inductions'21_DSAI_FY_Classification Induction Task (Classification) for FYs
2700 Inductions'21_DSAI_FY_Regression Induction Task (Regression) for FYs
2701 Influencers in Social Networks Predict which people are influential in a social network
2702 Info 159/259 SHW4 Hashtag Segmentation with a Bidirectional LSTM
2703 Info 290T: Who survived the Titanic? Binary classification competition for Info 290T.
2704 Iniciando con PyTorch Competencia del uso de frameworks y redes neuronales.
2705 Innolab Diabetes Challenge Predict the outbreak of the disease!
2706 Instacart Market Basket Analysis Which products will an Instacart consumer purchase again?
2707 Instance Segmentation 2022 Spring SFU CMPT Instance Segmentation
2708 Instant Gratification A synchronous Kernels-only competition
2709 Insurance claim classification Predict whether a car insurance holder will make a claim.
2710 Insurance prediction capstone project Insurance prediction capstone project
2711 Integer Sequence Learning 1, 2, 3, 4, 5, 7?!
2712 Integer Sequence Learning - Cheating Allowed 1, 2, 3, 4, 5, 7?!
2713 Intel & MobileODT Cervical Cancer Screening Which cancer treatment will be most effective?
2714 Internal USAIS competition vol.1 Prediction of House Prices using regression models
2715 Internal USAIS competition vol.2 Determine if the mushroom is poisonous or not using classification models
2716 Interview: Binary-Classification Competition Use your imagination, and create miracles.
2717 IntoML 2021. Property prices. Введение в машинное обучение. Цены недвижимости.
2718 Intro ML - Curso-R - 202108 Trabalho de Conclusão de Curso da Turma de Agosto de IntroML
2719 Intro to DS by Method Построение скоринговой модели
2720 Intro to Data Science Challenge Data Science Challenge open for 2nd and 3rd year CSE students to introduce DS pipeline
2721 Intro to Kaggle - Predicting Titanic Fatalities Learn to use cutting-edge data science tools to predict who lives and who dies on the titanic
2722 Intro. to ML: Assignment 2 Face Recognition
2723 IntroML 2019. Property prices. Введение в машинное обучение. Цены недвижимости.
2724 IntroML 2020. Property prices. Введение в машинное обучение. Цены недвижимости.
2725 IntroML2018. Autocompletion. Введение в машинное обучение. Автодополнение.
2726 IntroML2018. Property prices. Введение в машинное обучение. Цены недвижимости.
2727 IntroML2019FNCCU1 designed for an introductory ML course at NCCU
2728 IntroML2019FNCCU2 designed for an introductory ML course at NCCU
2729 IntroML2019FNCCU3 designed for an introductory ML course at NCCU
2730 IntroML2019FNCCU4 designed for an introductory ML course at NCCU
2731 IntroML2019FNCCU5 designed for an introductory ML course at NCCU
2732 IntroML2019FNCCU6 designed for an introductory ML course at NCCU
2733 IntroML2019NCCU for students
2734 IntroML2019NCCU_Part2 an extended version for students
2735 IntroPLN TP2: Análisis de Sentimiento Análisis de sentimiento. TP 2 de la materia Introducción al Procesamiento de Lenguaje Natural, UBA 2019.
2736 Introducing Kaggle Scripts Your code deserves better
2737 Introduction to Active Learning A in-class competition for machine learning class on Thursday
2738 Introduction to Computer 2021 - HW7 Image Classification: Street View House Numbers
2739 Introduction to Computer 2021 Spring - hw5 Image Classification: Street View House Numbers
2740 Introduction to Intelligent Computing Practice for Final Project
2741 Introduction to Machine Learning Homework This homework is a introduction HW for student of CMPSC 448 at Penn State University.
2742 Introduction to cross-validation Estimate your test-error!
2743 Intrusion Classification Intrusion Classification System
2744 Invalid entry Invalid
2745 Invasive Species Monitoring Identify images of invasive hydrangea
2746 Inventory Optimization Time Series Forecasting
2747 Iris Demo Iris Demo Masterclass
2748 Is Painting Fake? Predict whether a painting bought at an auction is fake or not
2749 Is it a duplicate? Make a classifier to identify duplicates
2750 Israeli Polling Stations Anomaly Detection Finding anomalies in the 2019 polling stations
2751 Isso é um teste Oi
2752 It is a competition for education If you want to learn about classification it's for you
2753 Items recommendations Predict what movies will person watch
2754 JDS02.Homework.Competition This is a course Homework
2755 JHB House Prices Hacakthon for the EDSA career day
2756 JJJJJASJAJAJ NOTHING
2757 JPX Tokyo Stock Exchange Prediction Explore the Tokyo market with your data science skills
2758 Jacoubet Atlas of Paris: where are the numbers Detect and recognise the street numbers in the Jacoubet atlas of Paris
2759 Jampp Competition Predicting St & Sc
2760 Jampp Competition Predicting St & Sc
2761 Jampp Competition Predicting St & Sc
2762 Jane Street Market Prediction Test your model against future real market data
2763 Jester joke recommendation Jester joke recommendation
2764 Jigsaw Multilingual Toxic Comment Classification Use TPUs to identify toxicity comments across multiple languages
2765 Jigsaw Rate Severity of Toxic Comments Rank relative ratings of toxicity between comments
2766 Jigsaw Unintended Bias in Toxicity Classification Detect toxicity across a diverse range of conversations
2767 Job Recommendation Challenge Predict which jobs users will apply to
2768 Job Salary Prediction Predict the salary of any UK job ad based on its contents
2769 Job Salary Prediction - LKM Competition created for the Lisbon Kaggle Meetup and based on https://www.kaggle.com/c/job-salary-prediction
2770 Journey to Springfield Once Upon a Time in Springfield....
2771 Journey to Springfield Once Upon a Time in Springfield....
2772 Jungjoon Choi Test Competition Testing competition!
2773 Just A dummy contest Simple regression contest
2774 Just the Basics - Strata 2013 Live from Santa Clara, CA - Core Data Science Skills with Kaggle’s Top Competitors
2775 Just the Basics - Strata 2013 After-party Live from Santa Clara, CA
2776 K - 디지털 빅데이터 2차반 이직자 분류하기
2777 K Means AI Club Demo Simple K means Implementation with minimal visualization
2778 K-디지털 빅데이터2차반 실직자분석
2779 KAIST_IE343_2021S The goal is to predict whether a patient will stroke
2780 KAIST_PD 2022
2781 KBO 타자의 다음시즌 타석수 예측 2020.Spring.AI_termproject_18011854백전능
2782 KCS Inclass Competition Vol.1 AIは犬派猫派の夢を見るか
2783 KDD BR Competition 2019 Auto scoring of molecular marker clusters
2784 KDD BR Competition 2020 Predicting unavailability of cars in a car rental agency
2785 KDD BR Competition 2021 AI-based approaches to predict solutions of the Travelling Salesman Problem
2786 KDD Cup 2012, Track 1 Predict which users (or information sources) one user might follow in Tencent Weibo.
2787 KDD Cup 2012, Track 2 Predict the click-through rate of ads given the query and user information.
2788 KDD Cup 2013 - Author Disambiguation Challenge (Track 2) Identify which authors correspond to the same person
2789 KDD Cup 2013 - Author-Paper Identification Challenge (Track 1) Determine whether an author has written a given paper
2790 KDD Cup 2014 - Predicting Excitement at DonorsChoose.org Predict funding requests that deserve an A+
2791 KERC2020 Korean Emotion Recognition Challenge 2020
2792 KHU_DNN_seminar Machine Learning in Practice
2793 KHU_DNN_seminar Machine Learning in Practice
2794 KIOS Summer School 2018 Competition (part 3) Nonlinear system identification by kernel methods
2795 KIRD Time Series Forecast Time Series: walmart sales
2796 KIRD stats2 Machine Learning Predict walmart sales
2797 KMAExam2021 exam competition
2798 KMAtest test for students of KMA
2799 KMIT-Exercise-I(Iris) Classification of Iris Dataset
2800 KMLC - Challenge 1 - Cats Vs Dogs Classify pictures of cats and dogs
2801 KMLC - Challenge 2 - Cartpole Solve the classic cartpole problem
2802 KMLC - Challenge 3 - Quick, Draw! Classify doodles from Quick, Draw!
2803 KNIT_HACKS This competion is open for all. But only knit students are eligible to win the cash prize.
2804 KNM2019 image2lang
2805 KNSI Golem #3 AI Summer Challenge
2806 KNSI Golem 2nd competition Embrace the xgboost
2807 KSEDAVR: Tree and ensemble methods Predict sales using various tree and ensemble methods
2808 KT Project 2, 2014-SM2 Twitter Geolocation classification.
2809 KT-2016-SM2 Geolocation of tweets; Project 2 of Knowledge Technologies 2016-SM2
2810 KU TA InClass Test InClass Competition for Test
2811 KUCC - food vs animal 고려대학교 kucc 딥러닝 세션 6주차 Computer Vision 과제입니다.
2812 KUDSV10 xyz
2813 KZ, Scoring Simulator, Task 1 Create best logistic regression model
2814 Kaggle Class 2021 - Titanic 한국금융연수원 Kaggle 데이터 분석
2815 Kaggle Competition NN & Backprop Kaggle competition for achievements
2816 Kaggle Datafest Hackathon Predict the price-category of real estate in Pakistan posted on Zameen.com
2817 Kaggle Days Meetup Cologne #3 Competition 2
2818 Kaggle Knight A 36 Hour long Machine Learning Hackathon
2819 Kaggle Practice A Predict Backorder Product
2820 Kaggle Practice B Predict MLB Playoffs
2821 Kaggle Practice Competition Yonsei University
2822 Kaggle Test Competition 2 Test competition stuff
2823 Kaggle practice basic practice kaggle by Basic MLP data
2824 Kaggler Job Satisfaction Competition Competition
2825 Kaggler Job Satisfaction Competition CS412 - Summer School Project
2826 Kannada MNIST MNIST like datatset for Kannada handwritten digits
2827 Keras tutorial Keras sentiment text classification
2828 Keystroke dynamics 1k users Identify 1k users based on the way they type
2829 Keystroke dynamics challenge 1 Identify users based on the way they type
2830 Keystroke dynamics challenge 2 Identify users based on the way they type
2831 Keystroke gender prediction Predict user gender based on keystroke dynamics
2832 Kharagpur Data Analytics Group Predict the outcome and become the part of our team.
2833 Kharagpur Data Analytics Group Selections 2020 This competition has been hosted as a part of the selection process into the Core Team of KDAG for 2020
2834 Khatam NLP - Assignment 2 - SQuAD Do your best!
2835 Kick-off 2022 Shaastra 2022 ML Hackathon - Find out the commercially most valued player.
2836 Kickstarter Project Predict whether the project will collect target amount of money
2837 Kickstarter: Games What makes a sucessful game kickstarter project?
2838 Killer Shrimp Invasion Predict the presence of the invasive species D. Villosus in the Baltic Sea
2839 Kinase inhibition challenge Protein kinases have become a major class of drug targets, accumulating a huge amount of data
2840 Kinghocas Testing
2841 Kirey Group Gimme5 UniPo Find out if reaching the target looks possible or not!
2842 Kobe Bryant Shot Selection Which shots did Kobe sink?
2843 Kompetisi Data Challenge [TEST] test competition
2844 Kore 2022 Use a fleet of spaceships to mine minerals before your opponents
2845 Kore 2022 - Beta Collect the maximum amount of Kore against your opponents
2846 Korean SA Competition - BDC101 Korean Sentiment Analysis Competition
2847 Korean SA Competition - DFE610 Korean Sentiment Analysis Competition
2848 Kreditkartendatensatz Wer geht bankrott?
2849 Kruki z Cytadeli Konkurs dotyczący klasyfikacji, grywalizowany kurs eksploracji danych @PUT
2850 Kuzushiji Recognition Opening the door to a thousand years of Japanese culture
2851 KÜRT Akadémia - Adatelemzési gyakorlat Practical analytical exercise for data science course of KÜRT Akadémia
2852 KÜRT Akadémia Data Science képzés 2017 A 2017-12-01-i alkalomhoz kapcsolódó háziverseny
2853 KÜRT Akadémia Data Science képzés 2018 A 2018-05-30-i alkalomhoz kapcsolódó háziverseny
2854 Kürt Akadémia - 7. alkalom Adattisztítási gyakorlat
2855 LANL Earthquake Prediction Can you predict upcoming laboratory earthquakes?
2856 LC TEST Test for lc
2857 LHS712 W20: ActivityTweeting Identify tweets that describe a moderate physical activity
2858 LHS712 W21: ActivityTweeting Identify tweets that describe a moderate physical activity
2859 LHS712 W22: Activity Tweeting Identify tweets that describe a moderate physical activity
2860 LID Challenge Language Identification Challenge for TEDx Talks
2861 LIGA IA Facens- 1ª competição Primeira competição entre alunos da Liga de IA da FAcens
2862 LLL TU GRAZ MANAGER TRACK
2863 LP Datamining Qui aura les meilleures prédictions?
2864 LP&D Challenge - 2018 Prever qual o último dia de janeiro que um produto será vendido.
2865 LP-SERIES#1-nucleus classification hola, show me what you got
2866 LSML-2017, Counters Предсказать, получит ли водитель такси хорошие чаевые за поездку.
2867 Lab 1 - Sentiment Analysis Machine-learning based natural language processing
2868 Lab 1 - Sentiment Analysis Machine-learning based natural language processing
2869 Lab 3 - Sentiment Analysis Twitter - sentiment analysis
2870 Lab 3 - Sentiment Analysis Twitter - sentiment analysis
2871 Lab 3 competition demo Lab 3 competition demo
2872 Lab-06-NNFL One Shot Learning
2873 Lab3-Classification Here's a multi class classification problem based on GoT data for you.
2874 Labdata Churn Challenge 2020 Try to predict whether a client will churn the telco service
2875 Labeled Faces in the Wild Face recognition: identifying the name of a person from a face image.
2876 Labeled Faces in the Wild Face recognition: identifying the name of a person from a face image.
2877 Lacmus foundation Find missed people in the drone images
2878 Lagos AI Hackathon / Career Fair Submit your solution to the famous Titanic kaggle competition to join us for the 2nd Lagos AI Hack.
2879 Land Cover Classification Classifying satellite images
2880 Land Cover Classification Detect land use from satellite imagery
2881 Language ID on conversational speech FAME
2882 Languages Your goal: to learn to recognize its language by a word.
2883 Large Scale Hierarchical Text Classification Classify Wikipedia documents into one of 325,056 categories
2884 Large-scale Energy Anomaly Detection (LEAD) Identify energy usage anomalies in hourly smart electricity meter readings
2885 LargeFineFoodAI-ICCV Workshop-Recognition Large-scale fine-grained food recognition
2886 Last Test Last try to make this work
2887 Late Arrival of Flights Which flights will be late? Find this out!
2888 Late/Slack | Frame-Level Speech Recognition 11-785, Spring 2022, Homework 1 Part 2 (hw1p2) Slack Kaggle
2889 Latihan Kaggle PJJ Data Analytics 2021
2890 Leaf Classification Can you see the random forest for the leaves?
2891 League of Legends Winner Prediction 2020.Spring.AI_termproject_19011484백지오
2892 Leaping Leaderboard Leapfrogs Provide creative visualizations of the Kaggle leaderboard
2893 Learn KNN (corp-01) Задача на k-ближайших соседей
2894 Learn Linear Models & FE (corp-01) Задача на линейные модели и построение признаков
2895 Learn to classify You can use any classifier
2896 Learning Equality - Curriculum Recommendations Enhance learning by matching K-12 content to target topics
2897 Learning NLP Sentiment Classification on Twitter Data
2898 Learning Sierpinski Triangles Using deep learning to model Sierpinski fractal triangles
2899 Learning Social Circles in Networks Model friend memberships to multiple circles
2900 Learning to Count Postgraduate Course on DataScience and Bigdata at University of Barcelona
2901 Learning to rank Fall 2020 Machine learning to rank
2902 Learning to rank Fall 2021 Machine learning to rank
2903 Learning to rank ITMO Spring 2019 Machine learning to rank
2904 Learning to rank MADE Fall 2019 Machine learning to rank
2905 Learning to rank Spring 2020 Machine learning to rank
2906 Learning to rank TS Machine learning to rank
2907 Learning to rank TS Fall 2017 Machine learning to rank
2908 Learning to rank TS Fall 2018 Machine learning to rank
2909 Learning to rank TS Fall 2019 Machine learning to rank
2910 Learning to rank TS Spring 2017 Machine learning to rank
2911 Learning to rank TS Spring 2018 Machine learning to rank
2912 Learning to rank TS Spring 2019 Machine learning to rank
2913 LendingClub (DSM RC, Fall 2021) Prediction competition for LendingClub
2914 Lendo Machine Learning Workshop In this workshop we will learn about Machine Learning.
2915 Lenta.ru Классификация текстов новостей Lenta.ru
2916 Let's Overfit We have no training data. you need to guesssssssssssssssssss the label!!! Have fun!!!
2917 Letra oculta Você consegue encontrar a letra que está criptografada ?
2918 Lets write some shows! Who needs people to write new books and shows?
2919 Level Up Final Project Final Project for Level Up! Data Science
2920 Leveraging Machine Learning Techniques Leveraging Machine Learning Techniques and Predictive Analytics for Knowledge Discovery in Radiology (Hands-on)
2921 Leveraging Machine Learning Techniques 2018 Leveraging Machine Learning Techniques and Predictive Analytics for Knowledge Discovery in Radiology (Hands-on)
2922 Liberty Mutual Group - Fire Peril Loss Cost Predict expected fire losses for insurance policies
2923 Liberty Mutual Group: Property Inspection Prediction Quantify property hazards before time of inspection
2924 Life Expectancy - Multiclass Classification Use Machine Learning to predict the U.S. Region with a given life expectancy
2925 Life Insurance Assessment dataset making it easy to buy life insurance
2926 Life Insurance dataset making it easy to buy life insurance
2927 Life Long Learning Life Long Learning Seminar
2928 Limonackathon 2020 Gone Wild Ready or not, here it comes
2929 Linear Regression Predict the value on a given date
2930 Linear Regression Predict the value on a given date
2931 Linear regression study 1 lesson 1-2
2932 Link Prediction Data Challenge 2019 Link Prediction in the French Webgraph
2933 Link Prediction TU AXA Data Science Winter School : Tsinghua, Renmin and Ecole Polytechnique
2934 Link Prediction UTS Predict the links occuring in the next time step
2935 LitBank Named entity recognition on LitBank data
2936 Lithology prediction hack Предскажите тип земной породы при бурении скважины
2937 Loan Default Prediction - Imperial College London Constructing an optimal portfolio of loans
2938 Local Hack Day Build: Build a ML Web App Use recent real estate sales data to predict house prices!
2939 Localization and Classification Learn a robust food detector and an efficient category classifier
2940 Logical Rhythm 2018 Calculation-Time Prediction of GPU
2941 Logical Rhythm 2018 Predicting the magnitude of area affected by Forest Fire
2942 Logical Rhythm 2k20 Game Price Prediction Be a pro and predict the prices for games to get the glory
2943 Logical Rhythm 2k20 Tow-Mater Labs Torture the data and it will tell you all the secrets
2944 Logical Rhythm 2k21 Beans Be the beans expert by classifying correctly
2945 Logical Rhythm 2k21 Cars24 Be victorious by predicting the price in this raw dataset
2946 Logical Rhythm 2k21 Gganbu? Who is m1key's Gganbu?
2947 Logistic Regression Practice Practicing Logistic Regression within class
2948 Louis Bite Predict if Louis will bite or not
2949 Low Pass Filter Computation Time BMEN 428/CSCE 461/ECEN 489/BMEN 628 – Fall 2018
2950 Low Pass Filter Computation Time (Final) BMEN 428/CSCE 461/ECEN 489/BMEN 628 – Fall 2018
2951 Low Pass Filter PSD BMEN 428/CSCE 461/ECEN 489/BMEN 628 – Fall 2018
2952 Low Pass Filter PSD (Final) BMEN 428/CSCE 461/ECEN 489/BMEN 628 – Fall 2018
2953 Lung Carcinoma To help doctors to classify a image into normal or abnormal lung.
2954 Lux AI Gather the most resources and survive the night!
2955 Lux AI 2022 - Beta Terraform mars and help test season 2 of the Lux AI Challenge!
2956 Lux AI Season 2 Terraform Mars!
2957 Lyft 3D Object Detection for Autonomous Vehicles Can you advance the state of the art in 3D object detection?
2958 Lyft Motion Prediction for Autonomous Vehicles Build motion prediction models for self-driving vehicles
2959 M.inf.1800 ss19: Task1 M.Inf.1800 SS 19: Practical DS - Task 1
2960 M.inf.1800 ss19: Task1 M.Inf.1800 SS 19: Practical DS - Task 1
2961 M2 Miage - FST TP noté, fin du module FST
2962 M4101 - Projet : Analyse de sentiments Prédire la note accordée à un film ou une série à partir d'un commentaire
2963 M5 Forecasting - Accuracy Estimate the unit sales of Walmart retail goods
2964 M5 Forecasting - Uncertainty Estimate the uncertainty distribution of Walmart unit sales.
2965 MA478 Term End Analysis Competition Spring 2021 Can you predict the next viral news story?
2966 MAC0460 self driving Using machine learning to build self-driving cars
2967 MACHINA DOCTRINAS "Elan & ηvision , IIT Hyderabad ​proudly presents its Machine Learning and Data Analytics event ""Machina Doctrina’s"""
2968 MACHINA DOCTRINAS "Elan & ηvision , IIT Hyderabad ​proudly presents its Machine Learning and Data Analytics event ""Machina Doctrina’s"""
2969 MADE HW-2 What genres has a movie with a provided dialogue?
2970 MADSAD2017 Predicting Credit Risk
2971 MAI ML Course - 2019 Предсказание выживших на титанике
2972 MAI ML Decision Trees Competition for Decision trees homework
2973 MAI-ML HW models Practice all the models you learned
2974 MAIS 202 Fall 2021 Fashion MNIST Challenge
2975 MAIS 202 Winter 2022 Fashion MNIST Challenge
2976 MANUALS - SK[AI] is the Limit 💺✈ Use this to evaluate your predicted Manuals
2977 MAP541-2021-2022 Forest Cover Type Prediction
2978 MARIA HOSTER TEST TEST TEST TEST TEST TEST TEST TEST
2979 MAS 412 Final Project Final project for MAS 412 Advanced Regression and Predictive Modeling course
2980 MAT 443 Regression Competition This is the regression competition for MAT 443 data mining class.
2981 MAT300/QSO370 Spring 2020 Modeling Competition Be the best at predicting the selling price of used cars. Prizes are up for grabs!
2982 MAT434 Monster Challenge Classify more accurately than your classmates...there will be prizes!!!
2983 MATE06: Pets Competition CNN Final Competition
2984 MATH498: Classification Multiclass classification task for MATH498 (University of Michigan)
2985 MATH681 MATH681 homework
2986 MBA Challenge 2019 Develop Your Machine Learning Competency
2987 MDClassification2021 Competencia de clasificación 2021-10
2988 MDRegression2021 Competencia de regresión 2021-10
2989 MDS MacVentures Classification Task2 Choose relevant features to classify this imbalanced data.
2990 MDS Property Price Prediction Can you predict the price of properties around Melbourne?
2991 MDS-CL-2020-21 COLX 563 Lab Assignment 1 Named Entity Recognition
2992 MDS-CL-2020-21 COLX 563 Lab Assignment 2 Semantic Role Labelling
2993 MDS-CL-2020-21 COLX 563 Lab Assignment 3 Question-Answering with BERT
2994 MDS-CL-2020-21 COLX 563 Lab Assignment 4 Slot filling
2995 MDS-MISIS-DL CIFAR-10 classification Classify images of CIFAR-10 dataset
2996 MDS-MISIS-DL Flower Photos Classification Classify TensorFlow Flower Photos Dataset
2997 ME ingatlan.com adatbányászati verseny Építsünk prediktív modellt, amely előrejelzi, hogy egy ingatlanhirdetés árát módosítja-e a hirdető
2998 METU NCC CNG514 Challenge Predict house prices in Ankara, Turkey
2999 MF Geo homework Geo basics
3000 MF-GEO-HW homework for MSU course
3001 MF-MAIL-GEO-HW Course homework
3002 MFAB Data Challenge 101 In class Data science challenge
3003 MFF Data Science 2 HW3 Summer 2022
3004 MG-GY 8413 : Business Analytics (Fall 2020) Project on Predictive Modelling
3005 MG-GY 8413 : Business Analytics (Spring 2021) Project on Predictive Modelling
3006 MGMT 571 Final Project Apply classification algorithms to forecast if a firm will collapse
3007 MGTA415-data-driven-text-mining Restaurant type prediction
3008 MGTF 495 Kaggle Competition Predict the sales price of housing
3009 MGTF 495 Spring 2020 House price prediction
3010 MGTF495 Final Project Sale Price Prediction
3011 MGTVTEST MGTVTEST
3012 MIE 1624 Course Project This competition is a part of evaluation component for the course Introduction to Data Science and Analytics
3013 MIIA4200 - MOVIE GENRE CLASSIFICATION MOVIE GENRE CLASSIFICATION
3014 MIIA4201 - MOVIE GENRE CLASSIFICATION MOVIE GENRE CLASSIFICATION
3015 MINST-YNU MINST-YNU
3016 MIPT-NLP-hw2-2021 NER
3017 MIPT-NLP-hw2-2022 NER
3018 MIPT-NLP-hw3-2021 Textual Entailment Recognition
3019 MIPT/FIVT/ML/2014/Spring/Task1 Бинарная классификация цветов RGB палитры по принципу, может ли цвет быть цветом кожи, или нет
3020 MIS 436 Spring 2019 Spam Email Prediction Use the provided data to predict if an email is spam or not
3021 MIS382N Fall 2019 Fit, cross validate, generate features, ensemble...!
3022 MIS583 A Binary Classification Competition
3023 MIS583 2020 Flower classification Assignment3
3024 MIS583 HW2 Flowers classification Part1
3025 MIS583 HW2 Part 2 Flowers classification Part2
3026 MIS583-HW3 Sentiment classification using RNN
3027 MISTER SPEX DATA SCIENCE CASE A supervised learning problem with simulated data
3028 MIT ML4MolEng: Predicting Cancer Progression MIT 3.100, 10.402, 20.301 In class ML competition (Spring 2021)
3029 MIT ML4MolEng: Predicting Solvation Free Energies MIT 3.100, 10.402, 20.301 In class ML competition (Spring 2021)
3030 MKN ML 2020 competition 1 part 1 Восстановить регрессию
3031 MKN ML 2020 competition 1 part 1 Восстановить регрессию
3032 MKN ML 2020 competition 1 part 2 Построить модель для задачи бинарной классификации
3033 MKN ML 2020 competition 1 part 2 Построить модель для задачи бинарной классификации
3034 MKN ML 2020 competition 1 part 2 Построить модель для задачи бинарной классификации
3035 MKN SPbU ML-1 2021 competition Бинарная классификация
3036 ML 2021 Assignment 2 Text classification
3037 ML 2021FALL HW4 Text Sentiment Classification
3038 ML 2021FALL HW5 Machine Learning (2021,FALL) HW5-Image Clustering
3039 ML Applications Lets apply what we have learned.
3040 ML Club NITS Data Visualization competetion
3041 ML Guild Computer Vision Practicum Learn, discuss and build computer vision models
3042 ML Hackathon #GDSCMENA #GDGMENA #WomenTechmakersCarthage #GoogleDeveloperStudentClubs #GoogleDeveloperGroup #ENIT #GDG_Carthage #GDSC_ENIT
3043 ML Hackfest - Haribon Dataset ML Hackfest - Haribon Dataset
3044 ML Home work 1 regression exercise for covid-19
3045 ML Olympiad - AgriSol Use TensorFlow to build an image classification model to predict crop diseases.
3046 ML Olympiad - Arabic_Poems ML Olympiad - Predict the name of poet for Arabic poems
3047 ML Olympiad - Autism Prediction Challenge Classifying whether individuals have Autism or not
3048 ML Olympiad - Delivery Assignment Prediction Optimize the assignment of deliveries according to the available drivers and the covered routes
3049 ML Olympiad - GOOD HEALTH AND WELL BEING Use your ML expertise to classify if a patient has heart disease or not
3050 ML Olympiad - Genome Sequences Classification Genome sequence classification
3051 ML Olympiad - Hausa Sentiment Analysis Classify the sentiment of sentences of Hausa Language
3052 ML Olympiad - Landscape Image Classification Classification of partially masked natural images of mountains, buildings, seas, etc.
3053 ML Olympiad - Let's Fight lung cancer Use your ML expertise to help us step another step toward defeating cancer [ Starts on the 14th February ]
3054 ML Olympiad - NYTFUG Sky Survey #MLOlympiad
3055 ML Olympiad - Preserving North African Culture Preserve for the future!
3056 ML Olympiad - QUALITY EDUCATION ML Olympiad – Previsão das notas da prova do ENEM
3057 ML Olympiad - TSA Classification Les participants devront developper un modèle de classification pour identifier les troubles autistiques précoces
3058 ML Olympiad - Tamkeen Fund Granted Allowing Tamkeen to estimate funds required for grants so that enterprises can reach their goals.
3059 ML Olympiad - Used car price Help to predict the price of an imported used car.
3060 ML Olympiad- Análisis epidemiológico Guatemala Los premios a los mejores ganadores están patrocinados por Google Developers.
3061 ML Olympiad: TensorFlow Malaysia User Group ML Hackathon Organized by TensorFlow Malaysia User Group
3062 ML codesprint test
3063 ML course internal competition Classify pictures of hand signs to determine which numbers they represent.
3064 ML for Exploration Geophysics Regression
3065 ML for Exploration Geophysics DNN
3066 ML for Exploration Geophysics 2022 DNN
3067 ML for Exploration Geophysics 2022 Regression: Synthetic Log Generation
3068 ML in Med Sirius 2020 Image classification task on normal and pathology (fibrosis) lungs.
3069 ML-2018spring-hw5 Machine Learning Homework 5 - Text Sentiment Classification
3070 ML-F19 Mail Classification Challenge Classify an email into four classes based on the metadata extracted from the emails.
3071 ML-Fashion-MNIST dataset. Develop a machine learning model that can classify between images of T-shirts and dress-shirts
3072 ML-Hackathon Classification Group 2 In this contest, you have to look and explore different models within the constraints of the Rules specified.
3073 ML-Hackathon Regression Group 2 In this contest, you have to look and explore different models within the constraints of the Rules specified.
3074 ML-Heast Disease Prediction Project AirFall2020 Build a Machine Learning based solution for heart attack disease prediction
3075 ML-I3 21-22 Mini Project Competition for the mini-project of Machine Learning course at HEIA-FR
3076 ML-competition 43ISG3301V A machine learning task to implement a full pipeline of cleaning to prediciton
3077 ML101-Task#2 The task for the second part of ML 101 event hosted by Computer Society IEEE MEC SB
3078 ML1718 - What's Cooking? Use recipe ingredients to categorize the cuisine
3079 ML1819 Bank Marketing Predict if the client will subscribe a term deposit
3080 ML1920 - Fashion-mnist Categorize fashion article images
3081 ML2 Assignment 2 Use recipe ingredients to categorize the cuisine
3082 ML2 USF 2020 Predict short term outcomes in critically ill patients
3083 ML2 USF 2021 Creating signatures for cancer
3084 ML2016-PM2.5 Prediction ML2016-hw1
3085 ML2017-Fall-hw5 Machine learning hw5 - Movie Recommendation
3086 ML2017FALL FINAL Chinese QA National Taiwan University Machine Learning 2017 Fall Final Project
3087 ML2018FALL-HW3-PyTorch Machine Learning (2018, Fall) HW3 - Hyperparameter Tuning (PyTorch)
3088 ML2018FALL-HW3-TensorFlow Machine Learning (2018, Fall) HW3 - Hyperparameter Tuning (TensorFlow)
3089 ML2019FALL-HW3 Machine Learning (2019, Fall) HW3 - Face Expression Prediction
3090 ML2019SPRING-hw3 Machine Learning, 2019 Homework 3 - Image Sentiment Classification
3091 ML2019spring-hw1 Machine Learning class homework 1
3092 ML2019spring-hw2 Machine Learning class homework 2
3093 ML2019spring-hw6 Machine Learning class homework 6
3094 ML2019spring-hw7 Machine Learning class homework 7 - Unsupervised Learning
3095 ML2019spring-hw8 Machine Learning 2019 homework 8 - Model Compression for Image Sentiment Classification
3096 ML2020FALL-HW4 Machine Learning (2020, Fall) HW4 - Malicious Comments Identification
3097 ML2020FALL-HW4 Machine Learning (2020,FALL) HW4-RNN
3098 ML2020FALL-HW4 Machine Learning (2020,FALL) HW4-RNN
3099 ML2020FALL-HW5 Machine Learning (2020,FALL) HW5-Image Clustering
3100 ML2020FALL-HW5 Machine Learning (2020,FALL) HW5-Image Clustering
3101 ML2020spring - hw1 Regression - PM2.5 Prediction
3102 ML2020spring - hw10 Anomaly Detection
3103 ML2020spring - hw12 Transfer Learning - Domain Adaptation
3104 ML2020spring - hw2 Classification - Binary Income Prediction
3105 ML2020spring - hw3 Convolutional Neural Network - Image Classfication
3106 ML2020spring - hw4 Recurrent Neural Network - Emotion Classification
3107 ML2020spring - hw7 Network Compression
3108 ML2020spring - hw9 Unsupervised Learning - Dimension Reduction
3109 ML2021-hw7-test ML2021-hw7-test
3110 ML2021Spring-hw1 COVID-19 Cases Prediction
3111 ML2021Spring-hw2 TIMIT framewise phoneme classification
3112 ML2021Spring-hw7 Bert - Extractive Question Answering
3113 ML2021Spring-hw7 Bert - Extractive Question Answering
3114 ML2021spring - hw11 Transfer Learning - Domain Adaptation
3115 ML2021spring - hw8 Autoencoder - Anomaly Detection
3116 ML2022Spring-HW3 Homework3 of Machine Learning(EE5184) at National Taiwan University, taught by professor Hung Yi Lee
3117 ML2022Spring-hw2 LibriSpeech phoneme classification
3118 ML2022Spring-hw4 Speaker Recognition
3119 ML2022Spring-hw7 Bert - Extractive Question Answering
3120 ML2022Spring-hw8 Anomaly Detection
3121 ML4E Inductions ML/DL Induction @ML4E
3122 ML4NLP-Covid19 NER Project of MSBD6000H
3123 ML@Home Challenge Predict house prices within specific locations in Lagos
3124 ML@UB - Housing House Prediction Task 2 - Housing House Prediction
3125 ML@UB - Housing House Prediction with LR Task 3 - Housing House Prediction with a Linear Regression Model
3126 ML@UB - Learning to Count Task 5 - Learning to count
3127 ML@UB - Unsupervised Learning Task 6 - Unsupervised learning
3128 MLB Player Digital Engagement Forecasting Predict fan engagement with baseball player digital content
3129 MLCC NSEC MLCC NSEC Study Jam Contest
3130 MLCC_hw1 predicting NBA players average score
3131 MLDS 2021-22 Long Competition Confidence-scored object detection!
3132 MLDS_Final MLDS Final Project.
3133 MLDS_HW2_(a) Structure Learning
3134 MLDS_HW2_(b) Structure Learning
3135 MLG AirBnB Regression Predict prices of properties based on structured and unstructured features
3136 MLHEP 2021 competition 1 The easy warmup
3137 MLHEP 2021 competition 2 Predict the energy of particles in CYGNO simulation
3138 MLNS 2021 - 2 Link prediction in information networks
3139 MLP Assignment Sample problem
3140 MLRW 2022 : AI Driven Biomedical Hackathon Data Centric AI Driven Biomedical Problem
3141 MLSD - HW3 Sentence Completion Challenge
3142 MLSP 2013 Bird Classification Challenge Predict the set of bird species present in an audio recording, collected in field conditions.
3143 MLSP 2014 Schizophrenia Classification Challenge Diagnose schizophrenia using multimodal features from MRI scans
3144 MLWARE - Technex 2019 Machine Learning hackathon
3145 MLWare Technex Machine Learning Hackathon
3146 ML_HW7 have fun
3147 ML_Midterm_Project regions collapse
3148 ML_assignment_CL-II_Lab_task2_part1 Image classification assignment with pre-trained resnet
3149 ML_assignment_CL-II_Lab_task2_part2 Image classification assignment without pre-trained resnet
3150 ML_hanbat Learning machine learning algorithms!!
3151 MMA 2020W Coke Kaggle Forecasting Coca-cola Shipments
3152 MMM Course - Hackathon 2020 Final competition of the MMM school course
3153 MMM Course-Hackathon 2020-b Final competition of the MMM school course
3154 MNIST (uglier) Everything I touch turns ugly
3155 MNIST Tutorial Machine Learning Challenge An MNIST dataset tutorial for machine learning challenge competition
3156 MNIST classification Computer vision is the 'art' of developing computerized procedures.
3157 MNIST clean hw5 TTIC31020 This is a MNIST competition for hw5 of TTIC 31020
3158 MNIST for Clothes MDST F20: Design a classifier (maybe multiple) that will predict what item of clothing a given image corresponds to.
3159 MNIST noisy hw5 TTIC31020 This is a noisy MNIST competition for hw5 of TTIC 31020
3160 MPCS 53113 HW1 Logistic Regression MPCS 53113 Natural Language Processing HW1 Logistic Regression
3161 MPCS 53113 HW1 Naive Bayes MPCS 53113 Natural Language Processing HW1 Naive Bayes
3162 MPCS53111-HW5-CIFAR100 MPCS53111 HW5 CIFAR100
3163 MPCS53111-HW5-FashionMNIST MPCS53111 HW5FashionMNIST
3164 MRI Classification for Sustech Deep Learning A competition for 2021 deep learning course in Sustech
3165 MRS Fall 2021 DS01 Tutorial: AL Competition Find the best material!
3166 MS-DAT Competition Kaggle competition for the MS930 cohort
3167 MSE Hackathon 1.1 "Predict ""Country wise response proportion"" for a given survey question based on given information about the country."
3168 MSE Hackathon 1.2 "Predict ""Country wise response proportion"" for a given survey question based on given information about the country."
3169 MSI Traffic Sign Challenge 2021 Czyli trenujemy sieć neuronową do rozpoznawania znaków drogowych ze zdjęć
3170 MSMK: IPQ Machine Learning Competición
3171 MSPS 2018, hw9-2 Task 2
3172 MSPS 2018, hw9-3 Task 3
3173 MSPS 2018, hw9-4 Task 4
3174 MSPS 2018, hw9-5 Task 5
3175 MSPS 2019, hw11-2 Task 2
3176 MSPS 2019, hw11-3 Task 3
3177 MSPS 2019, hw11-4 Task 4
3178 MSPS 2019, hw9-2 Task 2
3179 MSPS 2019, hw9-3 Task 3
3180 MSPS 2019, hw9-4 Task 4
3181 MSPS 2019, hw9-5 Task 5
3182 MSPS 2020, hw9-2 Task 2
3183 MSPS 2020, hw9-3 Task 3
3184 MSPS 2020, hw9-4 Task 4
3185 MSPS 2020, hw9-5 Task 5
3186 MTC Übung Learn basics of Data Driven Decisions
3187 MTI Bootcamp day 3 yeay
3188 MTI DAC Mini Competition W1 a time series - regression problem. try forecast air pollution hourly!
3189 MUGI EDM 2019 Competición MUGI EDM
3190 MUTeX MINER Predict the label of mutation in human genome
3191 MZDG 2018 Modelowanie zależności w danych gospodarczych
3192 MaSSP2021-German Credit Xây dựng mô hình phân loại khách hàng
3193 Machathon 3.0 Car Plate Character Recognition
3194 Machathon_machathon Filtration Test
3195 Machina Doctrina If making machines learn is your forté, this is the perfect event for you
3196 Machine Failure Prediction Can you predict when a machine will undergo failure?
3197 Machine Learning & Inductive Inference internal contest Classify patients as healthy or Pakinson diseased based on MRI scans.
3198 Machine Learning Challenge Use the ATLAS experiment to identify the Higgs boson
3199 Machine Learning Challenge Teaching Machines to Learn
3200 Machine Learning Challenge Teaching Machines to Learn
3201 Machine Learning Challenge Machine Learning Challenge
3202 Machine Learning Challenge - Sistemas embebidos Detección de señales de transito
3203 Machine Learning Competition A competition for Introduction to Data Science course participants
3204 Machine Learning Curaj Class competition for the student who are taking machine learning course
3205 Machine Learning Demonstration Workshop: Machine Learning with Knime
3206 Machine Learning For Business Classification Classification Part of the Project
3207 Machine Learning For Business Regression Regression Part of the Project
3208 Machine Learning Guild Apprentice Academy This competition will be used to aid the teaching process
3209 Machine Learning Inmersion Examen final del curso de Machine Learning Inmersion G6.
3210 Machine Learning Paradigm - University of Bristol Prediction of the number of bicycles at rental stations
3211 Machine Learning Paradigm - University of Bristol Prediction of the number of bicycles at rental stations
3212 Machine Learning Paradigms - University of Bristol Prediction of the number of bicycles at rental stations
3213 Machine Learning Project 2 Find out the location of a tweet! Team Name = LMS Username
3214 Machine Learning for Networking (2020) Passion in Action Course Challenge
3215 Machine Learning on Adult Dataset Can you predict whether a person makes over 50K a year?
3216 Machine Learning y NLP Competencia de Habilidades de Modelamiento
3217 Machine Learning: Regression and Regularization Predicting global video game sales.
3218 Machine learning - STP Machine learning competition
3219 MachineLearningAdvanced Examen de Machine Learning en el curso especializado de Machine Learning Advanced.
3220 Machinery Tube Pricing Model quoted prices for industrial tube assemblies
3221 Magnovite Datathon 2019 Predict Market Competitiveness For Insurance Products
3222 Magnovite Datathon 2019 Twitter Sentiment Scoring for Telecom Companies
3223 Mail Classification (RANEPA 2018) Mail spam/nonspam classification
3224 Mail spam detection (RANEPA ML 2018) Mails spam/nonspam classification
3225 Maize Cropping Systems in Chiapas This is , an extensive dataset of Maize cropping systems in Chiapas, a state in southern Mexico.
3226 Make-kaggle-leaderboard 17011771 이채원
3227 Makeup 11785-HW1p2-Fall2020 Makeup kaggle for students hoping to improve grades over the winter break for HW1p2
3228 Makeup 11785-HW3p2-Fall2020 Makeup kaggle for students hoping to improve grades over the winter break for HW3p2
3229 Makeup 11785-HW4p2-Fall2020 Makeup kaggle for students hoping to improve grades over the winter break for HW4p2
3230 Malaria Parasite Detection parasite detection in thin blood smear image
3231 Male/Female for DRR Image recognition for Ai Lab
3232 Malicious Intent Detection Challenge Apply ML to detect if an API request contains a cybersecurity attack/injection. Win $2,000+ in prizes
3233 Malware Detection Make your own Malware security system, in association with Meraz'18 malware security partner Max Secure Software
3234 Malware Detection Santander Teams Unbalanced Dataset Problem
3235 Malware Detection ZF Can you predict if a machine will soon be hit with malware?
3236 Malware Prediction Can you predict if a machine will soon be hit with malware?
3237 Malware Prediction ML 2020 Assignment 2
3238 Malware Prediction ML 2020 Assignment 2
3239 Malware Prediction ML 2020 Assignment 2
3240 Mankind Vs Machine Sydney Submit predictions and see if you can beat the machines
3241 Mapping Dark Matter Measure the small distortion in galaxy images caused by dark matter
3242 Mapping the Impact of Policy on COVID-19 Outbreaks Use GIS, corona case, and state policy data to map the influence of policy decisions on coronavirus cases and deaths.
3243 Mapple's Aggregate Planning An aggregate production plan is stated by product family over the given planning horizon
3244 Maquinas & CS Trato policial en Toronto
3245 Marathon Marathon
3246 March Machine Learning Mania Tip off college basketball by predicting the 2014 NCAA Tournament
3247 March Machine Learning Mania 2015 Predict the 2015 NCAA Basketball Tournament
3248 March Machine Learning Mania 2016 Predict the 2016 NCAA Basketball Tournament
3249 March Machine Learning Mania 2017 Predict the 2017 NCAA Basketball Tournament
3250 March Machine Learning Mania 2021 - NCAAM Predict the 2021 NCAAM Basketball Tournament
3251 March Machine Learning Mania 2021 - NCAAM - Spread Predict the margin of victory in the 2021 men's tournament
3252 March Machine Learning Mania 2021 - NCAAW Predict the 2021 NCAAW Basketball Tournament
3253 March Machine Learning Mania 2021 - NCAAW - Spread Predict the margin of victory in the 2021 women's tournament
3254 March Machine Learning Mania 2022 - Men’s Predict the 2022 College Men's Basketball Tournament
3255 March Machine Learning Mania 2022 - Women's Predict the 2022 College Women's Basketball Tournament
3256 March Machine Learning Mania 2023 Forecast the 2023 NCAA Basketball Tournaments
3257 Marketing Dataset Predict if a client will subscribe a bank term deposit
3258 Marketing Dataset Predict if a client will subscribe a bank term deposit
3259 Marketing Dataset Predict if a client will subscribe a bank term deposit
3260 Marketing campaign effectiveness Predict marketing campaign effectiveness of a bank...
3261 Markowitz Alternative risk metrics
3262 Marriage Prediction Marriage Prediction Weekly Challenge
3263 Mars Express Power Hackathon Support spacecraft engineers to operate the Mars Express Orbiter by predicting its thermal power consumption.
3264 Mashtots Dataset Classifying Armenian Handwritten Letters
3265 Master 1 Data Science have fun
3266 Masterseminar: Landnutzungsklassifikation Klassifikation von Pixelzeitreihen extrahiert aus Satellitenbildern
3267 Math ML HSE Contest 2021 Predict users' evaluation of the hotel
3268 Math80600A W21 Class Competition
3269 Math80600A W22 HWK2 Compétition
3270 MathSEE ML Course 2021 Temperature forecasting at 500+ weather stations in Germany
3271 Matrix Completion Fill in missing entries of a low-rank matrix.
3272 Matrix Completion Fill in missing data
3273 Max Planck Florida Project: Titanic Model Predict survival on the Titanic dataset.
3274 Mayo Clinic - STRIP AI Image Classification of Stroke Blood Clot Origin
3275 Małżeńskie problemy "Dodatkowy konkurs obliczeniowy, ""Eksploracja danych"" TPD"
3276 McGill Artificial Intelligence Society: Sentiment Analysis Determine whether a movie review is negative or positive
3277 MeSH Indexer Multi-label Text Classification
3278 Mechanisms of Action (MoA) Prediction Can you improve the algorithm that classifies drugs based on their biological activity?
3279 MedML-MIC A kaggle event focused on analyzing medical image using machine learning techniques.
3280 Medical Notes Classification Classify the medical notes to the medical specialty
3281 Medical.ml Liver USG Classification Liver USG binary classification
3282 MeetUp2.0 For the purpose of Learning
3283 MegaFon Accelerator Задание для поступления в Акселератор Стажёров
3284 MegaFon Case fot MGTU Binary classification
3285 Melbourne Datathon 2016 The Gurrowa Rumble
3286 Melbourne Datathon 2017 Who is heading for Diabetes?
3287 Melbourne University AES/MathWorks/NIH Seizure Prediction Predict seizures in long-term human intracranial EEG recordings
3288 Mercari Price Suggestion Challenge Can you automatically suggest product prices to online sellers?
3289 Mercedes-Benz Greener Manufacturing Can you cut the time a Mercedes-Benz spends on the test bench?
3290 Merck Molecular Activity Challenge Help develop safe and effective medicines by predicting molecular activity.
3291 Method House price prediction Fit house price
3292 Method Pro competiton SalePrice predict/uspehov rebyata
3293 Metodos Colmex Modelos predictivos
3294 Metric Learning for Facial Descriptors Create a new distance function that improves the face verification accuracy compared to a simple L2-metric
3295 MiEdu Deep Learning Competition This is the competition for MiEdu students in the deep learning section
3296 Micro Course 5 (CNN) Vegetable Image Classification
3297 Micro Course1(Regression) COVID-19 Cases Prediction
3298 Micro Course3 (MF) Movies Recommendation
3299 Micro and Nanotomography: Preprocessing Data Process and analyze data from a synchrotron to remove noise, segment features and analyze objects
3300 Microsoft Malware Classification Challenge (BIG 2015) Classify malware into families based on file content and characteristics
3301 Microsoft Malware Prediction Can you predict if a machine will soon be hit with malware?
3302 Mid-term assignment 1 Predict the quality of water
3303 Mid-term assignment 1 Predict the quality of water
3304 Mid-term assignment A Predict the quality of water
3305 Mid-term assignment B Money Ball
3306 Mid-term new assortment forecasting SAS HSE DAB Project New Assortment Mid-term Forecasting
3307 Milan 2020 Intra Hostel General Championship IITH
3308 Million Song Dataset Challenge Predict which songs a user will listen to.
3309 Mineração de Sentimentos Disciplina de Mineração de Dados da Universidade do Estado do Amazonas
3310 Mineria de Datos Uniandes Concurso para aplicar las técnicas aprendidas en la clase de Minería de Datos.
3311 Mini Comp DAS Angkatan 4 Digunakan untuk kegiatan praktek untuk pelajaran Basic Machine Learning
3312 Mini challenge - recommender systems IMT Mines Alès - 2IA department
3313 Miniproject #1 2021 Caltech CS155 2021
3314 Miniproject #1 2022 Caltech CS155 2022
3315 Miniproject #1 2022 Caltech CS155 2022
3316 Minor Project Minor Project for BITS F464 Sem 2 2021
3317 Missing and Imbalanced Data Вам предстоит решить задачу классификации для данных с пропусками и несбалансированностью классов
3318 Mixed Reviews Datasets Classify reviews with positive and negative sentiments
3319 Mobile Price Range Prediction Use the various properties of mobile phones to predict their price range
3320 Mobile Price Range Prediction IS2020 V2 This is a private competition only for ML interns @IndianServers
3321 Mobile keystroke dynamics Identify users based on the way they type on a mobile phone
3322 Mock Competition 2 - AI+ FUNAAB Insurance Prediction
3323 Model the Impossible: Predicting PH Earthquakes Predict magnitude and depth (under surface) of Philippine Earthquakes
3324 Modeling-pass-criteria This is a playground to understand how to create competition in Kaggle
3325 Modified Uplift Model for X5 Build a model to predict who will react to SMS (validation stage)
3326 MolHack Apply deep learning to speedup drug validation
3327 MolSim 2020 Competition for the MolSim 2020 machine learning workshop.
3328 MolSim 2021 ML challenge Competition for the ML course of the 2021 version of the MolSim winter school
3329 MolSim 2022 ML Challenge Challenge for the ML workshop in the MolSim winter school
3330 Moneyball It's all about winning. Using over 40 years of MLB team-level statistics, you will be modeling wins.
3331 Moneyball 2018 It's all about winning. Using over 40 years of MLB team-level statistics, you will be modeling wins.
3332 Morgan Stanely DAT Cohort 9/23 To predict the delinquency of loans
3333 Moroccan Darija Trigger Word Classification Classification of two trigger words spoken in Moroccan Darija.
3334 Morosidad - MS - G1 Ayúdame a decidir si la empresa debe o no debe desembolsar un préstamo
3335 Morse Learning Machine - v1 Build a learning machine to decode audio files containing Morse code.
3336 Morse Learning Machine Challenge - v2 Build a learning machine to decode audio files containing Morse code.
3337 MosCode AI Track (alternative) Train a clickbait detector
3338 Moscow Housing 2 Just do it
3339 Moscow Phystech: Learning To Rank 2012 Learning to Rank, 2012 edition.
3340 Motorcycle BPM Predict the BPM of a motorcycle
3341 Movie Genres Can you predict the genre of movie from just 1000 characters of the script?
3342 Movie Rating Predictions Predict the ratings of unseen user-movie pairs
3343 Movie Recommendation Tell Users Which Movies to Watch
3344 Movie Recommendation Tell Users Which Movies to Watch
3345 Movie Recommender Late Submission Flex your Unsupervised Learning skills to generate movie recommendations
3346 Movie Review Sentiment Analysis (Kernels Only) Classify the sentiment of sentences from the Rotten Tomatoes dataset
3347 Movie recomendation Fall 2020 Movie recomendation
3348 Movie recomendation TS Fall 2017 Movie recomendation
3349 Movie recomendation TS Fall 2018 Movie recomendation
3350 Movie recomendation TS Fall 2019 Movie recomendation
3351 Movie recomendation TS Spring 2017 Movie recomendation
3352 Movie recomendation TS Spring 2019 Movie recomendation
3353 Movie recomendation TS Spring 2020 Movie recomendation
3354 Movie recomendation competition TS Fall 2017 Movie recomendation competition
3355 Movie recomendation competition TS Spring 2017 Movie recomendation
3356 Movie recomendation competition TS Spring 2018 Movie recomendation competition
3357 Movies Can you predict the genre of movie from just 1000 characters of the script?
3358 Mr Clean Clean the dataset to improve your performance!
3359 Multi Level Electricity Load Forecasting Forecasting electricity load of residential electricity consummers, aggregates of sizes 10, 100 and 1000
3360 Multi-Class Classification Classify sentences based on their characteristics
3361 Multi-class COVID-19 Chest x-ray challenge CSC532 Machine Learning class Hackathon 2 (2021)
3362 Multi-class Classification Classify images based on a set of features
3363 Multi-class Classification Classify images based on a set of features
3364 Multi-label Bird Species Classification - NIPS 2013 Identify which of 87 classes of birds and amphibians are present into 1000 continuous wild sound recordings
3365 Multi-label Classification Competition COMP5329 Assignment 2 Test Result Submission Page
3366 Multi-modal Gesture Recognition Recognize gesture sequences in video and depth data from Kinect
3367 MultiNLI Matched Evaluation Part of the RepEval 2017 Shared Task
3368 MultiNLI Matched Open (Hard) Evaluation Public access to the MultiNLI Matched test set (hard subset)
3369 MultiNLI Mismatched Evaluation Part of the RepEval 2017 Shared Task
3370 MultiNLI Mismatched Open (Hard) Evaluation Public access to the MultiNLI Mismatched test set (hard subset)
3371 Multiclass classification With LDA and Multinomial Logistic Regression
3372 Multilingual Abusive Comment Detection Given a comment, detect whether it is abusive or not
3373 Multitask Affective Music Classification 2022 Lab 3 for Pattern Recognition course @ NTUA
3374 Multitask Music Classification Classify Genres and Emotions in Songs Using Deep Learning
3375 Multitask Music Classification - 2020 NTUA Pattern recognition course, Lab 3- Classify Genres and Emotions in Songs Using Deep Learning
3376 Music Albums Popularity Prediction Predict the popularity of music albums
3377 Music Albums Popularity Prediction V2.0 Predict the popularity of music albums
3378 Music Classification McGill ECSE 526 Assignment 2
3379 Music Classification Classify audio files to their musical genre
3380 Music Genre Prediction Prediction of music genre using audio features
3381 Music Pitch Recognition by CNN Recognize the mel-spectrum by CNN
3382 Music Recommendation System The final challenge for EE627 course
3383 Music Recommender System This is the final challenge of the EE627 course.
3384 My First Competition This is our first exploration
3385 N approve competition Predict status of application
3386 N bad challenge N...
3387 NAF Task1 bn New assortment forecasting in Retail
3388 NA____ NA
3389 NBME - Score Clinical Patient Notes Identify Key Phrases in Patient Notes from Medical Licensing Exams
3390 NCTU 2020 LAB3 back propagation
3391 NCTU-ML-2019-Lab05 Kuzushiji-MNIST classification
3392 NCU 2021 WIMU HW2 National Central University 2021 WIMU course homework 2, for activity text classification.
3393 NDHU AI LAB - fashion mnist Home work 1
3394 NDHU AI LAB - fashion mnist (CNN) Home work 2
3395 NER - Named Entity Recognition Дз1 - Извлечение именованных ущностей
3396 NER Casestudy Create a NER tagger based on ML algorithms to identify new named entities
3397 NEUB Spring-21 ML Class Project Bangla Banknote recognition
3398 NEW - CORRECTED - Bike sharing - OTM 714 2022 Develop the best linear regression model you can to forecast total bike usage for each hour of each day.
3399 NFL 1st and Future - Impact Detection Detect helmet impacts in videos of NFL plays
3400 NFL Big Data Bowl How many yards will an NFL player gain after receiving a handoff?
3401 NFL Health & Safety - Helmet Assignment Segment and label helmets in video footage
3402 NIPS 2017: Defense Against Adversarial Attack Create an image classifier that is robust to adversarial attacks
3403 NIPS 2017: Non-targeted Adversarial Attack Imperceptibly transform images in ways that fool classification models
3404 NIPS 2017: Targeted Adversarial Attack Develop an adversarial attack that causes image classifiers to predict a specific target class
3405 NITK Web Enthusiast's Club 24 Hour Hackathon Revisiting KDD Cup 1999
3406 NJU 2019 visit @ HKUST NJU 2019 visit @ HKUST SING Lab
3407 NJU DMCD Final Mining Practice Track1 This is the final mining practice for DMCD (track1)
3408 NJU DMCD Final Mining Practice Track2 This is the final mining practice for DMCD (track2)
3409 NJU Introduction to Data Mining Challenge 2020 Clone Detection Challenge
3410 NJU2019 NJU2019 Summer Project
3411 NJUNN2021-HW3 Transfer learning
3412 NLP - ITBA - 2019 Clasificación de contradicciones
3413 NLP 2021 HW1 First homework for NLP course at HSE 2021
3414 NLP Brasilia Curso de Processamento de Linguagem Natural - NLP
3415 NLP Experiment Mission1 任务一:基于不限模型方法的文本分类
3416 NLP Task HW4 Multiple Choice
3417 NLP Workshop Sentiment Classification on Twitter Data
3418 NLP for News Headlines Predict the category of news stories given their headlines.
3419 NLP-243-F21 Core Relation Prediction Core Relation Extraction
3420 NLP_HW4 Question Answering
3421 NLP_test test用
3422 NMLO Contest 1 - Decision Trees/Random Forests TJML National Machine Learning Open Contest #1
3423 NMLO Contest 2 - Neural Networks TJML National Machine Learning Open Contest #2
3424 NMLO Contest 3 - Regression TJML National Machine Learning Open Contest #3
3425 NMLO Contest 4 - Convolutional Neural Networks TJML National Machine Learning Open Contest #4
3426 NMLO Contest 5 - Basic NLP TJML National Machine Learning Open Contest #5
3427 NMMB333 - PROJECT 2 Assignment of the Introduction to data analysis course PROJECT 2 - Advanced linear regression
3428 NN competition .
3429 NNFL 2021 Assignment 1 "To create a classifier for colored images as either ""fire"" or ""not_fire"""
3430 NNFL 2021 Assignment 2 "To create a classifier for videos as either ""fire"" or ""not_fire"""
3431 NNFL Assignment 1 First assignment for BITS F312 fall'19, BITS Goa
3432 NNFL Assignment 3 BITS F312 NNFL Evaluative assignment 3
3433 NNFL Eval-2 Sentiment Classification
3434 NNFL Lab 1 CNNs Image classification using CNN
3435 NNFL Lab 3 NLP
3436 NNFL Lab2-CNN Build a Convolutional Neural Network for Multiclass Classification
3437 NNFL NLP Lab 2 NLP
3438 NNFL Project task A revised Task A NNFL Fall'19
3439 NNFL Project task B revised Task B NNFL Fall'19
3440 NNFL Project task C revised Task C NNFL Project Fall'19
3441 NOAA Fisheries Steller Sea Lion Population Count How many sea lions do you see?
3442 NONsense nonsese
3443 NOT A VALID COMPETITION Wrong metric was chosen
3444 NOT JUST ML : Predict House Prices Use deep learning to predict house prices
3445 NOVA Home Price Prediction Win $100. Predict the closing cost for each home in the test data set using training data
3446 NOW MOZILLA CLUB MPSTME Can you predict the happiness score?
3447 NSURL 2019: Task8 Semantic Question Similarity in Arabic
3448 NTA Landmarks Detection Predict 194 facial points.
3449 NTA Landmarks Detection Predict 194 facial points
3450 NTHU DS2019 HW3 NTHU data science 2019 spring HW3
3451 NTHU DS2020 HW3 NTHU data science 2020 spring HW3
3452 NTHU-DataLab-DL-Lab-14-2 Please donwload Celeb dataset in this competition
3453 NTI olymp training Trying to prepare for the upcoming olympics
3454 NTU CSIE SDML: HW 1 - Task 2 Link Prediction Problem on Citation Networks. (Document Only, for Testing Data)
3455 NTU CSIE SDML: HW 1 - Task 3 Link Prediction Problem on Citation Networks. (Only Document and Date Records for Testing Data)
3456 NTU CSIE SDML: HW 2 - Task 1 Food Recommendation - with features
3457 NTU CSIE SDML: HW 2 - Task 2 Predict what food will users eat on next day
3458 NTU Homework2-ver2 Yi-Ting Huang, Hw2-ver2
3459 NTU Homework3 Yi-Ting Huang, Hw3
3460 NTU MA 108-2 Ass2 Assignment 2 of the Multivariate Analysis Class.
3461 NTU MA 108-2 Ass3 Assignment 3 of the Multivariate Analysis Class.
3462 NTUST : IoT Data Analytics Homework: Traffic prediction
3463 NTUST Data Structures 2020 - Homework 5 Homework 5: Word Checker
3464 NTUST: Information Retrieval and Applications Homework 2: BM25
3465 NTUT Building Deep Learning Applications HW 2 Image Hashtag Recommendation - Recommend Most Relevant Hashtags based on the Content of Images
3466 NTUT Building Deep Learning Applications HW1 Classifying Letters and Digits in Extended MNIST dataset
3467 NTUT DRL Homework 2 - Car Racing Training an agent that can race on the tracks
3468 NTU_DSP2021_Part1 classification
3469 NTU_DSP2021_Part2 anomaly detection
3470 NU CS6220 Assignment 1 Data Mining course assignment 1
3471 NU CS6220 Fall 2014 Course Project This is a Course Project competition for CS6220 (Fall 2014)
3472 NUU ME midterm exam - flower image classification Midterm test
3473 NYCU 2021 Data Science Applications Project 2 Class program
3474 NYCU 2021 Data Science Applications V1 Class program
3475 NYCU 2021 Data Science Applications V2 Class program
3476 NYU Computer Vision - CSCI-GA.2271 2019 Assignment 2: Traffic sign competition
3477 NYU Computer Vision - CSCI-GA.2271 2020 Assignment 1.2: Traffic sign classification competition
3478 NYU Computer Vision - CSCI-GA.2271 2021 Assignment 1.2: Traffic sign classification competition
3479 NYU, Deep Learning, Spring 2019: Homework 2 Galaxy Merger Detection: Classify the morphologies of distant galaxies in our Universe
3480 NaSCon'18 Data Science Competition Predict category of heart disease from patient's medical record and ECG readings
3481 Nagyházi feladat Adatelemzési platformok és Customer Analytics 2019
3482 Naive Bayes IMDB Train Naive Bayes classifier to predict positive and negative reviews
3483 Naive Bayes IMDB21 Train Naive Bayes classifier to predict positive and negative reviews
3484 Naive Bayes como benchmark Predecir compra de un producto, comparando naive Bayes con otros!
3485 NaiveBayes'22 Use the Naive Bayes Model for sentiment analysis
3486 Name That Loan Fall 2016 Predict the interest rate that a bank will assign various loans
3487 Name That Loan Open Predict the interest rate that a bank will assign various loans
3488 Name That Loan Spring 2016 Predict the interest rate that a bank will assign various loans
3489 NanOperando Amiens 2019 Hand-on Convolutional Neural Network for Tomography data Segmentation (Z.L Su; T.T Nguyen; A. Demortiere)
3490 National Data Science Bowl Predict ocean health, one plankton at a time
3491 Natural Language Processing with E-commerce data Classify Consumer Price Index products
3492 Navires 2021 à la mano Trouver quel est le type de chaque navire
3493 Near Duplicate Detection Find pairs of documents which are copied!
3494 Netflix Appetency Identify consumer willing to subscribe
3495 Network Attacks Prediction Identify Network Attacks using Machine Learning.
3496 Network Complaint Challenge for DS Study Group
3497 Network Embedding Part2 The final project of Big Data Analysis and Processing Class, Tsinghua University.
3498 Network Science Analytics Predict missing citations
3499 Neural Network Competition TJ Machine Learning's Neural Network Competition
3500 Neural Network Competition TJ Machine Learning Club's Neural Network Compeition (2019-20)
3501 Neural Network Contest .
3502 Neural Networks .
3503 Neural Networks Optimization and Regularization
3504 Neural Networks Basics 2 .
3505 Neural Networks HW4 (BAD) Домашняя работая №4 - cifar100 + ResNet
3506 Neural Networks vs Linear Regression DATA 401 Project 2
3507 Neural University MNIST competition Добиться максимальной точности на MNIST
3508 Neural computation test Test version
3509 Neural networks for MNIST Handwritten digit recognition using deep neural networks
3510 Neural networks for MNIST Handwritten digit recognition using deep neural networks
3511 NeuroML 2021 - EEG BCI prediction NeuroML 2021 - Homework 1
3512 New CS570 Midterm Challenge Customer Retention Classifier
3513 New York City Taxi Fare Prediction Can you predict a rider's taxi fare?
3514 New York City Taxi Fare Prediction Can you predict a rider's taxi fare?
3515 New York City Taxi Trip Duration Share code and data to improve ride time predictions
3516 News Group Category Prediction Predict which category a given article belongs to
3517 News Popularity Prediction - Regression Labs Use regression techniques to predict the number of times a news article will be shared online
3518 News Popularity Prediction - Regression Labs Use regression techniques to predict the number of times a news article will be shared online
3519 News classification Классификация текстов Lenta.ru
3520 News classification Классификация текстов Lenta.ru
3521 News classification Классификация текстов Lenta.ru
3522 News classification by categories News classification by categories for cyrillic languages (kazakh, russian)
3523 Nexperia Predictive Maintenance Full 1 MATH 6380O
3524 Nexperia Predictive Maintenance Full 2 MATH 6360O
3525 Night at Cameo Illinois Institute of Technology ACM + Cameo: Recommend talent that users might like!
3526 No recommendation competition Here I will test out some of the features of kaggle InClass. A review will be posted in code
3527 NoNameCompetition Predict something from the dataset
3528 Node B Kaggle Competition We'll be applying various machine learning techniques to see who can create the best model.
3529 Nomad2018 Predicting Transparent Conductors Predict the key properties of novel transparent semiconductors
3530 NoneNone NoneNone
3531 Northeastern SMILE Lab - Recognizing Faces in the Wild Can you determine if two individuals are related?
3532 Not Just OLS Challenge 3 : Predict Unemployment Your mission should you choose to accept it... is to predict unemployment rate by county using historical data
3533 Not Valid Forecasting Car Rental Demand
3534 Nothing else I said nothing
3535 Nouvelle compétition ENSAI - 15.12.20 Prévision consommation
3536 Novozymes Enzyme Stability Prediction Help identify the thermostable mutations in enzymes
3537 Nómadas Digitales Predicción del Precio de un Paquete de Viajes
3538 OBSOLETE COMPETITION, SEE DESCRIPTION OBSOLETE COMPETITION, SEE DESCRIPTION
3539 OFL Test 2 Can you predict whether an image has TEXT or NOT?
3540 OLD MIS583 2021 Flower Classification old one
3541 OLD USELESS Certainly not us
3542 OLD USELESS Nothing
3543 OM ML2 2021: Ранжирование интересов Третий обучающий контест весеннего семестра
3544 ONTI Students performance This is compentition for final step of ONTI on Big Data and Machine Learning track.
3545 OSIC Pulmonary Fibrosis Progression Predict lung function decline
3546 OSU AI Club Hack Night Kaggle competition for tonight's hack night
3547 OTTO – Multi-Objective Recommender System Build a recommender system based on real-world e-commerce sessions
3548 Object Recognition Ищем объекты на картинках
3549 Observing Dark Worlds Can you find the Dark Matter that dominates our Universe? Winton Capital offers you the chance to unlock the secrets of dark worlds.
3550 Ocean Eddy Identification Develop a DL approach to identify eddies using SST and OC
3551 Old members Spotify prediction Given a set of Spotify songs properties can you predict the popularity of the song
3552 Om-kalthom-tiny Om-kalthom's songs for Arabic NLP
3553 One more Iris competition Implement a Gaussian Classifier
3554 Online Ads Quality Evaluation A major tech company wants to assess the quality of an online ads campaign. Let's help them!
3555 Online Advertising Challenge Fall 2018 Predict click probability
3556 Online Advertising Challenge Fall 2019 Predict click probability
3557 Online Advertising Challenge Fall 2020 Predict click probability
3558 Online Advertising Challenge Spring 2019 Predict click probability
3559 Online Advertising Challenge Spring 2020 Predict click probability
3560 Online Product Sales Predict the online sales of a consumer product based on a data set of product features.
3561 Online news popularity Predict which articles will be shared the most!
3562 Online purchase prediction Predict whether a user of online shop will make a purchase in this session
3563 Only for Testing testing
3564 Open Data Challenge Open Data Challenge
3565 Open IIT MS Hall 2020-21 No other halls allowed. Keep all work here.
3566 Open Images 2019 - Instance Segmentation Outline segmentation masks of objects in images
3567 Open Images 2019 - Object Detection Detect objects in varied and complex images
3568 Open Images 2019 - Visual Relationship Detect pairs of objects in particular relationships
3569 Open Images Instance Segmentation RVC 2020 edition Outline segmentation masks of objects in images
3570 Open Images Object Detection RVC 2020 edition Detect objects in varied and complex images
3571 Open Images Object Detection RVC 2022 edition Detect objects in varied and complex images
3572 Open Problems - Multimodal Single-Cell Integration Predict how DNA, RNA & protein measurements co-vary in single cells
3573 OpenCV Pytorch Course - Classification Practice on classification tasks
3574 OpenEdu Learning Data Analysis Predict whether the student is a student that we are interested in.
3575 OpenVaccine: COVID-19 mRNA Vaccine Degradation Prediction Urgent need to bring the COVID-19 vaccine to mass production
3576 Oprec Ristek 2019 Tugas Open Recruitment Junior Member Ristek 2019
3577 Oprec Ristek 2019 Tugas Open Recruitment Junior Member Ristek 2019
3578 Option géostatistique 2021/2022 Prediction of Cobalt top soil concentration over the swiss Jura
3579 Optiver Realized Volatility Prediction Apply your data science skills to make financial markets better
3580 Optum AI Racing League Can you train a car to self-drive?
3581 Oracle Idea Day Challenge Forecast daily consumption for the next month.
3582 Orange ISSATSO Evaluation dhre3ik ya 3alef. Warini chtnajem ta3mel
3583 Orbit propagation Estimate the future position of a satellite
3584 Orbit propagation Challenge 2 Hackaton SDD part 2: build an enhanced analytical propagator
3585 Ordina DotAI Ordina DotAI
3586 Ordinal Regression with a Tabular Wine Quality Dataset Playground Series - Season 3, Episode 5
3587 Orientation Orientation competition.
3588 Oropharynx Cancer (OPC) Radiomics Challenge :: Human Papilloma Virus (HPV) Status Prediction Predict from CT data the HPV phenotype of oropharynx tumors; compare to ground-truth results previously obtained by p16 or HPV testing.
3589 Oropharynx Cancer (OPC) Radiomics Challenge :: Local Recurrence Prediction Determine from CT data whether a tumor will be controlled by definitive radiation therapy.
3590 Oscar Predictions-Probabilities of Winning Given the provided data, predict the probability of each nominee to win in the corresponding Oscar category.
3591 Osyrak Competition 667
3592 Otto Group Product Classification Challenge Classify products into the correct category
3593 Outbound email spam detection using Unsupervised Given email data, Using unsupervised learning approach, find the anomalies,outlier for spam detection
3594 Outbrain Click Prediction Can you predict which recommended content each user will click?
3595 Oxford 102 Flower Pytorch 102 Flower Classification Created by Enthusiast's
3596 Oxford Pets Spaceport.AI Assignment 1: Can you predict the breed of a cat or dog?
3597 P-Sat 26 Winter Seminar winter seminar
3598 P1BigDataDeMerlo Práctica 1 del curso de BigData de Jose A. López de Merlo
3599 PAE-ITBA Fashion MNIST Challenge Clasificación de imágenes de prendas de ropa
3600 PAKDD 2014 - ASUS Malfunctional Components Prediction Predict malfunctional components of ASUS notebooks
3601 PAPis self driving Using deep learning to build self-driving cars
3602 PASC Data-Quest (Warm up) Be the Cooper to my Professor Brand
3603 PASC Data-Quest 2.0-2.0 Take Me Higher!
3604 PASC Data-Quest 2020 Take Me Higher!
3605 PCA for image recognition Reduce the dimensions of your data with PCA!
3606 PCHS Data Science COVID-19 Competition Use the data provided to predict future COVID-19 cases and deaths in different locations
3607 PDIOW Challange 2021 PDIOW Challange 2021
3608 PDS test competition this is a test competition
3609 PECFEST F1 Challenge Race to the finish
3610 PET radiomics challenges 18F-FDG PET Radiomics Risk Stratifiers in Head and Neck Cancer: A MICCAI 2018 CPM Grand Challenge
3611 PHI Challenge inclass competition 0 The first inclass image based challenge to
3612 PHYS591000 2022 Week04 kNN, k-means and/or Logistic Regression
3613 PHYS591000 2022 Week05 (B)DT (and Random Forests) and Support Vector Machine (SVM)
3614 PICT CSI ENTHUSIA 19 This is a mock competition hosted on kaggle by PICT CSI ENTHUSIA 19
3615 PID [YSDA 2016] Identify particle type at the LHC.
3616 PID [YSDA 2017] Identify particle type at the LHC.
3617 PID-ICL2019 Identify particle type at the LHCb detector
3618 PLAsTiCC Astronomical Classification Can you help make sense of the Universe?
3619 PMR 3508 - Tarefa 2 Tarefa 2 - Aprendendo a lidar com o classificador Naive Bayes
3620 POS-tagging Определение частей речи
3621 PPCA 2017 Task1 Comment Emotion Analysis Determine whether a comment is positive.
3622 PPKE ITK Neural Network 2021 (OTP) - Competition Be creative, be persistent, be the winner!
3623 PR 21 Competition - Classification Predict Market Type
3624 PR 21 Competition - Regression Predict Item Sales using Regression Techniques
3625 PRAMA 2021 Challenge permettant de tester les méthodes vues dans ce cours
3626 PRINCIPLES OF FINANCIAL ENGINEERING_20210502 due to 5/2
3627 PRINCIPLES OF FINANCIAL ENGINEERING_20210509 5/9
3628 PRIS'20 Covithon COVID-25, PHIting a Future Pandemic
3629 PRML-Data Contest-Jan 2021 Rate songs based on users previous history and metadata.
3630 PRML-Data Contest-Jul 2021 Data contest module for the CS5691 -PRML course
3631 PRML-Data Contest-Nov 2020 Rank Cyclist group Preferences based on different cycling tours
3632 PROJECT 1 Assignment of the Introduction to data analysis course PROJECT 1 - Linear regression
3633 PS10 Part 3: Voice2Age Competition for the Data Science course at NYUAD for Spring 2021
3634 PSU_380_Heads_or_Tails Comp 2
3635 PTI Hack Data science hackathon hosted by Institute of Physics and Technology KPI
3636 PTT八卦版推噓文預測 分別預測ptt八卦版的推文/噓文數量
3637 PUBG Finish Placement Prediction (Kernels Only) Can you predict the battle royale finish of PUBG Players?
3638 PUBG Winner-takes-all! Not really. We'll be tackling this one as a group
3639 PWAIC Iris Dataset Competition! Evaluate different models on the Iris Flower Dataset!
3640 PWAIC KNN Contest! Test you knowledge of the KNN Classification Algorithm with PWAIC's first ever in-house contest!
3641 Packing Santa's Sleigh He's making a list, checking it twice; to fill up his sleigh, he needs your advice
3642 Paddy Doctor: Paddy Disease Classification Identify the type of disease present in paddy leaf images
3643 PadhAI: Hindi Vowel - Consonant Classification Can you predict the vowel and consonant of a Hindi character image?
3644 PadhAI: Tamil Vowel - Consonant Classification Can you predict the vowel and consonant of a Tamil character image?
3645 PadhAI: Text - Non Text Classification Level 2 Can you predict whether an image has TEXT or NOT?
3646 Painter by Numbers Does every painter leave a fingerprint?
3647 Pandan 2022. HW2, KNN KNN-based methods competition
3648 Pandan 2022. HW6, NN & Ensembles Competition with image data
3649 Pandemic Tweet Challenge Natural Language Processing
3650 Papirusy z Edhellond "Politechnika Poznańska, ""Eksploracja danych"""
3651 Parasite detection detect if cell image has parasite or is uninfected
3652 Parcial Final Data Mining Continuación del ejercicio del parcial
3653 Parcial Final Data Mining Ejemplo de admisión a Posgrados
3654 Park 2020. Porn detection. Основы машинного обучения. Детекция порнографии.
3655 Parking lot 공영주차장의 토요일 무료 혹은 유료 여부
3656 Parkinson's Freezing of Gait Prediction Event detection from wearable sensor data
3657 Part Time Data Science Regression Competition Predict the price of homes at sale for the Aimes Iowa Housing dataset
3658 Partly Sunny with a Chance of Hashtags What can a #machine learn from tweets about the #weather?
3659 Paseka Webpage classification Detect broken web pages
3660 Pass CMU DL together Homework 3 Part 2 -Spring19 RNN-based Phoneme recognition
3661 Passenger Screening Algorithm Challenge Improve the accuracy of the Department of Homeland Security's threat recognition algorithms
3662 Past Comp Past comp
3663 Payment system detection (copy) Try to detect payment system of ctedit cards
3664 Payment systems detection challenge Try to detect payment systems of credit cards
3665 Peking University/Baidu - Autonomous Driving Can you predict vehicle angle in different settings?
3666 Pelatihan GTA - DSF In class competition for Data Science Fundamental Training
3667 Per-Instance Algorithm Selection Can you predict the best algorithm for each instance?
3668 Perceptron CIVE 6358-Assignment 1-perceptron
3669 Permuted Animal Faces Solve a 3 way classification problem with scrambled images of the Animal Faces dataset (cat, dog, wild)
3670 Perritos Clasificar perritos 🐶
3671 Personal vs Promotional "Classify an email into ""personal"" or ""promotional"" class based on metadata extracted from emails."
3672 Personality Prediction Based on Twitter Stream Identify the best performing model(s) to predict personality traits based on Twitter usage
3673 Personalize Expedia Hotel Searches - ICDM 2013 Learning to rank hotels to maximize purchases
3674 Personalized Medicine: Redefining Cancer Treatment Predict the effect of Genetic Variants to enable Personalized Medicine
3675 Personalized Web Search Challenge Re-rank web documents using personal preferences
3676 PetFinder.my - Pawpularity Contest Predict the popularity of shelter pet photos
3677 PetFinder.my Adoption Prediction How cute is that doggy in the shelter?
3678 Petro-Bytes Code the Rock
3679 Petrol Price Forecasting Predict the price of petrol in future.
3680 Photo Quality Prediction Given anonymized information on thousands of photo albums, predict whether a human evaluator would mark them as 'good'.
3681 Photometric Redshift Estimation 2012 To draw a 3D map of the Universe we need redshifts of galaxies. For large surveys direct redshift measurement with spectroscopy is not poss
3682 Photometric Redshift Estimation 2013 To draw a 3D map of the Universe we need redshifts of galaxies. For large surveys direct redshift measurement with spectroscopy is not poss
3683 Photovoltaic cell anomaly detection Hosted by Hebei University of Technology (AIHebut research group) and Beihang University (NAVE research group)
3684 Pilot Data Science Capstone - Data Exploration Pilot Microsoft Data Science MPP Capstone - Data Exploration
3685 Pilot – Data Science MPP Capstone - Classification Capstone classification model competition for Microsoft Data Science MPP
3686 Pilot-Data-Science MPP Capstone Regression Pilot regression capstone project for Microsoft Data Science MPP
3687 Pine Real Estate II Predict house prices
3688 Pinnacol MRCE Med Rec Esc Combined
3689 Plaksha22 CM005 Project Final project for CM005 Machine Learning Lab 1 course for the 2022 batch of Plaksha Technology Leaders Program
3690 Planet: Understanding the Amazon from Space Use satellite data to track the human footprint in the Amazon rainforest
3691 Plant Pathology 2020 - FGVC7 Identify the category of foliar diseases in apple trees
3692 Plant Pathology 2021 - FGVC8 Identify the category of foliar diseases in apple trees
3693 Plant Seedlings Classification Determine the species of a seedling from an image
3694 PlayGround - House Price Predictions Predict the price of houses on base of features
3695 Pneumonia Child Mortality (DATA624-16A) Predict the child mortality rate per 1000 births caused by pneumonia
3696 Pneumonia Classification HW
3697 Pneumonia Classification Homework for pneumonia prediction
3698 Pneumonia Texture Analysis Performing Texture Analysis on the RSNA Pneumonia Data
3699 Poezii în limba română Clasificarea versurilor în limba română după autor
3700 Poker Rule Induction Determine the poker hand of five playing cards
3701 Polytech Montpellier IG5 Predict ad auctions outcome
3702 Porto Seguro Data Challenge Estime a propensão de aquisição a novos produtos
3703 Porto Seguro’s Safe Driver Prediction Predict if a driver will file an insurance claim next year.
3704 Power AI iSAI-NLP 2017 Power AI iSAI-NLP 2017 CI-FAR100 Competition
3705 Power Plant Classification Can you identify any power plant in the United States from above?
3706 Practice Fusion Analyze This! 2012 - Open Challenge Start digging into electronic health records and submit your creative, insightful, and visually striking analyses.
3707 Practice Fusion Analyze This! 2012 - Prediction Challenge Start digging into electronic health records and submit your ideas for the most promising, impactful or interesting predictive modeling competitions
3708 Practice Fusion Diabetes Classification Identify patients diagnosed with Type 2 Diabetes
3709 Praktikum Data Mining LR Praktik regresi dengan data 1 x dan y
3710 Praktikum Data Mining Regression 1 Praktik regresi dengan data 1 x dan y
3711 Praktikum RNN Datanglah, berkompetisilah, dan jadilah yang terbaik
3712 Precio de las laptop Competición para el Bootcamp de Data Science de The Bridge
3713 Precio de los apartamentos usados en Medellín Simulacro competencia en Kaggle para los estudiantes del curso de modelos de regresión de la UNAL sede Medellín
3714 Precio de los apartamentos usados en Medellín 2019 Simulacro competencia en Kaggle para los estudiantes del curso de modelos de regresión de la UNAL sede Medellín
3715 Precios de Propiedades Estimando los precios de las propiedades de Mexico
3716 Predicción de Estancia Hospitalaria DEAR Construcción de un modelo predictivo de estancia hospitalaria
3717 Predicción de ventas Series Temporales
3718 Predicción del precio de una casa A partir de metadata y fotos.
3719 Predicción velocidad del Viento Predecir la velocidad de viento en diferentes instantes
3720 Predice el precio Predice el precio de inmuebles
3721 Predict CTCF binding Predict CTCF binding in A549 cells from DNA sequence
3722 Predict CTR Be the best predicting CTR
3723 Predict Career Related Industries Can you predict industries based on given dataset?
3724 Predict Closed Questions on Stack Overflow Predict which new questions asked on Stack Overflow will be closed
3725 Predict DNA Methylation States Predict Methylation State of DNA using Genomic Features
3726 Predict Grant Applications This task requires participants to predict the outcome of grant applications for the University of Melbourne.
3727 Predict HIV Progression This contest requires competitors to predict the likelihood that an HIV patient's infection will become less severe, given a small dataset and limited clinical information.
3728 Predict Hourly Wage Intro to kaggle class where we predict the hourly wage.
3729 Predict Hourly Wage Predict the hourly wage based upon a short list of predictors.
3730 Predict Income Group "Homework assignment for ""Machine Learning"" HSE Masters course."
3731 Predict Movie Ratings Predict movie ratings for the MovieLens Dataset
3732 Predict Movie Ratings Predict ratings of movies given user and movie ids
3733 Predict Movie Ratings v2 Welcome to predict movie ratings v2.0 . This time with a larger dataset.
3734 Predict NFL Scores - Lawfty #DSCO17 Hack Night! Use historic game-day info to predict home and away final scores.
3735 Predict Potential Spammers on Fiverr Look at the steps a new user takes on Fiverr and predict which will become spammers
3736 Predict Repeat Restaurant Bookings Predict the propensity of a second restaurant booking on EZTABLE.com within 90 days of a user's first booking
3737 Predict Student Performance from Game Play Trace student learning from Jo Wilder online educational game
3738 Predict Youtube Video Likes (Pog Series #1) A competition for supported by the twitch data science community.
3739 Predict bankruptcy You need to find a model that can predict bankruptcy
3740 Predict car price Build a model for car price prediction
3741 Predict exported products Predict whether a particular product is exported from the U.S. to a particular country in 2005.
3742 Predict final exam marks (test competition 1.1) this is test competition v.101
3743 Predict house price You are going to work with data of houses and predict prices for them
3744 Predict impact of air quality on mortality rates Predict CVD and cancer caused mortality rates in England using air quality data available from Copernicus Atmosphere Monitoring Service
3745 Predict in-app purchases Will the user spend in 7 days? In 14 days?
3746 Predict marks (this is a test competition) test v1.1
3747 Predict my function Try to find which function I have in mind
3748 Predict performance improvement in assignment re-submissions with a regression model. Predict overall performance improvement in MOOCs assignment with a regression model.
3749 Predict progress in assignment resubmissions Predict progress in assignment re-submissions with a classifier model.
3750 Predict the Diabetes! This competition is hosted by SDS,BIT-Mesra. The participants need to predict the diabetes from the data provided.
3751 Predict the Famous Cryptocurrencies Predict the future of Top 5 Cryptocurrencies!
3752 Predict the Fare Predict the Fare of Taxi
3753 Predict the Flu Predict the Flu using demographic and meteorological data as well as some Google's analytics.
3754 Predict the Housing Price A regression problem includes the knowledge of Machine learning, regression techniques, and feature engineering.
3755 Predict the value of transactions Build the Models
3756 Predict trip rating Can you predict if a trip is rated low, high or not rated at all!
3757 Predict windfarm power output Dataset #2
3758 Predict-Seoul-House-Price 서울 강남구 아파트 매매가 예측하기
3759 Predict-Seoul-houseprice 서울 강남구 아파트 매매가 예측하기
3760 Predict-X-problem-1 Predict-X will test your ability to understand data, analyze it, and build predictive models.
3761 Predict-X-problem-2 Predict-X will test your ability to understand data, analyze it, and build predictive models.
3762 PredictBusinessReviews Determine the average rating of a restaurant based on reviews and other business attributes (e.g. availability of parking).
3763 Predict_NumDeath Predict_NumDeath
3764 Predicting Bank Telemarketing Goal: predict if the banking clients will subscribe a term deposit
3765 Predicting Cancer Diagnosis Bravo's machine learning competition!
3766 Predicting College Basketball Success Given several variables, you will predict the road team's success in a college basketball game.
3767 Predicting Electricity Consumption inspired by the Ashrae Great Energy Predictor III
3768 Predicting Employee Attrition Which employees will leave a company? Test different models and strategies to find out!
3769 Predicting Epilepsy Dynamics One patient, one seizure: analysis and forecasting
3770 Predicting Forest Cover Type Memprediksi jenis hutan
3771 Predicting House Prices (Classes) Predict sales prices. Inspiration on Kaggle Competition House prices.
3772 Predicting Medical Insurance Costs Build a regression model to predict medical costs from demographic data!
3773 Predicting Molecular Properties Can you measure the magnetic interactions between a pair of atoms?
3774 Predicting NPS to Improve Patient Experience Concurso Maestría Analítica Pontificia Universidad Javeriana- Métodos y Aplicaciones de Analítica I
3775 Predicting Oil Price To analyse the historical prices and to Forecast the future prices.
3776 Predicting PTHrP Result - AACC 2022 Annual Meeting Presented by the AACC Data Analytics Committee and WashU Pathology Informatics
3777 Predicting Parkinson's Disease Progression with Smartphone Data Can we objectively measure the symptoms of Parkinson’s disease with a smartphone? We have the data to find out!
3778 Predicting Property Prices in Buenos Aires Area Prediction of property prices in Buenos Aires Airea.
3779 Predicting Red Hat Business Value Classify customer potential
3780 Predicting Type II Diabetes Use lab information to predict Type II Diabetes
3781 Predicting a Biological Response Predict a biological response of molecules from their chemical properties
3782 Predicting cab booking cancellations """Predict whether a cab booking will get cancelled"""
3783 Predicting gender Yeah
3784 Predicting implicit ratings Test your skills at predicting ratings
3785 Predicting insurance purchase Predict which households will purchase weather insurance
3786 Predicting poisonous and non poisonous mushrooms Creation of a model that kills nobody
3787 Predicting poisonous and non poisonous mushrooms Using mushroom image attributes to predict poisonous mushrooms
3788 Predicting the Presence of Polymerase II Predict the presence of polimerase II for a genomic sequence with additional annotations.
3789 Prediction "Predict whether income exceeds $50K/yr based on census data. Also known as ""Census Income"" dataset"
3790 Prediction Prediction
3791 Prediction BOD in river water Prediction BOD in river water on the monitoring stations data
3792 Prediction Challenge 2 for Data 101 Predict the grades in the testing file, adding to it GRADE attribute with predicted grades.
3793 Prediction Challenge 3 predicting the user political preferences
3794 Prediction Challenge 3 Predict the voting preferences among the four parties
3795 Prediction Challenge 3 Predicting earnings from the dataset
3796 Prediction Challenge 4 Predict Earning from School Performance
3797 Prediction Competition - Bike Sharing Demand End of COMP 180 regression competition: You are to predict bike share use based on information such as day, time, and weather
3798 Prediction Competition - Bike Sharing Demand End of COMP 180 regression competition: You are to predict bike share use based on information such as day, time, and weather
3799 Prediction Competition - Bike Sharing Demand CSCE 5300 regression competition: You are to predict bike share use based on information such as day, time, and weather
3800 Prediction Competition - Bike Sharing Demand End of CSCE 5300 regression competition
3801 Prediction Competition - Bike Sharing Demand End of CSCE 5300 regression competition
3802 Prediction Competition - Bike Sharing Demand UNT Data Science Organization Competition Event
3803 Prediction Of Sea Ice According to carbon emission factors
3804 Prediction of High Risk Patients Classification of high and low risk cancer patients
3805 Prediction of Wild Blueberry Yield Playground Series - Season 3, Episode 14
3806 Prediction of epitope Classify epitope and non-epitopes
3807 Prediction of housing price Predict the housing price by given test_data.cvc
3808 Prediction_challenge_2 2nd Prediction Challenge
3809 Predictive Analysis of Student Perfomance ...
3810 Predictive Analytics Training Learn fundamentals about predictive models
3811 Predictive Maintenance Since real predictive maintenance datasets are generally difficult to obtain and in particular difficult to publish
3812 Predictive Maintenance (MultiClass) Continue Applied based on { ML Hands-on Book }
3813 Predictive Model Predict to be better
3814 Predictive Modeling -NMIMS - Competition PM Competition for NMIMS 5th Year BIA Students
3815 Predictive maintenance Nasa Turbofan Dataset
3816 Predictive maintenance Hackathon on NASA Turbofan data
3817 Predictor to predict biological phenotype A chemical screen is presented to evaluate the efficacy of molecules in promoting loss-of-function editing by CRISPR-Cas9
3818 Predidction Challenge 1 The first prediction challenge
3819 Predição de Churn Predição do número de indivíduos que saem de um grupo coletivo durante um período específico.
3820 Predição de Câncer de Mama Diagnosticar câncer de mama utilizando aprendizagem de máquina
3821 Predição de Insuficiência Cardíaca Predizendo eventos de insuficiência cardíaca com base em características clínicas
3822 Presidential Candidate Classification Determine the presidential candidate from their speech!
3823 Presidential Candidate Classification Determine the presidential candidate from their speech!
3824 Presidential Candidate Classification Determine the presidential candidate from their speech!
3825 Presidential Candidate Classification Determine the presidential candidate from their speech!
3826 Previsão de Subscrição Preveja se o cliente irá se inscrever no depósito a prazo ou não
3827 Previsão de valor de moradia Prever valor de moradia com base em nove diferentes variáveis
3828 Price Change Prediction of Electronics in Online Shopping Predict the probability of prices of electronics items going up, using data from real online shopping sites in India.
3829 PriceEstimation [GIST MLDL 2019 Fall] Estimating Price using Linear Regressor
3830 Principios de Machine Learning Concurso competitivo y colaborativopara aplicar principios de machine learning en el caso de la regresión
3831 Principios de Machine Learning: Regresión Concurso Maestría Analítica Pontificia Universidad Javeriana- Métodos y Aplicaciones de Analítica I
3832 Principios de Machine Learning: Regresión Concurso Maestría Analítica Pontificia Universidad Javeriana- Métodos y Aplicaciones de Analítica I
3833 Principios de Machine Learning: Regresión Concurso Maestría Analítica Pontificia Universidad Javeriana- Métodos y Aplicaciones de Analítica I
3834 Principios de Machine learning: Regresión Concurso Maestría Analítica Pontificia Universidad Javeriana- Métodos y Aplicaciones de Analítica I
3835 Principios de machine Learning: regresión Maestría Analítica PUJ- Analítica I- 2110
3836 Principios de machine Learning: regresión Maestría Analítica PUJ- Analítica I- 2130
3837 Principios de machine learning: Regresión Maestría Analítica PUJ- Analítica I- 2030
3838 Principios de machine learning: Regresión Maestría Analítica PUJ- Analítica I-2210
3839 Principios de machine learning: regresión Concurso Maestría Analítica Pontificia Universidad Javeriana- Métodos y Aplicaciones de Analítica I
3840 ProPTIT AIF homework 1 AIF gen 2 playground
3841 ProPTIT AIF homework 2 Contest for member at AIF3 team only
3842 Probability of Death with K-NN Predicting probability of death using Nearest Neighbors models
3843 Probando los ficheros y probando
3844 Problem Set 4 - CSCI 4622 Classification
3845 Processo Seletivo Epistemic Avaliação das habilidades básicas dos candidatos de estágio em ciência de dados na Epistemic
3846 Procom'22 Data Science Competition Feature based classification of bacteria shapes
3847 Product Classification Classify into products
3848 Product Classification Classify your product and win the competition
3849 Production Forecasting Can you predict the oil production for Raisa wells?
3850 Products-10K Large-scale Product Recognition Challenge @ ICPR 2020
3851 Programming Assignment 1 Please submit your test results here to make an entry in the leaderboard. But be sure to submit in Canvas too.
3852 Programming Assignment 2 Age prediction from facial images
3853 Programming Assignment 4 Dominating tree types in the forest
3854 Programming for Data Analytics - 2019/2020 Movie Recommendation Project
3855 Project 1 - AI Course 2021 Final Project for AI Course 2021 at SBU
3856 Project 1 - House Price Prediction Using linear regression model to predict house price
3857 Project 2 - AI Course 2021 Final Project for AI Course 2021 at SBU
3858 Project 2 Regression Challenge Predict the price of homes at sale for the Ames Iowa Housing dataset
3859 Project 2022 - MPC - M1 House Price Prediction
3860 Project Find this competition there
3861 Project for ETM580 class Make good classifications
3862 Project: Classification 2 Classification
3863 Projet ML IPL 2020 Analyse d'images
3864 Projet Polytech L3 note te3kom
3865 Projeto 1 I Projeto Prático da disciplina de Mineração de Dados do curso de Engenharia da Computação da UEA.
3866 Promoter site prediction Predict interaction between DNA and sigma-factors
3867 Property Forecast
3868 Property Damage Predict the future possibilities of a property getting destroyed in the natural calamity.
3869 Property price prediction challenge 3rd Challenge yourselves to the property price prediction challenge hosted by GA technologies
3870 Property prices Предсказание цены недвижимости
3871 Prostate cANcer graDe Assessment (PANDA) Challenge Prostate cancer diagnosis using the Gleason grading system
3872 Protein-Classification-1091-Fall Simple classification competition
3873 ProtonX - TF02: Flowers Recognition CNN Problem - TensorFlow Class
3874 ProtonX - Đánh giá khả năng bị bệnh trong 10 năm Logistic Regression
3875 Proyecto Final Esta competencia es el proyecto final del curso de econometria en R
3876 Prudential Life Insurance Assessment Can you make buying life insurance easier?
3877 Prueba Austral 2 Clasificar Telco
3878 Prueba Competicion Fernando Es una prueba para la clase
3879 Prueba Hackathon Curso multivariado Recuperativo Prueba del curso de estadistica multivariada BIO4318
3880 Prueba competción sesión 1 Es una prueba para la clase de big data
3881 Prueba03 probando...
3882 Prueba04 prueba...
3883 Prueba1_data prueba
3884 Prueba5 prueba 5...
3885 Pruebaaa no es nada
3886 Przewidywanie zdrad "Dodatkowy konkurs obliczeniowy dla osób biorących udział w przedmiocie ""Eksploracja danych"" na II stopniu studiów magisterskich"
3887 Pràctica1_Alvar Primera pràctica de competició
3888 Práctica 1 SusoG Prueba competición
3889 Prédire une note de concours Il s'agit de prédire une note de dossier dans un concours sur dossier
3890 Prévisions de consommation électrique Modèles Additifs Semi-Paramétrique
3891 Prévisions de consommation électrique Modèles Additifs Semi-Paramétrique
3892 Psych - Intro to Machine Learning This is the final evaluation for our intro to Data Mining and Machine Learning Class.
3893 Psych Data Science Lab @ BGU Predict Kickstarter Success
3894 Psych Data Science Lab @ BGU 2020 Fake News Prediction
3895 Psychopathy Prediction Based on Twitter Usage Identify people who have a high degree of Psychopathy based on Twitter usage.
3896 Pupx Finance Predict stock market targets
3897 Purdue SIG AI Fall 2018 Learning competition to build the best model for the California Housing Prices dataset
3898 PyTorch Using CIFAR-100 The first Kaggle competition as part of the learning phase for Image Inpainting IEEE Project 2021.
3899 Python Class - Practice Data Analysis - Practice For New Generation & Intern
3900 Python Fun - Covid19 Analysis Discover the number of authorities in England have passed their peak cases
3901 Python for Data science ITEA ML Homework (Instagram likes prediction)
3902 Pytorch starter Prédiction des l'espèce de fleur sur le jeu de données Iris
3903 Pós IA - IFG Competição realizada entre os alunos da Pós em IA do IFG: https://ia.ifg.edu.br/
3904 Q&A Prediction Contest in SIS
3905 QBUS3820 Semester 1, 2019 The instructions are posted on Canvas.
3906 QMI In-house Competition A classification problem for learning
3907 QRM3003 Final Competition Spring 2021, Yonsei Univeristy
3908 Qanta ML course competition Create algorithms to answer trivia questions from a popular academic trivia game called Quiz Bowl.
3909 Quarto Desafio CiDAMO 22 Descubra a versão de Direct X sustentada por uma GPU
3910 Question Answer 强直100个问题,300个问法
3911 Quick, Draw! Doodle Recognition Challenge How accurately can you identify a doodle?
3912 Quiero un Credito Competi para los alumnos de DS de The Bridge 2022
3913 Quora Insincere Questions Classification Detect toxic content to improve online conversations
3914 Quora Insincere Questions Classification IIITB ML 2020 Project - 3
3915 Quora Question Pairs Can you identify question pairs that have the same intent?
3916 Quora Questions Can you identify question pairs that have the same intent?
3917 R Package Recommendation Engine The aim of this competition is to develop a recommendation engine for R libraries (or packages). (R is opensource statistics software.)
3918 RANEPA elections 2018 Predict the results of elections
3919 RANZCR CLiP - Catheter and Line Position Challenge Classify the presence and correct placement of tubes on chest x-rays to save lives
3920 RC599 Final Competition Spring, 2021, Yonsei University
3921 RGUKT Test 1 Come let'sdo it!
3922 RISK in Class первое наше соревнование
3923 RISTEK Data Science 2021 Open Recruitment Kontes untuk Open Recruitment member RISTEK Data Science 2021
3924 RIT MGIS 355 Assignment 6 RIT - Spring 2020 - MGIS 355 Business Intelligence Assignment 6
3925 RIT MGIS 355 Final Project Spring 2020 RIT MGIS 355 Final Project
3926 RM Loan Data Competition Determine whether clients will accept a loan offer
3927 RMS-titanic-01 Predict survival on the Titanic
3928 RN2021Q1 - ITBA - CIFAR100 Competencia de clasificación de imágenes
3929 RNN Competition 2020-2021 Determine if a song lyric is pop or rap
3930 ROB535 Fall 2021: Task 2 - Localization Localize vehicles in images from a game engine.
3931 ROI Segmentation. Hiring Challenge, segment ROI using neural network with number of parameters less than 500,000.
3932 RSNA 2022 Cervical Spine Fracture Detection Identify cervical fractures from scans
3933 RSNA Intracranial Hemorrhage Detection Identify acute intracranial hemorrhage and its subtypes
3934 RSNA Pneumonia Detection Challenge Can you build an algorithm that automatically detects potential pneumonia cases?
3935 RSNA STR Pulmonary Embolism Detection Classify Pulmonary Embolism cases in chest CT scans
3936 RSNA Screening Mammography Breast Cancer Detection Find breast cancers in screening mammograms
3937 RSNA-MICCAI Brain Tumor Radiogenomic Classification Predict the status of a genetic biomarker important for brain cancer treatment
3938 RTA Freeway Travel Time Prediction This competition requires participants to predict travel time on Sydney's M4 freeway from past travel time observations.
3939 RUC KBQA 2021 KBQA On WebSP Dataset.
3940 RUC_cardinality_competition cardinality estimation
3941 Radiación Solar ''
3942 Radiance'21 DataPrix Let the epochs begin!
3943 Radio Localization with multiple Sensors IEEE SPAWC 2021 Radio Localization Challenge
3944 Radiomics for LGG dataset Predict deletion of gene 1p19q of patients with brain low-grade-glioma using the radiomic features extracted from MRI
3945 Raiffeisen entry competition С помощью соревнования кандидаты смогут продемонстрировать свои знания в области построения прогнозных моделей
3946 Rain in chiangmai ทำนายปริมาณฝนเชียงใหม่
3947 Rainfall Keeps Falling on My Grade, October 2016 Using meteorological data for an unknown location, forecast average monthly precipitation.
3948 Rainforest Connection Species Audio Detection Automate the detection of bird and frog species in a tropical soundscape
3949 Raisa Data Science Challenge Recognize user activity from sensor readings
3950 Raisa Production Forecasting Can you predict the oil production for unconventional wells?
3951 Raising Money to Fund an Organizational Mission Help worthy organizations more efficiently target and recruit loyal donors to support their causes.
3952 Raman Spectroscopy Detect prokaryotic organisms using Raman Spectroscopy
3953 Random blah
3954 Random Acts of Pizza Predicting altruism through free pizza
3955 Random Forests TJ ML's second competition of 2018
3956 Random Forests Competition .
3957 Rank document Ранжирование документов по запросам
3958 Rank documents2018 Ранжирование документов по запросам
3959 Ranking long tail queries Learning to rank long tail queries
3960 Ranking long tail queries Fall 2020 Learning to rank long tail queries
3961 Ranking long tail queries Fall 2021 Ranking long tail queries
3962 Ranking long tail queries TS Spring 2020 Learning to rank long tail queries
3963 Real Estate Market Analysis 2019 Course conducted at Poznan University of Economics and Business
3964 Rebuild MIS583 重新建立的HW1競賽
3965 RecSys 2018/1: Collaborative Movie Recommendation Predict users' ratings for movies
3966 RecSys contest Sirius January 2020 simple NetflixPrize-like contest
3967 RecSys contest Sirius January 2021 Simple Netflix Prize like contest
3968 RecSys2013: Yelp Business Rating Prediction RecSys Challenge 2013: Yelp business rating prediction
3969 Recipe Recommender Final project for BANA275
3970 Recipe Recommender-2 Final project for BANA275
3971 Recipient prediction 2018 Could you predict the recipient's email?
3972 Recognizance Machine Learning Hackathon
3973 Recognizance Machine Learning Event
3974 Recognizance Round 1 of Machine Learning Event
3975 Recommendation class homework 2022 first homework
3976 Recommendation class homework 2022 (Full Time) first homework
3977 Recommendation class homework 2022 (Part Time) first homework
3978 Recommender Systems Lets Compete to Predict a User's Favorite Joke!
3979 Recommender Systems Contest МФТИ, 6 курс, МОБОД 2017
3980 Recommender Systems contest "Второе домашнее задание по курсу ""Доп.главы Машинного обучение""
3981 Recommender system, CS HSE, Spring 2018 Разработайте систему рекомендаций для интернет-магазина
3982 Recruit Restaurant Visitor Forecasting Predict how many future visitors a restaurant will receive
3983 Recunoastere scris de mana Automatizarea Procese verbale
3984 Recurrent Neural Networks Text analysis (classification)
3985 Recursion Cellular Image Classification CellSignal: Disentangling biological signal from experimental noise in cellular images
3986 Redes Neuronales - 2021 Trabajo de cátedra de la cursada 2021 de Intro a las Redes Neuronales y Aprendizaje Profundo.
3987 Reducing Commercial Aviation Fatalities Can you tell when a pilot is heading for trouble?
3988 Refugee Migration (DATA624-16B) Predict the number of refugees entering Europe
3989 Regression Determine the area cover of forest fires using regression and regularized regression
3990 Regression (Math498) Build a regression model to predict energy efficiency of buildings
3991 Regression : Cabbage price Regression with Cabbage price data
3992 Regression : Cabbage price Regression with Cabbage price data - knn
3993 Regression Assignment Submit your regression results to this competition
3994 Regression Evaluative Lab This is your first evaluative lab and it is a regression problem!
3995 Regression Practice for DS Online FT-011121 Cohort Regression practice that will relate closely to the Phase 2 project
3996 Regression Trees Predict using Regression Trees
3997 Regression challenge Predict house price given multiple features
3998 Regression lineaire Stats NBA
3999 Regression with a Crab Age Dataset Playground Series - Season 3, Episode 16
4000 Regression with a Tabular California Housing Dataset Playground Series - Season 3, Episode 1
4001 Regression with a Tabular Concrete Strength Dataset Playground Series - Season 3, Episode 9
4002 Regression with a Tabular Gemstone Price Dataset Playground Series - Season 3, Episode 8
4003 Regression with a Tabular Media Campaign Cost Dataset Playground Series - Season 3, Episode 11
4004 Regression with a Tabular Paris Housing Price Dataset Playground Series - Season 3, Episode 6
4005 Regression. Tutors - expected math exam results Geekbrains Algorithms for analyze data. Predict average math exam results for students of the tutors
4006 Relevance prediction TS Spring 2018 Search Relevance Prediction
4007 Relevance prediction by user behaviour Fall 2018 Предсказание релевантности документа по пользовательскому поведению
4008 Relevance prediction by user behaviour Fall 2019 Предсказание релевантности документа по пользовательскому поведению
4009 Relevance prediction by user behaviour Fall 2020 Предсказание релевантности документа по пользовательскому поведению
4010 Relevance prediction by user behaviour Spring 2019 Предсказание релевантности документа по пользовательскому поведению
4011 Relevance prediction by user behaviour Spring 2020 Предсказание релевантности документа по пользовательскому поведению
4012 Relex Pizza Challenge A pizza slice a day keeps sadness away
4013 Rental Price Predicition Predict New York City Airbnb rental prices
4014 Reputation Analysis - Dathena competition Combine Sentiment analysis and Entities recognition methods to find the 10 most positive/negative files about each company.
4015 Res 2021 backup site Alternative submission site for Res 2021 competition
4016 Research CWS OS 14 rak
4017 Restaurant Revenue Solving the restaurant revenue problem with ridge, lasso, and elastic nets.
4018 Restaurant Revenue Prediction Predict annual restaurant sales based on objective measurements
4019 Restaurant Revenue Prediction2 Predict the revenue for restaurants given 37 unknown predictors.
4020 Restaurant orders prediciton Predict restaurant orders on DC platform
4021 Restaurant orders prediciton 2 Predict restaurant orders on DC platform
4022 Restaurant reviews Are people happy about the restaurant? Find this out!
4023 Resturant Rating Prediction Predicting the overall ratings for resturants
4024 Retail Case Study This is a retail case study. Help a major retailer forecast their sales!!
4025 Retail Products Classification Classification of retail products by image and description
4026 Retención en telefonía celular Concurso - Curso Analítica I- Maestría Analítica PUJ
4027 Retención en telefonía celular Analítica I- Maestría Analítica PUJ- semestre 1 2021
4028 Retención en telefonía móvil Concurso examen- Curso Analítica I- Maestría Analítica PUJ
4029 Retención en telefonía móvil 2021-03 Concurso examen- Curso Analítica I- Maestría Analítica PUJ
4030 Retención en telefonía móvil 2022-01 Concurso examen- Curso Analítica I- Maestría Analítica PUJ
4031 Reto 1: Beer challenge 🍻🍻🍻 Saturdays.AI Murcia Learning Competition
4032 Reto 2: Car challenge 🚗 🚗 🚗 Predice el precio de coches de segunda mano
4033 Reviews Texts
4034 Revisiting The Giant Sucking Sound: The 1992 Election Modeling the 1992 US Presidential Election
4035 Right Whale Recognition Identify endangered right whales in aerial photographs
4036 Riiid Answer Correctness Prediction Track knowledge states of 1M+ students in the wild
4037 Ristik Diti Sciinci Ipin Ricriitmint 2020 Ristek Data Science Open Recruitment 2020
4038 River flow prediction Predict the river flow for 48h in the future at specific locations
4039 Robi CS Be the data wizard you always wanted to be
4040 Robot Shop Competition Help a robot shop to forecast the sales of beer for robots
4041 Robot positioning and control challenge Hackathon Summerschool 2020
4042 Rock, Paper, Scissors Shoot!
4043 Rossman KSE DAVR 2019 Predict sales in Rossman stores
4044 Rossmann Store Sales Forecast sales using store, promotion, and competitor data
4045 Rossmann Store Sales Forecast sales using store, promotion, and competitor data
4046 Rossmann Store Sales Forecast sales using store, promotion, and competitor data
4047 Rotated Coins Detecting angle of rotation of coins
4048 RuATD 2022 (binary task) You are welcome to the first Russian Artificial Text Detection Dialogue Shared task.
4049 RuATD 2022 (multi task) You are welcome to the first Russian Artificial Text Detection Dialogue Shared task.
4050 RuCode Car Price competition Задача предсказания цены иномарки по ее характеристикам
4051 RuCode Fake Job Postings Задача выявления фейковых объявлений о приеме на работу
4052 Russian POS-tagging Predict Russian Universal Dependencies POS tags
4053 Russian POS-tagging Predict Russian Universal Dependencies POS tags
4054 Rutgers CS461 HW2 (Fall 2021) MNIST digit classification
4055 Rutgers CS461 HW4 (Fall 2021) Spam detection
4056 Rutgers Data101 Fall2021 Assignment 12 Predict the trip durations of Citibike trips taken in May'19
4057 Rutgers Data101 Fall2021 Assignment 13 Predict the delays of Nov'19 flights between CA and the Tri-State Area
4058 Rutgers Data101 Fall2021 Assignment11 Predict the trip durations of Citibike trips taken in May'19
4059 S2020 AM216 HW 2 Find the temperature of an Ising Image.
4060 S2020 AM216 HW3 Do the stars align in your code?
4061 SAAS 2021 Spring CX Kaggle Compeition Rain in Australia Prediction
4062 SACM 2021 Hackathon COVID-19 CXR Classification
4063 SAMUDRAMANTHAN, IIT Kharagpur Samudramanthan is the annual technical fest of the Department of Ocean Engineering and Naval Architecture, IIT Kharagpur.
4064 SAS Viya for Learners Challenge This is a Kaggle competition aimed towards academic students in ANZ to learn machine learning with SAS.
4065 SAS Viya for Learners Challenge 2020 This is a Kaggle competition aimed towards academic students in ANZ to learn machine learning with SAS.
4066 SAS Viya for Learners Challenge 2021 This is a Kaggle competition aimed towards academic students in ANZ to learn machine learning with SAS.
4067 SBS-PUCP 2021-01 - Competencia sobre Marketing v1 Competencia para el Curso de Capacitación en Machine Learning y Data Science con Python 2021-01
4068 SBS-PUCP 2021-01 - Competencia sobre Marketing v1 Competencia para el Curso de Capacitación en Machine Learning y Data Science con Python 2021-01
4069 SBS-PUCP 2021-01 - Competencia sobre Marketing v2 Competencia para el Curso de Capacitación en Machine Learning y Data Science con Python 2021-01
4070 SBU Artificial Intelligence Final Project User audience prediction using NLP approaches
4071 SC201 July 2021 Boston Housing
4072 SC201 May 2021 Boston Housing
4073 SC201 Nov 2021 Boston Housing
4074 SC403-Assignment 3 Implementing CNN on MNIST Data
4075 SCAU-NLP课程任务3 任务3
4076 SCC0284 - Sistemas de Recomendação SCC0284
4077 SCC5966-2018-2o Sistemas de Recomendação
4078 SCC5966-2019-2 Sistemas de Recomendação
4079 SCE DL course Spring 2021 part 1 SCE DL course Spring 2021 part 1
4080 SCE DL course spring 2022 part 2 Multiclass classification of text with fully connected ANN
4081 SCET Disaster Lab Kaggle Community Competition Use machine learning to predict traffic collision injuries and improve disaster response
4082 SDA - EANT Competencia de modelado del 3er workshop del curso Social Data Analytics de EANT
4083 SDA - EANT Competencia de modelado del 3er workshop del curso Social Data Analytics de EANT
4084 SDA - EANT Competencia de modelado del 3er workshop del curso Social Data Analytics de EANT
4085 SDA - EANT Competencia de modelado del 3er workshop del curso Social Data Analytics de EANT
4086 SDA Data Science Try to Predict Home Prices!
4087 SDA-IR-LtR Необходимо посоревноваться в обучении ранжированию.
4088 SDP2022 Scholarly Knowledge Graph Generation Task1 This is the first of three challenges in this competition: Research Theme Extraction
4089 SERPRO - Zoo - 001-2021 Use métodos de Aprendizado de Máquina para classificar animais usando suas características
4090 SERVICES - SK[AI] is the Limit 💺✈ Use this to evaluate your predicted Services
4091 SES2020_17v One day hackthon
4092 SETI Breakthrough Listen - E.T. Signal Search Find extraterrestrial signals in data from deep space
4093 SFU CMPT Computer Vision Course CNN Lab Classification testing performance competition
4094 SFU CMPT Image Classification 2020 Fall Image Classification Competition
4095 SFU CMPT Image Classification 2021 Fall Image classification
4096 SFU CMPT Image Classification 2021 Spring Image classification
4097 SFU CMPT Image Classification 2022 Spring Image classification
4098 SI 670 Fall 2020 Extra Task This is for the Extra Task
4099 SI 670 Fall 2020 Kaggle Competition Lake Temperature Prediction
4100 SI630 W18 Homework 2: Intrinsic Evaluation Compute Word Vector Similarity
4101 SI671 F17 Kaggle 2 Explainable Sentiment Analysis
4102 SI671 Fall 18 HW2 (2) Graph Mining
4103 SIIM-ACR Pneumothorax Segmentation Identify Pneumothorax disease in chest x-rays
4104 SIIM-FISABIO-RSNA COVID-19 Detection Identify and localize COVID-19 abnormalities on chest radiographs
4105 SIIM-ISIC Melanoma Classification Identify melanoma in lesion images
4106 SJTU M3DV: Medical 3D Voxel Classification EE369 Machine Learning 2019 Autumn Class Competition
4107 SK ML Engineer Course - Week 4 Competition 2021/11/4~5
4108 SKA Data Challenge test Testing use of the Kaggle platform for SKA Data Challenges
4109 SK[AI] is the Limit 💺✈ ETH EESTEC Hackathon 2020
4110 SLClassification2020 Competencia de clasificación 2020-20
4111 SLICED s00e04 Predict the popularity of datasets on Kaggle
4112 SLICED s01e01 Predict the popularity of board games on BoardGameGeek.com
4113 SLICED s01e02 Predict whether an aircraft strike with wildlife causes damage
4114 SLICED s01e03 Predict Super Store profit
4115 SLICED s01e04 Predict whether it will rain tomorrow in Australia
4116 SLICED s01e05 Predict NYC Airbnb listing prices
4117 SLICED s01e06 Predict the rank of the top 200 games on Twitch
4118 SLICED s01e07 Predict whether a bank customer is churned
4119 SLICED s01e08 Predict the popularity of Spotify tracks
4120 SLICED s01e09, Playoffs 1 Predict home runs
4121 SLICED s01e10, Playoffs 2 Predict outcomes of shelter animals 🥺
4122 SLICED s01e11, Semifinals Predict the price of a house
4123 SLICED s01e12, CHAMPIONSHIP Predict the amount of loan default
4124 SLRegression2020 Competencia de regresión 2020-20
4125 SMESCM00 Final evaluation challenge (alternative) Classify SNN output data by all possible means
4126 SMS Classifier avec Naive Bayes Using Naive Bayes to classify SMS
4127 SMS spam classification Detect spam in sms messages!
4128 SMU Data Mining Make prediction using regression techniques!
4129 SOS tweets classification Due to the sheer volume of tweets on an everyday basis, the majority of these SOS tweets go completely unnoticed.
4130 SPRFAST Naive Algorithm Apply Naive Bayes' to the data classification problem
4131 SPRING2020 - UDEL MBA Forecasting Competition Forecasting Two Products for Two Stores Over 60 days: Forecast Daily Demand for June 1, 2013 - July 30, 2013
4132 SPRLNaiveBayesFAST Assignment 1. Solve using naive Bayes'
4133 SPSU intensives Advanced Econometrics with Elements of Statistical Learning and Big Data Analytics
4134 SPV First Data Science Competition 1a Competição DS/ML SPV - 2019 - Brasil - Minas Gerais - Categoria NLP
4135 SQL Saturday Madrid ML Challenge Demuestra lo que sabes de Machine Learning con PASS España!
4136 SS19 DNN Challenge classification of tiny images with 10 classes
4137 SSSSO MDCL Competition 2 In class competition to test the data science skills
4138 ST 4035 - Inclass 1 "Predict the ""salePrice"" using a suitable model"
4139 ST4 data challenge Data science competition for ST4
4140 ST4 data challenge 2021 Data Science competition for ST4
4141 ST4035_2019-Assignment 1 Find the best classifier (based on the accuracy) to predict the class of car.
4142 ST4035_2020 Inclass #1 ST4035_2020 Inclass #1
4143 ST4035_2021_Inclass#1 Predict the hospital length of stay. Use your name as the screen name.
4144 STA 582 PMS Challange H2 2021 part1 Prediksi Harga AirBnb listing
4145 STA582 Problem 1 2022 genap Tugas Problem 1
4146 STAA578 Homework 5: NEURAL NETS ONLY Apply a neural network to the loan data
4147 STAA578 Homework Competition 2 Second homework competition
4148 STADS Mini-Challenge Erreiche den besten Score für ein STADS Shirt und Hoodie!
4149 STAT 333 - 2018 Fall - Final Project Predict Yelp rating for restaurants in Wisconsin
4150 STAT 333 - 2019 Fall - Final Project Predict Yelp rating for restaurants in Wisconsin
4151 STAT 333 - Class Project Predicting Yelp ratings of restaurants in Madison Wisconsin
4152 STAT 333 - Final Project Predicting Yelp ratings of restaurants in Madison Wisconsin
4153 STAT 412 2020/21 Spring Kaggle Competition Kaggle Competition designed for students taking STAT 412 at METU
4154 STAT4706 Fall21 Group Project Due is Dec/7
4155 STAT6031 Fall 2021 Class Competition Final Project (Applied Regression Analysis)
4156 STAT6031 Income Project Course project in Fall 2018
4157 STATS202 Autumn 2020 Predicting heart disease
4158 STATS202 kaggle task Predicting a (fictitious) heart disease
4159 STT3851-Fall2020 Predict the price of a home in King county, Washington
4160 STT3851-Fall2021 Predict the price of a home in King county, Washington
4161 SUFE NLP class final project This contest is for the SUFE NLP class 2019.
4162 SUFE-NLP-Retake This retake contest is for the SUFE NLP class 2019.
4163 SUFE-NLP-STATISTIC-SPRING20-LATE-SUBMISSION For the late submission of SUFE-NLP-STATISTIC in Spring 2020.
4164 SUFE-NLP-StatisticClass sufenlp final project for statistic class
4165 SUFENLP The homepage of the final project has changed to https://www.kaggle.com/c/sufe-nlp-statisticclass
4166 SUFENLP-20Fall SUFE NLP course competition of 2020 Fall
4167 SUFENLP-21Fall SUFE NLP competition of 2021 Fall
4168 SUFENLP-21Fall-Late-Submission SUFE NLP competition of 2021 Fall Late submission
4169 SUFENLP2020FALL-LATE SUFE NLP course competition of 2020 Fall
4170 SUFENLP_LATER_SUBMISSION_SPRING2020 later submissions
4171 SVM Anomaly Detection (BGD) Part 1 of EECS498 Project 3
4172 SVM Anomaly Detection (SGD) Part 1 of EECS498 Project 3
4173 SYDE 522 (Winter 2021) Classification using non-deep classifiers
4174 SYDE 522 - Data Challenge Primary site classification in histopathology images
4175 SYS 4021 Fall 2019 Competition Classify tumors as malignant or benign using logistic regression
4176 SYS 4021/6021 Grid Stability Contest Build a logistic regression model to predict electric grid stability
4177 SYS6018 Competition 3 A peek into the blogosphere
4178 Salaries with Kazakhstan 2.0 Predict salaries in Kazakhstan based on jobs and skills
4179 Sales Analysis Based upon the data you have to suggest weather direct marketing improves overall customer engagement?
4180 Sales Forecast Sales Prediction
4181 Sales Time Series Forecasting This challenge focuses on predicting item sales at stores
4182 Sample Comptetion fdsf
4183 Sample KMIT Competition This is a sample competition to test how it works.
4184 Sample competition for Anokha '18 This is a mock competition for the ML event at Anokha
4185 San Francisco Biking El propósito de esta competencia es predecir la duración de los viajes.
4186 San Francisco Crime Classification Predict the category of crimes that occurred in the city by the bay
4187 San Fransisco Crime rate Predict and visualize the different crimes in San Fransisco
4188 Sandvine Ingestion Sandvine Ingestion Challenge
4189 Santa 2019 - Revenge of the Accountants Oh what fun it is to revise . . .
4190 Santa 2020 - The Candy Cane Contest May your workdays be merry and bright
4191 Santa 2021 - The Merry Movie Montage Optimize television programming for the winter season
4192 Santa 2022 - The Christmas Card Conundrum Optimize the configuration space for printing an image
4193 Santa Gift Matching Challenge Down through the chimney with lots of toys...
4194 Santa's Stolen Sleigh ♫ Alarm bells ring, are you listening? Santa's sleigh has gone missing ♫
4195 Santa's Uncertain Bags ♫ Bells are ringing, children singing, all is merry and bright. Santa's elves made a big mistake, now he needs your help tonight ♫
4196 Santa's Workshop Tour 2019 In the notebook we can build a model, and pretend that it will optimize...
4197 Santander Customer Satisfaction Which customers are happy customers?
4198 Santander Customer Transaction Prediction Can you identify who will make a transaction?
4199 Santander Product Recommendation Can you pair products with people?
4200 Santander Value Prediction Challenge Predict the value of transactions for potential customers.
4201 SarimVSHuzaifa A 1v1 compitition between sarim and huzaifa
4202 Sars_covid Sars_cov
4203 Sartorius - Cell Instance Segmentation Detect single neuronal cells in microscopy images
4204 Sberbank Russian Housing Market Can you predict realty price fluctuations in Russia’s volatile economy?
4205 ScauNLP2021 华南农业大学2021自然语言处理课程-实验打榜-任务1
4206 ScauNLP2021 华南农业大学2021自然语言处理课程-实验打榜-任务2
4207 ScauNLP2021 华南农业大学2021自然语言处理课程-实验打榜-任务4
4208 Schnell-mal-klassifizieren Üben Sie sich im Feature Engineering
4209 SciOly States Pre-Tournament Task Temperature Prediction
4210 SciOly States Pre-Tournament Task Complete the task!
4211 Science nlp classification from title and abstract predict science categories
4212 Scoring Concurso No. 2 Maestría Analítica Pontificia Universidad Javeriana- Métodos y Aplicaciones de Analítica
4213 Scrabble Player Rating Predict players' ratings based on Woogles.io gameplay
4214 Scrabble Point Value Predict the point value of the next play in a game of Scrabble
4215 Scrambled OCR Apply dimensionality reduction to 256 dimensional data and see how it can be classified so well with just a few dimensions
4216 Second Annual Data Science Bowl Transforming How We Diagnose Heart Disease
4217 See Click Predict Fix Predict which 311 issues are most important to citizens
4218 See Click Predict Fix - Hackathon Predict which 311 issues are most important to citizens
4219 Segundo Desafio CiDAMO 22 O desafio consiste em classificar se um vinho é bom ou ruim
4220 Sejong AI.Term Project.[WINE Quality Assessment] 세종대학교 인공지능 텀 프로젝트 [18011880]_[박진현]
4221 Sejong.AI.YJ.cancer 유방암 악성/양성 종양 예측 문제
4222 Sejong.ElectricPowerPrediction 기온, 습도를 통한 전력 수요 예측
4223 Sejong.YJ.ElectricPowerPrediction 기온, 습도를 통한 전력 수요 예측
4224 SejongAI.텀프로젝트.[Horse Win-Rate] 세종대학교 인공지능 텀 프로젝트 18011790_장수명
4225 SejongAI.텀프로젝트.[[Forrest Gump (1994)] 평가 예측하기] 2020-1학기 인공지능 17011766 배지현
4226 SejongAI.텀프로젝트.[고구마 가격 예측 문제] 세종대학교 인공지능 텀 프로젝트 [18011826]_[전수영]
4227 SejongAI.텀프로젝트.[고용지표에 따른 실업률 예측] 세종대학교 인공지능 텀 프로젝트 [18011868]_[성다연]
4228 SejongAI.텀프로젝트.[교통사고 발생량 예측] 세종대학교 인공지능 텀 프로젝트 [18011760]_[이유리]
4229 SejongAI.텀프로젝트.[기상상태에 따른 불쾌지수 분류] 세종대학교 인공지능 텀 프로젝트 [17011851]_[정인희]
4230 SejongAI.텀프로젝트.[기상현상에 따른 태양광발전량 예측] 세종대학교 인공지능 텀 프로젝트 [18011751]_[강민지]
4231 SejongAI.텀프로젝트.[기온에 따른 한강 공원 주차장 이용자수 예측] 19011755_이지민
4232 SejongAI.텀프로젝트.[날씨에 따른 대기환경지수 예측하기] 세종대학교 인공지능 텀 프로젝트 [17011807]_[이하원]
4233 SejongAI.텀프로젝트.[날씨에 따른 일별 거주지 모기(mosquito)지수 예측하기] 세종대학교 인공지능 텀프로젝트 17011857_김정은
4234 SejongAI.텀프로젝트.[단양하수처리장 수질 예측] 세종대학교 인공지능 텀 프로젝트 [18011797]_[곽수지]
4235 SejongAI.텀프로젝트.[서울교통공사 후불 승차인원 예측하기] 세종대학교 인공지능 텀 프로젝트 [16010112]_[권나현]
4236 SejongAI.텀프로젝트.[서울대공원 입장객 수 예측] 세종대학교 인공지능 텀 프로젝트 [18011817]_[홍주영]
4237 SejongAI.텀프로젝트.[수박가격예측].watermelon_price 세종대학고 인공지능 텀프로젝트[18011765]_도진경기온, 가조시간, 강수량을 보고 수박의 가격을 예측해보자
4238 SejongAI.텀프로젝트.[시간대별 승하차 여부 예측하기] 세종대학교 인공지능 텀 프로젝트 17011780_김연우
4239 SejongAI.텀프로젝트.[어린이대공원역 시간대별 사용인원 예측] 세종대학교 인공지능 텀 프로젝트 [17011830]_[백소현]
4240 SejongAI.텀프로젝트.[토마토 가격 예측] 세종대학교 인공지능 텀 프로젝트 [17013251]_[이병헌]
4241 SejongAI.텀프로젝트.[퇴사여부예측] 세종대학교 인공지능 텀 프로젝트 17011762_김소진
4242 SejongAI.텀프로젝트.[해양기상부이 바다 날씨 예측] 세종대학교 인공지능 텀 프로젝트 [18011876]_[이병찬]
4243 SejongAI.텀프로젝트.[해운대역 날짜별 승하차 합계 예측 ] 세종대학교 인공지능 텀 프로젝트 [18011793]_[이정민]
4244 SejongAI.텀프로젝트.[화양동 식중독 지수 예측] 세종대학교 인공지능 텀 프로젝트[18011750]_[안도희]
4245 SejongAI.텀프로젝트.fired area prediction 세종대학교 인공지능 텀프로젝트 17011869_이혜인
4246 SejongAI.텀프로젝트.공공도서관 예산 예측하기 세종대학교 인공지능 텀 프로젝트 17011850_이세정
4247 SejongAI.텀프로젝트.미세먼지 수치 예측 세종대학교 인공지능 텀 프로젝트 16010170_윤재휘
4248 SejongAI.텀프로젝트.택시비예측 세종대학교 인공지능 텀 프로젝트18011809 엄민지
4249 Self-Promotion Dive: Time Series for Applicants
4250 Self-driving cars sentiment analysis A simple Twitter sentiment analysis job where contributors read tweets and classified them by groups.
4251 Semaine de l'IA: reddit challenge Prédire de quels subreddits proviennent les commentaires!
4252 Semantic Change Detection. Мини-хакатон ⭐️ POV: у вас есть два файла с непонятными числами 🧐📄📄
4253 Semi-Supervised Feature Learning Find methods which work best on large-scale, high-dimensional learning tasks
4254 Semi-Supervised Hackathon Use small labelled dataset, to distinguish between fake & real news
4255 Semi-Supervised Recognition Challenge - FGVC7 Semi-Supervised challenge on iNaturalist Aves, this is part of the FGVC7 workshop at CVPR 2020
4256 Semi-Supervised iNat (Semi-iNat 2021) - FGVC8 Semi-supervised fine-grained recognition challenge on iNaturalist
4257 Semi-supervised Hackathon Learning with limited training data
4258 Semi-supervised-3 Real or Fake Disaster Tweet
4259 SemiSupervised Learning TS Fall 2017 SemiSupervised Learning Competition
4260 SemiSupervisedLearningCIFAR10 The goal will be to perform train a CNN with just 250 images
4261 SendGrid Account Signup Competition Classify whether a given SendGrid customer signing up for a customer will engage in fraudulent activity
4262 Sentiment Analysis Determine restaurant review sentiment
4263 Sentiment Analysis For the BANA 290: Machine Learning for Text Course (Spring 2018)
4264 Sentiment Analysis For the BANA 275: Machine Learning for Text Course (Spring 2019)
4265 Sentiment Analysis For BANA 275: NATRL LANG PROCESS (39842, 39843)
4266 Sentiment Analysis (linear SVM) TTIC 31020 This is the sentiment analysis challenge in hw3 for TTIC 31020. The model is restricted to linear SVM.
4267 Sentiment Analysis (nonlinear SVM) TTIC 31020 This is the sentiment analysis challenge in hw3 for TTIC 31020. The model can be nonlinear SVM.
4268 Sentiment Analysis 2022 Test This competition is designed for Data Science Students at #### Jordan. It is about Sentiment Analysis.
4269 Sentiment Analysis S20 BANA 275 NLP
4270 Sentiment Analysis in Moive Reviews Classify the sentiment of movie reviews in Rotten Tomatoes
4271 Sentiment Analysis in Russian Determine sentiments (positive, negative or neutral) of news in russian language.
4272 Sentiment Analysis of Covid-19 related Tweets Sentiment Analysis of Tweets related to the Covid-19 pandemic
4273 Sentiment Analysis on Movie Reviews Classify the sentiment of sentences from the Rotten Tomatoes dataset
4274 Sentiment Analysis-UCU Classify good and bad film reviews
4275 Sentiment Analysis: Emotion in Text Identify emotion in text using sentiment analysis.
4276 Sentiment analysis Determine the tonality of the given text
4277 Sentiment classification Predict sentiment based on a review comment
4278 Sentiment classification on Large Movie Review Determine whether the movie review is positive or negative.
4279 Sentimental Journey NLP ITMO, Homework #4
4280 Seoul Bike Rental Prediction Predict Number of bikes to be made available for renting, from the given dataset
4281 Seoul-Houseprice 서울 강남구 아파트 매매가 예측하기
4282 Seoul-house_price 서울 강남구 아파트 매매가 예측하기
4283 Sesgos en el dataset de SNLI TP1 de la materia Redes Neuronales 2021Q2 - ITBA
4284 Set Question Answering Determine a set of items from a description text.
4285 Severstal: Steel Defect Detection Can you detect and classify defects in steel?
4286 Sfida di fine corso Classificazione binaria
4287 Shared Bikes Demand Prediction Which variables are significant in predicting the demand for shared bikes.
4288 Shelter Animal Outcomes Help improve outcomes for shelter animals
4289 Shopee - Price Match Guarantee Determine if two products are the same by their images
4290 Shopee Case Study - Seller LTV (Ads) Prepare a model to predict a seller's monthly ads expenditure for the next 3 months
4291 Shopee-IET Machine Learning Challenge A machine learning challenge on image recognition
4292 Shopee-IET Machine Learning Competition Image classification competition.
4293 Short Term Load Forecasting Challenge This competition is part of the Seminar organized by the Artificial Intelligence Lab at the Vrije Universiteit Brussel.
4294 Show Your Data Skills Given two assets, can you create a 60minute OHLC DataFrame of their spread?
4295 Show Your Data Skills Given two assets, can you create a 60minute OHLC DataFrame of their spread?
4296 Sieberrsec CTF Working with unlabelled data
4297 Sign Language Digits Classification Classify Sign Language Digits
4298 Sign Language Digits Classification Classify Sign Language Digits
4299 Sign Language Image Classification Sign language database of hand gestures
4300 Simple regression You need to predict function values on test data
4301 Simpsons Challenge Data Team challenge
4302 Simpsons Season 100 Keep simpsons going with an RNN!
4303 Simulacro Simulacro
4304 Simulated Data Modeling Practice regression techniques with this simulated data
4305 Simulation Nation Sales Predict sales volume for stores in simulated country.
4306 Sistema Recomendador BBVA Se requiere desarrollar el mejor algoritmo para identificar los establecimientos más recomendados para nuestros clientes.
4307 Skillbox. Дипломная работа по компьютерному зрению Распознавание эмоций человека
4308 Skoltech Cats vs Dogs a smaller version of original Dogs vs. Cats contest for deep learning course at Skoltech
4309 Skoltech Cats vs. Dogs Create an algorithm to distinguish dogs from cats
4310 Sleep Time Detection определение времени засыпания и просыпания по показаниям датчика движения в квартире
4311 Smart Home's Temperature - Time Series Forecasting Use your skills to help construct a sustainable society by predicting temperature in smart homes.
4312 Smartphone User Activity Prediction Predict if a person is sitting, walking, etc, using their smartphone activities
4313 Smoothing Model Prediction with smoothing methods
4314 SnakeCLEF 2022 Snake Recognition Competition
4315 Social media topics classification Будем предсказывать тематику постов одной социальной сети
4316 Socio-economic forecasts Students were asked a series of questions: trying to determine the social level of the parents
4317 Socio-economic forecasts Students were asked a series of questions: trying to determine the social level of the parents
4318 Softec'21 Artificial Intelligence Competition Artificial Intelligence Competition
4319 Softmax CIVE 6358-Assignment 1-Softmax
4320 Softmax test softmax
4321 Solar Array Object Detection in Orthoimagery Find Solar Panels in Orthoimagery
4322 Solution ML club Regression
4323 Solution ML club Classification
4324 Solution ML club CNN
4325 Solution ML club Unsupervised Learning
4326 Sorghum -100 Cultivar Identification - FGVC 9 Identify crop varietals
4327 Sorghum Biomass Prediction Predict end of season biomass from visual data
4328 Sorry! What's the House Number Again? Create an algorithm to recognize the street view house numbers
4329 Sound event classification Classify different sound events recorded in an office environemtn
4330 South German Credit Prediction This is a binary classification based competition, organized by the Society for Data Science, BIT Mesra
4331 Spain Electricity Shortfall Challenge - V2.0 Predict the expected electricity shortfall
4332 Spam vs Ham Distinguir Spam de Ham
4333 Spam 메일 분류기 2021학년도 1학기 기계학습 텀프로젝트 #2
4334 SpamFilter-AML-UVA Binary text classification of spam email or not-spam email
4335 Spanish Arilines Tweets Sentiment Analysis Analyse how travelleres expressed their feelings
4336 Spanish Leage - Football Predict match results
4337 Speech Activity Classifier Just classify audios into speech, noise and music
4338 Speech command classification Robustness course HW2
4339 SpeechLab-GMM-EM This is a competition for 2018-08-03 SpeechLab Ai Class(GMM, EM)
4340 SpeechLab-Tone-Classification This is a competition for 2018-08-07 SpeechLab Ai Class(Tone Classification)
4341 Sperm Morphological Quality Determine the morphological quality of sperm cells
4342 Spine segmentation in 3D MR Automatic vertebra and Intervertebral disc segmentation in 3D spine MR data
4343 Splendee Competition! A competition that tries to identify the winner based on the given features from Splendor
4344 Spooky Author Identification Share code and discuss insights to identify horror authors from their writings
4345 Sports Images Classification Classify the images into a sport accurately and be glorified
4346 Sports Trading: Will there be more goals? Estimate the number of goals scored based on current live stats
4347 Spotify Popularity Prediction Regression problem intended to predict the popularity of a track
4348 Spotting the Senator Analyze the topics voted by a bunch of senators and classify their respective party
4349 Spring 2021: DL: Assignment 2 Age prediction from facial images
4350 Springleaf Marketing Response Determine whether to send a direct mail piece to a customer
4351 Stable Diffusion - Image to Prompts "Deduce the prompts that generated our ""highly detailed
4352 StackOverflow moderation Predict moderation policy for questions in StackOverflow
4353 StackOverflow moderation Predict moderation policy for questions in StackOverflow
4354 Star classifier 주어진 정보로 6개의 별을 분류하세요.
4355 StarCraft 2 Player Prediction Challenge 2019 Can you predict who is playing a game?
4356 StarCraft 2 Player Prediction Challenge 2020 Can you predict who is playing a game?
4357 Starcraft II Prediction Challenge INSA, 5-IF, 2018
4358 Start X5-MIPT Competition Predicting the number of 'Borrelia miyamotoi' tests
4359 Stat 380-02: New Species with ML 2020 There are three unique species. Can you identify them?
4360 Stat 434 - Spring 2021 Predict an individual's political affiliation from their answers to a survey.
4361 StatLearning SJTU 2019 Class project for Statistical Learning 2019
4362 StatLearning SJTU 2020 Class project for Statistical Learning 2020
4363 State Farm Distracted Driver Detection Can computer vision spot distracted drivers?
4364 Statistical Emulators for RCMs Reproduce the temperature time series simulated by climate models
4365 Statistical Learning Clasification SpeedDating 2018-20
4366 Statistical Learning Regression Competencia de Regresión para 2018-20
4367 Statistical Learning Regression Deben predecir el salario de los jugadores.
4368 Statistical-learningDA Clasificacion2017 US CRIME
4369 Statistical-learningDA Classification2017 Crime US
4370 Statistical-learningDA Regression2017 CRIME US
4371 Statoil/C-CORE Iceberg Classifier Challenge Ship or iceberg, can you decide from space?
4372 StatsQ Stats datasets to learn basic data science
4373 Stay Alert! The Ford Challenge Driving while not alert can be deadly. The objective is to design a classifier that will detect whether the driver is alert or not alert, employing data that are acquired while driving.
4374 Steam Dataset kontes daming
4375 Steganalysis @ UdL Detect images containing hidden messages (Steganalysis)
4376 Stem Cell Predcition Classify stem and non-stem cells using RNA-seq data
4377 Stock Management Case study for the planning of the inventory policy of a warehouse of technological products
4378 Stock Management Case study for the planning of the inventory policy of a warehouse of technological products
4379 Stock Prediction Challenge We Want to predict stock returns using ML and statistical techniques
4380 Stock Predictor 101 Assignment for UE19CS312 - Data Analytics course - TEST
4381 Stock Price Prediction Predict the closing price of NASDAQ of the last trading day in 2021
4382 Stop the Scammers Use credit card data to flag transactions as possibly fraudulent.
4383 Store Item Demand Forecasting Challenge Predict 3 months of item sales at different stores
4384 Structure-free protein-ligand affinity prediction Developing new AI models for drug discovery, main portal (Task-1 fitting)
4385 Structure-free protein-ligand affinity prediction Developing new AI models for drug discovery (Task-2 fitting)
4386 Structure-free protein-ligand affinity prediction Developing new AI models for drug discovery (Task-1 ranking)
4387 Structure-free protein-ligand affinity prediction Developing new AI models for drug discovery (Task-2 ranking)
4388 Structure-free protein-ligand affinity prediction Developing new AI models for drug discovery (Task-3 ranking)
4389 Structured L0 Time Series Hackathon Predicting sales of houses using univariate forecasting models
4390 StumbleUpon Evergreen Classification Challenge Build a classifier to categorize webpages as evergreen or non-evergreen
4391 Stumbling Upon Evergreens Can you find the evergreens in the forest?
4392 Submit csv abc
4393 Subscription of a Term Deposit How to identify possible buyers of a product.
4394 Subscription of a Term Deposit How to identify possible buyers of a product.
4395 Subscription of a Term Deposit How to identify possible buyers of a product.
4396 Subscription of a Term Deposit How to identify possible buyers of a product.
4397 Subscription of a Term Deposit How to identify possible buyers of a product.
4398 Suedkurier Articel Score Prediction Predict the performance of articles
4399 Suicide Prevention Predicting suicide treads among a population.
4400 Suicide Prevention Prediction suicide rates among a population.
4401 Suicide Rates Prediction First InClass Competition for Cyber Labs' Machine Learning Field
4402 Supervised text classification Lab session assignment : Hotel review classification
4403 Survival of a Patient - Will a Patient Survive? Predicting the chances of Survival of a Patient after 1 year of treatment
4404 Suspicious Objects - What is that on the Sky? Predict the Duration Category for each suspicious object
4405 Suss3-test suscripci
4406 Sweden traffic signs classification Classify traffic signs from Sweden. This dataset is realy tiny, be creative!
4407 Sweden traffic signs classification Classify traffic signs from Sweden. This dataset is realy tiny, be creative!
4408 Swimming Pool Visitor Forecasting Predict the number of daily visitors of Nettebad Osnabrück
4409 Swiss Dialect Identification Can your algorithm tell apart Swiss dialects?
4410 Swiss German Court Rulings Predict the court chamber of court rulings
4411 Sydney Innovation Challenge 2019 Contribute to Research on Diabetic Retinopathy
4412 Synthessence - Engineer 2019 Take part in the data science competiton being hosted as a part of Engineer 2019, the tech-fest organised by NITK, Surathkal
4413 Synthessence 2018 Data Science competition to predict customer's rating of restaurant
4414 Synthetic Image Classification Match images to styles
4415 Synthetic classification Вам даны синтетические данные для решения задачи классификации на 5 классов.
4416 Synthetic data - 100 - 2019 Create a classifier
4417 System Hack : Highly Imbalanced Data Predict hack or not a hack on this highly imbalanced data
4418 Systèmes de recommandations ou comment prédire les préférences d'utilisateurs pour des films
4419 TAA 2021 - Proyecto 1 (prueba) Proyecto 1
4420 TAE Data science-human freedom Conduct a regression analysis on the human freedom dataset
4421 TAU Ethiopic Digit Recognition Classify Ethiopic digits in an MNIST-like competition
4422 TAU Robot Surface Detection Detect floor type using accelerometer measurements
4423 TAU Vehicle Type Recognition Competition Vehicle type classification from image data
4424 TECH WEEKEND Data Science Hackathon[BITS Goa Only] Medical Dataset Classification: Can you predict heart diseases?
4425 TEST - OLD Can you predict product's demand after one day of sales?
4426 TEST Big Data BPS Hackathon 2021 - Internal Competition
4427 TESTERS PAGE ADV ID 2020 SUBMISSION for testing purpose
4428 TESTIN Hello
4429 TFT 모바일 승방률(승/패) 세종대학교 2020 인공지능 TFT 모바일 두둥등장
4430 TGS Salt Identification Challenge Segment salt deposits beneath the Earth's surface
4431 TI2736-C: Datamining Project The goal of this project is to develop a recommendation algorithm for movies.
4432 TIL 2020 Using AI and Robotics on Disaster Rescue
4433 TJ CV Edge Detection Apply edge detection to simple image classification problems
4434 TJ ML Facial Feature Recognition Identifying key parts of a face
4435 TJ ML Sample Competition! This is just a sample competition for you to get acquainted with how Kaggle Competitions will be like.
4436 TJHSST CV Club - Data Augmentation Contest Use the OpenCV Python library to augment the data and increase the accuracy of the classifier provided.
4437 TJML 2019-20 Breast Cancer Detection Competition Use a decision tree to identify malignant breast cancer tumors
4438 TJML 2019-20 Titanic Survivor Challenge Use a random forest to classify survivors of the Titanic's sinking
4439 TJML 2019-20 Titanic Survivor Challenge 2 Use an SVM to classify survivors of the Titanic's sinking
4440 TJML 2020-2021 Neural Network Competition Use Neural Networks to classify handwritten digits from the MNIST dataset
4441 TJML 2020-21 Titanic Survivor Challenge Use an SVM to classify survivors of the Titanic's sinking
4442 TJML 2021-2022 CNN Competition Identify key parts of a face
4443 TJML 2021-2022 Neural Network Competition Use Neural Networks to classify handwritten digits from the MNIST dataset
4444 TJML 2021-22 Titanic Survivor Challenge Use an SVM to classify survivors of the Titanic's sinking
4445 TJML Neural Networks .
4446 TJML SVM Contest TJ ML Club's Support Vector Machine Competition
4447 TJML's Neural Network Competition (2019-20) Recognize handwritten digits
4448 TL Playground for waterpumps play with waterpump submissions
4449 TMDB Box Office Prediction Can you predict a movie's worldwide box office revenue?
4450 TMDB Movie Rating Prediction Predict the average votes for movies
4451 TNUI 2021 Recommender Recommender competition
4452 TOBIGS17-NNadv competition NN심화 competition
4453 TP 1 ML - Univ Austral Housing Prices - Ames Dataset
4454 TRABIT2019 Imaging Biomarkers Find imaging biomarkers in MRI scans to identify patient age
4455 TREC-COVID Information Retrieval Build a pandemic document retrieval system
4456 TRIAL - hackit Trial Hackit
4457 TReNDS Neuroimaging Multiscanner normative age and assessments prediction with brain function, structure, and connectivity
4458 TS DM2: HW3 HomeWork 3
4459 TSMA 2020/21 : Music genre classification Determine musical genre of audio tracks
4460 TTIC 31020 HW 3 -- SVM for Sentiment Analysis sentiment analysis on airline tweet dataset
4461 TTIC 31020 HW CR TTIC 31020 HW Consumer Review
4462 TTIC 31020 HW2 Fashion MNIST Large classification task on Fashion MNIST large
4463 TTIC 31020 HW2 Fashion MNIST Small classification task on Fashion MNIST small
4464 TTIC 31020 HW2 MNIST (Fall 2018) Homework 2 (Full dataset)
4465 TTIC 31020 HW2 MNIST (Fall 2019) TTIC 31020 Homework 2 (full dataset)
4466 TTIC 31020 HW2 MNIST (Fall 2020) Homework 2 (Full dataset)
4467 TTIC 31020 HW2 MNIST Small (Fall 2018) Homework 2 (Small dataset)
4468 TTIC 31020 HW2 MNIST Small (Fall 2019) TTIC 31020 Homework 2 (small dataset)
4469 TTIC 31020 HW2 MNIST Small (Fall 2020) Homework 2 (Small dataset)
4470 TTIC 31020 HW3 LinearSVM Sentiment Classification TTIC 31020 HW3 SVM Sentiment Classification
4471 TTIC 31020 HW3 LinearSVM Sentiment Classification TTIC 31020 HW3 SVM Sentiment Classification
4472 TTIC 31020 HW3 Mixture Model TTIC 31020 HW3 Mixture Model
4473 TTIC 31020 HW3 Nonlinear SVM TTIC 31020 HW3 Nonlinear SVM
4474 TTIC 31020 HW3 Nonlinear SVM TTIC 31020 HW3 Nonlinear SVM
4475 TTIC 31020 HW4 MNIST Bagging (Fall 2020) Classifying MNIST with Bagging of Decision Trees
4476 TTIC 31020 HW4 MNIST DT (Fall 2020) Classifying MNIST with Decision Trees
4477 TTIC 31020 HW4 Mixture Model TTIC 31020 HW4 Mixture Model
4478 TTIC 31020 HW4 Spam (AdaBoost) Spam classification
4479 TTIC 31020 HW4 Spam (Single Tree) Spam classification
4480 TTIC 31020 HW5 CR TTIC 31020 HW5 Consumer Review
4481 TTIC 31020 HW5 FMNIST (GMM) Fashion MNIST classification with Gaussian Mixture Models
4482 TTIC 31020 HW5 Fashion MNIST TTIC 31020 HW5 Fashion MNIST
4483 TTIC 31020 HW6 FMNIST (NN) Fashion MNIST classification with Neural Networks
4484 TTIC 31020 multi-class SVM on MNIST Train a simple multi-class classifier using one-vs-all strategy on binary SVM
4485 TTIC 311190 Paraphrase Detection (Hard version) Binary paraphrase classification
4486 TTIC 31190 Paraphrase Detection Binary paraphrase classification
4487 TTIC 31220 HW2 Test Noisy MNIST Test
4488 TTIC 31220 Homework 2 Competition Noisy MNIST Classification
4489 TTIC 31220 Homework 3 Competition Clustering Noisy MNIST
4490 TTIC-31020-SVM-sentiment-analysis sentiment analysis on tweets about US airline service qualities using SVM
4491 TTIC-31020: Train Networks In this competition you would be training a Fully Connected Network on FMNIST data
4492 TTIC31020-HW1 Linear Regression on Boston-Housing dataset
4493 TTTTEST Testing hosting a competition
4494 TUGraz-TUT Face Verification Challenge Verify whether two facial pictures represent the same person
4495 TUT Acoustic Scene Classification Recognize acoustic scenes using audio content
4496 TUT Copper Analysis Challenge Determine from microscopic images the number of times a copper sample has been processed.
4497 TUT Head Pose Estimation Challenge Determine where people are looking at in still images.
4498 TV Neuro Technologies Задача 4 Обучите нейросеть и получите лучший accuracy классификации зашумленных коротких записей речи на десять классов
4499 Tabular Playground Series - Apr 2021 Synthanic - You're going to need a bigger boat
4500 Tabular Playground Series - Apr 2022 Practice your ML skills on this approachable dataset!
4501 Tabular Playground Series - Aug 2021 Practice your ML skills on this approachable dataset!
4502 Tabular Playground Series - Aug 2022 Practice your ML skills on this approachable dataset!
4503 Tabular Playground Series - Dec 2021 Practice your ML skills on this approachable dataset!
4504 Tabular Playground Series - Feb 2021 Practice your ML skills on this approachable dataset!
4505 Tabular Playground Series - Feb 2022 Practice your ML skills on this approachable dataset!
4506 Tabular Playground Series - Jan 2021 Practice your ML regression skills on this approachable dataset!
4507 Tabular Playground Series - Jan 2022 Practice your ML skills on this approachable dataset!
4508 Tabular Playground Series - Jul 2021 Practice your ML skills on this approachable dataset!
4509 Tabular Playground Series - Jul 2022 Practice your ML skills on this approachable dataset!
4510 Tabular Playground Series - Jun 2021 Practice your ML skills on this approachable dataset!
4511 Tabular Playground Series - Jun 2022 Practice your ML skills on this approachable dataset!
4512 Tabular Playground Series - Mar 2021 Practice your ML skills on this approachable dataset!
4513 Tabular Playground Series - Mar 2022 Practice your ML skills on this approachable dataset!
4514 Tabular Playground Series - May 2021 Practice your ML skills on this approachable dataset!
4515 Tabular Playground Series - May 2022 Practice your ML skills on this approachable dataset!
4516 Tabular Playground Series - Nov 2021 Practice your ML skills on this approachable dataset!
4517 Tabular Playground Series - Nov 2022 Practice your ML skills on this approachable dataset!
4518 Tabular Playground Series - Oct 2021 Practice your ML skills on this approachable dataset!
4519 Tabular Playground Series - Oct 2022 Practice your ML skills on this approachable dataset!
4520 Tabular Playground Series - Sep 2021 Practice your ML skills on this approachable dataset!
4521 Tabular Playground Series - Sep 2022 Practice your ML skills on this approachable dataset!
4522 Taiwanese Stock Price Prediction Predicting the price of TAIEX at 2021/12/31
4523 Taking the first Leap Scooter, the traffic solution
4524 TalkingData AdTracking Fraud Detection Challenge Can you detect fraudulent click traffic for mobile app ads?
4525 TalkingData Mobile User Demographics Get to know millions of mobile device users
4526 Taller 1 INF-477 Detección de elementos patrimoniales
4527 Taller 2 INF-477 Detección de Rumores
4528 Taller 3 Data Mining Aplicaciòn de algoritmos de clasificación
4529 Taller 3 INF-477 Multi-task audio classification
4530 Talpiot Limonackathon 2021 Sort out the rockets before it gets you
4531 Tap30 Challenge Online Taxi Demand Prediction
4532 Target Marketing for Canadian Bank Predict which customers will are most likely to respond to the campaign.
4533 Task 01 - Iris Dataset Building Your First Intelligence Algorithm - Classification Task
4534 Task 05 - Viral Tweets Prediction Challenge Viral Tweets Prediction Challenge
4535 Task A NNFL task a
4536 Task B NNFL task b
4537 Task C NNFL Project task c
4538 Taxi Fare Prediction Challenge @ EPIA 2017 Predict the fare category of a taxi service given the information about its starting point and place.
4539 Taxi Trip Duration Prediction Learn By Doing..... .
4540 Taxi fare prediction การทำนายค่าโดยสารรถ taxi ในมหานครนิวยอร์ค
4541 Taxi fare prediction (small) A reduced version of Kaggle's taxi fare prediction
4542 Taxi-Fixing Dont spare a ride!
4543 Team Competition #01 (ml-01) add Предсказание цены на аренду/продажу квартир
4544 Team ISTE's Datathon First-ever Data Science Competition Held at NIT Hamirpur
4545 Tears and Arguments Part 2 Предсказываем рейтинг отзыва
4546 Tech Frontiers 2021 Predicting Amazon Reviews
4547 TechX CV Deep Scene Recognition Deep scene recognition using finetuning.
4548 Technidus machine learning competition 2 -Cohrt 3 Technidus machine learning competition 2
4549 Technoatom. Technopark. Property prices. Spring21 Основы машинного обучения. Цены недвижимости.
4550 Techsoc Roadmaps - Analytics Predicting House Prices using Machine Learning Techniques
4551 TeenMagi-2022 Competition Generated 8x8 gray level images from 1000 artificial classes
4552 TelU Legends Heroes Dunia sedang dalam krisis yang gawat. Serangan demi serangan merajalela...
4553 Telco Test 1 test 1
4554 Telecom Churn Analytics Predict if a customer stays or leaves
4555 Telecom Churn Case Study Hackathon Predict churning customers for a Telecom company based on temporal behaviour
4556 Telecom Churn Case Study Hackathon Predict churning customers for a Telecom company based on temporal behaviour
4557 Telecom Churn Case Study Hackathon Predict churning customers for a Telecom company based on temporal behaviour
4558 Telstra Network Disruptions Predict service faults on Australia's largest telecommunications network
4559 Telugu Internal ASR Low resource speech recognition
4560 Temp123 temp1234
4561 Temple Sinkhole Classification 2021 Identify sinkholes from LIDAR data
4562 Tensor Test Nuffin
4563 TensorFlow - Help Protect the Great Barrier Reef Detect crown-of-thorns starfish in underwater image data
4564 TensorFlow 2.0 Question Answering Identify the answers to real user questions about Wikipedia page content
4565 TensorFlow Speech Recognition Challenge Can you build an algorithm that understands simple speech commands?
4566 Tentative Test This is a tentative Event to check the tentativeness of the event.
4567 Terragon Group ML Challenge Predict whether a customer will make a deposit or not in a Bank marketing campaign
4568 Terrassa Buildings 2017 Find photos from the same building provided in the query based on visual appearance.
4569 Terrassa Buildings 2018 Visual search of building in the city of Terrassa
4570 Terrassa Buildings 2019 Visual Search of Landmarks in the City of Terrassa (Catalonia)
4571 Test 1 Galaxy Merger Detection: Classify the morphologies of distant galaxies in our Universe
4572 Test Audio Classification Testing the competition
4573 Test Baseline Yatteru W www
4574 Test Comp998877 Go to www.goheretoseeprizes.com for cash prize values for winners!
4575 Test Competition Testing the Kaggle Interface, feel free to submit
4576 Test Competition Test Competition Description
4577 Test Competition Test Competition Description
4578 Test Competition Test description
4579 Test Competition Test Competition
4580 Test Competition test
4581 Test Competition This is a test
4582 Test Competition Description
4583 Test Competition Here is the link to the new and improved competition: www.kaggle.com/competitions/denoising-shabby-pages
4584 Test Competition - Airline Yaxshi musobaqa
4585 Test Competition Erik Test how the competition can be carried out and evaluated
4586 Test Competition for AI511ML TAs Polynomial Regression in High Dimensions with Regularization
4587 Test Competition-Avan Test Competition for Main Comeptition
4588 Test Competition4454 you have to submit
4589 Test DCASE Challenge Test DCASE Challenge
4590 Test DL 2021b SCE test competition for DL 2021b course
4591 Test HW3P2 Test HW3P2
4592 Test Run Multi-class Classification task
4593 Test Setiment Competiton Test Setiment Competiton
4594 Test Test Test
4595 Test Test Test
4596 Test Test Test test test test sdfklsdajflsdajfslajslafda
4597 Test Test1 test1
4598 Test Testss Test Test
4599 Test Version of Competition sdfdsfbsdbfdbsf
4600 Test acse4 Test acse4
4601 Test check leaderboards test private/public
4602 Test comp Test comp
4603 Test competition Test test
4604 Test competition competition using professor's moody dataset
4605 Test competition 12345
4606 Test for an inclass comp. It is a test for inclass competition.
4607 Test for the Pog Monthly Check out the official Pog competition not this one!
4608 Test ie competition Class tournament
4609 Test inclass non-admin Tadaaaaaaaaaa
4610 Test whether Private Subs Hidden Test whether Private Subs Hidden
4611 Test workshop Amiens 2019 test
4612 Test-AI-final_test Test page
4613 Test-Data101 Test for Data 101
4614 Test-KT Demo Comp
4615 Test-discomfort test
4616 Test12314231 iy
4617 Test2 MSU ML test2-msu-ml
4618 Test5Cancer test5Cancer
4619 Test9525 test9525
4620 TestCompetition None
4621 TestOfWeight just testing
4622 Test_HondaLab Honda Lab InClass trial.
4623 Test_ML test
4624 Test_comp testing
4625 Testing None
4626 Testing testing
4627 Testing Practice
4628 Testing Test
4629 Testing Testing submission
4630 Testing Competition description for the testing competition
4631 Testing Free Pass Data Science BCC 2021 Free Pass sub-departemen Data Science BCC 2021
4632 Testing InClass Just trying out the format
4633 Testing InClass functionality This is a test for inclass functionality
4634 Testing InClass post InClass Kernels This is a test of InClass Kernels
4635 Testing Purpose Competition for Testing Purpose
4636 Testing Title Chabge it s to check
4637 Testing [IMDB Score Prediction] Predict the IMDB Score of a Movie
4638 Testing [IMDB Score] Predict the IMDB Score of a Movie
4639 Testing a competition with no data Who needs data, not I
4640 Testing competition This is just a test
4641 Testing host comp fawefawefaewfawefawef
4642 Testing testing 1 2 3 I am testing this platform.
4643 Testing with audio classification Testing with internal team
4644 Testing123 test
4645 Testingathon Testingathon
4646 Text Classification Deep Learning Model for Text Classification
4647 Text Classification Deep Learning Model for Text Classification
4648 Text Competition (SF ML ml-06) Vacancy Classification Практикуем работу с текстами
4649 Text Normalization Challenge - English Language Convert English text from written expressions into spoken forms
4650 Text Normalization Challenge - Russian Language Convert Russian text from written expressions into spoken forms
4651 Text Representations Try out different text representations and preprocessing pipelines and find the best combination
4652 Text classification Многоклассовая классификация текстов объявлений
4653 Text language classification Классификация языка текста
4654 Text processing (ml-01) Задача на классификацию текстов
4655 Text relevance competition IR 1 TS Fall 2019 Ранжирование документов по текстовой релевантности
4656 Text relevance competition IR 1 TS Fall 2020 Ранжирование документов по текстовой релевантности
4657 Text relevance competition IR 1 TS Spring 2020 Ранжирование документов по текстовой релевантности
4658 Text relevance competition IR 1 TS Spring 2021 Ранжирование документов по текстовой релевантности
4659 Text relevance competition IR 2 TS Ранжирование документов по текстовой релевантности
4660 Text relevance competition IR 2 TS Fall 2017 Ранжирование документов по текстовой релевантности
4661 Text relevance competition IR 2 TS Fall 2018 Ранжирование документов по текстовой релевантности
4662 Text relevance competition IR 2 TS Fall 2019 Ранжирование документов по текстовой релевантности
4663 Text relevance competition IR 2 TS Spring 2017 Ранжирование документов по текстовой релевантности
4664 Text relevance competition IR 2 TS Spring 2018 Ранжирование документов по текстовой релевантности
4665 Text relevance competition IR 2 TS Spring 2019 Ранжирование документов по текстовой релевантности
4666 Text understanding and classification Russian reading comprehension with Commonsense reasoning
4667 Texts classification Classify texts from VK into 4 categories
4668 Tfaffic signs classification Classification of russian traffic signs from RTSD dataset
4669 The 2nd YouTube-8M Video Understanding Challenge Can you create a constrained-size model to predict video labels?
4670 The 3rd YouTube-8M Video Understanding Challenge Temporal localization of topics within video
4671 The Allen AI Science Challenge Is your model smarter than an 8th grader?
4672 The Big Data Combine Engineered by BattleFin Predict short term movements in stock prices using news and sentiment data provided by RavenPack
4673 The Data Lab - W&B competition Short competition for Data Lab Scotland MSc and PhD students
4674 The Hewlett Foundation: Automated Essay Scoring Develop an automated scoring algorithm for student-written essays.
4675 The Hewlett Foundation: Short Answer Scoring Develop a scoring algorithm for student-written short-answer responses.
4676 The Hunt for Prohibited Content Predict which ads contain illicit content
4677 The ICML 2013 Bird Challenge Identify bird species from continuous audio recordings
4678 The ICML 2013 Whale Challenge - Right Whale Redux Develop recognition solutions to detect and classify right whales for BIG data mining and exploration studies
4679 The INSA StarCraft 2 Player Prediction Challenge Can you predict who is playing given a game trace?
4680 The INSA StraCraft 2 Player Prediction Challenge Can you predict who is playing given a game trace?
4681 The Marinexplore and Cornell University Whale Detection Challenge Create an algorithm to detect North Atlantic right whale calls from audio recordings, prevent collisions with shipping traffic
4682 The Nature Conservancy Fisheries Monitoring Can you detect and classify species of fish?
4683 The Price is Right Find your next dream home by correctly predicting its price 🏡
4684 The Random Number Grand Challenge Decode a sequence of pseudorandom numbers
4685 The Table Fan Dilemma Find out if it is worth the risk of bringing a table fan to campus!
4686 The Titanic Machine Learning Challenge Who Survived? Your job to predict this based on passenger information
4687 The Winton Stock Market Challenge Join a multi-disciplinary team of research scientists
4688 This competition is repealed. New competition: https://www.kaggle.com/c/ntust-data-structures-2020-homework-5-v2
4689 This is MY-homework-test-2018 This is a in-class competition of linear regression.
4690 This is wrong, please delete This is wrong, please delete
4691 Three layer ReLU CIVE 6358-Assignment 2: three-layer neural network with ReLU activation
4692 Three layer Sigmoid CIVE 6358-Assignment 2: three-layer neural network with Sigmoid activation
4693 Time Prediction Predicts time taking by a task to complete
4694 Time Series (ml-01) Предсказываем временной ряд
4695 Time Series - DSF GTA Kompetisi forecasting untuk peserta pelatihan Data Science Fundamental - GTA
4696 Time Series Hackathon Build a time series classifier
4697 Time Series L1 - Hackathon 1 Forecasting pollution score for multiple regions, based on historical data.
4698 Time Series L1 - Hackathon 1 Forecasting pollution score for multiple regions, based on historical data.
4699 Time Series Test Competition Forecasting for Fuel Prices
4700 Timeseries classification - Part 1 Timeseries classification task
4701 Tinkoff ATM Competition Predict ATM cash flow
4702 TinkoffAI-CV-OCR OCR homework competition
4703 TinkoffAI-NLP-FS BertEmbeddings on TPU
4704 TinkoffAI-RecSys RecSys
4705 Tiny ImageNet Challenge The second homework of Introduction to Deep Learning, hosted by Prof. Xiaolin Hu and TAs.
4706 Titanic Classify if a passanger of the Titanic survived or not
4707 Titanic Competition - ITBA - 2019 Predicción sobre la supervivencia de pasajeros en el Titanic
4708 Titanic Dataset Предсказание выживших пассажиров Титаника
4709 Titanic-MTH3302-A18 Prédire la survie des passagers du Titanic
4710 Titanic-MTH3302-H19 Prédire la survie des passagers du Titanic
4711 Titanic: pasajeros sobrevivientes Predicción de que pasajeros sobrevivirán al naufragio del Titanic
4712 Titanic: predicción de la supervivencia Competición SIE 2020/21
4713 Titanic: predicción de la supervivencia Competición SIE 2021/22
4714 Titanic: predicción de la supervivencia Competición SIE 2021/22
4715 Title click prediction TS Spring 2021 Предсказание клика по заголовку
4716 To learn Classification You can use any classifier model.
4717 To loan, or not to loan - that is the question Project of the knowledge extraction and machine learning course (MIEIC-FEUP, 2019)
4718 Tobigs1314-kaggle_ensemble_competition ensemble
4719 Tobigs17 Ensemble Assignment Improve performance by using diverse ensemble models and techniques
4720 Tomsk Emergency Call Center Predict emergency call duration and help in rising call center effectiveness!
4721 Topic classification for GATE Computer Science Task is to identify the topic of any given Computer Science question
4722 Tourism Forecasting Part One Part one requires competitors to predict 518 tourism-related time series. The winner of this competition will be invited to contribute a discussion paper to the International Journal of Forecasting.
4723 Tourism Forecasting Part Two Part two requires competitors to predict 793 tourism-related time series. The winner of this competition will be invited to contribute a discussion paper to the International Journal of Forecasting.
4724 Towards Detecting Deforestation Predict soy plantations in Amazon forest using satellite images
4725 Towards Detecting Deforestation Predict soy plantations in Amazon forest using satellite images
4726 Toxic Comment Classification Challenge Identify and classify toxic online comments
4727 Toxic Comments Classification Build a model that is capable of identifying different types of toxicity in online comments
4728 Toxic HU toxic HU
4729 Toxic Molecule Prediction Predict whether a molecule is toxic to humans
4730 Toxic comment KSE DAVR 2019 Predict which comments are toxic
4731 Toxic comments classification Do you know how dangerously toxic this stuff is?
4732 Toy Problem for HW1P2 For testing your data loader and model for hw1p2
4733 TrackML Particle Tracking Challenge High Energy Physics particle tracking in CERN detectors
4734 Tradeshift Text Classification Classify text blocks in documents
4735 Traffic Sign Localization and Classification. Detect and localize traffic signs simultaneously with DNN's
4736 Traffic anomaly detection predict traffic
4737 Traffic sign classification Legacy CV classification
4738 Traffic signs classification Russian road traffic signs classification
4739 Traffic signs classification Russian road traffic signs classification
4740 Train occupancy prediction Predict the occupancy level of Belgian trains!
4741 Trajectory Benchmark Benchmarking for Human Trajectory Prediction
4742 Transfer Learning on Stack Exchange Tags Predict tags from models trained on unrelated topics
4743 Transformation Potential Predict Which Accounts Qualify as Transformational
4744 Trashss Trash
4745 Trastear Competición de prueba para trastear con kaggle
4746 Traveling Salesmen Computer Vision Can you determine the length of a path from images?
4747 Traveling Santa 2018 - Prime Paths But does your code recall, the most efficient route of all?
4748 Traveling Santa Problem Solve ye olde traveling salesman problem to help Santa Claus deliver his presents
4749 Traveling salesman problem for Russian cities Find the best way to travel around some cities in Russia
4750 Tree recognize recognition for 14 trees
4751 Tree recognize recognition of 14 trees
4752 Tree recognize recognition of 14 trees
4753 Trendyol Deneme Data Analytics Challenge - Trendyol Projesi
4754 Trial 1.0 Description here
4755 Trial Competition To try the time setting options
4756 Trial comp xyz
4757 Triggers [YSDA 2016] Select which events at the LHC should be stored and analyzed.
4758 Truly Native? Predict which web pages served by StumbleUpon are sponsored
4759 Try new name nonsense
4760 Tubes 1 CNN 2021 Pun10, beneran lupa nih baru bikin sekarang.....
4761 Tumor Activity Tumor activity prediction results
4762 Turing Competição interna do grupo Turing
4763 Turtle&Tortoise Classification Dataset for turtle classification
4764 Turtle?Tortoise Classify
4765 Tweet Mental Health Classification Build Models to classify tweets to determine mental health
4766 Tweet Sentiment Analysis Sentiment analysis of tweets on a theme
4767 Tweet Sentiment Extraction Extract support phrases for sentiment labels
4768 Tweets Sentiment Analysis/DM course project 2019 determining whether a piece of writing (tweet) is positive, negative or neutral.
4769 Twitter sentiment analysis Determine emotional coloring of twits.
4770 Twitter sentiment analysis: Self-driving cars A simple Twitter sentiment analysis to classify tweets about self-driving cars.
4771 Two Sigma Connect: Rental Listing Inquiries How much interest will a new rental listing on RentHop receive?
4772 Two Sigma Financial Modeling Challenge Can you uncover predictive value in an uncertain world?
4773 Two Sigma: Using News to Predict Stock Movements Use news analytics to predict stock price performance
4774 Two layer ReLU CIVE 6358-Assignment 2: two-layer neural network with ReLU activation
4775 Two layer Sigmoid CIVE 6358-Assignment 2: two-layer neural network with Sigmoid activation
4776 Tên competition Miêu tả competition
4777 U.S. Census Return Rate Challenge Predict census mail return rates.
4778 U.S. Patent Phrase to Phrase Matching Help Identify Similar Phrases in U.S. Patents
4779 UB | Politician tweets Can you predict the party of a politician given one tweet?
4780 UB | Politician tweets II - Parties Can you predict the party of a politician given one tweet?
4781 UB | Politician tweets II - Politicians Can you predict the politician that tweeted?
4782 UC Berkeley CS189 HW1 (CIFAR-10) CS189 HW1 competition for CIFAR-10.
4783 UC Berkeley CS189 HW1 (CIFAR-10) CS189 HW1 competition for CIFAR-10.
4784 UC Berkeley CS189 HW1 (MNIST) CS189 HW1 competition for MNIST.
4785 UC Berkeley CS189 HW1 (MNIST) CS189 HW1 competition for MNIST.
4786 UC Berkeley CS189 HW1 (SPAM) CS189 HW1 competition for SPAM.
4787 UC Berkeley CS189 HW1 (SPAM) CS189 HW1 competition for SPAM.
4788 UC Berkeley CS189 HW3 (MNIST) UC Berkeley CS189 HW3 (MNIST)
4789 UC Berkeley CS189 HW3 (MNIST) CS189 HW3 competition for MNIST.
4790 UC Berkeley CS189 HW3 (SPAM) UC Berkeley CS189 HW3 (SPAM)
4791 UC Berkeley CS189 HW3 (SPAM) CS189 HW3 competition for SPAM.
4792 UC Berkeley CS189 HW4 (WINE) UC Berkeley CS189 HW4 (WINE)
4793 UC Berkeley CS189 HW4 (WINE) UC Berkeley CS189 HW4 (WINE)
4794 UC Berkeley CS189 HW4 (WINE) CS189 HW4 competition for WINE.
4795 UC Berkeley CS189 HW5 (SPAM) CS189 HW5 competition for SPAM
4796 UC Berkeley CS189 HW5 (TITANIC) CS189 HW5 competition for TITANIC
4797 UC Berkeley CS189 HW6 (CIFAR-10) CS189 HW6 competition for CIFAR-10.
4798 UC Berkeley CS189 HW6 (MNIST CS189 HW1 competition for MNIST.
4799 UC Irvine CS178 Fall 2021 Predict customer behavior
4800 UCI Math77B: Collaborative Filtering Did you laugh? Predict whether a joke is funny for Math 77B Collaborative Filtering at UCI!
4801 UCI Wine Quality Dataset Predicting quality of white wine given 11 physiochemical attributes
4802 UCL AI Society Football match prediction Week 2: Be the next Paul the Octopus
4803 UCL AI Society card fraud detection Week 4: Be the police
4804 UCL AI Society clickbait detection Week 7: Don't be fooled
4805 UCL Applied Machine Learning 2 Film recommendation problem
4806 UCL CoMPLEX MRes module This contest requires competitors to predict the likelihood that an HIV patient's infection will become less severe, given a small dataset and limited clinical information.
4807 UCLA STATS 101C 2021-LEC3 Final Project (New dataset)
4808 UCLA STATS 101C 2021-LEC4 Final Project (New dataset)
4809 UCLA STATS101C2021-LEC3 Final Project
4810 UCLA STATS101C2021-LEC4 Final Project
4811 UCS654 - Lab-2 Exam (Kaggle Hack) Lab-2 Exam (Kaggle Hack)
4812 UCSB CS165B Winter 2022 Machine Homework 3 CS165B HW3
4813 UCSC CSE142 Project 5 Learn with crowds
4814 UCSD Deep Learning Class Competition Autonomous vehicle motion forecasting challenge
4815 UCSD Deep Learning Class Competition Autonomous vehicle motion forecasting challenge
4816 UCSD Neural Data Challenge Compete to create a predictive model using data gathered via brain computer interface
4817 UCSD-CSE291-data-driven-text-mining Restaurant type prediction
4818 UCSD-DSC190-WI21-Introduction to Data Mining Predict price of Airbnb listings
4819 UCSD-DSC190-WI22-Introduction to Data Mining Predict price of Airbnb listings
4820 UCU DS Homework 3 Predict ZNO results better!
4821 UET Hackathon 2022 - Data Science Predict the income based on demographic and work information
4822 UG - IIO - Econometría en R - 2020 Técnicas de regresión en R
4823 UG - IIO - Econometría en R - 2021 Técnicas de regresión Avanzadas en R
4824 UGent-NLP-2021-Competition Machine-learning based natural language processing
4825 UI DS Summer School UI Data Science Summer School
4826 UI Summer School 2020 UI Summer School 2020-Machine Learning Bootcamp
4827 UIT Spring 2021 DS200.L11 Assignment 8 Movie recommendation system
4828 UIU AI Contest Fall 2019 Intra University AI Contest
4829 UIU CSE Fall AI Competition Lets do some biology!
4830 UIUC CS444 SP22 MP3 Multi-label classification Leaderboard is reporting (1-mAP), the lower the better!
4831 UIUC CS498DL Fall20 MP3 Multi-label classification Leaderboard is reporting (1-mAP), the lower the better! Due 11/5/2020
4832 UIUC CS498DL Fall20 MP3: Object Detection Leaderboard is reporting (1-mAP), due on 11/5/2020
4833 UIUC CS498DL SP21 MP3 Multi-label classification Leaderboard is reporting (1-mAP), the lower the better!
4834 UJ SN2019 Zadanie 3: Odszumianie Zadanie 3 dla kursu SN2019
4835 UJI COBA KSN Ini untuk uji coba KSN. Semoga berhasil! Bismillah..
4836 UL MSc MLA This is a private Kaggle competition for the Machine Learning Applications.
4837 UL0 NLP Hackathon Read the problem statement and code away!
4838 UL0 NLP Hackathon Q2 Read the problem statement and code away!
4839 UMD FIRE171 ASN4 Data Classification Challenge Predicting if a customer will make a payment for the billed amount next month.
4840 UMICH SI650 - Distinguishing Fact and Feeling Distinguishing if a piece of text is fact or feeling
4841 UMICH SI650 - IR-based Chatbot developing a chatbot using IR techniques
4842 UMICH SI650 - Sentiment Classification This is an in-class contest hosted by University of Michigan SI650 (Information Retrieval)
4843 UMUC DATA 650 Summer 2018 Competition Evaluate the cars!
4844 UManitoba Image Classification Fall 2021 Image classification
4845 UMass CS 589 Spring 2021 Assignment 4 UMass CS 589 Spring 2021 Assignment 4
4846 UMich SI 670 F21: Predicting text difficulty Predict which sentences need to be simplified to make them easier to understand
4847 UNIFESP Chest CT Fatty Liver Competition Create an algorithm to detect fatty liver on Chest CT Scans
4848 UNIFESP X-ray Body Part Classifier Competition Can you build an algorithm to correctly classify body parts in X-rays?
4849 UNM Machine Learning - MINST dataset Class - Project 2 - Part 2
4850 UNM Machine Learning - Wine Multi Layer Perceptron Class - Project 2 - Part 4
4851 UNM Machine Learning - Wine Multi Layer Perceptron Class - Project 2 - Part 5
4852 UNN & Itseez: Machine Learning Competition (Classification) Machine Learning Competition for UNN students
4853 UNN & Itseez: Machine Learning Competition 2013 Machine Learning Competition for UNN students
4854 UNN & Itseez: Machine Learning Competition 2014 Machine Learning Competition for UNN and HSE students
4855 UNO Data Mining Competition MATH/STAT 4450/8456, Spring 2018, Contest #1
4856 UNO Data Mining Competition MATH/STAT 4450/8456, Spring 2018, Contest #2
4857 UNSW DSS Hack 1 - 2017 Predict if it's going to rain!
4858 UNSW DataSoc Sydney Round (Expired) EXPIRED COMPETITION
4859 UNextBnB : Price Prediction Predict Prices for homestays
4860 UP - Data Practicum II 2021/22: Football Predict the outcome of football matches
4861 UPEC ML course project I Competition to verify the model test results
4862 UPEC ML course project III Evaluate your model by counting number of pedestrians and bikes
4863 UPenn and Mayo Clinic's Seizure Detection Challenge Detect seizures in intracranial EEG recordings
4864 URI ML 2016S HA-3 Determine whether a given email is spam or not.
4865 US Census Bureau (NDSU and UMN) An in-class version of the US Census Bureau competition
4866 US election Twitter mini Datathon Classify major events based on tweets sent by users on Twitter.
4867 US election Twitter mini Datathon(Advanced) Classify major events based on tweets sent by users on Twitter.
4868 USA Republican Party Tweets Sentiment Analysis You should identify tonality of tweets using sentiment analysis
4869 USC DSCI552 Section 32415D Spring 2021 (PS5) Competition to Problem Set 5
4870 USC DSCI552 Section 32416D Spring 2021 (PS3) Competition to Problem Set 3
4871 USF Data Science Cybersecurity Competition 2020 This is the internal fall competition for Data Science @ USF's Student Org
4872 USTC-Geo-AI20-finalproject The final project of USTC Geoscience AI course
4873 UT MLDS Microsoft Semester Competition This is the MLDS Microsoft Semester long competition. For more information about the website visit utmlds.club
4874 UT MLDS Semester Competition This is the MLDS Semester long competition. For more information about the website visit utmlds.club
4875 UT in-class challenge F21 make the best predictions possible!
4876 UTKML - COVID Detection from CT Scans Try to detect whether someone has COVID or not just by looking at a CT scan.
4877 UTKML - Predicting 2016 President by County You are going to predict which party won the presidential election for each county based on county demographic information
4878 UTKML NBA Prediction Competition Use the provided NBA datasets to predict the outcome of NBA matches
4879 UTKML: Predict Mushroom Species Predict mushroom species from pictures of various mushrooms!
4880 UTartu ML2018fall competition Prediction of the number of bicycles at rental stations in Valencia
4881 UW DATA 558 Spring 2019 Competition 1 Classify birds from ImageNet
4882 UW Neural Data Challenge Predict the responses of visual neurons to images.
4883 UW STAT331 Linear Models Contest Students are to apply their techniques discussed in class to make the best predictions possible. Feature selection is a major theme.
4884 UW-Madison Fall 2020 Stat 333 Predict Yelp Ratings!
4885 UW-Madison GI Tract Image Segmentation Track healthy organs in medical scans to improve cancer treatment
4886 UW-madison CS639 Assignment 4
4887 UW-madison CS639 Assignment 5
4888 UWEC CS 491 Final 2020 Predict which patients will return to the hospital
4889 UWEC CS 491 Midterm 2020 Predict the prices of online courses
4890 UWI Poisonous Mushorooms Use data on mushrooms to predict which one is poisonous
4891 UWaterloo STAT441/841 Data Challenge 1 Predicting whether an online jewerly shop visitor will purchase an item from the shop.
4892 UWaterloo STAT441/841 Data Challenge 2 Image Classification Challenge
4893 Ubaar Competition Ubaar Transport Cost Prediction
4894 Ubezpieczenia: ED'14 Wspomóż kupców, oferuj ubezpieczenia karawan
4895 Ubiquant Market Prediction Make predictions against future market data
4896 UiS DAT640/2019 2B UiS DAT640 2019 fall Assignment 2B
4897 UltraMNIST Classification Challenge Training Neural Networks with Very Large Images
4898 Ultrasound Nerve Segmentation Identify nerve structures in ultrasound images of the neck
4899 Uncover Mysterious Underlying Data Structure Use your modeling skills to build a predictive mathematical model.
4900 Understanding Clouds from Satellite Images Can you classify cloud structures from satellites?
4901 Unit 1991 Intrusion Detection System
4902 University of Liverpool - Ion Switching Identify the number of channels open at each time point
4903 University-of-Stavanger Beans Classification University of Stavanger beans classification
4904 Unsupervised Speech Recognition 11-785, Spring 2022, Homework 5
4905 UoG-ML-1819, regression Fit your model for the training set, make predictions for the test set, and upload your results in a CSV-file.
4906 UoM Data Science Challenge 2020 This is an in-class challenge for the 2020 Data Science students
4907 UpDrive - Trading Used Cars Predicting the value of used cars
4908 Upec ML course project II Evaluate your model by counting number of bikes and scooters
4909 Used car valuation Regression of used car value using commonly available dimensions
4910 Usos del suelo desde el espacio Clasificación de los usos del suelo en imágenes de satélite Sentinel-2
4911 Usos del suelo desde el espacio Clasificación de los usos del suelo en imágenes de satélite Sentinel-2
4912 Utiva AI School Employee Attrition Prediction Predicting which employees are prone to leave next using information from existing employees and those that had left
4913 Utiva AI School Employee Attrition Prediction Predicting which employees are prone to leave next using information from existing employees and those that had left
4914 Utiva Python BigData Employee Attrition Prediction Predicting which employees are prone to leave next using information from existing employees and those that had left
4915 Utiva Python BigData Employee Attrition Prediction Predicting which employees are prone to leave next using information from existing employees and those that had left
4916 UtkML Image Classification In this competition we will tackle Dogs vs. Cats as our Image Classification Problem
4917 UtkMl's Twitter Spam Detection Competition Tackling Twitter's Spam problem!
4918 UtkMl's Twitter Spam Detection Competition Tackling Twitter's Spam problem!
4919 UtkMl's Twitter Spam Detection Competition Tackling Twitter's Spam problem!
4920 Utkonos Baskets Recommend products to complement clients baskets
4921 V-Intelligence Final Stage Prevent your best clothe shrunken after washing
4922 VE 445 2019 Fall Neural Network Project Drug Molecular Toxicity Prediction
4923 VI Challenge 2019/2020 bonus recommender assignment
4924 VIP users' behavior classification Imbalance data with a few fields, need to be classified.
4925 VISLAB Grapeleaf Competition! Image classification using grapeleaves
4926 VKCV_2022_Contest_01: Facial Landmarks Predict (almost!) a thousand facial landmarks using Deep Learning.
4927 VLSI Wire Resistance Estimation improve estimation accuracy (regression mean and sigma)
4928 VRS and Vignana Jyothi Residential School 9th AI Project work for class IX
4929 VSB Power Line Fault Detection Can you detect faults in above-ground electrical lines?
4930 VUB: Animal Classification with Neural Networks A second competition where you can use neural networks.
4931 Vacancy Classification SF01.1 Практикуем работу с текстами
4932 Vessel Segmentation basic segmentation
4933 Vesuvius Challenge - Ink Detection Resurrect an ancient library from the ashes of a volcano
4934 Viet Nam Stock Market Prediction Kaggle 02 - TowardDataScience
4935 VietAI Advance Course - Retinal Disease Detection Assignment for VietAI Advance Course 2020 - Deep Learning in Vision
4936 VietAI Foundation Course 7 - Assignment 4 LSTM Leaderboard for Assignment 4 of VietAI Foundation Course 7 (HCMC)
4937 VietAI Foundation Course 7 - CNN Assignment Leaderboard for CNN Assignment of VietAI Foundation Course 7 (HCMC)
4938 VinBigData Chest X-ray Abnormalities Detection Automatically localize and classify thoracic abnormalities from chest radiographs
4939 Viscovery Bread 85TW viscovery bread 85 TW leaderboard
4940 Viscovery bread 85TW v2 viscovery bread 85tw v2 leaderboard
4941 Vision challenge - Sistemas embebidos 2021 20 Detección de señales de transito a partir de carácteristicas extraídas con visión artificial
4942 Visual Question Answering Answering Yes or No questions about images.
4943 Visualize the State of Public Education in Colorado Using 3 years of school grading data supplied by the Colorado Department of Education and R-Squared Research, visually uncover trends in the Colorado public school system.
4944 VizDoom Competition Training an AI warrior!
4945 VizDoom Competition NTUT Building Deep Learning Applications Homework 3
4946 Vocabulary test (HSE 2018) Predict the results of vocabulary test
4947 Vocabulary test (RANEPA ML 2018) Predict the results of vocabulary test
4948 W&B and DL Playground Korea A fun competition!
4949 WEC ML Mentorship Contest This contest is a 48 hour contest. The data set is a multi class classification problem.
4950 WEEKTESTCOMP for test purposes
4951 WINE-TEST testing competition
4952 WIssnaire To predict emergency vehicles through ML
4953 WM 2020 - Personalized Item Recommendation web mining 2020 programming hw2
4954 WM 2020 - VSM Model build a document retrieval system!
4955 WM2021 - Vector Space Model In search of relevant documents
4956 WSDM - Fake News Classification Identify the fake news.
4957 WSDM - KKBox's Churn Prediction Challenge Can you predict when subscribers will churn?
4958 WSDM - KKBox's Music Recommendation Challenge Can you build the best music recommendation system?
4959 Walmart Recruiting - Store Sales Forecasting Use historical markdown data to predict store sales
4960 Walmart Recruiting II: Sales in Stormy Weather Predict how sales of weather-sensitive products are affected by snow and rain
4961 Walmart Recruiting: Trip Type Classification Use market basket analysis to classify shopping trips
4962 Walmart Sales Prediction As a Data Scientist help Walmart forecast sales
4963 Walmart Sales Prediction As a Data Scientist help Walmart forecast sales
4964 Wandb & Portugal DL A fun DL competition!
4965 Warranty Claims To predict an item when sold, what is the probability that customer would file for warranty
4966 Wazobia Students Score Prediction predicting the semester score of some students
4967 Weather Postprocessing Correct errors in the output of numerical weather prediction models
4968 Weather prediction Based on information about the current day, you need to determine whether there will be precipitation tomorrow.
4969 Weather prediction'22 Build a logistic regression model to predict the next day's weather
4970 Weave ML Guild - Titanic Learn some basic machine learning for classification.
4971 Web Enthusiasts' Club NITK Recruitment 2020 The official contest for Web Club's Intelligence SIG Recruitments for the year 2020-2021
4972 Web Traffic Time Series Forecasting Forecast future traffic to Wikipedia pages
4973 Weibo Article Classifcation 判斷一篇微博文章會不會被 Ban
4974 Weight Prediction Base from the personal information to predict the weight of the person
4975 Weightage2 Face Mask Detection Description short
4976 West Nile Virus Prediction Predict West Nile virus in mosquitos across the city of Chicago
4977 What Do You Know? Improve the state of the art in student evaluation by predicting whether a student will answer the next test question correctly.
4978 What's Cooking? Use recipe ingredients to categorize the cuisine
4979 What's Cooking? (Kernels Only) Use recipe ingredients to categorize the cuisine
4980 Where is the toilet? The right one. Image retrieval to find a toilet of the opposite gender
4981 Where's My Money? Predict if particular borrowers will enter default.
4982 Whiskey In-class Competition for Lambda School DSPT1
4983 Whiskey Reviews DS13 Excellent, Okay, or Poor - you find out
4984 Whiskey Reviews DS15 Excellent, Okay, or Poor - you find out
4985 Whiskey Reviews DS22 - Take 2! Excellent, Okay, or Poor - you find out! = )
4986 Whiskey Reviews DS27 Excellent, Good, or Poor -- You find out!
4987 Whiskey Reviews DS28 Excellent, Good, or Poor -- You find out!
4988 Whiskey Reviews DSPT-14 Excellent, Okay, or Poor - you find out!
4989 Whiskey Reviews DSPT4 Excellent, Okay, or Poor - you find out
4990 White wine quality evaluation 2020-AI-TermProject-18011880
4991 Who Survived the Titanic? Classifying Which Passengers Survived the Titanic Disaster
4992 Who are you? Find the person and his phone
4993 Who is Dropping out? We would like to recognize high-risk participants in a digital platform
4994 Who is a Friend? Predict whether two persons are friends or not based on their meetings.
4995 Who is rich? Predict household's income using regression!
4996 Who makes the money? Use a regression model to predict who makes the money!
4997 Who would dropout? We would like to recognize high-risk participants in a digital platform
4998 Wi-Fi Indoor Localization Dataset (WILD-v2) Competition using WiFi based Indoor Localization Datasets
4999 WiDS Datathon 2019 Join the Women in Data Science (WiDS) Datathon 2019
5000 WiDS Datathon 2020 Join the Women in Data Science (WiDS) Datathon 2020
5001 WiDS Datathon 2021 Join the Women in Data Science (WiDS) Datathon
5002 WiDS Datathon 2022 Join the Women in Data Science (WiDS) Datathon
5003 WiDSHIROSHIMAデータソン『広島フード×需要予測』 和菓子メーカーの売上予測をしよう[~2022.1.31]
5004 Wikipedia - Image/Caption Matching Retrieve captions based on images
5005 Wikipedia's Participation Challenge This competition challenges data-mining experts to build a predictive model that predicts the number of edits an editor will make five months from the end date of the training dataset.
5006 Will Louis bite Predict if Louis bite in one game.
5007 Will They Default? The competitors will be given financial data of customers and they have to determine whether they will return their loan
5008 Wine Class Classification Use modified WINE dataset to identity wine
5009 Wine Quality Dataset Predict the quality of wine
5010 Wine Quality Decision Tree Applying decision tree to the wine quality data set.
5011 Wine Quality Prediction Project 1 of the lab
5012 Wine Quality Prediction Predict the quality of wine using available attributes
5013 Wine Test 1 Test Wine
5014 Wine price and quantity points prediction There is always a question about how much good wine should cost...
5015 Winter 2020 BAN7002 Midterm Our last dance with SAS!
5016 Winter Olympics 2022 Estimate the number of medals per country for the next Olympic Winter Games
5017 Wood anomaly detection Detect defective wood textures using a one-class classification strategy
5018 Word vectors Word vectors and language models
5019 Word2Vec Predict an IMDB sentiment based on word2vec embeddings
5020 Word2Vec (21) Predict an IMDB sentiment based on word2vec embeddings
5021 World Cup 2010 - Confidence Challenge The Confidence Challenge requires competitors to assign a level of confidence to their World Cup predictions.
5022 World Cup 2010 - Take on the Quants Quants at Goldman Sachs and JP Morgan have modeled the likely outcomes of the 2010 World Cup. Can you do better?
5023 X-HEC - Course 5 Smart grid datasets
5024 XGBoost - Curso-R - 202010 TCC da turma 202010 de XGBoost
5025 XGBoost - Curso-R - 202111 TCC da turma 202111 de XGBoost da Curso-R
5026 XGBoost 202106 Trabalho de Conclusão de Curso da turma de XGBoost 202106
5027 XRay Lung Segmentation Сегментация легких на рентгенологических изображениях
5028 YCS1003 CIFAR-10 Competition 2021-2 Image Classification Competition
5029 YCS1003 Transfer Learning Ant/Bee Image Classification Competition using Transfer Learning
5030 YCS1003-01 CIFAR-10 Competition 2020-2 Image Classification on CIFAR-10 Dataset (01분반)
5031 YCS1003-01 CIFAR-10 Competition 2021-1 Image Classification on CIFAR-10 Dataset
5032 YCS1003-02 CIFAR-10 Competition 2021-1 Image Classification on CIFAR-10 Dataset
5033 YDL Air Pollution Predicting true hourly averaged overall Non Metanic HydroCarbons concentration in microg/m^3
5034 YKC-2nd YJKC-2nd
5035 YKC-cup-1st YKC-cup-1st
5036 YNU-MNIST YNU-MNIST
5037 YSDA Train to choose wizard position Create ML model to choose wizard position with higher profit
5038 Yahoo Music Recommender Finder the 3 tracks that users will like!
5039 Yahoo Music Recommender Find the 3 tracks users will like!
5040 YahooMusic Recommends Recommeder System Challenge
5041 Yelp Recruiting Competition "How many ""useful"" votes will a Yelp review receive? Show off your skills to land an interview for a position on a Yelp data mining team!"
5042 Yelp Restaurant Photo Classification Predict attribute labels for restaurants using user-submitted photos
5043 Yelp review rating prediction Based on yelp challenge dataset, we aim to predict a review's rating
5044 Yidu AI Data Science Course Week 2 Classify spam email
5045 Yidu AI Data Science Course Week 4 Face Classification
5046 Your first Kaggle competition Solve a Titanic problem!
5047 YouthAI宝可梦图像分类 这是一个图像分类任务,输入的是一张宝可梦图片,预测宝可梦种类。打榜吧,少年!
5048 Zillow Prize: Zillow’s Home Value Prediction (Zestimate) Can you improve the algorithm that changed the world of real estate?
5049 [01/24] Iris Data Set The First Project of 24 Ultimate Data Science Projects
5050 [02/24] Heights and Weights dataset Predict the weights
5051 [03/24] Boston Housing Dataset Predict the price of the house in Boston
5052 [ACM] Recommender System Practice Recommend talent that users might like!
5053 [AI TEMPO RUN] Retrieval of Song Lyrics Competition Organized by AI CLUB (CS - UIT)
5054 [AI TEMPO RUN] Retrieval of Song Lyrics Competition Organized by AI CLUB (CS - UIT)
5055 [BLG561E] 3D Conv & LSTM Fall 2021
5056 [BLG561E] Bird Classification Bird Classification
5057 [BenQ Materials Corp]CNN實戰演練 AI 核心技術班-20210625練習
5058 [BenQ Materials Corp]CNN實戰演練2 AI 核心技術班-20210625練習
5059 [CSED226-01] HW7-Regression POSTECH [CSED226-01] Introduction of data analysis
5060 [CSED226-01]HW7-Classification POSTECH [CSED226-01] Introduction of data analysis
5061 [CSED490A-01] Project - Classification POSTECH [CSED490A-01] data analysis project
5062 [Cancelled] COL-774, Spring-2019 Assignment of Machine Learning course (COL-774) at IIT Delhi, Spring 2019.
5063 [CoE202 - 2020 Fall] Final Project Final project competition site for CoE2020, 2020 Fall. You have to classify if the image contains cancer.
5064 [DELETE]¿Spam vs Ham? Competencia Spam vs Ham para Procesamiento del Lenguaje Natural
5065 [DS-MASTERS] Предсказание дефолта заемщика На основе банковских данных предскажите, выдавать ли клиенту кредит
5066 [DS-MASTERS] Предсказание дефолта заемщика На основе банковских данных предскажите, выдавать ли клиенту кредит
5067 [DS-MASTERS] Предсказание дефолта заемщика 1 На основе банковских данных предскажите, выдавать ли клиенту кредит
5068 [Deleted Competition] Redirect to https://www.kaggle.com/c/ml2022spring-hw3b
5069 [EE331] Manga Classification Given image, identify manga name
5070 [EESTEch Challenge][Local Round][LC Aveiro] Exploit machine learning to solve a classification task.
5071 [MLHEP 2016] Exotic Higgs boson detection Detect which decays involve the exotic Higgs boson. The challenge for
5072 [MLHEP 2016] Trigger system Build a triggering system to determine if a proton-proton collision at LHC should be stored into long-term memory or should be ignored.
5073 [ML]Regression : Cabbage price Regression with Cabbage price data - knn
5074 [MSU] Introduction to machine learning. Autocompletion. Введение в машинное обучение. Автодополнение.
5075 [MSU] Property prices Введение в машинное обучение. Цены недвижимости.
5076 [OBSOLETE] [CoE202] Final Project [OBSOLETE] Go to this link, https://www.kaggle.com/c/coe202-2020-fall-final-project/
5077 [OLD] - TO DELETE Predict the number of DK points for each golfer
5078 [SF-DST] Recommendation Challenge v3 Понравится ли пользователю товар на основе истории его отзывов
5079 [Sirius 2018][PSC]MulticlassClassification Perform multiclass classification!
5080 [T]PadhAI: Tamil Vowel - Consonant Classification Can you predict the vowel and consonant of a Tamil character image?
5081 [Taiwan Mobile]ML實戰演練 AI 核心技術班-20210719練習
5082 [UTS AdvDSI 22-02] NBA Career Prediction Predict 5-Year Career Longevity for NBA Rookies
5083 [YSDA 2017]: Triggers Topological Trigger Design
5084 [ai-academy] Кто победит: Свет или Тьма? Часть I Создай модель, предсказывающую победу команды в сражении в игре Dota 2.
5085 [ai-academy] Модель случайного леса Создание модели для прогнозирования цены недвижимости
5086 [МГТУ-2022. Весна] ДЗ2. Обучение ResNet Обучаем сверточную сеть ResNet. Решаем классификацию изображений на CIFAR-100
5087 [課程: 人工智慧Introduction to Artificial Intelligence] Assignment #1
5088 [신한DS] YTN CoP 실습 - IRIS YTN 첫번째 실습으로 아주 간단한 IRIS(붓꽃) 데이터 분석하기
5089 [신한DS] YTN CoP 실습 - 리뷰분석 YTN 세번째 실습으로 리뷰 데이터 분석 하기
5090 [신한DS] YTN CoP 실습 - 타이타닉 YTN 두번째 실습으로 타이타닉 생존자 예측하기
5091 [신한DS] YTN CoP 실습 - 타이타닉 YTN 두번째 실습으로 타이타닉 생존자 데이터 분석하기
5092 ______ ____
5093 _empty_ test
5094 a test platform for cb a class
5095 aaaaaa v
5096 aaaaaa aaaaaaaa
5097 aaaaaaaa aaaaaa
5098 aaaaaaaaaaaaaaaaaaaaaaaaa ssss
5099 aaadasdadas aaadasdadas
5100 abstract r
5101 advdl-0717 advdl-0717
5102 advdl-1004 advdl-1004
5103 advdl-exam0 advdl-exam0
5104 advdl-inclass2 advdl-inclass2
5105 advdl-inclass3 advdl-inclass3
5106 advdl_inclass4 advdl_inclass4
5107 advdl_kaggle2 advdl_kaggle2
5108 affinity Find drugs in the dataset of atomic 3D images of protein-small molecule complexes.
5109 ai2020f ai2020f
5110 ai2021-1-MLR ai2021-1-MLR
5111 aiproject18011862 aiproject18011862
5112 airbnb kontest daming
5113 aitestkaggle1234 aitest
5114 allowance per stock find a reliable model for marketing contribution
5115 amylie coba coba test
5116 analysis of titanic dataset trail competition
5117 aolney-kepler-classification aolney-kepler-classification
5118 apo-Challenge apo-Challenge
5119 apo-Challenge apo-Challenge
5120 apo-Challenge apo-Challenge
5121 apo-Challenge apo-Challenge
5122 apple_test2 This is an apple
5123 application-failure-prediction-part1 Build a Machine Learning model to predict application failures
5124 application-failure-prediction-part2 Build a Machine Learning model to predict application failures
5125 article_classification_k-yw article category classification
5126 article_classification_kyw article category classification
5127 asdfasd1dfa1 asdfasd1dfa1
5128 asdfcom THIS IS A COM
5129 asdfg123 fail
5130 asdfncsbcnscnbscbn cobacoba berhadiah
5131 autotagoffensive autotagoffensive
5132 autotagspam autotagspam
5133 b9823hi9798hihoiyo879hiyo9898yihiuoiu aipbouwept982q0397850918709809dfb
5134 bbm409-assignment3 bbm409-assignment3
5135 bbm497-2020-assignment2 bbm497-2020-assignment2
5136 beans competition Good luck!
5137 benchmark-team-test benchmark-team-test
5138 brook AI testing just for testing
5139 cabbage-ai predict the price of cabbages!
5140 cabbage_prediction_submit 배추가격 예측 문제
5141 cabbage_price_18011797 배추 가격 예측문제
5142 cabbage_price_predict cabbage_price_predict
5143 car_accident_number_of_Death.18011765 사고 건수, 경상,중상자수, 접수 부상자수에 따른 사망자수 추정하기
5144 cerfacs test compet kaggle
5145 chaii - Hindi and Tamil Question Answering Identify the answer to questions found in Indian language passages
5146 chesstimating Соревнование по оценке шахматной позиции
5147 class-test-data-mining 16级地大信管专业数据挖掘课堂竞赛
5148 class0522 class0522
5149 cls-text-classification In this project, we will build our own text classifier system, and test its performance.
5150 comp5046 test 1 comp5046 test 1
5151 competition_v2_202108 v2
5152 competition_zero2022winter_classification(escape)) Data Scientist Training Course Starting from Zero
5153 con todo con todo
5154 concrete_1 test
5155 course evaluation compare students gfg
5156 creative sort
5157 crime-homeprice_test1 test1
5158 cs475-nmnist-small Noisy handwritten digit recognition
5159 cs482-homework-5-perceptron perceptron classification
5160 cs482-homework-5-softmax softmax competition
5161 cs482-homework5-perceptron Image classification using perceptron model
5162 cs6601ai-fall19-assign4-bonus Assignment 4 Bonus - Decision Trees and Random Forests for Georgia Tech CS 6601, Fall 2019
5163 cs6601ai-spring20-assign4-bonus Assignment 4 Bonus - Decision Trees and Random Forests for Georgia Tech CS 6601, Spring 2020
5164 cs682-homework-5-perceptron Image Classification with Perceptron
5165 cs682-homework-5-softmax Image Classification with Softmax
5166 cs682-homework-5-svm Image classification using SVM
5167 cs987test testing the in class set up
5168 customer churn prediction Predict weather customer about to churn or not.
5169 data-x-ensembling-fall-2021 data-x-ensembling-fall-2021
5170 data-x-hyperparameters-fall-2021 data-x-hyperparameters-fall-2021
5171 dataming86171286181classintest 信管、统计专业2020年课堂竞赛
5172 dataming861712classintest 这是信管86171-2的数据挖掘课程作业比赛
5173 datamix competition 2019 enhance analytical skills and teamwork
5174 ddasdasd asdasdasdads
5175 deletethisone deletethisone
5176 demoooooo1109 qee
5177 deneme222 deneme
5178 deprecated go to http://www.kaggle.com/c/roadrunner-v2
5179 deprecated 3.100, 10.402, 20.301 In class ML competition
5180 deprecated 3.100, 10.402, 20.301 In class ML competition
5181 dfdfdfdfdfdfdfdfdffdfdd dfdfdfdfdfdfdfdfdfd
5182 dfdsf 2312312
5183 dgfgnnn dfgf
5184 diabetes sejong spring AI
5185 disco test test
5186 dmc 19 dmc 19
5187 drosophila embryos (AUC) Project 3 (2020−2021−2)-EI314-1
5188 drosophila embryos (macro f1) Project 3 of (2020-2021-2)-EI314-1
5189 drosophila embryos (samples f1) Project 3 of (2020−2021−2)-EI314-1
5190 dummy123 dummy
5191 dummy2 dummy2
5192 dunnhumby & hack/reduce Product Launch Challenge The success or failure of a new product launch is often evident within the first few weeks of sales. Can you predict a product's destiny?
5193 dunnhumby's Shopper Challenge Going grocery shopping, we all have to do it, some even enjoy it, but can you predict it? dunnhumby is looking to build a model to better predict when supermarket shoppers will next visit the store and how much they will spend.
5194 ece5300sp21-tree tree-based methods like random forests and XGBoost
5195 ef-autumn-1 None
5196 email-author-prediction-2013 Predicting email authors using the language model
5197 example dna dna competition
5198 exexexe exexex
5199 fight bias part 1 lets fight bias!
5200 final contest test
5201 finished-contest このコンテストは終了しました.
5202 forFinal details in the Moodle
5203 frcss1 frcss ml
5204 gamer's negative chat recognition(消极游戏聊天内容检测) Recognize the negative chat in games. Text in Chinese and validate with F-score
5205 ghghjgh vjkhjkk,j
5206 grandpark_practice grandpark_practice
5207 hackStat 2.0 hackStat 2.0 - First round competitions
5208 hdu-创新实践-郑-白酒质量预测 根据给出的特征预测白酒的质量。
5209 helloworld learning
5210 helloworld_1 test
5211 homework_kaggle_leaderboard homework_kaggle_leaderboard
5212 house price prediction for HUNAU 湖南农业大学智能科学与技术专业深度学习课程Kaggle比赛一(2021秋)
5213 humi_predict test
5214 hw0 - MNIST predict number for images
5215 hw2_example_setup hw2_example_setup
5216 hw2p2-classification-fall2021-test test2 for hw2p2 classification kaggle
5217 hyperlee competition 1 В этом соревновании вам предстоит построить модели для предсказания количества арендованных велосипедов за период 2011-2012г.г.
5218 iDesigner - FGVCx 2019 - Hearst Magazine Media Predict the designer based on 50,000 labeled fashion runway photos
5219 iFood - 2019 at FGVC6 Fine-grained classification of food images
5220 iFood 2018 Challenge Challenge on fine-grained food classification (part of FGVC workshop, CVPR2018)
5221 iMaterialist (Fashion) 2019 at FGVC6 Fine-grained segmentation task for fashion and apparel
5222 iMaterialist (Fashion) 2020 at FGVC7 Fine-grained segmentation task for fashion and apparel
5223 iMaterialist (Fashion) 2021 at FGVC8 Fine-grained segmentation task for fashion and apparel
5224 iMaterialist Challenge (Fashion) at FGVC5 Image classification of fashion products.
5225 iMaterialist Challenge (Furniture) at FGVC5 Image Classification of Furniture & Home Goods.
5226 iMaterialist Challenge at FGVC 2017 Can you assign accurate description labels to images of apparel products?
5227 iMaterialist Challenge on Product Recognition Fine-grained image classification of products at FGVC6, CVPR2019
5228 iMet Collection 2019 - FGVC6 Recognize artwork attributes from The Metropolitan Museum of Art
5229 iMet Collection 2020 - FGVC7 Recognize artwork attributes from The Metropolitan Museum of Art
5230 iMet Collection 2021 x AIC - FGVC8 Recognizing Artwork Attributes with The Metropolitan Museum of Arts and Art Institute of Chicago
5231 iNat Challenge 2021 - FGVC8 10,000 Species Recognition Challenge with iNaturalist Data - FGVC8
5232 iNaturalist 2019 at FGVC6 Fine-grained classification spanning a thousand species
5233 iNaturalist Challenge at FGVC 2017 Fine-grained classification challenge spanning 5,000 species.
5234 iNaturalist Challenge at FGVC5 Long tailed classification challenge spanning 8,000 species.
5235 iWildCam 2019 - FGVC6 Categorize animals in the wild
5236 iWildCam 2020 - FGVC7 Categorize animals in the wild
5237 iWildCam 2022 - FGVC9 Count the number of animals in a sequence of images
5238 iWildCam2018 FGVCx 2018. Classify the presence of animals in camera trap images.
5239 iWildcam 2021 - FGVC8 Count the number of animals of each species present in a sequence of images
5240 identificationalism Identify famous philosophical scholars
5241 idl-fall21-hw2p2s1-face-classification-toy idl-fall21-hw2p2s1-face-classification-toy
5242 idl-fall21-hw2p2s2-face-verification-toy idl-fall21-hw2p2s2-face-verification-toy
5243 imdb_sentiment_classification applied ai 2020
5244 iml2021 Human activity prediction from sensors
5245 intern 2021 syrona All work related to Syrona intern managed here
5246 introml2021nccucsp22v2 Intro2ML2021@cs.nccu.edu.tw
5247 inwidyanatest inwidyanatest
5248 iris dataset demo for AIA student iris dataset demo for AIA student
5249 itML Dev Challenge Classification ML Challenge
5250 justtest justtest
5251 k nearest neigbors Obtain top 1 nearest neighbors to all test points.
5252 kaggle18011884 kaggle18011884
5253 kaggle_assignment kaggle_assignment
5254 khu-deep-learning-competition 2020-2 deep learning course competition
5255 kick-DM-2 HAHAHA
5256 kisti-sejong-winterschool-p3 병원_개_폐업_분류_예측
5257 knn class knn class
5258 kowari blah
5259 lab-training1 basic Neural Net training
5260 lab1-minist lab1 minit
5261 lakeheadTestCompetition this competition is a test of creating competitions
5262 leaderboard_assignment kaggle_leaderboard_assignment
5263 levenshtein levenshtein
5264 logistic classification : diabetes logistic classification with diabetes data
5265 logistic classification : diabetes SejongAI Challenge pretest-1
5266 logistic classification : diabetes KNN logistic classification with diabetes data
5267 machy sample1 machy sample1
5268 mars-hospital-placement-recommendation Recommending optimal hospital locations using spatiotemporal features [MARS@XMU]
5269 mars-traffic-violation-forecast Forecasting traffic violation hotspots using spatiotemporal features [MARS@XMU]
5270 medical.ml liver regression regression
5271 melody melody
5272 miia4200-20191-p1-usedcarpriceprediction_V2 miia4200-20191-p1-usedcarpriceprediction
5273 minha competicao 123 competicao
5274 ml-2019spring-hw1 machine learning class homework 1
5275 ml-session repeat 경통의 우두머리
5276 ml2017-hw6 This is ML2017Spring hw6 competition. You need to implement matrix factorization on the recommendation task.
5277 ml410-reuters Multi-label classification of Reuters newswires
5278 ml530-2021-sp-imagenet image classification using imagenet data
5279 ml@imperial2022. Predict the house price First Challenge/homework for ml@imperial. Predict the price of the house
5280 mnist_test_kimlab mnist
5281 music_genres_classification 2020.AI
5282 my_team my_team
5283 new data test test new dataset
5284 njutest test
5285 nlp2021agresivo Detectar tuits agresivos
5286 not a competition anymore not a competition anymore
5287 nothing to see here This was an old competition and I can't figure out how to delete it
5288 ntro test prdct mbl prs11
5289 numDeath_regression numDeath_regression
5290 ods_class_cs231n CIFAR10 playground
5291 offline offline
5292 opendatascience_class_cs231n CIFAR10 playground
5293 please delete the competition none
5294 please delete this competition none
5295 pm2.5預測 應用pm2.5監測站資料預測pm2.5值
5296 pokemon111 testing pokeon
5297 practice/warmup round simple practice round for students
5298 predict number of asthma patient 18011803 지능기전공학부 정지원
5299 predict-y just for knowledge
5300 predicting income predict income of wave1 of NIDS
5301 prediction of car price Build a model to predict the price of a car.
5302 predictionAI stock price updown
5303 pretruc essai oui oui
5304 prueba12345 testing student competition
5305 pycon-2015-tutorial Competition for PyCon 2015 Kaggle Tutorial Based on Prior Competition with Stack Exchange
5306 python nycu course for learning
5307 ramesh-temphost temporary competition
5308 random nope
5309 randomm For anyone
5310 regression_lib regression_lib
5311 removed_1006 XXX
5312 rjm modeling rjm modeling
5313 roadRunner Virginia Road Quality Estimation with Deep Learning & Satellite Imagery
5314 rpaa-hackathon-topic-model RPAA Hackathon on topic models
5315 rule based classification bana275
5316 sadlnjdsadsa afdsfdsfdsadfs
5317 sample ai sample 식중독
5318 sample_2020 AI 중간고사 문제1 배추가격 예측 문제
5319 sample_exam2 Diabetes
5320 sample_kaggle_leaderboard sample_kaggle_leaderboard
5321 sample_kaggle_leaderboard_18011862 sample_kaggle_leaderboard
5322 sample_leaderboard_je sample_leaderboard_je
5323 sample_term sample_term
5324 scnu captcha test
5325 sdssdasdas sds
5326 sejong ai class predict earthquake predict earthquake
5327 sheshes sheshes meshes
5328 simon Simon's Description of Basic Details.
5329 spam test spam test
5330 sphere.mail.ru BD-21 final 2016/1 Финальный проект студентов Техносферы, группа BD-21, весна 2016
5331 spotoroo The task for this competition is to predict the cause of Australian bushfires in the 2019-2020 season.
5332 stat 441 data challenge 1 classify the fashion MNIST data set
5333 sweet.tv - TV program recommender Create the algorithm that predicts user's TV program preferences
5334 sweet.tv - TV program recommender Create the algorithm that predicts user's TV program preferences
5335 sweet.tv - TV program recommender (demo) Create the algorithm that predicts user's TV program preferences
5336 sweet.tv - movie recommender Create the algorithm that predicts user's movie preferences
5337 sweet.tv - movie recommender Create the algorithm that predicts user's movie preferences
5338 task 2 method pro competition task 2, good luck
5339 task1 method pro competition for method pro task 1
5340 technologytest just be better
5341 temp24 temp
5342 temptemp test
5343 termproject_17011857 termproject_17011857
5344 termproject_je termproject_je
5345 tesdtffff test
5346 tesetbedd testing how competition works
5347 teslolkek teslolkek
5348 test 10r random test
5349 test 123 test2123
5350 test 20210503 Only for test
5351 test ITP Analytics & IT Payment suggestions
5352 test challenge None
5353 test competition test competition
5354 test contest Description
5355 test for Fun hi world
5356 test for Fun hihi
5357 test for GICE class test
5358 test hackathon to test things
5359 test page test page
5360 test test test
5361 test-2020-08-18 test-2020-08-18
5362 test-comp-uiuc Revenue prediction test comp
5363 test-for-fun hi
5364 test-for-lab2 test
5365 test-kaggle test-kaggle
5366 test-platform this is a test
5367 test-radboud-competition testing this
5368 test-xx this is a test
5369 test01_502 test01
5370 test0917 test
5371 test4fun hihihi
5372 test: diabetes logistic classification with diabetes data
5373 testBosTitanic testing the kaggle competition with titanic dataset
5374 testMelody dsfsfs
5375 test_MAP salut test MAP
5376 test_competition testing in-class competition
5377 test_competition test
5378 test_credit_loan test_credit_loan
5379 test_to_test test_to_test
5380 testcomp12355 tester
5381 testcomp32 compition to test kaggle functionality
5382 testdspfall2019 test dsp fall 2019
5383 testest .
5384 testetststet tetsttsttetstettets
5385 testinfor2 testinfor2
5386 testing null
5387 testing it now test
5388 testing-leaderboard-reveal testing-leaderboard-reveal
5389 testismad asaafafaf
5390 testrz testtest
5391 testtest testtest
5392 testtest .
5393 testtest test
5394 testtest 방금 쏜 슛은 들어갔을까?
5395 testtesttest testtestsdfsdf
5396 testtesttesttest ;l;l
5397 testtt testtt
5398 time series forecasting1 for 12 months for column A to P. Column P compulsory.
5399 to-delete-MSE-BB-4-SS2018 ML - Amazon Reviews Predict who wrote the review.
5400 trial 2.0 Description here---
5401 tututu tititi
5402 unpublished pages unpublished pages
5403 upGrad Rise - Hackathon for Data Science & Tech Fraud Risk Detection
5404 utkML Hackathon 2017 Aliens?!?
5405 vcxzvcxzv vcxzvzxcv
5406 vis-bread-test2 viscovery bread test 2
5407 water_test test
5408 wrrrrrrrrrrrrr wwwwwwwwwwww
5409 xfactor: mobile appstore forecast download popularity of the application according to the statistics of downloads
5410 y-prediction2 knowledge challenge
5411 yab_test this is a test page
5412 yh titanic predict death
5413 yimengtest I want to test it
5414 yjtest this is a test only for yj
5415 yoyoyoyo yoyo
5416 yshad-objrec4 Object Recognition. Распознавание текстурных изображений
5417 zzzzzz zzz
5418 Örnek Yarışma Yarışma yarışma yarışma yarışma
5419 ΣΦΔ Hack Spring 2021 Natural Language Processing Machine Learning Competition
5420 Анализ веб-документов Сможете ли Вы найти в группе документов те, которые связаны друг с другом?
5421 Анализ тональности текста Определите тональность новости
5422 Аудитория телеканалов в ОТТ (HSE NSK) Определите пол абонента на основании логов телесмотрения
5423 Бабушкин суп из данных: планирование рекламы Предсказание дохода от посещений на разреженных географических данных
5424 Введение в нейронные сети. ДЗ №1 Технотрек. ДЗ1
5425 Второе домашнее задание по курсу DL in NLP Определите, к какому классу относятся представленные тексты.
5426 Детекция разгонных новостных сообщений Бинарная классификация мультимодальных данных (текст, временные ряды)
5427 Диагностирование заболеваний по ЭКГ Определить болен ли пациент по его электрокардиограмме.
5428 Дота в ФМШ Предскажите исход матча
5429 Душевный семестровый проект Исследование типичного псевдофилософского паблика вконтакте.
5430 Діабет Передбачте виникнення діабету на основі діагностичних вимірів
5431 Жёлтое такси Предскажите количество поездок нью-йоркского жёлтого такси
5432 Задача TerraEvolution от Роскосмоса прояви свои знания, написав алгоритм для самой загадочной и красивой отрасли
5433 Задача для 2 курса ВМК МГУ "Задача по курсу ""Введение в машинное обучение"""
5434 Задержка рейса самолета Предскажи, на сколько времени задержали рейс
5435 Задержка рейса самолета Предскажи, на сколько времени задержали рейс
5436 Задержка рейса самолета Предскажи, на сколько времени задержали рейс
5437 Закончить РЭШку Написать диплом, продолбав дедлайн не дольше, чем на неделю
5438 Зачет по случайным процессам Список задач
5439 Институт биоинформатики 21/22. Соревнование №1 Первое соревнование в рамках курса по машинному обучению в ИБ 21/22.
5440 Институт биоинформатики 21/22. Соревнование №2 Предсказание победы в матчах по Dota2
5441 Квартиры в Берлине Прекрасное соревнование для Л2Ш
5442 Классификация изображений Используя всего несколько библиотек, решите популярную задачу
5443 Классификация клиентов Демонстрационная задача к отборочному туру 20 января 2021
5444 Классификация музыки Классификация музыки
5445 Классификация писателей Определить писателя по тексту отрывка
5446 Классификация пород собак Классификация пород собак по картинкам
5447 Классификация рукописных цифр по EMG Ваша цель построить пайплайн обработки EMG данных и обучить модель, которая покажет наилучшее качество на тестовой выборке.
5448 Классификация страхователей транспортных средств Вторая задача Открытого чемпионата Финансового университета по машинному обучению - 2018
5449 Кластеризация новостных документов Задание по кластеризации новостных документов
5450 Контрольная работа (ПМ1-1м, 10.2017) Построение модели кредитного скоринга
5451 Кредитный скоринг (Финтех школа) Предсказание факта наступления дефолта по кредиту.
5452 Купит - не купит? Предсказать, кому отправить СМС, чтобы склонить к покупке.
5453 Курс Machine Learning (Осень 2019 - МАИ) Предсказание стоимости жилья
5454 Курсовой проект по Библиотеки Python для DS Курсовой проект по курсу Библиотеки Python для Data Science 2.
5455 Лабораторная работа №1 Построение математических моделей оборудования
5456 Лабораторная работа №2 Прогнозирование неисправностей в работе оборудования
5457 Лабораторная работа №3 Обобщение модели при помощи физических зависимостей
5458 Машинное обучение Заключительный мини проект
5459 Метагеномика Ротации ШМТБ
5460 Методы анализа данных Предсказание оттока пользователей
5461 Методы анализа данных Предсказание, будет ли зарплата выше $50K
5462 Методы анализа данных Предсказываем для страховой компании
5463 Методы анализа данных Прогнозирование выживания на титанике
5464 Методы анализа данных Прогнозирование выживания на титанике
5465 Методы анализа данных HR аналитика Предскажите, кто пойдет на новую работу
5466 Модели стохастических объектов Прогнозирование выживания на титанике
5467 Модели стохастических объектов Предсказываем для страховой компании
5468 Модели стохастических объектов Предсказание оттока пользователей
5469 ОНТИ ML Learn&Hack 20 Соревнования для участников вебинара ОНТИ Машинное Обучение 2020
5470 Обнаружение веб-спама "Соревнование в рамках курса ШАД ""Веб-Графы"""
5471 Определение вида движения человека Определение вида движения человека по данным, собранным с мобильного устройства.
5472 Оценка страховой стоимости транспортного средства Первая задача Открытого чемпионата Финансового университета по машинному обучению - 2018
5473 Поиск мошеннических транзакций Используйте автокодировщик чтобы находить выбросы
5474 Предскажем фрод! Наше последнее соревновение
5475 Предсказание CTR Предсказание CTR по поисковым запросам
5476 Предсказание CTR 2018 Предсказание CTR по поисковым запросам
5477 Предсказание вторичной структуры белка Маленькое соревнование в БФУ им. Канта
5478 Предсказание затрат Задача по предсказанию, сколько потратит клиент в свой первый визит на следующей неделе
5479 Предсказание объемов продаж компьютерных игр Прогнозирование объема продаж компьютерных игр в Японии по известным объемам продаж в других странах
5480 Предсказание объемов продаж компьютерных игр Прогнозирование объема продаж компьютерных игр в Японии по известным объемам продаж в других странах
5481 Предсказание объемов продаж компьютерных игр Прогнозирование объема продаж компьютерных игр в Японии по известным объемам продаж в других странах
5482 Предсказание положения космических объектов Предсказать положение спутников, используя данные симуляции
5483 Предсказать 22x22 по одному бинарному состоянию размера 22x22 предсказать другое
5484 Прогноз визитов (ММП, ВМК, МГУ) Cпрогнозировать дату следующего визита
5485 Прогноз популярности статьи на Хабре Предскажите, как много звездочек наберет статья, зная только ее текст и время публикации
5486 Прогноз популярности статьи на Хабре Предскажите, сколько раз статья на Хабре будет добавлена в избранное
5487 Прогноз популярности статьи на Хабре (old) Предскажите, как много звездочек наберет статья, зная только ее текст и время публикации
5488 Прогноз появления рёбер (ММП, ВМК, МГУ) Прогнозирование появления рёбер в графе социальной сети.
5489 Прогнозирование задержек вылетов Предскажите, задержится ли вылет самолета более чем на 15 минут.
5490 Прогнозирование задержек вылетов Предскажите, задержится ли вылет самолета более чем на 15 минут.
5491 Прогнозирование оттока пользователей В этом соревновании вам предстоит спрогнозировать клиентов телеком оператора, склонных к оттоку
5492 Продажа домов в США Вам нужно предсказать стоимость продажи домов по информации о них. Без sklearn.
5493 Птица или самолет Определи что на картинке! Птица или самолет
5494 Птица или самолет Определи что на картинке! Птица или самолет
5495 Птица или самолет (ЗОШ МФТИ) Определи что на картинке! Птица или самолет
5496 Птица или самолет? Определи по картинке, кто изображён на рисунке?
5497 Птица или самолет? Определи по картинке, кто изображён на рисунке?
5498 Реализация пересечений множествами Восстановление когнитивных групп по связям между ними
5499 Реализация рангов расстояний Восстановление точечной конфигурации в евклидовом пространстве по рангам попарных расстояний
5500 Реализация сходств графом Восстановление графа дружбы по попарным сходствам участников
5501 Сlassification of oil and gas fields Help determine the location of mining sites: onshore or not
5502 Сентимент-анализ отзывов на товары Классифицируйте отзывы по тональности
5503 Сентимент-анализ отзывов на товары (простая версия) Классифицируйте отзывы по тональности
5504 Соревнование по кредитному скорингу Классификация заемщиков по кредитному статусу
5505 Соревнование по кредитному скорингу Классификация заемщиков по кредитному статусу
5506 Соревнование по кредитному скорингу Классификация заемщиков по кредитному статусу
5507 Суммы покупок Предсказать суммы будущих покупок
5508 Тематическая модель классификации Использование ТМ для классификации 20newsgroup
5509 Титаник и классификация Классификация выживших в катастрофе.
5510 Угадываем пол клиента Можно ли по транзакциям понять пол клиента?
5511 Университет Искусственного Интеллекта Классификация текстов писателей
5512 Университет Цифровых Технологий платформа 3 Работа с предобученными сетями. VGG, RESNET, EfficientNet, Imagenet. Загрузка весов.
5513 Финэк, мат.основы ML, hw1 LR usage + feature preprocessing
5514 Финэк, мат.основы ML, hw2 LR solver
5515 ХакАтом Анализ и прогнозирование состояния силовых трансформаторов АЭС
5516 ХакАтом Анализ и прогнозирование состояния силовых трансформаторов АЭС
5517 Хакатон AI.Hack СПб. Revisit prediction РобоМед
5518 Хакатон ОНТИ БД хакатон-вебинар
5519 Цены на дома в Мельбурне Задача предсказания цены дома по его характеристикам
5520 การจำแนกดวงดาว สำหรับวิชา 204456 2/64
5521 ประมาณพื้นที่ไฟป่า สร้าง regression model เพื่อประมาณพื้นที่ไฟป่า
5522 พี่ๆ วันนี้วันอะไร find day of week for given date
5523 원자력발전소 상태 판단 2021학년도 1학기 기계학습 실습문제 (7주차)
5524 행정동별 커피 소비인구 예측 2021년 지능기전공학부 인공지능 수업 텀 프로젝트
5525 【OLD】【PUBLIC】Real Estate Price Prediction Real Estate Price Prediction
5526 ダイヤモンドの価格予測 テーブルデータを用いて回帰のモデルを作ろう
5527 不能使用的4 Neural network principle test
5528 人工智能算法挑战赛 just be better!!!
5529 人物臉部照片猜測年齡 判断照片上人物的年齡:14~62歲。
5530 仙桃数据学院内部练习 这是仙桃数据学院的内部测试练习比赛,大家好好玩哈。赢了问潮哥要奖励Hhhhhhhh
5531 仙桃数据学院培训比赛001 第一次培训
5532 信用卡客户违约预测 预测信用卡客户下个月是否违约还款
5533 再次測試一次19到底是... 這些要說些什麼
5534 医学大数据科研室一组Task1:KDD CUP 2006 KDD Cup 2006: Pulmonary embolisms detection from image data
5535 医疗大数据科研室一组Task2:KDD CUP 2008 SIGKDD : KDD Cup 2008 : Breast cancer
5536 台中跟上系列_作業二_ 美少女 Who is she for Taichung AIA
5537 员工离职率预测 A simple project for RS & ML
5538 员工离职率预测 A simple project for BI
5539 员工离职率预测 A simple project for BI & RS
5540 员工离职率预测 A simple project for BI & RS
5541 员工离职率预测 A simple project for Data Engine
5542 员工离职率预测 A simple project for BI
5543 在kaggle创建一个比赛 这是比赛的描述
5544 大数据与数据挖掘2022-演习 data mining
5545 情緒辨識st426 情緒辨識st426
5546 数智NLP组2022第一阶段考核 参加GDUT数智NLP的成员手写简单机器学习并且进行模型检验和测试
5547 数智NLP组2022第一阶段考核进阶 参加GDUT数智NLP的成员手写简单机器学习并且进行模型检验和测试
5548 数智第三周培训-关系抽取 数智第三周培训-关系抽取
5549 数智第二周培训-情感分析 数智第二周培训-情感分析
5550 河海金数俱乐部机器学习个人挑战赛 用机器学习算法实现图像识别
5551 波士頓房價測試20200827 利用波士頓房價資料學習ML
5552 波士顿房价预测 机器学习-回归练习
5553 波士顿房价预测 通过20世纪70年代波士顿郊区房价数据集,预测平均房价。
5554 波士顿房价预测 通过20世纪70年代波士顿郊区房价数据集,预测平均房价。
5555 测试-fxw 测试-学生版
5556 海南脑机接口竞赛 脑电解码算法研究
5557 海南脑机接口竞赛 脑电解码算法研究
5558 測試Boston房價(練習) 練習使用Kaagle平台重作Boston房價預測
5559 測試使用_1 預測新冠肺炎
5560 犬を分類せよ 犬の分類です
5561 祝賀会画像の分類コンペ 与えられた画像を4つに分類するコンペです
5562 第1回Kaggle勉強会 Kaggle勉強会をしましょう
5563 股票股票股票股票 股票
5564 股票预测group1 stock
5565 节能网络定位 Minimum cost network localization problem
5566 逢甲新尖兵課程實作練習2 MLB baseball pitchers salary prediction
5567 遞迴神經網路段考 電流訊號預測離子通道開啟數量
5568 감기 진료건수 2020텀프로젝트 18011834_권범안
5569 국산 자동차 CO2배출량 예측하기 국산 자동차의 배기량과 유종, 연비에 따른 CO2 배출량을 예측해보자.
5570 국산자동차 에너지효율등급 예측하기 국산자동차 관련 자료를 통해서 에너지 효율등급을 예측해보자
5571 기상현상에 따른 태양광발전량 예측 1차시도_초안임
5572 넷플릭스 주가 예측 2020.Spring.AI.TermProject_14010974_이기택
5573 당뇨병분류_18011854백전능 캐글리더보드제작과제_문제2 당뇨병 분류
5574 대전정보문화산업진흥원 Machine Learning Class 2020-05-21 노동자 정보에서 성별 예측
5575 대화형사용자인터페이스 대화형사용자인터페이스 Acoustic Scene Classification Challenge
5576 데이터 크리에이터 캠프 A2 Round 데이터 크리에이터 캠프 A2 Round Competition 문제입니다.
5577 데이터 크리에이터 캠프 B Round 데이터 크리에이터 캠프 B Round Competition 문제입니다.
5578 데이터분석과정_NH손해보험_최종평가 청소년 가정환경과 성적의 관계 분석
5579 딥러닝 입문 수업용 대회
5580 딥러닝기초및응용 기말 딥러닝기초및응용 기말고사 캐글 컴피티션
5581 따릉이 사용자 예측 문제 SejongAI-Challenge-PreTest-2
5582 병원 개/폐업 분류 예측 KISTI-세종대-겨울학교
5583 보스턴 집값 예측 문제 KISTI-세종대-겨울학교
5584 상품 이미지 분류 인공지능 텀프로젝트 - 임근택
5585 서비스사업1팀 AI/ML 학습조직
5586 성인 인구조사 소득 예측 한국금융연수원 Kaggle 데이터 분석
5587 소프트웨어 취약점 심각도 분류 2021 인공지능 텀프로젝트
5588 손글씨 분류 문제 KISTI-세종대-겨울학교
5589 수질 적합도 예측 한반도 각 지역의 수질 데이터를 기반으로 그 적합도를 예측해보자!
5590 스마트미디어인재개발원 경진대회 주택 가격 예측 경진 대회(Regression )
5591 식중독 지수 예측하기 식중독 지수 예측
5592 아파트 경매가격 예측 문제 KISTI-세종대-겨울학교
5593 양파가격예측하기 19011473 유진식
5594 어린이대공원역 혼잡도 예측 시간대별 역 내부의 혼잡도를 예측
5595 영상물 시청시 뇌파에 대한 감정분류 세종대학교 인공지능 텀 프로젝트 19010642_나영채
5596 음식의 판매량 예측 주어진 정보로 음식의 판매량을 예측해 보세요.
5597 인공지능 기말고사 테스트_SejongUniv_v2 교수 : 김재호
5598 인공지능 텀프로젝트 서울시 생활안전도에 따른 생활환경 만족도 예측
5599 인공지능 텀프로젝트_18011826 고구마 가격 예측 문제
5600 자치구별 상권변화 분류 서울 25개의 자치구에 대해서 분기별 개·폐점률에 따른 상권변화 정도를 예측한다.
5601 재배환경 별 작물 종류 예측 2022학년도 1학기 기계학습 실습문제 (4주차)
5602 전자 상거래 물품 배송 예측(분류) 지능형 빅데이터 분석서비스 개발자과정 2회차(정형)
5603 전자 상거래 물품 배송 예측(분류) 열심히 분석하여 1등을 노려보자
5604 중고차 매물 판매기간 예측 중고차 매물의 약 40가지 특성 정보를 기반으로 등록에서 판매까지 소요기간 추정
5605 채소류 가격에 따른 위기단계 예측 Predicting the crisis level based on the price of vegetables
5606 초등학생 등교 인원수에 따른 스쿨존 사고 발생 빈도 예측 2020.AI.Term.Project_18011759
5607 캐글 리더 보드 만들기 배추가격 예측 문제
5608 텀프로젝트_18011826 고구마가격 예측 문제
5609 토양 오염도 예측하기 토양 오염도를 예측해보자
5610 현대모비스 Data Competition 현대모비스 AI교육과정 Data Competition입니다.
In [70]:
spark.stop()