From 9c6ed857fd701b73ab0b8b35991594a3cf13003a Mon Sep 17 00:00:00 2001 From: Michael Brennan Date: Mon, 20 May 2024 12:38:54 -0400 Subject: [PATCH] Events search (untested) --- backend/entities/clubs/base/controller.go | 1 - backend/go.mod | 1 - backend/main.go | 1 + backend/migrations/000001_init.up.sql | 8 +- backend/search/base/controller.go | 29 + backend/search/base/routes.go | 1 + backend/search/base/service.go | 5 + backend/search/base/transactions.go | 22 + backend/search/seed.go | 57 + backend/search/types.go | 138 +- mock_data/MOCK_DATA_OUTPUT.json | 4167 +++++++++++++++++---- mock_data/main.py | 122 +- 12 files changed, 3862 insertions(+), 690 deletions(-) diff --git a/backend/entities/clubs/base/controller.go b/backend/entities/clubs/base/controller.go index 98ab0c2c9..0d665fa11 100644 --- a/backend/entities/clubs/base/controller.go +++ b/backend/entities/clubs/base/controller.go @@ -3,7 +3,6 @@ package base import ( "net/http" - "github.com/GenerateNU/sac/backend/entities/models" "github.com/GenerateNU/sac/backend/utilities" "github.com/garrettladley/fiberpaginate" "github.com/gofiber/fiber/v2" diff --git a/backend/go.mod b/backend/go.mod index 881035680..0ac4691b8 100644 --- a/backend/go.mod +++ b/backend/go.mod @@ -9,7 +9,6 @@ require ( github.com/garrettladley/fiberpaginate v1.0.1 github.com/garrettladley/mattress v0.4.0 github.com/go-playground/validator/v10 v10.20.0 - github.com/go-resty/resty/v2 v2.13.1 github.com/goccy/go-json v0.10.2 github.com/gofiber/fiber/v2 v2.52.4 github.com/gofiber/swagger v1.0.0 diff --git a/backend/main.go b/backend/main.go index d6429223a..592bf3f5d 100644 --- a/backend/main.go +++ b/backend/main.go @@ -76,6 +76,7 @@ func main() { if *seedSearch { search.SeedClubs(db) + search.SeedEvents(db) } app := server.Init(db, integrations, *config) diff --git a/backend/migrations/000001_init.up.sql b/backend/migrations/000001_init.up.sql index a397a8cba..00a5f8157 100644 --- a/backend/migrations/000001_init.up.sql +++ b/backend/migrations/000001_init.up.sql @@ -43,9 +43,9 @@ CREATE TABLE IF NOT EXISTS clubs( PRIMARY KEY(id) ); -CREATE UNIQUE INDEX IF NOT EXISTS uni_clubs_name ON clubs USING btree ("name"); -CREATE INDEX IF NOT EXISTS idx_clubs_num_members ON clubs USING btree ("num_members"); -CREATE INDEX IF NOT EXISTS idx_clubs_one_word_to_describe_us ON clubs USING btree ("one_word_to_describe_us"); +--CREATE UNIQUE INDEX IF NOT EXISTS uni_clubs_name ON clubs USING btree ("name"); +--CREATE INDEX IF NOT EXISTS idx_clubs_num_members ON clubs USING btree ("num_members"); +--CREATE INDEX IF NOT EXISTS idx_clubs_one_word_to_describe_us ON clubs USING btree ("one_word_to_describe_us"); CREATE TABLE IF NOT EXISTS series( id uuid NOT NULL DEFAULT uuid_generate_v4(), @@ -60,7 +60,7 @@ CREATE TABLE IF NOT EXISTS events( updated_at timestamp with time zone NOT NULL DEFAULT CURRENT_TIMESTAMP, name varchar(255) NOT NULL, preview varchar(255) NOT NULL, - description varchar(255) NOT NULL, + description text NOT NULL, event_type varchar(255) NOT NULL, location varchar(255), link varchar(255), diff --git a/backend/search/base/controller.go b/backend/search/base/controller.go index 04de43d8d..6ce917262 100644 --- a/backend/search/base/controller.go +++ b/backend/search/base/controller.go @@ -44,3 +44,32 @@ func (s *SearchController) SearchClubs(c *fiber.Ctx) error { return c.Status(http.StatusOK).JSON(result) } + +// SearchEvents godoc +// +// @Summary Searches through events +// @Description Searches through events +// @ID search-club +// @Tags search +// @Accept json +// @Produce json +// @Param searchQuery query models.SearchQueryParams true "Search Body" +// @Success 200 {object} []models.EventsSearchResult +// @Failure 404 {object} error +// @Failure 500 {object} error +// @Router /search/events [get] +func (s *SearchController) SearchEvents(c *fiber.Ctx) error { + var searchQuery search.EventSearchQuery + + if err := c.QueryParser(&searchQuery); err != nil { + return utilities.InvalidJSON() + } + + result, err := s.searchService.SearchEvents(searchQuery) + + if err != nil { + return err + } + + return c.Status(http.StatusOK).JSON(result) +} diff --git a/backend/search/base/routes.go b/backend/search/base/routes.go index 75dccd055..5c894c7b7 100644 --- a/backend/search/base/routes.go +++ b/backend/search/base/routes.go @@ -12,4 +12,5 @@ func Search(params types.RouteParams) { search := params.Router.Group("/search") search.Get("/clubs", searchController.SearchClubs) + search.Get("/events", searchController.SearchEvents) } diff --git a/backend/search/base/service.go b/backend/search/base/service.go index b008032ba..a2aaa8fbd 100644 --- a/backend/search/base/service.go +++ b/backend/search/base/service.go @@ -8,6 +8,7 @@ import ( type SearchServiceInterface interface { SearchClubs(query search.ClubSearchQuery) (*search.ClubSearchResult, error) + SearchEvents(query search.EventSearchQuery) (*search.EventSearchResult, error) } type SearchService struct { @@ -21,3 +22,7 @@ func NewSearchService(serviceParams types.ServiceParams) SearchServiceInterface func (s *SearchService) SearchClubs(query search.ClubSearchQuery) (*search.ClubSearchResult, error) { return SearchClubs(s.DB, query) } + +func (s *SearchService) SearchEvents(query search.EventSearchQuery) (*search.EventSearchResult, error) { + return SearchEvents(s.DB, query) +} diff --git a/backend/search/base/transactions.go b/backend/search/base/transactions.go index d9448002b..ec88e2189 100644 --- a/backend/search/base/transactions.go +++ b/backend/search/base/transactions.go @@ -68,3 +68,25 @@ func SearchClubs(db *gorm.DB, query search.ClubSearchQuery) (*search.ClubSearchR Results: clubs, }, nil } + +func SearchEvents(db *gorm.DB, query search.EventSearchQuery) (*search.EventSearchResult, error) { + result, err := doSearchGetRequest[search.SearchEndpointRequest, search.SearchEndpointResponse]("/events/_search", query.ToSearchEndpointRequest()) + if err != nil { + return nil, nil + } + + ids := make([]string, len(result.Hits.Hits)) + for i, result := range result.Hits.Hits { + ids[i] = result.Id + } + + var events []models.Event + + if err = db.Model(&models.Event{}).Preload("Tag").Where("id IN ?", ids).Find(&events).Error; err != nil { + return nil, nil + } + + return &search.EventSearchResult{ + Results: events, + }, nil +} diff --git a/backend/search/seed.go b/backend/search/seed.go index a37d74ca7..3f214b736 100644 --- a/backend/search/seed.go +++ b/backend/search/seed.go @@ -71,3 +71,60 @@ func SeedClubs(db *gorm.DB) error { return nil } + +// FIXME: see fixme comment for SeedClubs() +func SeedEvents(db *gorm.DB) error { + stdout := os.Stdout + + stdout.WriteString("Deleting existing event index...\n") + req, err := http.NewRequest("DELETE", fmt.Sprintf("%s/events", constants.SEARCH_URL), nil) + if err != nil { + return err + } + http.DefaultClient.Do(req) + + var events []models.Event + + if err := db.Preload("Tag").Preload("Clubs").Not("is_draft = ?", true).Not("is_archived = ?", true).Find(&events).Error; err != nil { + return err + } + + var requestBodyBuilder strings.Builder + + for _, event := range events { + indexData := BulkRequestCreate{} + indexData.Create.Index = "events" + indexData.Create.Id = event.ID.String() + indexJson, err := json.Marshal(indexData) + if err != nil { + return err + } + + eventData := EventSearchDocumentFromEvent(&event) + eventJson, err := json.Marshal(eventData) + if err != nil { + return err + } + + requestBodyBuilder.WriteString(fmt.Sprintf("%s\n%s\n", indexJson, eventJson)) + } + + req, err = http.NewRequest("POST", fmt.Sprintf("%s/_bulk", constants.SEARCH_URL), bytes.NewBufferString(requestBodyBuilder.String())) + if err != nil { + return err + } + req.Header.Set("Content-Type", "application/json") + + resp, err := http.DefaultClient.Do(req) + if err != nil { + stdout.WriteString(fmt.Sprintf("Error making _bulk request for event seeding: %s\n", err.Error())) + } + + if resp.StatusCode != 200 { + stdout.WriteString(fmt.Sprintf("Error making _bulk request for event seeding: response returned %d code\n", resp.StatusCode)) + } + + stdout.WriteString("Seeding events finished") + + return nil +} diff --git a/backend/search/types.go b/backend/search/types.go index 3ce081ff8..0a0e45461 100644 --- a/backend/search/types.go +++ b/backend/search/types.go @@ -3,6 +3,7 @@ package search import ( "strings" + "time" "github.com/GenerateNU/sac/backend/entities/models" ) @@ -14,11 +15,11 @@ type Json map[string]interface{} // specified; depending on what we are looking to search we'll need to add different clauses. type SearchEndpointRequest Json -// Used in SearchEndpointRequest -type TagFilterInSearchEndpointRequest struct { - Term struct { - Tag string `json:"tag"` - } `json:"term"` +// Used for SearchEndpointRequests. +type BooleanQuery struct { + Must []Json `json:"must"` + Should []Json `json:"should"` + Filter []Json `json:"filter"` } // Used for responses from OpenSearch GET //_search requests. @@ -66,12 +67,6 @@ type ClubSearchQuery struct { // To Query DSL JSON func (q *ClubSearchQuery) ToSearchEndpointRequest() SearchEndpointRequest { - type BooleanQuery struct { - Must []Json `json:"must"` - Should []Json `json:"should"` - Filter []Json `json:"filter"` - } - query := BooleanQuery{} if q.Search != "" { @@ -122,6 +117,127 @@ type ClubSearchResult struct { Results []models.Club `json:"results"` } +// How Events are represented in the OpenSearch index. +type EventSearchDocument struct { + Name string `json:"name"` + Preview string `json:"preview"` + Description string `json:"description"` + EventType models.EventType `json:"event_type"` + StartTime time.Time `json:"start_time"` + EndTime time.Time `json:"end_time"` + Clubs []string `json:"clubs"` + Tags []string `json:"tags"` +} + +func EventSearchDocumentFromEvent(c *models.Event) EventSearchDocument { + tagIds := make([]string, len(c.Tag)) + for i, tag := range c.Tag { + tagIds[i] = tag.ID.String() + } + + clubIds := make([]string, len(c.Clubs)) + for i, club := range c.Clubs { + clubIds[i] = club.ID.String() + } + + return EventSearchDocument{ + Name: c.Name, + Preview: c.Preview, + Description: c.Description, + EventType: c.EventType, + StartTime: c.StartTime, + EndTime: c.EndTime, + Tags: tagIds, + Clubs: clubIds, + } +} + +// Query parameters for an API GET /api/v1/search/events request. +type EventSearchQuery struct { + Search string `query:"search"` + StartTime time.Time `query:"start_time"` + EndTime time.Time `query:"end_time"` + EventType []models.EventType `query:"event_type"` + Clubs []string `query:"clubs"` + Tags []string `query:"tags"` +} + +// To Query DSL JSON +func (q *EventSearchQuery) ToSearchEndpointRequest() SearchEndpointRequest { + query := BooleanQuery{} + + if q.Search != "" { + query.Must = append(query.Must, Json{ + "query_string": Json{ + "query": q.Search, + }, + }) + } + + if !q.StartTime.IsZero() { + query.Filter = append(query.Filter, Json{ + "range": Json{ + "start_time": Json{ + "gte": q.StartTime, + }, + }, + }) + } + + if !q.EndTime.IsZero() { + query.Filter = append(query.Filter, Json{ + "range": Json{ + "end_time": Json{ + "lte": q.EndTime, + }, + }, + }) + } + + if len(q.EventType) != 0 { + query.Filter = append(query.Filter, Json{ + "terms": Json{ + "event_type": q.EventType, + }, + }) + } + + if len(q.Clubs) != 0 { + query.Filter = append(query.Filter, Json{ + "match": Json{ + "tags": Json{ + "query": strings.Join(q.Clubs, " "), + "operator": "or", + "minimum_should_match": 1, + }, + }, + }) + } + + if len(q.Tags) != 0 { + query.Filter = append(query.Filter, Json{ + "match": Json{ + "tags": Json{ + "query": strings.Join(q.Tags, " "), + "operator": "or", + "minimum_should_match": 1, + }, + }, + }) + } + + return SearchEndpointRequest{ + "query": Json{ + "bool": query, + }, + } +} + +// The (successful) response of an API GET /api/v1/search/events request. +type EventSearchResult struct { + Results []models.Event `json:"results"` +} + // Used for making OpenSearch /_bulk requests. type BulkRequestCreate struct { Create struct { diff --git a/mock_data/MOCK_DATA_OUTPUT.json b/mock_data/MOCK_DATA_OUTPUT.json index 022beeea2..cbf95e3e1 100644 --- a/mock_data/MOCK_DATA_OUTPUT.json +++ b/mock_data/MOCK_DATA_OUTPUT.json @@ -1,54 +1,54 @@ { "category_uuids": { - "PreProfessional": "a5815959-7f50-483b-bb89-428abfba3f6e", - "CulturalAndIdentity": "7ca2f046-783a-42fc-98fc-e702d73c2066", - "ArtsAndCreativity": "8b4ec755-2487-4f38-bfc9-18c14b98ad03", - "SportsAndRecreation": "5ccc23b4-b10b-43a1-8129-ce5c387ae073", - "ScienceAndTechnology": "fa6226f7-7b1d-4ec3-a9f8-952af93753c4", - "CommunityServiceAndAdvocacy": "297061e8-7e4e-4382-a266-bfcc8334d90b", - "MediaAndCommunication": "b2921605-2101-40c0-8267-d15e3847aea0" + "PreProfessional": "3c3b9be9-ba83-48b3-9275-9ccd0bac7352", + "CulturalAndIdentity": "07bda994-8460-4f4e-bd11-4d742bdb2347", + "ArtsAndCreativity": "542da018-5775-41e1-96c2-d41c70beafef", + "SportsAndRecreation": "2191c4ed-4ee4-42ad-b684-41df583c80fb", + "ScienceAndTechnology": "c3569d1e-a9ad-4e11-8f64-516133cd0b5a", + "CommunityServiceAndAdvocacy": "cb22c8e9-294f-4086-9a35-1948906b56f2", + "MediaAndCommunication": "c32f16a2-343e-411e-bf31-ac83c0f4a29c" }, "tag_uuids": { - "Premed": "e23d0bf3-7a48-4f42-8571-80c566e17e52", - "Prelaw": "08d70439-6467-4932-ba34-f8e75854969a", - "Judaism": "f882df84-9515-4515-ba5c-de642002c997", - "Christianity": "3e1f3d89-29c2-41aa-8182-7fe07990844f", - "Hinduism": "67ba702b-0d1a-4cae-b10e-676257abf2ad", - "Islam": "ae60c0b0-8571-4232-a03a-ffe56d5d2edb", - "LatinAmerica": "8f1ab835-45ea-479a-ae71-afd67367b05a", - "AfricanAmerican": "867528d6-ba6c-4ab6-a36c-443af35e7f76", - "AsianAmerican": "baead82c-dd80-4bde-9604-cf25bebe8700", - "LGBTQ": "b6b8c549-ed6d-41e4-862a-9d69eb120a9e", - "PerformingArts": "d5c15d8c-3a6c-415c-82bf-1734e5b483a9", - "VisualArts": "94c0508e-e37c-4170-968c-e9b982c24fb4", - "CreativeWriting": "00b9e6d2-b58b-42c0-a802-eaed719ba40c", - "Music": "4b49c941-ba99-4bdf-a7f7-347dcbf6f2be", - "Soccer": "bac7c0a2-198f-48dd-b094-d6383c273ab5", - "Hiking": "3bd42857-9aa3-4898-bf85-8142e51de2b7", - "Climbing": "4d098611-064c-4524-b216-39c18646557c", - "Lacrosse": "ea65d47d-89f3-4846-a93c-e00d640ed453", - "Mathematics": "892dcfa9-43a3-4cb2-a3be-0e9692ecfb04", - "Physics": "e50839c2-ef44-4626-a234-b396f3ad7b5b", - "Biology": "57a99fed-e922-409f-b6a9-2f7270234d36", - "Chemistry": "da1c695e-5b91-4c89-b649-0a891e3ee6e7", - "EnvironmentalScience": "f6ec4437-814a-448a-86dd-d736ed18794e", - "Geology": "be4b2c29-13c1-4534-afec-f10abbe7a362", - "Neuroscience": "0dfd39c4-b41c-429c-b0d0-67941eaadcfe", - "Psychology": "ab27faa9-0ae9-4d05-8368-7b30440f22c6", - "SoftwareEngineering": "0db605c8-6262-4134-a9a4-1163de3b956e", - "ArtificialIntelligence": "828d0a07-f925-4ccc-8dec-521130882cc2", - "DataScience": "553746c8-1b7f-4fce-ae16-53b9e0e59b13", - "MechanicalEngineering": "bf6a7d12-7265-40ee-b5c3-1a3e25b5f9d8", - "ElectricalEngineering": "1a207f40-bee6-4163-be9d-8435cf24e4e3", - "IndustrialEngineering": "f292f5d5-9416-4f40-a8e9-a673c0799655", - "Volunteerism": "3ce370ac-26bb-49b2-a090-bc0b5fbd77b3", - "EnvironmentalAdvocacy": "730bd6aa-5562-45a5-a805-a951dc720844", - "HumanRights": "2d2100eb-903e-4842-a7c8-5b0afa5506f8", - "CommunityOutreach": "066a200e-eb42-4189-9006-4ff6409b29ec", - "Journalism": "c6b1a109-7440-4b7c-a307-49514e4bb248", - "Broadcasting": "a38297e7-3529-4c5b-bdd4-a817481c4359", - "Film": "529a2c0b-b84e-49e9-9254-039cb63786f8", - "PublicRelations": "3bab1cfd-b85b-4edb-86da-d967fc682241" + "Premed": "4913e66d-800e-4f62-92c2-ded2f2f1bcfe", + "Prelaw": "a68d7ff4-e3e0-415f-aebc-5b2c1a414d8b", + "Judaism": "3fc7aeae-73fa-4c47-ba2c-e417add348d4", + "Christianity": "e169658c-ebcd-44c4-b2eb-3895c0f5d874", + "Hinduism": "6390ea7e-8a35-44df-a050-d1f586ff198a", + "Islam": "b8ffc6c3-7cdf-46b9-9ea9-f2a85c46a36f", + "LatinAmerica": "2ad521ef-e7cc-4e03-ac85-18c88176e623", + "AfricanAmerican": "1375675d-bf28-48c3-a5e8-205dd78ef995", + "AsianAmerican": "4f272b5e-e6e0-4729-b132-004877729956", + "LGBTQ": "a7147924-640d-4dd9-8bb4-c774ceba6ef8", + "PerformingArts": "9f436d05-2a55-44bb-b2e0-814f0351248c", + "VisualArts": "12a91548-0d33-4bd3-a509-1cbff0fed8de", + "CreativeWriting": "0c8d11c8-79c7-4ece-9db2-c145a611c392", + "Music": "99e90f2c-34d5-4639-9b4a-f427286290be", + "Soccer": "8f803df5-e3f6-4713-bbe1-7f1eb254fcf5", + "Hiking": "3073c948-6f4a-42be-8938-7fec0f8cb44e", + "Climbing": "87d56795-5db2-4aca-90e8-f6a5b6ef8812", + "Lacrosse": "6d234563-bdaa-4daa-b9ac-1c9e2df53cfe", + "Mathematics": "8a2bc286-a1c7-4700-86ee-28cf5eb2d947", + "Physics": "bfe4c2a2-82d8-489c-9316-74409ae40980", + "Biology": "d990bd82-ba96-4a7b-90dd-a69bab5f370f", + "Chemistry": "4472d5e4-da79-4f33-9c6f-2aace2a1fd1a", + "EnvironmentalScience": "7ed9a86a-cc0a-4046-8628-b8fcee787975", + "Geology": "9dd9dcb3-8b0c-441e-82c2-0a99c6d475f2", + "Neuroscience": "27555998-ba8e-402a-b957-97986cacb03c", + "Psychology": "70f936e1-a8ab-4134-a642-9868e9b1ae99", + "SoftwareEngineering": "699d2a6a-47e1-4ada-8a23-67b82bc04b83", + "ArtificialIntelligence": "17ab7c95-b5f6-4b58-8a69-ba8293a4869b", + "DataScience": "15290cd3-b99a-4d24-aa89-b13ab0717d57", + "MechanicalEngineering": "52b244f4-5395-4d51-b48a-38c75f0ff803", + "ElectricalEngineering": "29451bb4-8f83-401a-9e8d-1d7986079add", + "IndustrialEngineering": "43c379e3-f795-41ae-a01f-7fa7de2e52d4", + "Volunteerism": "b86fb4f1-04f9-4458-8eeb-26e55bf45619", + "EnvironmentalAdvocacy": "6148ee04-f1e2-4645-9d17-6afd2581a7fb", + "HumanRights": "62719fb3-8b3a-4a85-ab05-095d0f1c67ca", + "CommunityOutreach": "3e6b21ac-ee27-4c5d-b8b3-9c8aaeaa23ba", + "Journalism": "496e32b5-dff7-4998-aeba-fa50657bb5db", + "Broadcasting": "35cc2cc2-1de9-4e30-bba9-08424feec863", + "Film": "b532b3e1-f32a-4115-bd3a-a9a1ec49d10f", + "PublicRelations": "0825e901-5807-478c-8e82-98ef70bd3dd1" }, "tags_to_categories": { "Premed": "PreProfessional", @@ -94,78 +94,80 @@ }, "clubs": [ { - "id": "cc15023d-3e18-4769-a51b-4a6d12214f27", + "id": "9231a677-ee63-4fae-a3ab-411b74a91f09", "name": "(Tentative ) Linguistics Club", "preview": "Linguistics Club seeks to provide extra-curricular engagement for students of all backgrounds who are interested in linguistics. Our primary goal is to encourage members to connect more with linguistics and with each other!", "description": "Linguistics Club seeks to provide extra-curricular engagement for students of all backgrounds who are interested in linguistics, regardless of whether they are majors/combined majors, minors, hobbyists, or completely new to the field. Linguistics Club aims to host guest speakers, attend conferences, and coordinate a variety of other outings. We also hold more casual and social meetings, such as the Transcription Bee (a non-competitive bee dedicated to phonetic transcription), game nights, and study breaks. Towards the end of a semester, we aim to provide additional guidance for students in the linguistics program by offering an avenue to practice presenting research posters ahead of fairs, as well as offering informal peer advising on course registration. The club’s Discord serves as a digital platform for all students who are interested in linguistics to connect and is extremely active. ", - "num_members": 54, - "is_recruiting": "TRUE", + "num_members": 807, + "is_recruiting": "FALSE", "recruitment_cycle": "fallSpring", "recruitment_type": "application", "tags": [ + "PerformingArts", "CreativeWriting", - "Linguistics", - "CommunityOutreach" + "CommunityOutreach", + "HumanRights", + "VisualArts" ] }, { - "id": "2594575f-4dbe-4ae6-a2d1-0f8c69af6a33", + "id": "5a22f67a-506f-447d-b014-424cab9adc14", "name": "Adopted Student Organization", "preview": "Adopted Student Organization is a safe space for adoptees to connect over shared and diverse experiences.", "description": "Our mission is to foster a safe space for adoptees to tell their adoption stories and express their feelings, opinions, and thoughts about adoption and other related topics without harsh judgment from others. In addition, we aim to educate anyone interested in adoption-related topics. \r\nOur goals are to represent all adoptees who feel like the adoption narrative has been mistold and educate non-adoptees about the experience of adoption. Our long-standing future mission is for the next generation of adoptees and adopted parents to have a better understanding of each other. In the end, we want to inspire adoptees to be proud of being a part of the adoptee community.", - "num_members": 505, + "num_members": 933, "is_recruiting": "TRUE", "recruitment_cycle": "always", "recruitment_type": "unrestricted", "tags": [ "HumanRights", "CommunityOutreach", - "Volunteerism", - "CreativeWriting" + "CreativeWriting", + "Psychology", + "Volunteerism" ] }, { - "id": "57458a1c-74ec-49f1-a67a-a1c723eedb16", + "id": "e90b4ec8-1856-4b40-8c40-e50b694d10de", "name": "Automotive Club", "preview": "Automotive Club is a welcoming space for automotive enthusiasts of all levels. Enjoy outings to car meets, go-kart tracks, virtual sim racing, hands-on activities, and talks by experts in the industry. Join us for all things cars!", - "description": "Welcome to the Automotive Club, a vibrant community that caters to automotive enthusiasts of all stripes, whether you're a seasoned gearhead or just dipping your toes into the world of cars. Our club is a hub for thrilling outings to car meets, heart-pounding go-kart tracks, immersive virtual sim racing, engaging hands-on activities, and enlightening talks by industry experts. Come rev your engines with us and delve into all things cars \u2013 from classic beauties to cutting-edge technology, there's something here for everyone!", - "num_members": 302, - "is_recruiting": "TRUE", + "description": "The Automotive Club is a vibrant community that warmly embraces automotive enthusiasts at every stage of their journey. Whether you're a seasoned car aficionado or just starting to explore the thrilling world of automobiles, our club is the perfect place for you. Experience the excitement of attending thrilling outings to car meets, exhilarating go-kart tracks, engaging virtual sim racing events, and immersive hands-on activities. Immerse yourself in enlightening talks by industry experts that cover a wide range of automotive topics. Join us to foster your passion for all things cars in a friendly and inclusive environment!", + "num_members": 279, + "is_recruiting": "FALSE", "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ "Automotive", - "CreativeWriting", - "VisualArts", + "Engineering", "CommunityOutreach", - "SocialEvents" + "Volunteerism" ] }, { - "id": "e086bd5b-a4d2-415b-bee0-ba3223a55402", + "id": "c79371ac-d558-463a-b73a-b8b3d642f667", "name": "Baltic Northeastern Association", "preview": "The Baltic Northeastern Association serves as a home away from home for students from the Baltic countries, as well as an opportunity to share Baltic culture with interested students. ", "description": "The Baltic Northeastern Association serves as a home away from home for students from the Baltic countries, as well as an opportunity to share Baltic culture with interested students. We will host weekly meetings that can range from cooking sessions, discussions of Baltic culture and language, sharing Baltic traditional dancing and music, and more. ", - "num_members": 710, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", + "num_members": 1007, + "is_recruiting": "FALSE", + "recruitment_cycle": "fallSpring", + "recruitment_type": "application", "tags": [ - "Latvian", - "Lithuanian", - "Estonian", - "BalticCulture", - "CulturalExchange" + "Cultural", + "CommunityOutreach", + "International", + "PerformingArts", + "Language" ] }, { - "id": "1ae8a2eb-e321-4dda-9daf-52acaca85b92", + "id": "b6c13342-3ddf-41b6-a3a0-a6d8f1878933", "name": "Bangladeshi Organization of Networking, Diversity, Heritage, Unity and Support", "preview": "The BONDHUS is dedicated to fostering a sense of home for Bangladeshi students and those interested in Bangladeshi culture, as well as celebrating the rich cultural heritage of Bangladesh.", "description": "The BONDHUS is dedicated to fostering a sense of home for Bangladeshi students and those interested in Bangladeshi culture. We strive to provide mentorship, build cultural awareness, and offer assistance with college admissions, including hosting events in Bangladesh related to Northeastern University. Our mission is to create an inclusive community that celebrates and promotes the rich heritage of Bangladesh while providing support and growth opportunities for our members. Our target membership includes Bangladeshi international undergraduates and graduates, Bangladeshi diaspora-born undergraduates and graduates, and non-Bangladeshi undergraduates and graduates interested in our culture and mission. We plan to host a wide range of events and initiatives, including:\r\nCultural Celebrations: We will honor significant Bangladeshi events such as Pohela Boishakh (New Year's Day), Ekushe February (International Mother Language Day), and Shadhinota Dibosh (Independence Day).\r\nFestive Gatherings: Observing cultural festivals like Eid and Puja, allowing members to share these joyous occasions together.\r\nFood-Based Events: Showcasing the vibrant and diverse Bangladeshi cuisine through cooking demonstrations, food festivals, and shared meals.\r\nCollaborations with Other BSAs: Building strong connections with other Bangladesh Student Associations to enhance cultural exchange and support.\r\nFundraising Initiatives: Organizing events to support causes related to education and community development in Bangladesh.\r\nIn conclusion, the BONDHUS aims to be a vibrant hub that nurtures a sense of belonging, celebrates cultural identity, and provides avenues for personal and professional growth. Through our planned activities and initiatives, we hope to create a dynamic and supportive community that connects Bangladesh with the broader academic landscape.", - "num_members": 188, + "num_members": 301, "is_recruiting": "TRUE", - "recruitment_cycle": "fall", + "recruitment_cycle": "always", "recruitment_type": "application", "tags": [ "AsianAmerican", @@ -176,63 +178,63 @@ ] }, { - "id": "78463f7b-1b86-41fb-9e91-85bce675d5a2", + "id": "0a053cdf-f824-4854-9fa8-a326fa36f779", "name": "Binky Patrol", "preview": "Binky Patrol is club that makes blankets by hand to donate to children in hospitals and shelters", "description": "Binky Patrol is a club that makes blankets by hand to donate to children in hospitals and shelters - if you want to get involved, join the slack with the link below!\r\nhttps://join.slack.com/t/binkypatrolnu/shared_invite/zt-2aiwtfdnb-Kmi~pPtsE9_xPTxrwF3ZOQ", - "num_members": 658, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", + "num_members": 410, + "is_recruiting": "TRUE", + "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ "Volunteerism", + "HumanRights", "CommunityOutreach", - "CreativeWriting", - "VisualArts" + "VisualArts", + "CreativeWriting" ] }, { - "id": "5c23d3b5-8139-4aa5-9959-850b297b27c6", + "id": "0df7841d-2269-461f-833f-d6f8b7e98fdf", "name": "Biokind Analytics Northeastern", "preview": "Biokind Analytics Northeastern brings together undergraduate data scientists and statisticians across the world to apply classroom learning for meaningful, positive societal impact in their communities.", "description": "Biokind Analytics Northeastern is a local chapter of the larger nonprofit organization, Biokind Analytics. The club aims to provide Northeastern students with the opportunity to apply data analysis skills and learnings to further the mission of local healthcare non-profit organizations in the Boston region. Our goal is to promote the development of relationships between Northeastern students and healthcare non-profits to better contribute to our local community. ", - "num_members": 284, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", + "num_members": 253, + "is_recruiting": "TRUE", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ "DataScience", - "Healthcare", + "Volunteerism", "CommunityOutreach", - "Volunteerism" + "Healthcare" ] }, { - "id": "7268a274-c6b8-439f-b754-56af9621627f", + "id": "0a7c612f-352a-47cd-b07d-c4a8cbe65ff9", "name": "Black Graduate Student Association ", "preview": "The purpose of Black Graduate Student Association is to enhance scholarly and professional development of graduate students at Northeastern through networking, seminars, forums, workshops, and social gatherings in the Boston Area.", - "description": "The Black Graduate Student Association is a vibrant community at Northeastern dedicated to supporting the scholarly and professional growth of graduate students. Through engaging networking events, insightful seminars, enlightening forums, skill-building workshops, and fun social gatherings in the Boston Area, we create a rich and inclusive space where students can connect, learn, and thrive. Join us to be part of a supportive family that champions diversity, fosters personal development, and celebrates academic excellence.", - "num_members": 414, - "is_recruiting": "FALSE", + "description": "Welcome to the Black Graduate Student Association! Our club at Northeastern is dedicated to supporting the growth and success of graduate students by providing valuable opportunities for networking, learning, and socializing. We foster a community that values scholarly and professional development through engaging seminars, thought-provoking forums, skill-building workshops, and fun social gatherings in the vibrant Boston Area. Join us to connect with fellow students, expand your horizons, and make lasting memories as part of our inclusive and supportive community.", + "num_members": 754, + "is_recruiting": "TRUE", "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", + "recruitment_type": "application", "tags": [ "AfricanAmerican", "CommunityOutreach", - "HumanRights", - "Volunteerism", - "Journalism" + "Networking", + "ProfessionalDevelopment" ] }, { - "id": "72189271-2e2e-434d-9aaa-8ad95ec7d4e8", + "id": "5e746d5d-cbe8-4caa-ba6e-93875a6ab23e", "name": "Black Pre-Law Association", "preview": "BPLA's purpose is to nurture a supportive and empowering community for Black undergraduate students interested in pursuing a career in the legal field. ", "description": "BPLA's purpose is to nurture a supportive and empowering community for Black undergraduate students interested in pursuing a career in the legal field. We aim to encourage dialogue on social justice/legal issues, academic excellence, personal growth, and professional development.", - "num_members": 359, - "is_recruiting": "FALSE", + "num_members": 405, + "is_recruiting": "TRUE", "recruitment_cycle": "always", - "recruitment_type": "unrestricted", + "recruitment_type": "application", "tags": [ "Prelaw", "AfricanAmerican", @@ -241,46 +243,46 @@ ] }, { - "id": "25ef7b03-ea36-4eb1-8e24-b5b1b02b1288", + "id": "94aff56b-fa20-46e0-8b28-0e6bbb9e2006", "name": "Brazilian Jiu Jitsu at Northeastern University", "preview": "BJJ is primarily a ground based martial art focusing on the submission of the opponent through principles of angles, leverage, pressure and timing, in order to achieve submission of the opponent in a skillful and technical way.\r\n", "description": "Join our Discord: https://discord.gg/3RuzAtZ4WS\r\nFollow us on Instagram: @northeasternbjj", - "num_members": 215, + "num_members": 468, "is_recruiting": "FALSE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ "BrazilianJiuJitsu", - "LGBTQ", - "CommunityOutreach", - "Fitness" + "PhysicalFitness", + "CommunityOutreach" ] }, { - "id": "515a4285-ff5b-4faa-b71c-0b87d4f6669f", + "id": "024650bb-873a-4ca9-bd4d-d812cf855878", "name": "Business of Entertainment ", "preview": "Our goal is to educate and empower students interested in the intersection between the entertainment and business industry through guest speaker sessions, workshops, and panels!", - "description": "Welcome to the Business of Entertainment club! Our goal is to enlighten and empower students fascinated by the dynamic world where entertainment and business converge. We achieve this through engaging guest speaker sessions, interactive workshops, and insightful panels that explore the exciting opportunities and challenges in this industry. Join us on a journey of learning, networking, and inspiration as we delve into the diverse facets of entertainment business and pave the way for future leaders!", - "num_members": 738, + "description": "Welcome to the Business of Entertainment club! Our goal is to educate and empower students interested in the dynamic intersection between the entertainment and business industry. Join us for engaging guest speaker sessions, interactive workshops, and insightful panels that provide a platform for learning, networking, and exploring opportunities in this exciting field. Whether you're passionate about music, film, television, or the arts, our club is the perfect place to enhance your knowledge, connect with like-minded peers, and dive into the world of entertainment business!", + "num_members": 665, "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", + "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "Film", "Music", - "Business of Entertainment", - "Broadcasting" + "VisualArts", + "Business", + "Entertainment" ] }, { - "id": "f464c94c-cab3-482c-ad15-8bcb6416482d", + "id": "0b605bba-8526-40b7-be72-b858495c2ae1", "name": "Color Guard", "preview": "A non-competitive Winter Guard team that meets once a week to practice new skills and meet members in the community. Performance opportunities will be made available throughout the year if members show interest and want to perform. ", "description": "Color Guard is a Dance-based activity that involves the use of equipment including but not limited to Rifles, Sabres and Flags. Members of Color Guards, referred to as spinners, work throughout the season to put together a themed show/performance with theme-based equipment, uniforms and floor tarp. This organization aims to introduce new students into the activity and provide a space for experienced members to come and practice and try new skills. Throughout the year, members interested in performing will put together a short winter guard show. ", - "num_members": 220, + "num_members": 640, "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "application", + "recruitment_cycle": "fallSpring", + "recruitment_type": "unrestricted", "tags": [ "PerformingArts", "CreativeWriting", @@ -288,46 +290,45 @@ ] }, { - "id": "9620eaf5-7696-4f30-aa91-fa199ab0be06", + "id": "5d6ffac7-238a-4569-95a6-1e3eec623555", "name": "Community Palette", "preview": "We aim to provide art programs for individuals within underprivileged, clinical, or community centers that may use art to better their mental health. In doing so, we hope to address the issue of limited wellness services in clinical and community cen", "description": "The purpose of this organization is to expand creative and visual arts for individuals within underprivileged, clinical, or community centers in Boston that may use art as a way to cope from stress or require it to better their mental health and wellbeing. In doing so, we hope to destigmatize using the arts as a coping mechanism and foster friendships to address the issue of limited wellness services within clinical settings and community centers. We hope to bring together Northeastern students who are eager to get involved within our surrounding neighborhoods and have a strong desire to help alleviate stresses others may face through helping them escape with visual art projects and group activities. ", - "num_members": 955, + "num_members": 14, "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", + "recruitment_cycle": "spring", + "recruitment_type": "unrestricted", "tags": [ "VisualArts", "CommunityOutreach", - "Volunteerism", - "Psychology" + "Psychology", + "CreativeWriting" ] }, { - "id": "89c858e4-8076-47b3-8b36-868b76991fbb", + "id": "c3cd328c-4c13-4d7c-9741-971b3633baa5", "name": "ConnectED Research ", "preview": "ConnectEd Research promotes educational equality, cultivates scholars, and hosts events to connect students and professors, fostering an inclusive academic community. We aim to bridge gaps in resources, empowering all students to excel in academia.\r\n", - "description": "ConnectED Research is a vibrant hub for students passionate about educational equality and academic exploration. Our community-driven club relentlessly works towards fostering inclusive academic excellence by nurturing scholars, organizing engaging events, and connecting students and professors. We pride ourselves on bridging gaps in resources, empowering every member to thrive in academia and unleashing their full potential. Join us on this enriching journey of learning, collaboration, and personal growth!", - "num_members": 60, + "description": "ConnectEd Research is an inclusive community that champions educational equality and supports students in their academic journey. Through a variety of engaging events and scholarly activities, we create opportunities for students to connect with professors and peers, fostering a network of support and collaboration. Our mission is to bridge gaps in resources and empower all students to succeed in academia by providing a nurturing environment that cultivates scholars and encourages exploration of diverse perspectives.", + "num_members": 202, "is_recruiting": "TRUE", - "recruitment_cycle": "fall", + "recruitment_cycle": "always", "recruitment_type": "unrestricted", "tags": [ "EducationEquality", - "AcademicExploration", - "InclusiveExcellence", - "CommunityEngagement", - "Empowerment", - "PersonalGrowth", - "LearningJourney" + "CommunitySupport", + "AcademicNetworking", + "Diversity", + "Collaboration", + "Empowerment" ] }, { - "id": "4b0203cd-d8bd-4f7c-b38e-409106a2638b", + "id": "f3eb7ae8-dc8f-445b-b0c7-854a96814799", "name": "Crystal Clear", "preview": "Crystal Clear is an inclusive community for students interested in Paganism, Spirituality, Astrology, crystals, tarot, and more. We provide a safe and supportive environment to explore and discuss Paganism, Neopaganism and Spirituality.", "description": "Crystal Clear is an inclusive community for students interested in Paganism, Spirituality, Astrology, crystals, tarot, and more. We explore the history and current context of various Pagan beliefs and the incorporation of Pagan practices into our own. By facilitating meaningful discussions that promote cultural awareness and critical thinking, and providing resources and support, we encourage community building within the Spirituality space on campus, and overall provide a communal space to practice and learn about (Neo)Paganism.", - "num_members": 139, + "num_members": 1010, "is_recruiting": "FALSE", "recruitment_cycle": "always", "recruitment_type": "application", @@ -336,115 +337,120 @@ "Astrology", "Crystals", "Tarot", - "CommunityBuilding" + "CommunityBuilding", + "CulturalAwareness" ] }, { - "id": "6cb351cc-deb2-484c-92f4-3a522a412680", + "id": "939653b8-8082-483a-9b24-8d4876061ae7", "name": "Dermatology Interest Society", "preview": "DermIS is a collaborative group for Northeastern students interested in skincare and dermatology. At our regular meetings, we discuss and sample various skincare products, chat with experts in the field, and learn about dermatological conditions.", - "description": "DermIS is a vibrant community at Northeastern University dedicated to the exploration of skincare and dermatology. Our engaging meetings bring together curious students to discover the latest skincare products, connect with seasoned experts in the field, and deepen their understanding of various dermatological conditions. Whether you're a skincare enthusiast or aspiring dermatologist, DermIS offers a nurturing space where learning and fun intersect.", - "num_members": 396, - "is_recruiting": "FALSE", + "description": "DermIS is a community hub created for skincare enthusiasts and budding dermatologists at Northeastern University. Our vibrant club invites members to dive deep into the world of skincare through interactive meetings where we explore a range of products, engage in insightful conversations with industry professionals, and unravel the mysteries behind various dermatological conditions. Whether you're looking to revamp your skincare routine or pursue a career in dermatology, DermIS is the perfect place to embark on an exciting journey towards healthier skin and deeper knowledge.", + "num_members": 101, + "is_recruiting": "TRUE", "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ - "Biology", - "Neuroscience", - "Chemistry", - "Dermatology" + "Skincare", + "Health", + "Dermatology", + "Beauty", + "CareerDevelopment", + "Community", + "Education" ] }, { - "id": "5c099185-266b-4e6e-a2ab-b0772104072b", + "id": "7f0b87df-c5dd-4772-bd29-51083f9cad1a", "name": "Dominican Student Association ", "preview": "The Dominican Student Association is dedicated to serving as a cultural organization that honors and commemorates both the Dominican and Dominican-American heritage. ", "description": "The Dominican Student Association is dedicated to serving as a cultural organization that honors and commemorates both the Dominican and Dominican-American heritage. Our aim is to provide a safe and inclusive space for individuals who identify as Dominican and those who are eager to explore the rich Dominican culture. At DSA, we prioritize the integration of people from diverse backgrounds and identities, fostering an environment where everyone feels embraced and valued.", - "num_members": 987, + "num_members": 643, "is_recruiting": "TRUE", - "recruitment_cycle": "always", + "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "LatinAmerica", + "LGBTQ", "CommunityOutreach", - "CulturalOrganization", - "Diversity", - "Inclusivity" + "CulturalOrganization" ] }, { - "id": "7a4bb170-db20-425b-96cb-3e1f06a2dd1e", + "id": "201a41ce-3982-4d12-8c5e-822a260bec22", "name": "Emerging Markets Club ", "preview": "The Emerging Markets Club is an organization with the mission to educate and collaborate with students to teach them more about the increasing relevance and importance of emerging markets within the economic and financial world. ", "description": "The Emerging Markets Club is an organization with the mission to educate and collaborate with students to teach them more about the increasing relevance and importance of emerging markets within the economic and financial world. We seek to accomplish this goal through providing students with unique opportunities to widen their understanding of emerging markets. Some of these opportunities include exclusive speaker events, hosted in collaboration with other adjacent organizations, engaging lectures hosted by club leaders and members, networking events to put members in touch with real players in the emerging markets world, and researching opportunities to deepen one's understanding of emerging markets experientially. ", - "num_members": 667, + "num_members": 816, "is_recruiting": "FALSE", - "recruitment_cycle": "spring", + "recruitment_cycle": "always", "recruitment_type": "application", "tags": [ - "Economic", - "Finance", + "Economics", + "InternationalRelations", "Networking", - "Research", - "SpeakerEvents", - "Collaboration", - "ExperientialLearning" + "Research" ] }, { - "id": "fdeaaa7f-76ba-4199-b77e-43fbf79a36e9", + "id": "b6de04c0-93a5-4717-8e4d-5c2844930dfe", "name": "First Generation Investors Club of Northeastern University", "preview": "FGI Northeastern is the Northeastern University chapter of a non-profit 501(c)(3) organization that teaches high school students in underserved communities the power of investing and provides students with real money to invest.", "description": "First Generation Investors Club of Northeastern University (FGI Northeastern) is the Northeastern University chapter of First Generation Investors, a non-profit 501(c)(3) organization. Our program leverages a network of intelligent and civic-minded Northeastern students to serve as tutors. We share our financial literacy and investing skills with high school participants across an eight-week program, including lessons in personal finance, the basics of stocks/bonds, diversification/market volatility, and compound interest, among other things.\r\nThrough our intensive coursework, high school students form sophisticated analytical skills when looking at different types of investments. At the conclusion of our program, the student participants present their capstone projects, which break down their investment rationale and asset allocation of a $100 investment account. They invest in a mix of stocks, bonds, mutual funds, and index funds using an account opened in their name and funded by corporate partners. When they graduate from high school and turn 18, the account is transferred to them and serves as the initial seed for their future in investing.", - "num_members": 266, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", + "num_members": 864, + "is_recruiting": "TRUE", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ "FinancialLiteracy", "Investing", "Education", - "CommunityOutreach" + "CommunityService", + "YouthEmpowerment" ] }, { - "id": "16abd961-0a4a-401c-a48f-b83d42aa2832", + "id": "a850f2ab-a072-4396-853a-e21d0f3f7d7e", "name": "Ghanaian Student Organization", "preview": "The GSO at Northeastern University is a welcoming community focused on celebrating and promoting Ghanaian culture. Our mission is to create a space where students from all backgrounds can come together to appreciate the richness of Ghana.", "description": "The GSO at Northeastern University is a welcoming community focused on celebrating and promoting Ghanaian culture. Our mission is to create a space where students from all backgrounds can come together to appreciate the richness of Ghana.", - "num_members": 240, + "num_members": 171, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "recruitment_cycle": "always", "recruitment_type": "unrestricted", "tags": [ "AfricanAmerican", + "Music", + "Dance", "CommunityOutreach", - "Volunteerism", - "Cultural" + "Volunteerism" ] }, { - "id": "21c1f409-253e-4182-8209-f8bb6662852e", + "id": "7d2aa5b1-9340-49aa-8e30-d38e67f1e146", "name": "Google Developer Students Club - Northeastern", "preview": "Our goal is to create Impact, Innovate and Create. Impact students and empower them to\r\nimpact their communities through technology. ", "description": "Our goal is to create Impact, Innovate and Create. Impact students and empower them to impact their communities through technology. The Google Developers Student Club (GDSC) will host information sessions, hands-on workshops, and student-community collaborative projects centered around the latest and greatest in technology, all with the support of Google and Google Developers.\r\nThe GDSC will enhance the educational, recreational, social, or cultural environment of Northeastern University by being inclusive to all students, by transferring knowledge to students, by forging closer relationships between students and local businesses in the community, and by promoting diversity in the tech community.", - "num_members": 670, + "num_members": 509, "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", + "recruitment_cycle": "fall", + "recruitment_type": "application", "tags": [ "SoftwareEngineering", "DataScience", "CommunityOutreach", - "Volunteerism" + "Technology", + "Google", + "StudentCommunity", + "Innovation" ] }, { - "id": "ae2f32e3-dfc8-4f14-88cc-b4f6b3919ba7", + "id": "41df2a93-836b-4127-9ead-2c6c8a8a12ee", "name": "Graduate Biotechnology and Bioinformatics Association", "preview": "Graduate Biotechnology and Bioinformatics Association is mainly focused on providing a \r\n platform to students which enables them to connect and interact with their peers in the \r\n program as well as industry professionals", "description": "We aim to be an extended resource to the students as academic liaisons. Our association also plans to engage with Biotech/Bioinfo students in discussions, case studies, and career development sessions which will add to their portfolio.", - "num_members": 250, + "num_members": 943, "is_recruiting": "TRUE", "recruitment_cycle": "spring", "recruitment_type": "application", @@ -452,586 +458,577 @@ "Biology", "DataScience", "CareerDevelopment", - "Neuroscience" + "CommunityOutreach" ] }, { - "id": "dd839703-db60-4cd9-a304-84bbd4e09703", + "id": "66ebabfd-d7bd-4c4c-8646-68ca1a3a3f1a", "name": "Graduate Female Leaders Club", "preview": "The Female Leaders Club was formed to connect graduate-level women with one another and congruently with other female leaders in various industries.", "description": "The mission is to build a community of current students and alumni as we navigate the graduate-level degree and professional goals post-graduation. We aspire to fulfill our mission by hosting speaking events with business leaders, networking in person and through virtual platforms, and providing workshops to foster professional growth.", - "num_members": 818, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", + "num_members": 424, + "is_recruiting": "TRUE", + "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ - "WomenInLeadership", - "Networking", + "WomenLeadership", + "BusinessNetworking", "ProfessionalDevelopment", "CommunityBuilding" ] }, { - "id": "df9d05d8-2cd5-4e74-988c-4bb80d041402", + "id": "db402fd8-d44a-4a94-b013-2ad1f09e7921", "name": "Half Asian People's Association", "preview": "HAPA is a community to explore and celebrate the mixed-race Asian experience and identity.", "description": "Hapa: “a person who is partially of Asian or Pacific Islander descent.\" We are a vibrant and supportive community centered around our mission of understanding and celebrating what it means to be mixed-race and Asian.\r\nJoin our Slack: https://join.slack.com/t/nuhapa/shared_invite/zt-2aaa37axd-k3DfhWXWyhUJ57Q1Zpvt3Q", - "num_members": 142, - "is_recruiting": "TRUE", + "num_members": 358, + "is_recruiting": "FALSE", "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ "AsianAmerican", "LGBTQ", - "CommunityOutreach" + "CommunityOutreach", + "CreativeWriting" ] }, { - "id": "e06b3a20-7807-40c3-b376-46a413ccb47a", + "id": "e78bce96-c0a4-4e2d-ace7-a0ae23a7934d", "name": "Health Informatics Graduate Society of Northeastern University", "preview": "The primary focus of the Health Informatics Graduate Society centers around our mission to cultivate a vibrant community of graduate students dedicated to advancing the field of health informatics.", - "description": "The Health Informatics Graduate Society of Northeastern University is a welcoming community of graduate students passionate about advancing the field of health informatics. Our primary goal is to cultivate a vibrant environment where students can connect, collaborate, and learn together. Through a variety of events, workshops, and networking opportunities, we aim to support our members in their academic and professional development. Join us on this exciting journey to explore the intersection of healthcare and technology!", - "num_members": 631, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", + "description": "The Health Informatics Graduate Society of Northeastern University is a welcoming community of graduate students passionate about advancing the field of health informatics. Our primary focus revolves around cultivating a vibrant environment where students can collaborate, learn, and innovate together. Through networking events, workshops, and guest lectures, we aim to empower our members with the knowledge and skills needed to make a positive impact on healthcare systems and patient outcomes.", + "num_members": 636, + "is_recruiting": "FALSE", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ + "DataScience", "HealthInformatics", - "Networking", - "ProfessionalDevelopment", - "Technology", - "Community", - "AcademicDevelopment" + "NetworkingEvents", + "CommunityOutreach" ] }, { - "id": "e12e20a4-bcc2-4953-bb4e-ba46f68b9ad2", + "id": "36ada6fb-f133-4ea3-80a6-db9527fd9bd1", "name": "Hear Your Song Northeastern", "preview": "Hear Your Song NU is a subsidiary chapter of Hear Your Song, with its mission and purpose being to bring collaborative songwriting to kids and teens with chronic medical conditions. ", "description": "Hear Your Song NU is a subsidiary chapter of Hear Your Song, with its mission and purpose being to bring collaborative songwriting to kids and teens with chronic medical conditions. It will facilitate connections with local hospitals and organizations, perform all areas of music production and music video production, participate in trauma-informed training, and organize events and initiatives to further promote the therapeutic value of the arts.", - "num_members": 878, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "num_members": 732, + "is_recruiting": "FALSE", + "recruitment_cycle": "fallSpring", "recruitment_type": "application", "tags": [ "PerformingArts", - "Music", "CreativeWriting", - "CommunityOutreach", - "Volunteerism" + "Music", + "Psychology", + "Volunteerism", + "CommunityOutreach" ] }, { - "id": "9e8e92fd-d51e-48f9-9ddb-1d829f058b94", + "id": "a5f26966-78cc-46e3-a29b-7bd30fbb4394", "name": "Hospitality Business Club", "preview": "The Hospitality Business Club merges hospitality with business, exploring the blend of investments, design, real estate, and cuisine. Join us to unravel how hospitality shapes success across sectors. Interested? Reach out to join the exploration.", "description": "The Hospitality Business Club is an exciting space where the intricate connections between hospitality and business are explored and celebrated. We delve into the seamless amalgamation of investments, design, real estate, cuisine, and more to showcase how hospitality plays a pivotal role in the broader business landscape. Far beyond just a service industry, hospitality shapes experiences and drives success across various sectors. As a member, you'll have the opportunity to engage with a like-minded community passionate about unraveling the complexities of this unique intersection. Our events, discussions, and collaborative projects aim to provide valuable insights into how hospitality functions within the broader scope of business. Whether you're a seasoned professional, an entrepreneur, a student, or an enthusiast, the Hospitality Business Club welcomes all who seek to understand and contribute to the fascinating synergy between hospitality and business.", - "num_members": 422, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", + "num_members": 271, + "is_recruiting": "TRUE", + "recruitment_cycle": "always", "recruitment_type": "application", "tags": [ "Hospitality", "Business", + "Entrepreneurship", + "Networking", "Events", "Community", - "Networking", - "Collaboration" + "Engagement" ] }, { - "id": "ca967364-688f-4d40-8f2e-0cba322052f7", + "id": "0621e78e-5254-4dcd-a99e-2529f4d9d882", "name": "Huntington Strategy Group", "preview": "Huntington Strategy Group", "description": "Huntington Strategy Group is the Northeastern's student-led strategy consultancy for non-profits and social organizations. Our mission is to ensure that nonprofits and social enterprises committed to education, health, and poverty alleviation can reach their full potential by meeting their demand for high-quality strategic and operational assistance, and in so doing developing the next generation of social impact leaders. Making an impact is a mutually beneficial process. We hope to provide leading-edge consulting services to social enterprises in the greater Boston area, and in turn, academic enrichment and professional opportunities for our peers through fulfilling client work and corporate sponsorships.", - "num_members": 586, + "num_members": 519, "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", + "recruitment_cycle": "spring", "recruitment_type": "unrestricted", "tags": [ - "CommunityOutreach", "Volunteerism", + "CommunityOutreach", "HumanRights", - "NonProfit", - "Consulting", - "SocialImpact" + "Journalism" ] }, { - "id": "1d5ff056-82ef-404f-b951-b1df688afabb", + "id": "a3b78a49-c5d0-4644-bbf9-2b830e37366d", "name": "Husky Hemophilia Group", "preview": "HHG\u2019s mission is to support people with bleeding disorders and those with loved one's bleeding disorders in research, education, and advocacy. ", "description": "HHG’s mission is to support people with bleeding disorders and those with loved one's bleeding disorders in research, education, and advocacy. Bleeding disorders can be hereditary or acquired, where patients are unable to clot properly. In order to advocate for accessible healthcare for bleeding disorders, we as a chapter hope to educate the Northeastern and Massachusetts community in raising awareness for bleeding disorders. Welcome to our community!", - "num_members": 504, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", + "num_members": 663, + "is_recruiting": "TRUE", + "recruitment_cycle": "always", "recruitment_type": "application", "tags": [ + "HealthcareAdvocacy", "CommunityOutreach", - "Volunteerism", - "HumanRights", - "Healthcare", - "Advocacy" + "Education", + "Support", + "Volunteerism" ] }, { - "id": "09da621f-4f32-4cc7-8456-98eb5c5411ed", + "id": "c475cb86-41f3-43e9-bfb1-cc75142c894b", "name": "IAFIE Northeastern University Chapter ", "preview": "International Association for Intelligence Education (IAFIE): To serve as a local organization for Intelligence and associated professionals to advance research, knowledge, partnerships, and professional development. \r\n", "description": "To serve as a local organization for Intelligence and associated professionals to advance research, knowledge, partnerships, and professional development. ", - "num_members": 162, - "is_recruiting": "FALSE", + "num_members": 1018, + "is_recruiting": "TRUE", "recruitment_cycle": "spring", - "recruitment_type": "application", + "recruitment_type": "unrestricted", "tags": [ "Intelligence", "Research", - "Partnerships", "ProfessionalDevelopment" ] }, { - "id": "a63c4d44-bb2d-4f97-8571-3b9b98683275", + "id": "c1d685f0-6334-428b-a860-defb5cf4f151", "name": "If/When/How: Lawyering for Reproductive Justice at NUSL ", "preview": "If/When/How mobilizes law students to foster legal expertise and support for reproductive justice. We integrate reproductive rights law and justice into legal education and build a foundation of lasting support for reproductive justice. ", "description": "If/When/How: Lawyering for Reproductive Justice at NUSL mobilizes law students to foster legal expertise and support for reproductive justice. It integrates reproductive rights law and justice into legal education to further scholarly discourse and builds a foundation of lasting support for reproductive justice within the legal community. The vision is reproductive justice will exist when all people can exercise their rights and access the resources they need to thrive and to decide whether, when, and how to have and parent children with dignity, free from discrimination, coercion, or violence. If/When/How values (1) dignity: all people deserve to be treated with respect and dignity for their inherent worth as human beings in matters of sexuality, reproduction, birthing, and parenting; (2) empowerment: those with power and privilege must prioritize the needs, amplify the voices, and support the leadership of those from vulnerable, under-served, and marginalized communities; (3) diversity: our movement will be strongest if it includes, reflects, and responds to people representing various identities, communities, and experiences; (4) intersectionality: reproductive oppression is experienced at the intersection of identities, conditions, systems, policies, and practices; and (5) autonomy: all people must have the right and ability to make voluntary, informed decisions about their bodies, sexuality, and reproduction.", - "num_members": 628, + "num_members": 170, "is_recruiting": "FALSE", - "recruitment_cycle": "always", + "recruitment_cycle": "spring", "recruitment_type": "unrestricted", "tags": [ "HumanRights", "CommunityOutreach", + "Journalism", "PublicRelations" ] }, { - "id": "6db8eba6-59d7-483e-a1c0-87a1075c2f2d", + "id": "c15f0c80-84e4-4ba5-acae-1194d0152bfd", "name": "Illume Magazine", "preview": "Illume Magazine is a student-run publication at Northeastern University centered around all Asian-American and Asian/Pacific Islander experiences experiences, identities, and diasporas.", "description": "Illume Magazine is a student-run publication at Northeastern University devoted to the critical thought, exploration, and celebration of Asian-American and Asian/Pacific Islander experiences, stories, issues, and identities across all diasporas.\r\nOur magazine writes on Lifestyle & Culture, Political Review, while also accepting Literary Arts submissions.", - "num_members": 492, - "is_recruiting": "TRUE", + "num_members": 20, + "is_recruiting": "FALSE", "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", + "recruitment_type": "application", "tags": [ "AsianAmerican", - "Lifestyle&Culture", - "PoliticalReview", "CreativeWriting", "Journalism" ] }, { - "id": "a40d4384-fe89-4b0b-bad1-c5260df36679", + "id": "cbf8c2c0-e10e-424d-936d-a537137b88bb", "name": "Indian Cultural Association", "preview": "ICA\u2019s mission is to provide a community for all Indian students across the Northeastern campus. Serving as a bridge between international students and Indian Americans, this club will foster dialogue and a sense of unity between the two groups.", "description": "ICA’s mission is to provide a community for all Indian students across the Northeastern campus. Serving as a bridge between international students and Indian Americans, this club will foster dialogue and a sense of unity between the two groups, by providing the resources for students to experience and learn about Indian culture during our meetings. Furthermore, our weekly meetings will help to familiarize members with modern India and evolving culture through movie nights and chai time chats. In addition, we will pair first-year international students with local students to help them acclimate to the new environment and to provide exposure to modern Indian culture for local students. ICA is Strictly an Undergraduate Club. ", - "num_members": 211, + "num_members": 917, "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", + "recruitment_cycle": "fall", + "recruitment_type": "unrestricted", "tags": [ "AsianAmerican", "CommunityOutreach", - "CulturalExchange", + "Cultural", "Volunteerism" ] }, { - "id": "48ffa27f-c44a-4dd7-bc3a-238c11ad012b", + "id": "36a5df26-618b-41df-a3cb-dde9ef5dc82e", "name": "International Society for Pharmaceutical Engineering", "preview": "The ISPE Student Chapter provides education, training, and networking opportunities referent to the biotechnology and pharmaceutical industry to graduate students, but also welcomes undergraduate students who want to participate in different activiti", "description": " \r\n", - "num_members": 679, + "num_members": 1022, "is_recruiting": "FALSE", - "recruitment_cycle": "fall", + "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ + "Engineering", "Pharmaceutical", - "Biology", + "Biotechnology", "Chemistry", - "Engineering", - "CommunityOutreach" + "EnvironmentalScience" ] }, { - "id": "0b7e9f75-b791-46f3-872f-09fe2c390642", + "id": "3b60daa3-1956-461b-b7f7-4811f698a100", "name": "KADA K-Pop Dance Team", "preview": "KADA K-Pop Dance Team aims to empower & connect it's members through dance, exciting events, & shared passions. By creating inclusive learning environments, we hope to give members a fun, flexible space to grow their dance & performance abilities.", "description": "Founded in 2019, KADA is Northeastern University's first and only undergraduate K-Pop Dance Team, celebrating Korean popular culture through dance and offering a space for those looking to grow their dance skills. KADA has won Best Student Organization at Northeastern’s Dance4Me charity competition 3 years in a row and has worked to spread appreciation for Asian arts at a variety of other cultural events. With goals based in inclusivity, empowerment, and growth, we strive to create learning environments for all levels of dancers and drive connection through exciting events, shared passions, and an all-around fun time. From workshops, to rehearsals, to performances and projects, we want to create a space for members to to become stronger as both performers and leaders. ", - "num_members": 986, - "is_recruiting": "TRUE", + "num_members": 314, + "is_recruiting": "FALSE", "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ "PerformingArts", "AsianAmerican", - "LGBTQ", - "CommunityOutreach" + "CommunityOutreach", + "Dance", + "Music" ] }, { - "id": "d7e1c724-ad6c-4a44-b19e-dc5fde5f778a", + "id": "bb7b63e9-8462-4158-b96e-74863ffc7062", "name": "LatAm Business Club", "preview": "Fostering a vibrant Latin American community, while creating an entrepreneurial environment for business development, professional growth, and geopolitical dialogue. ", - "description": "Welcome to the LatAm Business Club, where we are dedicated to fostering a vibrant Latin American community. Our club provides a supportive and engaging environment for individuals interested in business development, professional growth, and geopolitical dialogue. Whether you're an entrepreneur, a student, a professional, or simply someone eager to connect with like-minded individuals, our club offers a platform for networking, learning, and collaborating. Join us in building a strong foundation for success and innovation in the Latin American business landscape!", - "num_members": 350, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", + "description": "Welcome to the LatAm Business Club! Our club is dedicated to fostering a vibrant Latin American community by creating an entrepreneurial environment that supports business development, professional growth, and geopolitical dialogue. We provide a platform for networking, collaboration, and knowledge sharing among individuals interested in the unique opportunities and challenges of the Latin American business landscape. Whether you're an entrepreneur, a professional seeking growth opportunities, or someone passionate about Latin American affairs, our club offers a welcoming space to connect, learn, and thrive together.", + "num_members": 1023, + "is_recruiting": "TRUE", + "recruitment_cycle": "spring", "recruitment_type": "unrestricted", "tags": [ "LatinAmerica", "BusinessDevelopment", "Networking", "ProfessionalGrowth", - "CommunityBuilding" + "Entrepreneurship", + "GeopoliticalDialogue" ] }, { - "id": "5320b39b-a652-48b3-841f-7c7f43264c14", + "id": "7191f9a3-a824-42da-a7dd-5eeb1f96d53f", "name": "Musicheads", "preview": "Musicheads is for music enthusiasts, collectors, general listeners, and fanatics. We cover a wide range of genres and styles through our weekly Album Club (like a book club), and in our club group chat. Share your favorite music with us in a comfy sp", "description": "Musicheads is a music appreciation and discussion club. Our primary club activity is hosting a weekly Album Club (like a book club, but for music). Club members take turns nominating albums, or musical releases, to listen to and discuss during album club. \r\nOur mission is to create a space for casual discussion and appreciation of music. Between our in-person meetings and online discussion board, there are always ways to share and discover new favorites!\r\nFollow for our Email Newsletter:\r\nhttp://eepurl.com/iBQzz2\r\nJoin the Musicheads discussion board:\r\nhttps://discord.com/invite/ZseEbC76tx", - "num_members": 185, + "num_members": 214, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ "Music", "CreativeWriting", - "CommunityOutreach", - "Media", - "SocialJustice" + "CommunityOutreach" ] }, { - "id": "25098316-8e35-4d5e-a53a-a3532140fdc7", + "id": "1e20ef65-990e-478b-8695-560f2aa8b5d2", "name": "NAAD (Northeastern A Cappella Association for Desi Music)", "preview": "NAAD (Northeastern A Cappella Association for Desi Music) embodies the profound resonance of South Asian music. Join us on a cultural journey as we bring the rich tapestry of South Asian music to the A Cappella sphere at Northeastern University!", "description": "Naad literally means “sound”, but in philosophical terms it is the primordial sound that echoes through the universe, the vibration that is believed to have originated with its creation and has been reverberating through our very being ever since. Therefore, it is considered as the eternal Sound or Melody. NAAD which is our acronym for Northeastern A Cappella Association for Desi Music will be focused on bringing music lovers of South Asian music together. There are different types of music that originated in South Asia like hindustani classical, ghazal, qawali, carnatic music and so on. This will also bring South Asian music to the A Cappella sphere in Northeastern University. The club will consist of musicians from different south asian countries (Afghanistan, Bangladesh, Bhutan, India, Maldives, Nepal, Pakistan, and Sri Lanka) which will be reflected in our music and in our performances. ", - "num_members": 150, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", + "num_members": 538, + "is_recruiting": "FALSE", + "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ + "PerformingArts", "Music", "AsianAmerican", - "PerformingArts", - "CommunityOutreach" + "CreativeWriting" ] }, { - "id": "8b359caf-5970-48ec-bc4e-3bc90159042d", + "id": "185eaaf8-8ac0-4095-9027-60caf0e9cba7", "name": "Naloxone Outreach and Education Initiative", "preview": "Our club aims to educate Northeastern students, and surrounding community members on opioid emergencies, and how to use naloxone. We aim to increase access to naloxone and other harm reduction tools in our community. ", "description": "The Naloxone Outreach and Education Initiative is an organization dedicated to educating Northeastern students, and surrounding community members on the opioid public health crisis, opioid emergencies, and reversing an opioid overdose using naloxone in order to save a life. We also aim to increase awareness of the opioid crisis, and oppose the stigma surrounding addiction, opioid use, and seeking treatment. We offer free training sessions, naloxone, fentanyl test strips, along with other resources. The hope of this program is to ultimately increase preparedness for these emergencies, as they are occurring all around us, while also changing the way our community thinks about drug use, addiction, and treatment.", - "num_members": 553, - "is_recruiting": "FALSE", + "num_members": 961, + "is_recruiting": "TRUE", "recruitment_cycle": "fallSpring", "recruitment_type": "application", "tags": [ "CommunityOutreach", - "HumanRights", + "Volunteerism", + "PublicRelations", + "Education", "Health", - "Volunteerism" + "HumanRights" ] }, { - "id": "aa092db1-f0f6-4e55-b1bc-3fb143c0836e", + "id": "8c5e399e-3a7c-4ca6-8f05-7c5f385d5237", "name": "Network of Enlightened Women at Northeastern", "preview": "NeW is a women driven organization which focuses on professional development, the discussion of ideas, and fostering a community. We are like minded women who are open and willing to explore cultural and political issues, often in a conservative ligh", "description": "The Network of Enlightened Women educates, equips, and empowers women to be principled leaders for a free society. NeW is a national community of conservative and independent-minded women from all sectors and backgrounds, passionate about educating, equipping, and empowering all women. \r\n \r\nNeW serves as a thought leader, promoting independent thinking and providing intellectual diversity on college campuses and in public discussions on women, policy, and culture. \r\n \r\nThis NeW chapter intends to bring together women for fun meetings, discussions on current events, professional development training, and service/volunteer work. The chapter helps women find friends on campus, learn something, and build their resumes. \r\n \r\nThe three goals of NeW are to create a network of conservative women on campus and beyond, to become more educated on conservative issues and educate others, and to encourage more women to become leaders on campuses and in the community. \r\n \r\nNeW cultivates a vibrant community of women through campus chapters, professional chapters, and our online presence that emboldens participants to confidently advocate for pro-liberty ideas in their schools, workplaces, homes, and communities. \r\n \r\nNeW also connects program participants with career-advancing professional opportunities.\r\n \r\nNeW trains pro-liberty women to serve as leaders through campus sessions, national conferences, leadership retreats, and professional development programs.", - "num_members": 795, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "application", + "num_members": 7, + "is_recruiting": "TRUE", + "recruitment_cycle": "spring", + "recruitment_type": "unrestricted", "tags": [ - "WomenEmpowerment", - "Conservatism", + "Christianity", "Leadership", + "CommunityOutreach", + "Volunteerism", "ProfessionalDevelopment", - "CommunityBuilding", - "Advocacy", - "CareerDevelopment", - "Education" + "Conservative", + "PublicPolicy" ] }, { - "id": "27c3743d-c0f9-49ba-965b-dcfad33313ce", + "id": "52b6aff9-b528-4166-981c-538c2a88ec6d", "name": "North African Student Association", "preview": "The North African Student Association at Northeastern University aims to provide a welcoming space for students of North African descent and those interested in North African culture. ", "description": "The North African Student Association at Northeastern University aims to provide a welcoming space for students of North African descent and those interested in North African culture. We strive to foster connections, raise awareness of diverse North African cultures, and offer academic and career support for all members, promoting success and excellence within the Northeastern community.", - "num_members": 851, + "num_members": 987, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fall", "recruitment_type": "application", "tags": [ "AfricanAmerican", "CommunityOutreach", - "HumanRights", - "Volunteerism" + "Volunteerism", + "CulturalAwareness" ] }, { - "id": "6eead742-60a3-488b-bc8f-79a4706c575f", + "id": "565fc7e8-dbdc-449b-aa92-55e39f81e472", "name": "Northeastern University Physical Therapy Club", "preview": "The Physical Therapy Club serves to enhance the professional development of students in the Physical Therapy program by organizing and participating in educational, social, and other charitable events.", "description": "The Physical Therapy Club serves to enhance the professional development of students in the Physical Therapy program by organizing and participating in educational, social, and other charitable events. The NEU PT Club is a student organization that works intimately with the Physical Therapy Department to sponsor the William E. Carter School Prom, host wellness events during National Physical Therapy Month, support the APTA Research Foundation, provide physical therapy-related community outreach opportunities and host social gatherings to help physical therapy majors from all years get to know each other. The Club also sponsors attendees at the APTA's National Conferences yearly, schedules guest lectures, and provides social networking opportunities for all NEU Physical Therapy majors.", - "num_members": 383, + "num_members": 741, "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", + "recruitment_cycle": "always", + "recruitment_type": "unrestricted", "tags": [ "Volunteerism", "CommunityOutreach", - "HumanRights", - "Healthcare", - "PhysicalTherapy", - "StudentOrganization" + "PublicRelations", + "Healthcare" ] }, { - "id": "650c7214-4d01-4121-996b-e5e330714e8d", + "id": "37403528-45cd-4d8b-b456-7d801abbf08d", "name": "null NEU", "preview": "null NEU at Northeastern University promotes cybersecurity education and innovation through events, projects, and resources. Recognized by Khoury College, we welcome students passionate about security. Join our mission to create a safer digital world", "description": "Welcome to null NEU, the cybersecurity hub at Northeastern University. As the official student chapter of the renowned null community, we stand at the forefront of cybersecurity education, collaboration, and innovation within the dynamic environment of the Khoury College of Computer Sciences. Our commitment is to learn about security and live it, shaping the future of digital safety one project at a time.\r\n \r\nWho We Are\r\nnull NEU is more than an organization; we are a movement. Driven by student leadership and recognized by esteemed faculty, our mission is threefold: to elevate security awareness across campus, to build a centralized repository brimming with cutting-edge security knowledge, and to push the boundaries of traditional security research into new and uncharted territories.\r\n \r\nGet Involved\r\nCybersecurity is a vast ocean, and there's a place for everyone in null NEU. Whether you're taking your first dive into security or you're already navigating the deep waters, we offer a plethora of opportunities to engage, learn, and contribute:\r\n- Participate in Our Events: From workshops to guest lectures and hackathons, our events are designed to expand your knowledge and network.\r\n- Contribute Your Skills: Have a knack for coding, research, or design? Our ongoing projects need your expertise.\r\n- Leverage Our Resources: Access our curated content and learning tools to advance your cybersecurity journey.\r\n \r\nStay Connected\r\nThe digital world is our playground, and we're active across several platforms. Connect with us on LinkedIn for professional networking, join our Mastodon community for lively discussions, follow our Instagram for a visual tour of our activities, and stay updated with our Twitter feed for real-time engagement.", - "num_members": 88, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", + "num_members": 53, + "is_recruiting": "TRUE", + "recruitment_cycle": "always", + "recruitment_type": "application", "tags": [ "SoftwareEngineering", "Cybersecurity", - "Technology", "Networking", - "Education" + "DataScience", + "Coding" ] }, { - "id": "e1073c96-1808-43a4-91c2-d35f2bb0c4c2", + "id": "67c976b8-e3bb-4ef7-adc4-d41d1ae48830", "name": "Orthodox Christian Fellowship", "preview": "Orthodox Christian Fellowship (OCF) is the official collegiate campus ministry program under the ACOBUSA. We work to serve the spiritual and community needs of Eastern Orthodox Christians at Northeastern.", "description": "The purpose of OCF is to serve the spiritual and community needs of Eastern Orthodox Christians on campus. This entails the “Four Pillars of OCF”:\r\n \r\n\r\nFellowship:\r\n\r\n \r\n\r\n\r\n\r\nCreate a welcoming environment where all students can share their college experience with others who share their values.\r\nEncourage students to engage with the life of the parish and the Church outside of club hours.\r\n\r\n\r\n\r\n \r\n\r\nEducation:\r\n\r\n \r\n\r\n\r\n\r\nAllow students to learn about their faith and engage more deeply with it alongside others.\r\nTeach students how to identify and act on their beliefs and values in their academic and professional lives.\r\n\r\n\r\n\r\n \r\n\r\nWorship:\r\n\r\n \r\n\r\n\r\n\r\nEncourage students to strengthen their relationship with God, in good times and bad, through thankfulness and prayer.\r\nAllow students to have access to the sacraments and sacramental life of the Eastern Orthodox Church.\r\n\r\n\r\n\r\n \r\n\r\nService:\r\n\r\n \r\n\r\n\r\nEncourage students to participate in club-affiliated and non-club-affiliated activities of service to the underprivileged.\r\nTeach students how to incorporate elements of service and compassion into their everyday lives.\r\n\r\n", - "num_members": 941, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", + "num_members": 320, + "is_recruiting": "FALSE", + "recruitment_cycle": "fallSpring", + "recruitment_type": "application", "tags": [ "Christianity", - "CommunityOutreach", - "Volunteerism", "Service", "Fellowship", - "Education" + "Education", + "Volunteerism" ] }, { - "id": "d7e9bb87-52f5-4205-a2f5-d3de76ac7dfd", + "id": "cd768106-ee11-4e65-9e33-100e02393c23", "name": "Pages for Pediatrics at NEU", "preview": "We publish and distribute children's storybooks about different pediatric illnesses/disabilities. Through narrative mirroring, our children's books aim to normalize patient adversity, advocate for disability representation, and combat stigma.", "description": "Hospital stays can be stressful and overwhelming for a child of any age. Many children fear the hospital environment and find it difficult to cope with their illness alone. To help alleviate patient anxiety, we center our children’s storybooks around characters that pediatric patients can relate to as a means of instilling hope, comfort, and solidarity in our readers. \r\nThrough narrative mirroring, our children’s storybooks aim to normalize patient adversity, advocate for disability representation, and combat stigma towards pediatric conditions in the broader community. We believe that every patient should have unhindered access to our therapeutic stories; hence we raise funds to cover the production and distribution of our books so we can donate copies to pediatric patients at Boston Children’s Hospital and others nationwide. We also hope to outreach to local elementary schools.", - "num_members": 725, + "num_members": 846, "is_recruiting": "TRUE", - "recruitment_cycle": "fall", + "recruitment_cycle": "always", "recruitment_type": "unrestricted", "tags": [ + "Volunteerism", + "CommunityOutreach", "CreativeWriting", - "Pediatrics", - "Hospital", - "Children", - "Therapeutic", - "Narrative", - "ChildrensBooks", - "CommunityOutreach" + "VisualArts", + "HumanRights" ] }, { - "id": "1f774dce-6218-4fb8-a240-b6621d4b9bca", + "id": "1b091bfa-da37-476e-943d-86baf5929d8c", "name": "Poker Club", "preview": "We host regular Poker games for players of all skill levels, completely free-of-charge with prizes! We also host regular workshops and general meetings for members to learn more about how to play Poker. Follow us for more on Instagram! @nupokerclub", "description": "Northeastern Poker Club is a student organization for students to play and learn more about Poker on campus. We host regular Poker games on campus, regular workshops and general meetings for members to learn more about how to play Poker.\r\nWe're welcome to poker players of all skill levels. We strictly operate on a non-gambling basis, thus, all of our Poker games are free-of-charge and we give out regular prizes through our Poker games!\r\nWe also participate in the PokerIPA tournament, where the best of the club get to play against top Poker players in colleges around the world for big prizes (learn more at pokeripa.com). ", - "num_members": 655, + "num_members": 25, "is_recruiting": "TRUE", "recruitment_cycle": "fallSpring", - "recruitment_type": "application", + "recruitment_type": "unrestricted", "tags": [ - "Volunteerism", "CommunityOutreach", - "Social", - "StudentOrganization" + "Volunteerism", + "PerformingArts" ] }, { - "id": "2dd6bd72-77df-4b87-aae8-c62c40c44ef2", + "id": "d456f9ad-6af0-4e0f-8c1b-8ca656bfc5a2", "name": "Queer Caucus", "preview": "Queer Caucus is a student-run organization dedicated to supporting lesbian, gay, bisexual, transgender, queer, gender non-conforming, non-binary, asexual, genderqueer, Two-Spirit, intersex, pansexual, and questioning members of the NUSL community.", "description": "Queer Caucus is a student-run organization dedicated to supporting lesbian, gay, bisexual, transgender, queer, gender non-conforming, non-binary, asexual, genderqueer, Two-Spirit, intersex, pansexual, and questioning students, staff, and faculty at NUSL. QC seeks to offer a welcoming space for all queer individuals to connect with other queer students while mobilizing around issues of injustice and oppression. We seek to affirm and support our members who are Black, Indigenous, and people of color, as well as our members with disabilities. Through educational programming, campus visibility, and professional development, Queer Caucus seeks to maintain Northeastern University School of Law’s position as the “queerest law school in the nation.”", - "num_members": 891, - "is_recruiting": "TRUE", + "num_members": 347, + "is_recruiting": "FALSE", "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", + "recruitment_type": "application", "tags": [ "LGBTQ", "HumanRights", "CommunityOutreach", - "Volunteerism", - "Journalism" + "PublicRelations" ] }, { - "id": "46f81f45-06d6-4404-b52f-9c59711aa539", + "id": "008998ca-8dc4-4d0b-8334-18123c6c051f", "name": "Real Talks", "preview": "We're a group that provides a space for students to connect and talk about real life issues and relevant social topics, and also enjoys fun times and good food!", - "description": "Welcome to Real Talks! We are a warm and inviting group dedicated to providing a safe space for students to come together and engage in meaningful discussions about real-life issues and relevant social topics. Our club offers a platform for open dialogue, connection, and support, where everyone's voice is valued and respected. In addition to our thought-provoking conversations, we also know how to have a good time and enjoy delicious food together. Join us at Real Talks for an enriching experience of sharing, learning, and building friendships!", - "num_members": 968, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", + "description": "", + "num_members": 219, + "is_recruiting": "TRUE", + "recruitment_cycle": "always", + "recruitment_type": "application", "tags": [ "CommunityOutreach", "HumanRights", "Journalism", - "EnvironmentalAdvocacy" + "Film" ] }, { - "id": "4f005b0e-30f6-4b37-b00f-f747b70c3f8d", + "id": "d07fcf14-b256-4fe2-93d5-7d2f973a8055", "name": "ReNU", "preview": "ReNU is focused on prototyping small-scale renewable energy systems. ", "description": "ReNU is devoted to the technical development of small-scale renewable energy systems. We prototype windmills, solar panels, and other similar technologies at a small scale. If possible, we enter our prototypes into national competitions. The club meets on a weekly basis to design, construct our prototypes, learn engineering skills, and learn about renewable energy. ", - "num_members": 64, + "num_members": 809, "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", + "recruitment_cycle": "fall", + "recruitment_type": "application", "tags": [ "EnvironmentalScience", - "MechanicalEngineering", "RenewableEnergy", - "EngineeringSkills" + "Engineering", + "Prototype" ] }, { - "id": "f51d6404-da3f-4d5a-8deb-d630491f991b", + "id": "690fbd88-f879-4e30-97fd-69b295456093", "name": "rev", "preview": "rev is a community for committed builders, founders, creatives, and researchers at Northeastern University to take ideas from inception to reality.", "description": "rev is a community of builders, founders, creatives, and researchers at Northeastern University. This is a space where students collaborate to work on side projects and take any idea from inception to reality. Our mission is to foster hacker culture in Boston and provide an environment for students to innovate, pursue passion projects, and meet other like-minded individuals in their domain expertise.", - "num_members": 261, + "num_members": 43, "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "application", + "recruitment_cycle": "fall", + "recruitment_type": "unrestricted", "tags": [ "SoftwareEngineering", - "CreativeWriting", - "Music" + "DataScience", + "CommunityOutreach", + "Volunteerism" ] }, { - "id": "91c98681-503e-42da-9177-2aa57b874baa", + "id": "aa8f0ad8-09ff-4fc1-8609-96b3532ac51b", "name": "Rhythm Games Club", "preview": "We the Northeastern's Rhythm Games Club provide a community where members can play and share their experience with Rhythm Games!", "description": "We are Northeastern's Rhythm Games Club!\r\nOur goal is to bring people together through playing Rhythm Games. We have many different games and events where you can try out and test your rhythm and reaction skills! Please join our discord at https://discord.gg/G4rUWYBqv3 to stay up to date with our meetings and events. ", - "num_members": 601, + "num_members": 764, "is_recruiting": "FALSE", "recruitment_cycle": "always", - "recruitment_type": "unrestricted", + "recruitment_type": "application", "tags": [ - "Music", "PerformingArts", - "CreativeWriting", - "CommunityOutreach" + "Music", + "CommunityOutreach", + "VisualArts" ] }, { - "id": "6d17242d-7c0e-4d53-966c-eacadac607a3", + "id": "2beeb1f8-b056-4827-9720-10f5bf15cc75", "name": "Scholars of Finance", "preview": "Scholars of Finance is a rapidly growing organization on a mission to inspire character and integrity in the finance leaders of tomorrow. We seek to solve the world\u2019s largest problems by investing in undergraduate students.", - "description": "Scholars of Finance is a vibrant community of driven individuals passionate about cultivating the next generation of finance leaders with a strong sense of integrity and purpose. Our organization is dedicated to empowering undergraduate students to tackle global challenges through innovative thinking and ethical decision-making. By fostering a supportive environment and providing valuable resources, Scholars of Finance is shaping a future where financial success is synonymous with positive change and social impact.", - "num_members": 606, + "description": "Scholars of Finance is a vibrant community dedicated to cultivating the next generation of ethical finance leaders. With a focus on integrity and character development, we empower undergraduate students to tackle global challenges through financial literacy and responsible investing. Join us in building a brighter future through education, collaboration, and impactful initiatives!", + "num_members": 866, "is_recruiting": "FALSE", "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "Finance", "Leadership", - "Innovation", + "Education", "Ethics", - "Empowerment", - "GlobalChallenges", - "SocialImpact", - "PositiveChange" + "GlobalChallenges" ] }, { - "id": "ad23903b-de0f-4eb3-a500-96059fdd272d", + "id": "595b59ab-38c5-44cd-82e9-ddae9935567a", "name": "SPIC MACAY NU CHAPTER", "preview": "The Spic Macay chapter of NU aimed at promoting Indian art forms.", - "description": "Welcome to the SPIC MACAY NU CHAPTER! Our club is dedicated to celebrating and promoting the rich tapestry of Indian art forms. From classical music to traditional dance, we strive to create an inclusive space where everyone can explore and appreciate the beauty of Indian culture. Join us in our vibrant community as we host engaging performances, workshops, and cultural events that showcase the diversity and creativity of India's artistic heritage. Whether you're a seasoned enthusiast or just starting to explore the wonders of Indian art, there's a place for you in our warm and welcoming club!", - "num_members": 991, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", + "description": "Welcome to the SPIC MACAY NU CHAPTER! We are a vibrant community dedicated to celebrating the rich tapestry of Indian art forms. Our mission is to foster a deep appreciation for diverse cultural expressions through a range of engaging activities and events. From mesmerizing classical dances to soul-stirring music concerts, we strive to create a welcoming space for all enthusiasts to connect, learn, and revel in the beauty of Indian heritage. Join us on this exciting journey of exploration and discovery as we come together to promote and preserve the magic of age-old artistic traditions.", + "num_members": 120, + "is_recruiting": "FALSE", + "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "PerformingArts", - "Music", "VisualArts", + "Music", + "CulturalHeritage", "CommunityOutreach" ] }, { - "id": "790e0ec6-44a6-4005-98c6-48274e3c1a3b", + "id": "f4743b64-70d8-4ed8-a983-9668efdca146", "name": "The Libre Software Advocacy Group", "preview": "The goal of our organization is to promote the digital freedom of all through the promotion of Libre Software Ideals. ", - "description": "Welcome to The Libre Software Advocacy Group! Our organization is dedicated to promoting the digital freedom of all individuals through the advocacy of Libre Software Ideals. We believe in empowering users with control over their technology and promoting the values of openness, collaboration, and transparency in the digital world. Join us in our mission to champion libre software and create a more inclusive and accessible digital environment for everyone.", - "num_members": 489, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", + "description": "The Libre Software Advocacy Group is a passionate community dedicated to advancing the principles of digital freedom through the advocacy of Libre Software Ideals. Our organization strives to empower individuals by promoting the use of free and open-source software that champions collaboration, transparency, and user rights. Join us in our mission to cultivate a culture of innovation, inclusivity, and ethical technology practices for the betterment of all.", + "num_members": 549, + "is_recruiting": "FALSE", + "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "SoftwareEngineering", - "DataScience", + "OpenSource", + "Technology", "CommunityOutreach", - "EnvironmentalAdvocacy" + "EthicalTechnologyPractices" ] }, { - "id": "133fb59f-fc5d-4bb9-a273-50e77dfe27a0", + "id": "803fa5c5-feb8-4966-b3ff-0131f6887b6b", "name": "The Women's Network Northeastern", "preview": "The Women's Network is the largest collegiate women's networking organization in the nation. There are over 100 chapters at universities across the United States, Canada, and soon Ireland!", "description": "The Women's Network strives to cultivate and celebrate women's ambitions through connecting members to industry leaders, professional development resources, and career opportunities. TWN Northeastern holds a variety of experiential events: speaker events, professional development workshops, networking trips, alumnae receptions, community-based discussions, and more. Being a part of TWN is a great way to authentically expand networks, build confidence, gain exposure to different industries, and discover new career opportunities. Joining TWN has opened doors for tens of thousands of women across the country! Fill out our membership form at bit.ly/jointwn and visit our instagram @thewomensnetwork_northeastern to view our upcoming events!", - "num_members": 230, - "is_recruiting": "TRUE", + "num_members": 346, + "is_recruiting": "FALSE", "recruitment_cycle": "always", - "recruitment_type": "unrestricted", + "recruitment_type": "application", "tags": [ "WomenEmpowerment", "ProfessionalDevelopment", - "Networking", + "NetworkingEvents", "CommunityBuilding" ] }, { - "id": "7fd165fb-6aa7-4d27-b0e2-d1de64cfc48e", + "id": "b3c62e9e-ff30-4720-addc-f8f299f13b1f", "name": "Undergraduate Law Review", "preview": "The Undergraduate Law Review (NUULR) is Northeastern's distinguished undergraduate legal publication. ", "description": "Established in 2023, the Undergraduate Law Review (NUULR) is Northeastern's distinguished undergraduate legal publication. Committed to fostering intellectual discourse and scholarly engagement, NUULR publishes insightful legal scholarship authored by undergraduate students from diverse backgrounds. Our mission is to create a dynamic space where legal ideas are explored, discussed, and shared among the Northeastern University community and the broader public. Our culture is rooted in the values of objectivity, critical thinking, and interdisciplinary exploration, making NUULR a leading forum for undergraduate legal discourse, critical analysis, and academic fervor.\r\nIf you interested in joining NUULR, then please fill out this form to be added onto our listserv: https://forms.gle/g1c883FHAUnz6kky6\r\n ", - "num_members": 1014, + "num_members": 623, "is_recruiting": "TRUE", - "recruitment_cycle": "fall", + "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ "Prelaw", - "CreativeWriting", - "Journalism" + "Journalism", + "CommunityOutreach", + "HumanRights" ] }, { - "id": "2fe8f5fc-0f27-4394-babe-a2fa957c1c75", + "id": "778fc711-df60-4f1c-a886-01624419b219", "name": "United Against Trafficking", "preview": "United Against Trafficking, is dedicated to educating, advocating, and taking concrete actions to combat all forms of human trafficking. We strive to create an environment where knowledge, activism, and compassion intersect to drive meaningful change", "description": "United Against Trafficking is an organization dedicated to combating various forms of human trafficking, including sex trafficking, labor trafficking, and forced labor. Embracing the values of dignity and rights for all individuals, our mission centers on eradicating the horrors of trafficking and fostering a world where no one falls victim to such atrocities. Welcoming members from Northeastern University, including students, faculty, and staff, our aim is to build an inclusive and diverse community representing diverse academic disciplines and backgrounds. While our primary focus is within the university, we actively seek collaborations with local and national anti-trafficking entities, survivors, and advocates. Our initiatives span awareness campaigns, advocacy for policy reforms, community outreach, workshops, and training programs. Additionally, we engage in fundraising events to support frontline anti-trafficking efforts and foster collaborative partnerships to maximize impact. Furthermore, our organization encourages research projects aimed at enhancing understanding and driving evidence-based solutions. United Against Trafficking envisions a campus environment where knowledge, activism, and empathy intersect to create substantial change in the fight against human trafficking, aspiring to be a beacon of hope and progress in the global mission for a world free from exploitation and suffering. ", - "num_members": 1018, - "is_recruiting": "FALSE", + "num_members": 276, + "is_recruiting": "TRUE", "recruitment_cycle": "spring", "recruitment_type": "unrestricted", "tags": [ @@ -1039,205 +1036,207 @@ "CommunityOutreach", "Volunteerism", "Advocacy", - "EnvironmentalAdvocacy" + "PublicRelations", + "Research", + "Collaboration" ] }, { - "id": "3abe793e-e4ef-4d34-9256-8a176a9c5fcc", + "id": "7d62e8f0-7ebc-4699-a0de-c23a6e693f43", "name": "United Nations Association at Northeastern", "preview": "Through advocacy, discussion, and education, UNA Northeastern advocates for the UN Sustainable Development Goals and for US leadership at the UN, both our global and local community. ", "description": "The United Nations Association of the USA is a grassroots organization that advocates for US leadership at the United Nations (UN). With over 20,000 members and more than 200 chapters across the country, UNA-USA members are united in their commitment to global engagement and their belief that each of us can play a part in advancing the UN’s mission and achieving the Sustainable Development Goals (SDGs). As a campus chapter UNA Northeastern advocates for the UN SDGs locally and connects the mission and career opportunities of the UN to our community. \r\nWe’re working to build a welcoming community of students who are passionate about international issues. As an organization we come together weekly to learn about and discuss international issues and advocate for change in our community. The SDGs cover a broad range of issues and our focus represents this. Some of our past events, beyond our weekly meetings, have included annual UN Day and Earth Day events, a clothing drive, volunteering in the community, meeting with our representatives, and trips to UN events in New York. ", - "num_members": 334, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "num_members": 901, + "is_recruiting": "FALSE", + "recruitment_cycle": "always", "recruitment_type": "unrestricted", "tags": [ - "EnvironmentalAdvocacy", "HumanRights", + "EnvironmentalAdvocacy", "CommunityOutreach", "Volunteerism", - "GlobalEngagement", - "InternationalIssues" + "LGBTQ", + "Journalism" ] }, { - "id": "f20c7d67-9f4f-4cc3-9115-01a640aebe32", + "id": "3e68fb8f-9d0f-45d3-9a18-2915c8cf464a", "name": "Women\u2019s + Health Initiative at Northeastern", "preview": "W+HIN is a safe space for all those interested to discuss and learn about disparities that exist in healthcare for women and people with uteruses and how to combat these. We spread this knowledge by producing a student written women's health journal.", "description": "The purpose of this organization is to provide a safe space for all people with uteruses and other interested parties to discuss and learn about the disparities that exist in healthcare for women and how to combat these. Topics surrounding women’s health are often viewed as taboo, preventing people with uteruses from becoming fully aware of the issues they face and how they can care best for their health. This organization is meant to combat this struggle by increasing women’s health education on campus both within and outside of organizational meetings and contributing to women’s health efforts in the greater Boston area. The organization will spread this knowledge mainly by producing a student written journal each semester. ", - "num_members": 424, + "num_members": 492, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ "Women'sHealth", "HealthEducation", - "CommunityOutreach", - "Journalism" + "Journalism", + "CommunityOutreach" ] }, { - "id": "bb89e666-0b0b-4378-b2f5-941d92be2682", + "id": "02ef6079-d907-4903-935a-bb5afd7e74d5", "name": "Aaroh", "preview": "Are you proud of your Indian roots? Aaroh is an undergraduate Indian music club with an aim to bring music lovers together with a focus on different types of music bringing musical diversity to the campus and giving students a platform to perform.", "description": "Aaroh is an organization that aims to bring music lovers together with a focus on the different types of Indian music; including but not limited to Bollywood, folk, fusion, Carnatic, and Hindustani classical with a focus on Indian origin instruments.\r\nWe will be actively engaged in bringing musical diversity to the campus, giving students a platform to convene, discuss and perform.", - "num_members": 462, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", + "num_members": 72, + "is_recruiting": "TRUE", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ "Music", "PerformingArts", - "AsianAmerican", + "IndianMusic", + "CulturalDiversity", "CommunityOutreach" ] }, { - "id": "80188ab4-83af-4705-aeb6-7baa36823c1f", + "id": "88967bf8-2844-4899-b2a6-2652f5cfb9ac", "name": "Acting Out", "preview": "Acting Out is Northeastern University's only acting company dedicated to promoting social change through the work that it produces, events it holds, and discussions it facilitates. ", "description": "Acting Out is Northeastern University's only acting company dedicated to promoting social change through the work that it produces, events it holds, and discussions it facilitates.", - "num_members": 636, - "is_recruiting": "FALSE", + "num_members": 672, + "is_recruiting": "TRUE", "recruitment_cycle": "always", "recruitment_type": "unrestricted", "tags": [ "PerformingArts", "CommunityOutreach", "HumanRights", - "CreativeWriting" + "Film" ] }, { - "id": "c6f9e801-6381-45de-9d28-c13f763eea26", + "id": "6df3912c-1ae1-4446-978c-11cb323c7048", "name": "Active Minds at NU", "preview": "As a chapter of the national organization, Active Minds, Inc., Active Minds at NU strives to reduce the stigmas associated with mental health disorders and encourage conversation among Northeastern students about mental health.", "description": "As a chapter of the national organization, Active Minds, Inc., Active Minds at NU strives to reduce the stigmas associated with mental health disorders and encourage conversation among Northeastern students about mental health. We are not a support group or peer counselors, but rather an educational tool and liaison for students. We aim to advocate for students and bring about general awareness through weekly meetings and programming. Drop by any of our events or meetings to say hi! :)\r\nJoin our Slack!\r\nCheck out our website!", - "num_members": 752, + "num_members": 232, "is_recruiting": "FALSE", - "recruitment_cycle": "always", + "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "Psychology", "Neuroscience", "CommunityOutreach", - "Volunteerism", - "LGBTQ", - "HumanRights", - "EnvironmentalAdvocacy" + "HumanRights" ] }, { - "id": "9a1b9620-32db-4674-84b0-5616c7651071", + "id": "8145ac02-c649-4525-8ce6-d4e074261445", "name": "Addiction Support and Awareness Group", "preview": "The mission of this organization is to create a community for people struggling with addiction and to educate the Northeastern community on this topic. You do not have to be dealing with addiction to join!", "description": "The mission of this organization is to create a community for people struggling with addiction and to educate the northeastern community on the topic. The National Institute on Drug Abuse has established that as of 2022, 20.4 million people have been diagnosed with a substance use disorder in the past year and only 10.3% of those people received some type of treatment. Massachusetts itself suffers from an opioid crisis, and more people have died from drug overdose in recent years than ever before. In the Boston-Cambridge-Quincy Area, the home of Northeastern, 396,000 people ages 12 or older were classified as having a substance use disorder in the past year, higher than the national rate (NSDUH Report). College students between ages of 18 and 22 particularly are at higher risk for struggling with substance use disorders. The National Survey on Drug Use and Health asked participants in this age group who were at college and who were not if they had used alcohol in the past month; college students' \"yes,\" answers were 10% higher than the group that was not in college.\r\n \r\n ", - "num_members": 85, + "num_members": 785, "is_recruiting": "TRUE", "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ - "HumanRights", - "CommunityOutreach", + "HealthAwareness", "Volunteerism", - "DrugAddiction", - "Psychology" + "CommunityOutreach", + "Psychology", + "HumanRights" ] }, { - "id": "efac2b86-35a7-4ac2-a910-ac203327645c", + "id": "389cfa82-16cf-4ec1-b864-2a871b069a44", "name": "AerospaceNU", "preview": "This group is for anyone and everyone who wants to design and build projects with the goal of getting them in the air. Whether it's rockets, unmanned aerial vehicles, quadcopters, or weather balloons, you can bet we're building it and teaching anyone", "description": "This group is for anyone and everyone who wants to design and build projects with the goal of getting them in the air. Whether it's rockets, unmanned aerial vehicles, airships, quadcopters, or weather balloons, you can bet we're building it and sending it soaring. This club supports multiple projects at a time, some of which compete against other schools, others are trying to break records, while others are just for research and fun. You don't need to have any experience to join us! We are here to give students the opportunity to get their hands dirty and pursue projects about which they are passionate. Check out our website for more information and to get added to our emailing list!", - "num_members": 890, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "application", + "num_members": 931, + "is_recruiting": "FALSE", + "recruitment_cycle": "always", + "recruitment_type": "unrestricted", "tags": [ "Aerospace", "Engineering", - "STEM", - "Technology", + "Physics", "CommunityOutreach" ] }, { - "id": "2980f89f-3493-4334-b2ea-4363d9ec2370", + "id": "9ad47970-206b-4b78-be2b-f36b3e9c2e07", "name": "African Graduate Students Association", "preview": "AGSA is dedicated to empowering African graduate students and enhancing their educational and personal experiences.", "description": " \r\nThe African Graduate Students Association at Northeastern University is dedicated to empowering African graduate students and enhancing their educational and personal experiences. Our purpose revolves around six core themes: community building, professional development, advocacy, global engagement, leadership empowerment, and cultural integration. Through these focused areas, we aim to support our members in achieving their academic and career goals, advocate for their needs, celebrate the rich diversity of African cultures, and foster a sense of unity and inclusion within the university and beyond.\r\n ", - "num_members": 171, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", + "num_members": 674, + "is_recruiting": "TRUE", + "recruitment_cycle": "always", "recruitment_type": "unrestricted", "tags": [ "AfricanAmerican", "GlobalEngagement", "LeadershipEmpowerment", - "CommunityBuilding", - "CulturalIntegration" + "CommunityBuilding" ] }, { - "id": "8d7071cf-b38a-49c9-8c66-bf6a525d837b", + "id": "e6fbe5d2-1049-47e1-a2c9-de5389dd1413", "name": "afterHOURS", "preview": "Afterhours is an extremely unique college entertainment venue located in the Curry Student Center at Northeastern University in Boston, MA. From state-of-the-art video and sound concepts to a full-service Starbucks Coffee, Afterhours programs almost ", "description": "Afterhours is an extremely unique college entertainment venue located in the Curry Student Center at Northeastern University in Boston, MA. From state-of-the-art video and sound concepts to a full-service Starbucks Coffee, Afterhours programs almost every night of the week and supports programming for over 200 student organizations!Come down to check out sweet music and grab your favorite Starbucks treat!", - "num_members": 447, + "num_members": 560, "is_recruiting": "FALSE", - "recruitment_cycle": "always", - "recruitment_type": "application", + "recruitment_cycle": "fallSpring", + "recruitment_type": "unrestricted", "tags": [ "PerformingArts", "Music", - "Broadcasting", - "CommunityOutreach" + "CommunityOutreach", + "Film" ] }, { - "id": "24223793-b457-4fc3-bfc3-cea8d78352e9", + "id": "f194ecf9-204a-45d3-92ab-c405f3bdff25", "name": "Agape Christian Fellowship", "preview": "We are Agape Christian Fellowship, the Cru chapter at Northeastern University. We are a movement of students loving Jesus, loving each other, and loving our campus. We currently meet at 7:30 EST on Thursdays- feel free to stop by!", "description": "We are Agape Christian Fellowship, the Cru chapter at Northeastern University. We are a movement of students loving Jesus, loving each other, and loving our campus. Our vision is to be a community of people growing in their relationships with Jesus, learning together, and encouraging one another.We currently meet at 7:30PM on Thursdays in West Village G 02 for our weekly meeting, and we'd love if you could stop by!", - "num_members": 419, + "num_members": 615, "is_recruiting": "FALSE", "recruitment_cycle": "fallSpring", - "recruitment_type": "application", + "recruitment_type": "unrestricted", "tags": [ "Christianity", "CommunityOutreach", "Volunteerism", - "Neuroscience" + "CommunityOutreach", + "HumanRights" ] }, { - "id": "eedc8765-c42d-4b08-bb23-59d59ddc95da", + "id": "6443f16e-2afd-468d-b4f6-26697a7f6f43", "name": "Alliance for Diversity in Science and Engineering", "preview": "Our mission is to increase the participation of underrepresented groups (Women, Latinos, African-Americans, Native Americans, the LGBTQIA+ community, persons with disabilities, etc.) in academia, industry, and government. ", "description": "Our mission is to increase the participation of underrepresented groups (Women, Latinos, African-Americans, Native Americans, the LGBTQA community and persons with disabilities, etc.) in academia, industry, and government. ADSE supports, organizes, and oversees local, graduate student-run organizations that reach out to students and scientists of all ages and backgrounds. We aim to connect scientists across the nation, showcase non-traditional career paths and underrepresented minority experiences in STEM, and educate students at all levels about opportunities in the sciences.\r\n \r\nPlease check out our Summer Involvement Fair Information Session at the belowlink to learn more about our organization and what we have to offer you thisyear: https://www.youtube.com/watch?v=ozYtnJDxSHc&t=750s ", - "num_members": 194, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "application", + "num_members": 547, + "is_recruiting": "FALSE", + "recruitment_cycle": "fall", + "recruitment_type": "unrestricted", "tags": [ - "Women", - "LatinAmerica", - "AfricanAmerican", "LGBTQ", - "Neuroscience", - "CommunityOutreach" + "Volunteerism", + "CommunityOutreach", + "STEM", + "Diversity", + "Education", + "Science", + "Engineering" ] }, { - "id": "4e951a4a-9e28-4143-b5b4-1c9d1f3b4ff9", + "id": "9d515217-c60e-4a7c-b431-5429371b9d84", "name": "Alpha Chi Omega", "preview": "The Alpha Chi Omega Fraternity is devoted to enriching the lives of members through lifetime opportunities of friendship, leadership, learning and service.", "description": "The Alpha Chi Omega Fraternity is devoted to enriching the lives of members through lifetime opportunities of friendship, leadership, learning and service.", - "num_members": 137, + "num_members": 801, "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", + "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ + "Volunteerism", "CommunityOutreach", "Leadership", "Friendship", @@ -1245,99 +1244,98 @@ ] }, { - "id": "546070b5-4711-4bb2-b278-0604a8cbfdac", + "id": "28b189aa-b93d-4e90-abad-c4bc9e227978", "name": "Alpha Epsilon Delta, The National Health Preprofessional Honor Society", "preview": "\r\nAlpha Epsilon Delta is a nationally recognized Health Preprofessional Honors Society. \r\nPlease get in touch with us at northeasternaed@gmail.com if you are interested in applying. ", "description": "\r\nAlpha Epsilon Delta (AED) is the National Health Preprofessional Honor Society dedicated to encouraging and recognizing excellence in preprofessional health scholarship. Our Chapter here at Northeastern includes undergraduate students on the pre-med, pre-PA, pre-vet, pre-PT, and pre-dental tracks. We also have members who are interested in pursuing careers in research. Our biweekly chapter meetings consist of various activities, including focused discussions, student panels, and guest speakers' lectures. Last semester, members also had the opportunity to attend CPR lessons, suture clinics and participate in club sponsored volunteer activities.\r\n\r\n\r\n \r\nTimeline:\r\n\r\n\r\nApplications will be sent out in both the Fall and Spring semesters for an Induction in November and January. If you have any questions, please email us at northeatsernaed@gmail.com. Thank you for your interest!\r\n \r\n\r\n\r\nRequirements to join:\r\n\r\n\r\n- Membership is open to students currently enrolled in chosen health professions, including careers in medicine (allopathic and osteopathic), dentistry, optometry, podiatry, veterinary medicine, and other health care professions requiring post baccalaureate study leading to an advanced degree.\r\n\r\n\r\n- Potential members must have completed at least three semesters or five quarters of health preprofessional studies work by the time of Induction with an overall cumulative GPA of at least 3.20 on a 4.0 scale (A = 4.00) and also with a cumulative GPA of 3.20 in the sciences – biology, chemistry, physics, and mathematics. \r\n- The Massachusetts Zeta chapter at Northeastern University will accept Associate Members. \r\n- Associate members will be considered full members of the Chapter but will not be formally inducted into it until they meet all the membership requirements. They will have access to all the events, meetings, panels, volunteer opportunities, and the mentorship program and can be elected into committee chair positions. However, they will not be able to run for full e-board positions until they have been inducted. \r\n\r\n\r\n \r\nDues:\r\n\r\n\r\nMembership in Alpha Epsilon Delta is an earned honor for life. There will be no annual dues for returning members for the 2023-2024 academic year. However, there is a one time fee of $90 for newly inducted members which goes to the National Organization. The money sent to the National Organization covers lifetime membership and a certificate.\r\n", - "num_members": 710, + "num_members": 868, "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ "Premed", "Biology", "Chemistry", "Physics", - "HealthProfessions", + "Research", "Volunteerism", + "Healthcare", "CommunityOutreach" ] }, { - "id": "35c5d212-ea6d-483d-83ef-64e539e4c2db", + "id": "45ac612d-0d8d-49b8-9189-aeb0e77f47e0", "name": "Alpha Epsilon Phi", "preview": "Alpha Epsilon Phi is a national sorority dedicated to sisterhood, community service and personal growth. AEPhi was founded at Northeastern University on May 6th, 1990, and to this day it continues to be a close-knit, compassionate community that fost", "description": "Alpha Epsilon Phi is a national sorority dedicated to sisterhood, community service, and personal growth. AEPhi was founded at Northeastern University on May 6th, 1990, and to this day it continues to be a close-knit, compassionate community that fosters lifelong friendship and sisterhood. We seek to create an environment of respect and life-long learning through sister's various passions, community service, and engagement with various communities. Above all else, Alpha Epsilon Phi provides a home away from home for college women and unconditional friendships that will last far beyond the time spent at Northeastern University.", - "num_members": 914, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", + "num_members": 883, + "is_recruiting": "TRUE", + "recruitment_cycle": "fall", "recruitment_type": "application", "tags": [ + "CommunityOutreach", + "Volunteerism", + "HumanRights", "Sisterhood", - "CommunityService", - "LifeLongFriendships", - "Learning", - "Friendship", - "WomenEmpowerment", - "PersonalGrowth", - "CommunityEngagement" + "CommunityService" ] }, { - "id": "986c0b94-052e-4b94-87d3-20432a3f4117", + "id": "909905ff-45b5-4125-b8c9-25cc68e50511", "name": "Alpha Epsilon Pi", "preview": "Our basic purpose is to provide a comprehensive college experience for young men, fuel social and personal growth in our members, and create lasting friendships, mentorship, community and support for our diverse brotherhood", "description": "Our basic purpose is to provide a comprehensive college experience for young men, and create lasting friendships, mentorship, community and support for our diverse brotherhood. Alpha Epsilon Pi, predicated off of socially and culturally Jewish values, strives to strengthen each member's strengths and helps them overcome their weaknesses, and emphasizes personal, professional and social growth. We believe our organization provides a unique opportunity that can not be found as easily through other mediums.", - "num_members": 257, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", + "num_members": 426, + "is_recruiting": "TRUE", + "recruitment_cycle": "fall", "recruitment_type": "application", "tags": [ "Judaism", "CommunityOutreach", "Mentorship", - "HumanRights" + "ProfessionalGrowth" ] }, { - "id": "e767fd6f-28e9-4b43-8aaa-c275fe55e25e", + "id": "fb7664a0-2eaf-4fa8-889c-77910f265e29", "name": "Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter", "preview": "Founded on the campus of Howard University in Washington, DC in 1908, Alpha Kappa Alpha Sorority is the oldest Greek-letter organization established by African American college-trained women. To trace its history is to tell a story of changing patter", "description": "Founded on the campus of Howard University in Washington DC in 1908, Alpha Kappa Alpha Sorority is the oldest Greek-letter organization established by African American college-trained women. To trace its history is to tell a story of changing patterns of human relations in America in the 20th century. The small group of women who organized the Sorority was conscious of a privileged position as college-trained women of color, just one generation removed from slavery. They were resolute that their college experiences should be as meaningful and productive as possible. Alpha Kappa Alpha was founded to apply that determination. As the Sorority grew, it kept in balance two important themes: the importance of the individual and the strength of an organization of women of ability and courage. As the world became more complex, there was a need for associations which cut across racial, geographical, political, physical and social barriers. Alpha Kappa Alpha’s influence extends beyond campus quads and student interest. It has a legacy of service that deepens, rather than ends, with college graduation. The goals of its program activities center on significant issues in families, communities, government halls, and world assembly chambers. Its efforts constitute a priceless part of the global experience in the 21st century.", - "num_members": 334, + "num_members": 264, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", + "recruitment_cycle": "fallSpring", + "recruitment_type": "application", "tags": [ "AfricanAmerican", "CommunityOutreach", "HumanRights", - "Volunteerism" + "Volunteerism", + "PublicRelations" ] }, { - "id": "b4c43ef1-1147-4097-a764-6bb3893aaae7", + "id": "e445d34e-5913-4d9f-a1a9-048c0bdf4c55", "name": "Alpha Kappa Psi", "preview": "Alpha Kappa Psi is a professional fraternity that welcomes all individuals with interest in business and provides its members with world-class professional and leadership development opportunities. Learn more at http://www.akpsineu.org/", "description": "Alpha Kappa Psi is a professional fraternity that welcomes all individuals with interest in business and provides its members with world-class professional and leadership development opportunities. We focus on the values of ethics, education, and community leadership that are necessary to succeed in today's evolving world. Learn more at http://www.akpsineu.org/. ", - "num_members": 65, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "application", + "num_members": 148, + "is_recruiting": "TRUE", + "recruitment_cycle": "spring", + "recruitment_type": "unrestricted", "tags": [ "Business", - "ProfessionalDevelopment", "Leadership", - "Ethics", - "CommunityLeadership" + "ProfessionalDevelopment", + "CommunityOutreach", + "Ethics" ] }, { - "id": "89b30319-f7f1-49a3-a6a0-22c03f0daefe", + "id": "e644bf85-f499-4441-a7b6-aaf113353885", "name": "Alpha Kappa Sigma", "preview": "Alpha Kappa Sigma, established here in 1919, is one of Northeastern's only two local fraternities. We are a social fraternity open to anyone interested. Attend one of our fall or spring rush events for more information. Hope to meet you soon!", "description": "Alpha Kappa Sigma, established here in 1919, is one of Northeastern's only two local fraternities. We are a social fraternity who place a strong emphasis on brotherhood, personal and professional growth, and creating lasting memories and lifelong friends. Attend one of our fall or spring rush events for more information. Hope to meet you soon!", - "num_members": 822, + "num_members": 816, "is_recruiting": "TRUE", "recruitment_cycle": "spring", "recruitment_type": "unrestricted", @@ -1349,431 +1347,3262 @@ ] }, { - "id": "354badb2-a72d-4b30-aa51-daafda9f4267", + "id": "3bb5894d-9a20-4fef-b9e4-245c1c65d52f", "name": "Alpha Phi Omega", "preview": "Alpha Phi Omega (APO) is a national co-ed service fraternity. We partner with over 70 community service organizations in Boston, foster a community of service-minded individuals, and promote leadership development.", "description": "Alpha Phi Omega (APO) is a national coeducational service organization founded on the principles of leadership, friendship, and service. It provides its members the opportunity to develop leadership skills as they volunteer on their campus, in their community, to the nation, and to the organization. As a national organization founded in 1925, Alpha Phi Omega is the largest co-ed service fraternity in the world, with more than 500,000 members on over 375 campuses across the nation. Alpha Phi Omega is an inclusive group, open to all nationalities, backgrounds, and gender. APO provides the sense of belonging to a group while also providing service to the community by donating time and effort to various organizations. Our chapter partners with varied and diverse nonprofits in the Boston area. Some places we volunteer include Prison Book Program, Community Servings, Y2Y, National Braille Press, and the Boston Marathon. We also foster community through fellowship and leadership events.\r\nhttps://northeasternapo.com", - "num_members": 764, - "is_recruiting": "FALSE", + "num_members": 582, + "is_recruiting": "TRUE", "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", + "recruitment_type": "application", "tags": [ "Volunteerism", "CommunityOutreach", - "HumanRights", - "PublicRelations" + "Leadership", + "Service", + "Fellowship", + "HumanRights" ] }, { - "id": "8a59de4a-ae5c-4d5b-ad3c-43ec879fe864", + "id": "c6b5da00-6a21-4aca-bc6d-da4f65c40ce0", "name": "American Academy of Orthopedic Manual Physical Therapists Student Special Interest Group", "preview": "Develop skills in manual physical therapy & enhance use of current evidenced based manual physical therapy. AAOMPT sSIG serves to supplement the existing didactic education in the physical therapy curriculum to best prepare students for their future.", "description": "The American Academy of Orthopaedic Manual Physical Therapy (AAOMPT) is an organization that fosters learning and research in orthopedic manual physical therapy. The student special interest group (sSIG) encourages students to develop skills in manual physical therapy and enhance their use of current evidenced based manual physical therapy. Since the curriculum is only able to provide an introduction to manual therapy, this organization serves to supplement the existing didactic education to best prepare students for their co-operative education, clinical rotations, and future career.", - "num_members": 528, + "num_members": 348, "is_recruiting": "FALSE", "recruitment_cycle": "always", "recruitment_type": "unrestricted", "tags": [ "PhysicalTherapy", - "Biology", - "MedicalEducation", "Healthcare", - "StudentOrganization" + "StudentOrganization", + "Education", + "EvidenceBasedPractice" ] }, { - "id": "44f1377c-9337-46ed-9c61-8f6640c02ad6", + "id": "9eb69717-b377-45ee-aad5-848c1ed296d8", "name": "American Cancer Society On Campus at Northeastern University", "preview": "A student group on campus supported by the American Cancer Society that is dedicated to education raising awareness and bringing the fight against cancer to the Northeastern community. We do this in four major ways including; Advocacy, Education, Sur", "description": "A student group on campus supported by the American Cancer Society that is dedicated to education raising awareness and bringing the fight against cancer to the Northeastern community. We do this in four major ways including; Advocacy, Education, Survivorship, and Relay For Life.\r\n \r\nWe host many events throughout the year, including Kickoff, Paint the Campus Purple, a Luminaria Ceremony on Centennial Quad, Real Huskies Wear Pink, the Great American Smoke Out, and Relay For Life, in addition to attending off campus events.", - "num_members": 107, + "num_members": 966, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fallSpring", "recruitment_type": "application", "tags": [ - "Volunteerism", - "CommunityOutreach", - "EnvironmentalAdvocacy", - "Education", "Advocacy", + "Education", "Survivorship", - "RelayForLife" + "CommunityOutreach", + "Volunteerism", + "EnvironmentalAdvocacy", + "PublicRelations" ] }, { - "id": "8a321366-071a-400c-816a-62efc3a88d37", + "id": "04ad720a-5d34-4bb1-82bf-03bcbb2d660f", "name": "American College of Clinical Pharmacy Student Chapter of Northeastern University", "preview": "The objective of the ACCP chapter at Northeastern University is to improve human health by extending the frontiers of clinical pharmacy. Our mission is to concentrate on helping students understand the roles and responsibilities of various specialtie", "description": "The objective of the ACCP chapter at Northeastern University is to improve human health by extending the frontiers of clinical pharmacy. Our mission: Concentrate on helping students understand the roles and responsibilities of various specialties of the clinical pharmacist Explore all the opportunities that exist for students as future experts in this field Provide leadership, professional development, advocacy, and resources that enable student pharmacists to achieve excellence in academics, research, and experiential education Advance clinical pharmacy and pharmacotherapy through the support and promotion of research, training, and education.", - "num_members": 409, + "num_members": 436, "is_recruiting": "TRUE", - "recruitment_cycle": "fall", + "recruitment_cycle": "fallSpring", "recruitment_type": "application", "tags": [ - "ClinicalPharmacy", + "Biology", + "Chemistry", "Pharmacotherapy", - "Healthcare", - "ProfessionalDevelopment", - "Advocacy", "Research", - "Leadership", - "Education" + "ClinicalPharmacy", + "StudentChapter" ] }, { - "id": "4d343650-a48c-4ae6-80d9-101474bb5dde", + "id": "eaffd96d-f678-4c2e-8ca7-842c8e34d30b", "name": "American Institute of Architecture Students", "preview": "We are a resource to the students, the School of Architecture, and the community. We focus on providing students with more networking, leisure, and professional opportunities. We, the students, have the power to change the profession that we will ent", "description": "The American Institute of Architecture Students (AIAS) is an independent, nonprofit, student-run organization dedicated to providing unmatched progressive programs, information, and resources on issues critical to architecture and the experience of education. The mission of the AIAS is to promote excellence in architectural education, training, and practice; to foster an appreciation of architecture and related disciplines; to enrich communities in a spirit of collaboration; and to organize students and combine their efforts to advance the art and science of architecture. Learn more at: aias.org.\r\nFreedom by Design (FBD) constructs small service projects in the chapter’s community.\r\nThe Northeastern AIAS chapter offers many events throughout the school year that aim to meet the national mission. We host firm crawls that allow students to visit local firms in Boston and Cambridge to provide a sense of firm culture expectations and realities. It offers a mentorship program for upper and lower class students to meet and network, and provide a guide for lower class students as they begin in the architecture program. Northeastern’s chapter also host BBQ’s, game nights, and other architecture related events.", - "num_members": 943, + "num_members": 462, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fallSpring", "recruitment_type": "application", "tags": [ "Architecture", "CommunityOutreach", "Mentorship", - "Networking" + "Networking", + "Volunteerism" ] }, { - "id": "b10399e1-d4ed-4d72-b29f-692d43dc4bdb", + "id": "932ef793-9174-4f7c-a9ed-f8ec0c609589", "name": "American Institute of Chemical Engineers of Northeastern University", "preview": "American Institute of Chemical Engineers is a national organization that caters to the needs of Chemical Engineers. The organization fosters connections between Undergraduate students, Graduate students and Professions in the Chemical Engineering fie", "description": "American Insitute of Chemical Engineers is a national organization that caters to the needs of Chemical Engineers. The organization fosters connections between Undergraduate students, Graduate students and Professions in the Chemical Engineering field. AIChE exists to promote excellence in the Chemical Engineering profession. The organization also strives to promote good ethics, diversity and lifelong development for Chemical Engineers. We host informative and social events that include student panels, industry talks, lab tours, and a ChemE Department BBQ!\r\n \r\nWe also have a Chem-E-Car team that works on building and autonomous shoe box sized car powered by chemical reaction developed by students. On the day of competition we learn the distance the car has to travel and based on our calibration curves determine the quantity of reactants required for the car to travel that distance holding a certain amount of water.", - "num_members": 57, + "num_members": 756, "is_recruiting": "FALSE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ - "Chemistry", - "Engineering", - "Volunteerism", - "CommunityOutreach", - "Science", - "Technology" + "ChemicalEngineering", + "StudentOrganization", + "STEM", + "CommunityOutreach" ] }, { - "id": "43241e18-235f-4689-8d58-bdebf37e5fed", + "id": "ceb51c75-1fed-461e-94bd-fb2ae1cc5b96", "name": "American Society of Civil Engineers", "preview": "Northeastern University Student Chapter of the American Society of Civil Engineers", "description": "Founded in 1852, the American Society of Civil Engineers (ASCE) represents more than 145,000 members of the civil engineering profession worldwide and is America’s oldest national engineering society.\r\nNortheastern University's ASCE student chapter (NU ASCE) help their members develop interpersonal and professional relationships through a variety of extracurricular activities and community service projects within the field of civil and environmental engineering. Each week we hold a lecture presented by a different professional working in civil and environmental engineering careers. We work closely with a variety of civil and environmental engineering clubs and organizations, such as Engineers Without Borders (EWB), Steel Bridge Club, Concrete Canoe, the Institute of Transportation Engineers (ITE), Northeastern University Sustainable Building Organization (NUSBO), and New England Water Environmental Association (NEWEA); and we participate in the Concrete Canoe and Steel Bridge competitions. NU ASCE also coordinates with Chi Epsilon Civil Engineering Honor Society to organize tutoring for civil and environmental engineering students, and has helped with 30 years of community service projects.", - "num_members": 179, + "num_members": 327, "is_recruiting": "FALSE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", + "recruitment_cycle": "fallSpring", + "recruitment_type": "application", "tags": [ "CivilEngineering", - "CommunityService", + "CommunityOutreach", + "Volunteerism", "EnvironmentalScience", - "Networking", - "StudentOrganization" + "ProfessionalDevelopment" ] }, { - "id": "5338e4d2-07ed-46cc-a1c1-bf24d1a7b869", + "id": "b671c4ca-fb48-4ffd-b9be-1c9a9cd657d0", "name": "American Society of Mechanical Engineers", "preview": "We are a campus chapter of the American Society of Mechanical Engineers. We host weekly industry meetings from professionals across the field, workshops to gain hands-on skills, a Solidworks certification course, and more events for the MechE communi", "description": "We are a campus chapter of the American Society of Mechanical Engineers. We bring in representatives of companies and other professionals to talk to students about engineering companies as well as new and upcoming information/technology in the field. It is a great way to make connections and explore your future career. We also teach an advanced 3D modeling training course (SolidWorks) to better prepare students for their Co-ops. We aim to help students grow as professionals, gain experience, and build a healthy resume.", - "num_members": 370, + "num_members": 43, "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", + "recruitment_cycle": "fall", + "recruitment_type": "application", "tags": [ "MechanicalEngineering", "Engineering", "Networking", + "CareerDevelopment", + "Technology", "ProfessionalDevelopment" ] }, { - "id": "7f1ac3a4-44af-4313-9f19-0f530bf61c4e", + "id": "94d09445-715c-4618-9d59-de4d52e33bb3", "name": "Anime of NU", "preview": "Twice every week, we watch and discuss Japanese anime and culture. This is a club where you come, watch a couple of episodes, laugh and cry with everyone, then chat about it afterward. \r\n\r\nMake sure to join our discord: https://discord.gg/pwrMBptJ3m", "description": "Do you like stories of traveling to a new world and defeating villains? How about stories of love and sacrifice? Maybe you're more into suspense and drama? At Anime of NU, we offer all of that and more! We are a club with one simple objective: to watch and discuss Japanese anime and culture. Every week, we watch a slice-of-life (typically more humorous, romantic, and/or heartfelt) and action (do we need to explain what \"action\" is?) anime, and we also throw in some seasonal movies and activities. We also act as a social space for members. This is a club where you come, watch a couple of episodes, laugh and cry with everyone, then chat about it afterward. It's a fun time for the whole family!\r\n---\r\nTime and locations coming soon!\r\nMake sure to join us in Discord here so you can get all the updates and vote on which shows we'll watch!", - "num_members": 755, + "num_members": 302, "is_recruiting": "FALSE", - "recruitment_cycle": "fall", + "recruitment_cycle": "fallSpring", "recruitment_type": "application", "tags": [ - "Anime", - "JapaneseCulture", - "Community", - "SocialSpace", - "SliceOfLife", - "Action", - "Humor", - "Romance" + "AsianAmerican", + "VisualArts", + "CreativeWriting", + "Music", + "CommunityOutreach" ] }, { - "id": "687b0872-4109-4910-a3bc-804e0ff785a9", + "id": "4f13622f-446a-4f62-bfed-6a14de1ccf87", "name": "Arab Students Association at Northeastern University", "preview": "Our purpose is to bring Arab students attending Northeastern University together to create connections and friendships. Also, we raise awareness about Arabs' diverse and unique cultures, values, and customs within the entire Northeastern Community.", "description": "Arab Students Association at Northeastern University looks to create a space for students of Arab backgrounds, as well as those who seek to create connections with the Arab culture and world, to mingle and meet one another. We also look to bring all Arab students attending Northeastern University together and make them raise awareness of their diverse and unique cultures, values, and customs within the entire Northeastern Community. Also, the ASA will provide its members, both Arab and non-Arab, with the needed academic and career support in order for them to excel and succeed.", - "num_members": 389, - "is_recruiting": "TRUE", + "num_members": 28, + "is_recruiting": "FALSE", "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ - "Arab Students", + "Islam", "CommunityOutreach", - "Diverse Cultures", - "Academic Support", - "Cultural Awareness" + "HumanRights", + "Volunteerism", + "PublicRelations" ] }, { - "id": "43e65fc8-8fa9-4825-9f6c-ff7b835b2f04", + "id": "d507318e-7b37-4750-83c0-163ccd4ef946", "name": "Armenian Student Association at Northeastern University", "preview": "ASANU brings together Armenian students within Northeastern University and its nearby schools. It works to introduce Armenian history, language, music, dance, and current events to all its members in an effort to preserve the culture through educatio", "description": "ASA brings together the Armenian students within Northeastern University. It introduces Armenian history, language, music, dance, current events, and food to all Armenian and non-Armenian members of the University. Additionally, ASA works closely with the ASA groups with other colleges in the Boston area including BU, BC, Bentley, MCPHS, Tufts, Harvard, and MIT, but we are not directly affiliated with them.\r\nIf you are at all interested in joining or would like to learn more about what we do, please feel free to reach out to the E-Board at asa@northeastern.edu or find us on instagram @asanortheastern", - "num_members": 579, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", - "recruitment_type": "application", + "num_members": 727, + "is_recruiting": "TRUE", + "recruitment_cycle": "fallSpring", + "recruitment_type": "unrestricted", "tags": [ - "CulturalExchange", + "ArmenianCulture", "CommunityOutreach", - "History", - "Language", - "Food" + "InternationalRelations", + "Diversity", + "Food", + "History" ] }, { - "id": "13d0e2e3-58a6-4d25-8141-09470414f0ff", + "id": "36f7fa45-c26c-498a-8f63-f48464d97682", "name": "Art Blanche at NEU", "preview": "Art Blanche provides space for everyone to express their visions and ideas through art (painting, drawing, doodling, etc), aka weekly hang-out with other creative and artistic people. Skills & experience do not matter as long as you are open-minded.", "description": "Art Blanche is an art club at NEU that provides art enthusiasts unlimited options to express their creativity. We want to unite everyone interested in creating art and arrange a place where students can express themselves through any fine art. We welcome any 2D and 3D media. We want to give proficient artists a chance to improve their skills through communication and help from other fellow-artists. We will arrange \"critique rounds,\" where we would discuss each other's work and share tips and tricks.\r\nApart from having proficient artists, we also welcome newcomers interested in learning how to do art and express their voice through the art form. By inviting professional artists and students to teach and lecture at our club, newcomers as well as more proficient artist will be able to develop and improve their own style. \r\nWe will organize \"life drawing \" sessions to do figure studies. Having the Museum of Fine Arts right around the corner we will take advantage of it to seek inspiration for our own work by arranging visits and guiding a group discussion. \r\nAt the end of each semester we will arrange student exhibitions presenting work created during the last months.", - "num_members": 906, + "num_members": 816, "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", + "recruitment_cycle": "spring", + "recruitment_type": "application", "tags": [ "VisualArts", "CreativeWriting", - "PerformingArts", - "LGBTQ", - "CommunityOutreach" + "CommunityOutreach", + "Film" ] }, { - "id": "5722a3b7-e42d-4275-865e-282cba8484ac", + "id": "88326fe6-1683-4bcc-b01e-4eed7b9ecbfe", "name": "Art4All", "preview": "Art4All is committed to giving every student an equitable opportunity to foster their creativity. Our free Boston-based virtual mentoring programs and community partnerships view students first and foremost as creators, building more resources for al", "description": "Art4All believes the key to addressing these inequities relies on supporting students and their pursuits at the community and individual level. All our resources are tailored to incorporate the ACE model, which serves as the three main values of Art4All’s mission: accessibility, creativity, and education. Our free Boston-based virtual mentoring programs and community partnerships view students first and foremost as creators — each with unique and individual challenges that require personalized guidance and support. Art4All also organizes arts-based fundraisers and student exhibitions, giving students a quality means and open platform to confidently express their art to the communities. We work in collaboration with EVKids and other community partners. ", - "num_members": 421, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", + "num_members": 690, + "is_recruiting": "TRUE", + "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "VisualArts", "CreativeWriting", "CommunityOutreach", - "EnvironmentalAdvocacy" + "Volunteerism", + "HumanRights" ] }, { - "id": "98bf6535-e17f-4107-ab94-a030fb23f364", + "id": "462f3a2f-3b06-4059-9630-c399062f2378", "name": "Artificial Intelligence Club", "preview": "Step into the world of artificial intelligence where learning knows no bounds. Join us to explore, create, and innovate through projects, discussions, and a community passionate about the limitless potential of AI and its responsible and ethical use.", - "description": "Welcome to the Artificial Intelligence Club, where curiosity meets innovation. Delve into the fascinating world of AI, where learning is endless and creativity knows no boundaries. Our vibrant community invites you to embark on a journey of exploration, collaboration, and discovery. Engage in hands-on projects, lively discussions, and connect with like-minded individuals who share a passion for the transformative power of artificial intelligence. Together, we strive to unlock the full potential of AI while promoting its conscientious and ethical application in the world. Join us in shaping the future with cutting-edge technology and boundless possibilities!", - "num_members": 578, + "description": "Welcome to the Artificial Intelligence Club, where you can embark on an exciting journey into the realm of artificial intelligence. Our club is a vibrant hub for those curious minds eager to delve into the endless possibilities AI offers. Through engaging projects, thought-provoking discussions, and a supportive community, we aim to foster creativity, innovation, and a deep understanding of the responsible and ethical applications of AI. Join us in shaping the future through exploration, collaboration, and a shared passion for the diverse facets of artificial intelligence!", + "num_members": 468, "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", + "recruitment_cycle": "fall", + "recruitment_type": "unrestricted", "tags": [ "ArtificialIntelligence", "DataScience", "SoftwareEngineering", - "Mathematics", - "Neuroscience", - "CommunityOutreach", - "CreativeWriting", - "PublicRelations" + "Technology", + "STEM" ] }, { - "id": "1de32d78-ac0a-4210-b002-2b120282870e", + "id": "80d516fa-748d-4400-9443-0e2b7849b03f", "name": "Artistry Magazine", "preview": "Artistry Magazine is an online and print publication that features articles and student artwork related to any and all forms of art and culture. We welcome all into our community\u00a0and encourage students to engage with the arts and the city of Boston.", "description": "Artistry Magazine is an online and print publication that features articles and student artwork related to any and all forms of art and culture. We welcome all into our community and encourage students to engage with the arts on Northeastern's campus and throughout the city of Boston. We are always looking for talented writers, photographers, and designers to work on web content as well as the semesterly magazine. Check out our website and social media to learn more about the organization and how to get involved and click here to read our latest issue!", - "num_members": 905, + "num_members": 501, "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", + "recruitment_cycle": "spring", + "recruitment_type": "application", "tags": [ - "VisualArts", "CreativeWriting", + "VisualArts", "Journalism", - "Broadcasting" + "CommunityOutreach" ] }, { - "id": "d5f4721e-5e7e-4e74-a2d9-3590db0fecb6", + "id": "2f0f69a5-0433-4d62-b02a-8081895e8f69", "name": "Asian American Center (Campus Resource)", "preview": "The Asian American Center at Northeastern seeks to establish a dynamic presence of the Asian American community at the University. The role of the Center at Northeastern is to ensure the development and enhancement of the University\u2019s commitment to t", "description": "The Asian American Center at Northeastern seeks to establish a dynamic presence of the Asian American community at the University. The role of the Center at Northeastern is to ensure the development and enhancement of the University’s commitment to the Asian American community. In providing the Asian American community a vehicle for increasing visibility on campus, the Center aims to support student exploration of social identity development and empower students to take an active role in shaping their experiences at Northeastern. To that end, the Center strives to promote continued dialogue on the rich diversity and complexity of the Asian American experience, and how that complexity manifests itself in various aspects of life within and outside of the University.", - "num_members": 799, + "num_members": 36, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fallSpring", "recruitment_type": "application", "tags": [ "AsianAmerican", "CommunityOutreach", "HumanRights", - "SocialIdentity", - "CreativeWriting" + "Soccer", + "Journalism" ] }, { - "id": "b15d73a1-3e31-42e6-83d4-0d5c2290a4a5", + "id": "4c8fe4dd-d1df-46b0-a317-3b11dbde5f62", "name": "Asian Pacific American Law Student Association", "preview": "The Asian Pacific American Law Students Association (APALSA) is an organization for Asian American and Pacific Islander (AAPI) students at Northeastern University School of Law, including Native Hawaiian, Pacific Islander, South Asian, Southeast Asia", "description": "The Asian Pacific American Law Students Association (APALSA) is an organization for Asian American and Pacific Islander (AAPI) students at Northeastern University School of Law, including Native Hawaiian, Pacific Islander, South Asian, Southeast Asian, East Asian, mixed-race and other students who identify under the AAPI umbrella. In addition to providing a social and academic support network for AAPI students at the law school, APALSA is active both in the Boston community and on campus. APALSA works with the law school administration and other student organizations, and is represented on the Admissions Committee and the Committee Against Institutional Racism (CAIR). Throughout the year, APALSA hosts various social, educational and professional events for both AAPI law students and law students in general.", - "num_members": 105, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", + "num_members": 560, + "is_recruiting": "TRUE", + "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "AsianAmerican", "CommunityOutreach", - "HumanRights", - "Volunteerism" + "Volunteerism", + "HumanRights" ] }, { - "id": "f8603340-68fa-48a1-b59d-20ec100d89bc", + "id": "6639903c-fc70-4c60-b7dc-7362687f1fcc", "name": "Asian Student Union", "preview": "We are a student organization that strives towards culturally sensitive advising, advocacy, services, programs, and resources for the Asian-American students of Northeastern University as well as the neighboring area.", "description": "We are a community that strives towards culturally sensitive advising, advocacy, services, programs, and resources for the Asian American students of Northeastern University as well as the neighboring area. This organization provides resources for prospective, current or alumni students, offering insight into the Asian American community and experience at Northeastern. We strive in promoting Asian American Spirit, Culture and Unity.", - "num_members": 444, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", + "num_members": 650, + "is_recruiting": "FALSE", + "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "AsianAmerican", "CommunityOutreach", - "CulturalAwareness", - "HumanRights" + "CulturalAdvising", + "Volunteerism" ] }, { - "id": "054b39d8-9bea-462e-9d92-5eb4f0d4ee5f", + "id": "1efe34c1-0407-4194-ab48-a502027b82ee", "name": "ASLA Adapt", "preview": "Northeastern University's only organization centered on landscape design! Advocate for climate action and environmental justice while exploring landscape architecture and adjacent topics.", "description": "Adapt is Northeastern’s organization centered on urban landscape design and the professional association for Landscape Architecture students. As a student affiliate chapter of the American Society of Landscape Architects (ASLA) we are working towards growing our department and getting it accredited, advocating for climate action and environmental justice, networking with environmental designers, and encouraging the adaptation of landscape architecture to our ever-changing world. Join us in exploring topics regarding landscape architecture, ecology, environmental science/engineering, urban planning, and related fields! An interest in the landscape is all that is needed to participate, all majors welcome!", - "num_members": 797, + "num_members": 272, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fallSpring", "recruitment_type": "application", "tags": [ "EnvironmentalScience", - "HumanRights", - "CommunityOutreach", - "Volunteerism", - "ArtificialIntelligence" + "UrbanPlanning", + "Networking", + "ClimateAction", + "Ecology" ] }, { - "id": "cc97fea9-3466-4c5d-9777-f296dbe0df2f", + "id": "99056e3a-ef6e-4af9-8d46-6ecfa2133c63", "name": "Aspiring Product Managers Club", "preview": "Aspiring Product Managers Club at Northeastern University aims to bring like-minded individuals who want to learn more about Product and eventually break into the Product Management domain.", "description": "Aspiring Product Managers Club at Northeastern University aims to bring like-minded individuals who want to learn more about Product and eventually break into the Product Management domain.\r\nTill today we have conducted 80+ events with 800+ participants where our events were broadly classified as – meetups, Mock Interviews, Workshops, Speaker Series, and Case Study.\r\nThis spring 2024 semester, we plan to bring several upgrades to our flagship programs and several new engaging programs for our members!\r\nWe are expanding and have started working on real-time products with members as product managers. Come join us to get a slice of a product manager's life!\r\n ", - "num_members": 457, + "num_members": 265, "is_recruiting": "TRUE", - "recruitment_cycle": "spring", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ "SoftwareEngineering", "DataScience", - "CommunityOutreach", - "Workshops" + "Networking", + "Workshops", + "SpeakerSeries", + "ProductManagement" ] }, { - "id": "b4908168-6366-4748-ba1e-b8d4b64c0889", + "id": "090c4686-d0a8-40ea-ab9d-417858cec69f", "name": "Association of Latino Professionals for America", "preview": "ALPFA, founded in 1972, stands for the Association of Latino Professionals For America. ALPFA is a national non-profit organization that has become the largest Latino Association for business professionals and students with more than 21,000 members\u00a0", "description": "ALPFA, founded in 1972, stands for the Association of Latino Professionals For America. ALPFA is a national non-profit organization that has become the largest Latino Association for business professionals and students with more than 21,000 members nationwide (this includes 43 professional and over 135 student chapters). ALPFA serves as the catalyst connecting professionals with decision makers at Fortune 1000 partners and other corporate members seeking diverse opportunities. In addition, ALPFA has developed various events at a local and national level to prepare students from college to career-ready professionals through mentorship, leadership training and development, job placement and community volunteerism. ALPFA-NU was officially recognized in February of 2014 and has successfully become the first student chapter in the city of Boston to continue the growth of the organization with the mission to empower the growth of diverse leaders through networking, professional development, and career opportunities with our corporate sponsors.", - "num_members": 17, + "num_members": 78, "is_recruiting": "FALSE", - "recruitment_cycle": "always", + "recruitment_cycle": "fall", "recruitment_type": "unrestricted", "tags": [ "LatinAmerica", - "Volunteerism", "CommunityOutreach", - "LeadershipTraining", - "HumanRights" + "Networking", + "ProfessionalDevelopment", + "LeadershipTraining" ] }, { - "id": "ee6e28ab-d183-4fb0-b709-be176709df0c", + "id": "3d55e6e2-74bc-41da-bc4d-db75b05afd43", "name": "Baja SAE Northeastern", "preview": "NU Baja is a student-run competition team that designs, builds, and races a single-seat, off-road vehicle. Our team members learn valuable skills in design, manufacturing, and leadership. Visit our website to learn more and join the mailing list!\r\n", "description": "NU Baja is for anyone interested in learning by doing. We are a close-knit team that designs, builds, and races a vehicle from the ground up. Our team members learn the engineering design cycle, CAD, manufacturing techniques, management skills, and leadership qualities. We welcome new members at any experience level! \r\nEvery year, our team races a high-performance vehicle in national Baja SAE collegiate design competitions. The challenges include rock crawls, hill climbs, and a grueling four-hour endurance race. We are a group of highly motivated (mostly) engineers that work together to create a vehicle capable of withstanding these obstacles and outperforming hundreds of other colleges from around the world. \r\nIf this sounds like something that interests you, please sign up for our mailing list! Mailing List Signup\r\nBaja Promo Video", - "num_members": 635, + "num_members": 277, "is_recruiting": "FALSE", - "recruitment_cycle": "spring", - "recruitment_type": "application", + "recruitment_cycle": "fall", + "recruitment_type": "unrestricted", "tags": [ "MechanicalEngineering", - "ManufacturingTechniques", - "EngineeringDesignCycle", - "LeadershipQualities", - "HighPerformanceVehicle", - "EnduranceRace", + "EngineeringDesign", + "Racing", "Teamwork", - "DesignCompetition" + "Leadership" ] }, { - "id": "75ae6ce3-73a3-4ad1-a185-51cba81b14fb", + "id": "cd5983f5-b1e9-4e5e-b948-e04915a22f64", "name": "Bake It Till You Make It", "preview": "Bake It Till You Make It aims to cultivate an inclusive community for students to share and expand their love of baking!", "description": "Bake It Till You Make It is an organization to bring students together who have an interest or passion for baking. Whether you're a seasoned pastry chef or a novice in the kitchen, our club provides a space to explore the art of baking, share delicious recipes, and foster a love for all things sweet. Come join us, and let's bake memories together!", - "num_members": 373, - "is_recruiting": "TRUE", + "num_members": 719, + "is_recruiting": "FALSE", "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", + "recruitment_type": "application", "tags": [ - "Baking", + "VisualArts", "CreativeWriting", "CommunityOutreach" ] }, { - "id": "81e694f3-beb7-45bf-90fd-02ae7a368dba", + "id": "7c8dd808-ee6f-4057-838b-3fde54fb3389", "name": "BAPS Campus Fellowship", "preview": "BCF meets weekly for discussion based on BAPS Swaminarayan concepts and teachings. Students discuss topics that affect them in college and will be able to learn to balance their life as college student while practicing the Hindu faith.", "description": "Through youth group discussions, campus events, and community service projects, students will have the opportunity to introduce the Hindu faith to the rest of the NEU community!", - "num_members": 949, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", + "num_members": 418, + "is_recruiting": "TRUE", + "recruitment_cycle": "fallSpring", "recruitment_type": "unrestricted", "tags": [ "Hinduism", "CommunityOutreach", "Volunteerism", - "EnvironmentalAdvocacy" + "PublicRelations" ] }, { - "id": "9196ab50-fec4-47c2-ab96-5fd8e0cf5357", + "id": "25e9b53e-f0aa-4108-9da2-9a3ce4727293", "name": "Barkada", "preview": "NU Barkada is NEU's Filipino culture organization. Our mission is to promote diversity and fellowship by sharing the richness of Filipino heritage through member and community engagement in cultural, educational, and social activities.", "description": "Northeastern University's Barkada began as a small group of Filipino/Filipino-American students who aspired to have their culture recognized at the university. They wanted to have an organization that united people who embrace Filipino culture and wish to spread it through cultural, educational, and social activities. With hard work, dedication, and the aid of their club advisor Dean Perkins, Barkada became an official NU organization on January 26, 1998. Throughout its years as an established student organization, NU Barkada has grown to become a bigger family than its founders had ever imagined. However, the organization still holds true to the guidelines and values set forth by its founders, and continues to build upon their strong foundation. \"Barkada\" is a word from the one of the main Filipino languages, Tagalog, which means \"group of friends.\" We embrace each and every one of our members as not only friends, but family, as well.\r\nNU Barkada's logo, from one aspect, resembles the Nipa Hut, a bamboo shelter built in the rural, coastal areas of the Philippines. Barkada, like the Nipa Hut, provides its members with support and is built to withstand adverse conditions, day-in and day-out. Sheltered within the Nipa Hut beneath the sun and the moon, the flag of the Philippines symbolizes the rich Filipino culture from which Barkada draws its roots. The logo also resembles two people, hand-in-hand, dancing Tinikling, a Filipino cultural dance. This encompasses one of the primary goals of NU Barkada, which is to educate others about the Filipino culture and try to bridge the gap that separates people from different walks of life.Keep up with us at all of our social medias, which are linked below! Peace, Love, Barkada! \u2764\ufe0f", - "num_members": 30, - "is_recruiting": "FALSE", + "num_members": 853, + "is_recruiting": "TRUE", "recruitment_cycle": "spring", "recruitment_type": "application", "tags": [ "AsianAmerican", "CommunityOutreach", "PerformingArts", - "Journalism" + "VisualArts", + "Volunteerism" + ] + } + ], + "events": [ + { + "id": "cbb7c083-271e-4756-a738-deb4bf322094", + "club_id": "9231a677-ee63-4fae-a3ab-411b74a91f09", + "name": "Event for (Tentative ) Linguistics Club", + "preview": "This club is holding an event.", + "description": "Join us for an exciting evening of linguistic exploration at our Phonetics Workshop! Led by a guest speaker with expertise in phonetics, this hands-on workshop will delve into the fascinating world of speech sounds. Whether you're a seasoned linguistics major or simply curious about the mechanics of language, this event is perfect for all levels of interest. Get ready to practice phonetic transcription, learn about different speech sounds from around the world, and engage in lively discussions with fellow language enthusiasts. Snacks and refreshments will be provided, so come along for a fun and educational experience with the Linguistics Club!", + "event_type": "hybrid", + "start_time": "2024-07-21 12:15:00", + "end_time": "2024-07-21 15:15:00", + "tags": [ + "CommunityOutreach", + "VisualArts" + ] + }, + { + "id": "a395dc08-dc7c-4491-86eb-2a9c4e437c19", + "club_id": "9231a677-ee63-4fae-a3ab-411b74a91f09", + "name": "Event for (Tentative ) Linguistics Club", + "preview": "This club is holding an event.", + "description": "Join the Linguistics Club for an engaging workshop on phonetic transcription techniques! Whether you're a seasoned linguistics major or someone just starting to explore the field, this event is designed to be inclusive and educational for all. Dive into the fascinating world of speech sounds with hands-on activities and guidance from experienced club members. Don't miss this opportunity to improve your skills and connect with fellow language enthusiasts in a fun and welcoming environment!", + "event_type": "hybrid", + "start_time": "2024-08-08 23:30:00", + "end_time": "2024-08-09 01:30:00", + "tags": [ + "CreativeWriting" + ] + }, + { + "id": "c535afcb-1269-4125-9f67-fbcd953478d0", + "club_id": "9231a677-ee63-4fae-a3ab-411b74a91f09", + "name": "Event for (Tentative ) Linguistics Club", + "preview": "This club is holding an event.", + "description": "Join the (Tentative) Linguistics Club for an engaging evening of linguistic exploration at our upcoming Phonetics Workshop! Whether you're a seasoned phonetics pro or brand new to the world of phonetic transcription, this workshop is designed to be fun and informative for all. Dive into the fascinating world of articulatory phonetics, learn key transcription symbols, and practice transcribing words in a supportive and inclusive environment. Bring your questions, curiosity, and enthusiasm, and get ready to improve your phonetic skills while bonding with fellow language enthusiasts. This hands-on workshop promises to be a fantastic opportunity for students of all backgrounds to deepen their understanding of linguistics in a welcoming setting. We can't wait to see you there!", + "event_type": "virtual", + "start_time": "2025-02-06 15:00:00", + "end_time": "2025-02-06 19:00:00", + "tags": [ + "PerformingArts", + "VisualArts" + ] + }, + { + "id": "977ac58a-98a8-4030-bf3d-d2f46262fcef", + "club_id": "5a22f67a-506f-447d-b014-424cab9adc14", + "name": "Event for Adopted Student Organization", + "preview": "This club is holding an event.", + "description": "Join us for an engaging panel discussion at the Adopted Student Organization's upcoming event where adoptees from diverse backgrounds will share their unique adoption journeys. This interactive session will provide valuable insights into the complexities and triumphs of adoption, creating a supportive environment for open dialogue and shared experiences. Whether you're an adoptee, a prospective adoptive parent, or simply curious about adoption, this event promises to be enlightening and inspiring for all attendees. Come connect with our community and gain a deeper understanding of the impact of adoption on individuals and society as a whole.", + "event_type": "in_person", + "start_time": "2026-11-09 12:30:00", + "end_time": "2026-11-09 14:30:00", + "tags": [ + "CreativeWriting" + ] + }, + { + "id": "28292af9-36c3-4b23-8294-1a3565a6d7db", + "club_id": "5a22f67a-506f-447d-b014-424cab9adc14", + "name": "Event for Adopted Student Organization", + "preview": "This club is holding an event.", + "description": "Join the Adopted Student Organization for an engaging evening of storytelling and discussion at our upcoming event, 'Adoption Tales: Sharing Our Journeys'. We invite adoptees, adopted parents, and anyone curious about adoption to come together in a supportive environment where heartfelt stories are shared, and unique perspectives are celebrated. Through open dialogue and respectful exchanges, we aim to deepen understanding and connections within the adoptee community while shedding light on the diverse experiences that shape our identities. Whether you're an adoptee eager to connect with like-minded individuals or someone looking to learn more about adoption, this event promises to be a welcoming space where stories are honored, voices are heard, and bonds are formed. Let's come together to embrace our shared journeys and inspire each other to embrace the richness of being part of the adoptee community.", + "event_type": "in_person", + "start_time": "2024-11-07 18:15:00", + "end_time": "2024-11-07 22:15:00", + "tags": [ + "HumanRights" + ] + }, + { + "id": "71b2fe36-201c-467f-9edc-72f2c4dbce6d", + "club_id": "e90b4ec8-1856-4b40-8c40-e50b694d10de", + "name": "Event for Automotive Club", + "preview": "This club is holding an event.", + "description": "Join the Automotive Club for an unforgettable evening of classic car showcase and appreciation, where seasoned collectors mingle with newcomers eager to learn and share their love for automobiles. Discover the intricate stories behind vintage models and modern marvels as passionate members recount their journeys of restoration and customisation. Engage in lively discussions on the evolution of automotive design, technology, and performance, guided by knowledgeable enthusiasts who bring a wealth of experience and expertise to the conversations. Whether you're a devoted gearhead or a curious newcomer, this event promises to inspire, educate, and connect you with like-minded individuals who share your enthusiasm for all things automotive.", + "event_type": "hybrid", + "start_time": "2025-02-24 22:30:00", + "end_time": "2025-02-25 02:30:00", + "tags": [ + "CommunityOutreach", + "Automotive" + ] + }, + { + "id": "d8a6184a-963a-4ca1-b253-0115398529ef", + "club_id": "c79371ac-d558-463a-b73a-b8b3d642f667", + "name": "Event for Baltic Northeastern Association", + "preview": "This club is holding an event.", + "description": "Join us at Baltic Northeastern Association's upcoming event to immerse yourself in the vibrant culture of the Baltic countries! This week, we will be hosting a special cooking session where you can learn how to prepare traditional Baltic dishes while bonding with fellow members. Whether you're a seasoned chef or a novice in the kitchen, this event is a wonderful opportunity to connect, learn, and savor the flavors of the Baltics. Don't miss out on this chance to experience the warmth and richness of our community through the art of cooking!", + "event_type": "virtual", + "start_time": "2025-04-13 22:15:00", + "end_time": "2025-04-13 23:15:00", + "tags": [ + "CommunityOutreach", + "PerformingArts", + "Language" + ] + }, + { + "id": "3fa19d1a-5802-453d-bc23-0e901eb11d2f", + "club_id": "c79371ac-d558-463a-b73a-b8b3d642f667", + "name": "Event for Baltic Northeastern Association", + "preview": "This club is holding an event.", + "description": "Join us at the Baltic Northeastern Association's upcoming event for an exciting exploration of Baltic cuisine! Delve into the flavors and traditions of the Baltic countries as we come together to prepare and savor delicious dishes such as cepelinai, herring salad, and \u0161akotis. Whether you're a seasoned chef or a novice in the kitchen, this event promises a fun and interactive experience where you can learn, cook, and taste the richness of Baltic culinary heritage. Don't miss out on this unique opportunity to bond over food and culture with fellow students passionate about the Baltic region!", + "event_type": "virtual", + "start_time": "2025-06-22 18:15:00", + "end_time": "2025-06-22 20:15:00", + "tags": [ + "International", + "CommunityOutreach" + ] + }, + { + "id": "0856a62e-4ede-44f8-8edb-23f375775bdd", + "club_id": "c79371ac-d558-463a-b73a-b8b3d642f667", + "name": "Event for Baltic Northeastern Association", + "preview": "This club is holding an event.", + "description": "Join us this Friday for our weekly meeting at the Baltic Northeastern Association where we will immerse ourselves in the rich and vibrant culture of the Baltic countries. In this session, we will be showcasing traditional Baltic cuisine, engaging in lively discussions about our unique heritage, and even learning a few Baltic dance moves. Whether you're from the Baltic region or simply curious about our culture, all are welcome to come together, connect, and celebrate the charm of the North East in a warm and welcoming environment.", + "event_type": "virtual", + "start_time": "2026-09-17 22:30:00", + "end_time": "2026-09-17 23:30:00", + "tags": [ + "CommunityOutreach", + "PerformingArts", + "Cultural", + "Language", + "International" + ] + }, + { + "id": "9e63bfa1-1d15-42f7-9893-fdefbf1a7818", + "club_id": "b6c13342-3ddf-41b6-a3a0-a6d8f1878933", + "name": "Event for Bangladeshi Organization of Networking, Diversity, Heritage, Unity and Support", + "preview": "This club is holding an event.", + "description": "Join us for our upcoming Eid celebration, where we will come together to commemorate this joyous occasion with traditional Bangladeshi customs, delicious food, and vibrant cultural performances. This event is open to all members, providing a warm and inclusive space to connect, share, and learn about the rich heritage of Bangladesh. Whether you are a Bangladeshi international student, a diaspora-born member, or simply interested in our culture, this festive gathering promises to be a memorable experience filled with laughter, friendship, and a deep sense of community spirit.", + "event_type": "in_person", + "start_time": "2026-08-08 18:30:00", + "end_time": "2026-08-08 20:30:00", + "tags": [ + "AsianAmerican" + ] + }, + { + "id": "d3e1f0c7-cc83-4659-b5fa-78d54190da75", + "club_id": "b6c13342-3ddf-41b6-a3a0-a6d8f1878933", + "name": "Event for Bangladeshi Organization of Networking, Diversity, Heritage, Unity and Support", + "preview": "This club is holding an event.", + "description": "Join us for an exciting Cultural Celebrations event where we will immerse ourselves in the beauty of Bangladeshi culture, honoring significant events like Pohela Boishakh (New Year's Day), Ekushe February (International Mother Language Day), and Shadhinota Dibosh (Independence Day). Experience the rich traditions, vibrant colors, and heartfelt celebrations that define our heritage. Whether you are Bangladeshi or simply interested in learning more about our culture, this event is open to all who want to share in the joy and festivities of our community. Come celebrate with us and be part of a truly inclusive and uplifting experience!", + "event_type": "hybrid", + "start_time": "2026-02-08 18:30:00", + "end_time": "2026-02-08 22:30:00", + "tags": [ + "Collaborations", + "CommunityOutreach", + "AsianAmerican" + ] + }, + { + "id": "787742bf-2a56-4b2a-bbaf-abe1c88beb5b", + "club_id": "b6c13342-3ddf-41b6-a3a0-a6d8f1878933", + "name": "Event for Bangladeshi Organization of Networking, Diversity, Heritage, Unity and Support", + "preview": "This club is holding an event.", + "description": "Join us for our upcoming Cultural Celebration event where we will immerse ourselves in the vibrant traditions of Bangladesh by honoring significant events such as Pohela Boishakh, Ekushe February, and Shadhinota Dibosh. Experience the rich cultural heritage, delicious cuisine, and warm camaraderie as we come together to celebrate these important milestones in a welcoming and inclusive environment. Whether you are a Bangladeshi student, a member of the diaspora, or simply curious about our culture, this event is a fantastic opportunity to connect, learn, and share in the joy of our shared heritage.", + "event_type": "hybrid", + "start_time": "2026-12-14 22:15:00", + "end_time": "2026-12-15 02:15:00", + "tags": [ + "CulturalCelebrations", + "FoodBasedEvents", + "Collaborations", + "AsianAmerican", + "CommunityOutreach" + ] + }, + { + "id": "4870910d-7675-4dc8-a5c1-b79f95b36606", + "club_id": "0a053cdf-f824-4854-9fa8-a326fa36f779", + "name": "Event for Binky Patrol", + "preview": "This club is holding an event.", + "description": "Join Binky Patrol for our monthly Blanket Making Party! This is a fun and heartwarming event where club members come together to create cozy blankets for children in need. Whether you're a seasoned crafter or a complete beginner, everyone is welcome to join in the crafting fun. We'll provide all the materials needed, along with guidance from experienced members to help you get started. Come meet new friends, share stories, and make a difference in a child's life by creating something special with your own hands. Refreshments will be served, so all you need to bring is your creativity and enthusiasm! Don't miss this opportunity to spread warmth and love - RSVP on our Slack channel to secure your spot!", + "event_type": "in_person", + "start_time": "2024-06-05 19:30:00", + "end_time": "2024-06-05 23:30:00", + "tags": [ + "HumanRights", + "Volunteerism", + "VisualArts" + ] + }, + { + "id": "14a8399b-a13a-47a5-a35e-a82c4fd6d0a4", + "club_id": "0df7841d-2269-461f-833f-d6f8b7e98fdf", + "name": "Event for Biokind Analytics Northeastern", + "preview": "This club is holding an event.", + "description": "Join Biokind Analytics Northeastern for an engaging Data for Good Workshop, where students will have the opportunity to collaborate with local healthcare nonprofits in the Boston region to make a real impact in our community. Learn how to leverage your data analysis skills for social good and connect with like-minded peers who are passionate about using data for positive change. Whether you're a beginner or experienced in data analysis, this event is the perfect chance to learn, grow, and contribute to meaningful projects that benefit our local healthcare sector.", + "event_type": "in_person", + "start_time": "2024-03-20 19:15:00", + "end_time": "2024-03-20 23:15:00", + "tags": [ + "Volunteerism", + "CommunityOutreach", + "DataScience" + ] + }, + { + "id": "044ecd2d-8c74-4ba5-add8-13ad449fe237", + "club_id": "0df7841d-2269-461f-833f-d6f8b7e98fdf", + "name": "Event for Biokind Analytics Northeastern", + "preview": "This club is holding an event.", + "description": "Join us for our upcoming Data for Good Workshop where we will collaborate with local healthcare non-profits to analyze real-world data and make a positive impact in the Boston community. This hands-on event is a great opportunity for Northeastern students to apply their data analysis skills in a meaningful way while building relationships with industry professionals. Whether you're a seasoned data analyst or just starting out, this workshop welcomes all skill levels and backgrounds. Come be a part of our mission to use data for a better tomorrow!", + "event_type": "virtual", + "start_time": "2026-06-22 20:15:00", + "end_time": "2026-06-23 00:15:00", + "tags": [ + "Healthcare", + "CommunityOutreach", + "DataScience" + ] + }, + { + "id": "cec57467-8016-4e3a-91db-7d7371530a73", + "club_id": "0df7841d-2269-461f-833f-d6f8b7e98fdf", + "name": "Event for Biokind Analytics Northeastern", + "preview": "This club is holding an event.", + "description": "Join us at our upcoming 'Data for Health' community event where we will be showcasing the impactful work of Biokind Analytics Northeastern members as they collaborate with local healthcare non-profits in the Boston region. Learn how data analysis can make a real difference in the community while networking with like-minded individuals passionate about using their skills for social good. Whether you're new to data analysis or an experienced pro, this event welcomes all levels of expertise and provides a welcoming environment to connect, learn, and inspire change together!", + "event_type": "in_person", + "start_time": "2026-06-12 23:00:00", + "end_time": "2026-06-13 02:00:00", + "tags": [ + "CommunityOutreach", + "Volunteerism" + ] + }, + { + "id": "247f299a-977f-4a58-a23e-f45cc6010bc0", + "club_id": "0a7c612f-352a-47cd-b07d-c4a8cbe65ff9", + "name": "Event for Black Graduate Student Association ", + "preview": "This club is holding an event.", + "description": "Join the Black Graduate Student Association for an enlightening panel discussion on the intersection of race and academia. This thought-provoking event will feature distinguished speakers sharing their experiences and insights, followed by an engaging Q&A session to encourage dialogue and exchange of ideas. Whether you are a seasoned academic or just beginning your graduate studies, this event offers a valuable opportunity to broaden your perspective, connect with like-minded individuals, and contribute to a more inclusive and diverse academic community. Don't miss this chance to be inspired and empowered by joining us at this impactful event!", + "event_type": "hybrid", + "start_time": "2026-06-04 17:15:00", + "end_time": "2026-06-04 18:15:00", + "tags": [ + "CommunityOutreach", + "ProfessionalDevelopment" + ] + }, + { + "id": "63a6b477-4533-4e88-8419-0748d2f383b9", + "club_id": "0a7c612f-352a-47cd-b07d-c4a8cbe65ff9", + "name": "Event for Black Graduate Student Association ", + "preview": "This club is holding an event.", + "description": "Join the Black Graduate Student Association for an exciting evening of networking and professional development at our upcoming event, 'Career Symposium: Navigating post-graduate life'. Gain valuable insights and advice from successful alumni and industry professionals as they share their journeys and provide tips for navigating the job market. Engage in interactive workshops to hone your skills and build your confidence for the next steps in your career. Connect with like-minded peers in a supportive and inclusive environment where you can learn, grow, and make meaningful connections. Don't miss out on this opportunity to expand your network, gain knowledge, and take the next step towards achieving your academic and professional goals!", + "event_type": "virtual", + "start_time": "2026-01-16 13:00:00", + "end_time": "2026-01-16 17:00:00", + "tags": [ + "CommunityOutreach", + "Networking", + "AfricanAmerican" + ] + }, + { + "id": "465199c0-3923-4d1e-a70c-8f94a0a9e199", + "club_id": "0a7c612f-352a-47cd-b07d-c4a8cbe65ff9", + "name": "Event for Black Graduate Student Association ", + "preview": "This club is holding an event.", + "description": "Join us for our upcoming event, 'Empowerment Through Networking'! This interactive session will provide a unique opportunity for graduate students to connect with industry professionals, share experiences, and gain valuable insights into navigating the professional landscape. Through engaging discussions, networking activities, and a supportive atmosphere, attendees will not only expand their professional network but also enhance their skills and confidence in pursuing their career goals. Don't miss out on this fantastic chance to grow, learn, and connect with like-minded individuals in a welcoming and inclusive environment!", + "event_type": "hybrid", + "start_time": "2025-05-04 14:30:00", + "end_time": "2025-05-04 16:30:00", + "tags": [ + "AfricanAmerican", + "CommunityOutreach", + "Networking" + ] + }, + { + "id": "6fe4466a-5562-49ec-b91b-b7a719715e0f", + "club_id": "5e746d5d-cbe8-4caa-ba6e-93875a6ab23e", + "name": "Event for Black Pre-Law Association", + "preview": "This club is holding an event.", + "description": "Join the Black Pre-Law Association for an engaging panel discussion on the intersection of race and law in today's society. Our guest speakers, prominent legal experts and social activists, will share their insights and experiences, offering valuable perspectives on pursuing a career in the legal field as a Black undergraduate student. This event is a fantastic opportunity to deepen your understanding of social justice issues, connect with like-minded peers, and discover pathways to academic and professional success. Be a part of this empowering and supportive community where your voice matters!", + "event_type": "hybrid", + "start_time": "2025-05-10 12:00:00", + "end_time": "2025-05-10 14:00:00", + "tags": [ + "AfricanAmerican", + "Prelaw", + "CommunityOutreach" + ] + }, + { + "id": "878a00c1-0152-49b6-98ea-577403f6f5fa", + "club_id": "94aff56b-fa20-46e0-8b28-0e6bbb9e2006", + "name": "Event for Brazilian Jiu Jitsu at Northeastern University", + "preview": "This club is holding an event.", + "description": "Come join us at Northeastern University's Brazilian Jiu Jitsu club for a fun and informative self-defense seminar this Saturday afternoon. Whether you're a seasoned practitioner or brand new to the art, our skilled instructors will guide you through practical techniques to enhance your skills and boost your confidence. It's a great opportunity to meet like-minded individuals, ask questions, and improve your overall well-being. Don't miss out on this chance to learn and grow with the support of our welcoming community. Be sure to follow us on Instagram @northeasternbjj for updates and join our Discord community at https://discord.gg/3RuzAtZ4WS to stay connected!", + "event_type": "hybrid", + "start_time": "2025-05-24 17:00:00", + "end_time": "2025-05-24 21:00:00", + "tags": [ + "PhysicalFitness", + "CommunityOutreach", + "BrazilianJiuJitsu" + ] + }, + { + "id": "15fe9469-fcc8-4c07-a829-d98be709bce2", + "club_id": "94aff56b-fa20-46e0-8b28-0e6bbb9e2006", + "name": "Event for Brazilian Jiu Jitsu at Northeastern University", + "preview": "This club is holding an event.", + "description": "Come join us for a fun and interactive Brazilian Jiu Jitsu workshop at Northeastern University! Whether you're a complete beginner or a seasoned practitioner, this event is perfect for anyone looking to learn new techniques, meet fellow enthusiasts, and engage in some friendly sparring sessions. Our experienced instructors will guide you through various drills and exercises to improve your skills on the mats. Don't miss out on this opportunity to elevate your Jiu Jitsu game while enjoying the camaraderie of our welcoming community. We can't wait to see you there! Make sure to join our Discord (https://discord.gg/3RuzAtZ4WS) and follow us on Instagram (@northeasternbjj) for all the latest updates and announcements!", + "event_type": "hybrid", + "start_time": "2025-03-03 16:30:00", + "end_time": "2025-03-03 19:30:00", + "tags": [ + "PhysicalFitness", + "BrazilianJiuJitsu", + "CommunityOutreach" + ] + }, + { + "id": "6adf1993-2f84-4dd0-a4a9-ab8eace31021", + "club_id": "024650bb-873a-4ca9-bd4d-d812cf855878", + "name": "Event for Business of Entertainment ", + "preview": "This club is holding an event.", + "description": "Join us for an exciting evening of networking and learning in our 'Mastering Music Business' event! Explore the realm of music industry with industry professionals discussing key strategies for success and growth. Engage in interactive workshops on music marketing, artist management, and digital distribution, and connect with fellow music enthusiasts to share insights and build valuable connections. Whether you're an aspiring musician, music producer, or music business enthusiast, this event is your opportunity to gain valuable knowledge and expand your network within the vibrant world of music business!", + "event_type": "virtual", + "start_time": "2025-09-27 21:00:00", + "end_time": "2025-09-27 23:00:00", + "tags": [ + "Film", + "Entertainment" + ] + }, + { + "id": "008aa071-0b30-4c9d-8cbc-8f8d5b21b1b9", + "club_id": "024650bb-873a-4ca9-bd4d-d812cf855878", + "name": "Event for Business of Entertainment ", + "preview": "This club is holding an event.", + "description": "Join us for an exciting event hosted by the Business of Entertainment club! Immerse yourself in a world of possibilities as we dive into the dynamic intersection between entertainment and business. Our special guest speaker will share invaluable insights, our interactive workshop will spark creativity, and our insightful panel discussion will uncover new opportunities in this thrilling field. Connect with fellow enthusiasts, learn from industry experts, and be inspired to pursue your passions. Don't miss out on this chance to expand your knowledge and network with like-minded individuals in the vibrant world of entertainment business!", + "event_type": "hybrid", + "start_time": "2026-12-28 21:30:00", + "end_time": "2026-12-29 00:30:00", + "tags": [ + "Music", + "Film" + ] + }, + { + "id": "c8698aab-e15d-4808-8fcb-a60b85a0b007", + "club_id": "024650bb-873a-4ca9-bd4d-d812cf855878", + "name": "Event for Business of Entertainment ", + "preview": "This club is holding an event.", + "description": "Join us for an exciting event where we will be diving deep into the world of music licensing in the entertainment industry! Our guest speakers, who are experts in the field, will share valuable insights on the intricacies of licensing music for films, TV shows, and other media platforms. You'll have the opportunity to learn about the legal aspects, negotiation strategies, and trends shaping this essential aspect of the business. Whether you're a budding musician, aspiring filmmaker, or simply curious about the behind-the-scenes of your favorite shows, this event is perfect for expanding your knowledge and connecting with fellow enthusiasts!", + "event_type": "virtual", + "start_time": "2026-10-18 23:15:00", + "end_time": "2026-10-19 01:15:00", + "tags": [ + "Entertainment", + "VisualArts" + ] + }, + { + "id": "3255451b-7bc3-405f-aaca-5454fa40d229", + "club_id": "0b605bba-8526-40b7-be72-b858495c2ae1", + "name": "Event for Color Guard", + "preview": "This club is holding an event.", + "description": "Join Color Guard for an exciting workshop where you can learn choreographed routines with Rifles, Sabres, and Flags! This fun-filled event is perfect for beginners looking to discover the world of Color Guard or for experienced spinners seeking to polish their skills. Our friendly instructors will guide you through the basics and help you unleash your creativity in a themed show. Come explore the art of Color Guard and be part of our vibrant community dedicated to showcasing talent and passion through mesmerizing performances!", + "event_type": "in_person", + "start_time": "2026-01-06 16:15:00", + "end_time": "2026-01-06 17:15:00", + "tags": [ + "CreativeWriting", + "PerformingArts", + "Music" + ] + }, + { + "id": "9b18ba26-2419-4102-a132-bf0d13bb91bb", + "club_id": "5d6ffac7-238a-4569-95a6-1e3eec623555", + "name": "Event for Community Palette", + "preview": "This club is holding an event.", + "description": "Join us at Community Palette for a day of creativity and connection as we host a 'Art Escape Workshop'. This event is open to all, where participants will engage in therapeutic art activities aimed at promoting mental well-being and self-expression. Experienced instructors will guide you through various artistic projects, encouraging you to explore your inner artist in a supportive and welcoming environment. Whether you're a seasoned artist or just looking to let loose and enjoy a day of art therapy, this workshop is the perfect opportunity to unwind and connect with others through the power of art. Come join us in building a community that values creativity and self-care!", + "event_type": "in_person", + "start_time": "2026-10-16 13:30:00", + "end_time": "2026-10-16 17:30:00", + "tags": [ + "CommunityOutreach", + "VisualArts", + "CreativeWriting", + "Psychology" + ] + }, + { + "id": "b1f6cfda-1476-4072-8be9-69fcda210d2c", + "club_id": "5d6ffac7-238a-4569-95a6-1e3eec623555", + "name": "Event for Community Palette", + "preview": "This club is holding an event.", + "description": "Join us at Community Palette for a Paint Night event where we'll be creating masterpiece mini-canvases inspired by community stories and personal journeys. This inclusive and interactive session is open to everyone, regardless of artistic background or experience. We'll provide all the materials needed, along with guidance from our talented team of local artists. Come unwind, have fun, and connect with fellow art enthusiasts in a relaxing and supportive environment. Let your creativity flow and leave with a unique artwork that reflects your inner thoughts and emotions. Treat yourself to an evening of self-expression and community bonding. See you there!", + "event_type": "hybrid", + "start_time": "2026-11-23 22:15:00", + "end_time": "2026-11-24 02:15:00", + "tags": [ + "CreativeWriting", + "CommunityOutreach" + ] + }, + { + "id": "ce24a39b-0ab2-4a90-a560-60da8a2c985d", + "club_id": "5d6ffac7-238a-4569-95a6-1e3eec623555", + "name": "Event for Community Palette", + "preview": "This club is holding an event.", + "description": "Join us at Community Palette's Art Night! We are hosting a fun and interactive event where you can unleash your creativity through various art projects and activities. Whether you're a beginner or a pro, everyone is welcome to come and enjoy a night filled with colors, laughter, and good company. Our supportive community is here to help you de-stress, express yourself, and make new friends. Come be a part of our inclusive and uplifting environment, where art becomes a powerful tool for improving mental well-being and building connections. See you there!", + "event_type": "hybrid", + "start_time": "2024-06-10 18:15:00", + "end_time": "2024-06-10 22:15:00", + "tags": [ + "Psychology", + "CommunityOutreach", + "VisualArts", + "CreativeWriting" + ] + }, + { + "id": "9cfedd6c-3328-4115-82ef-bd032cee27ed", + "club_id": "c3cd328c-4c13-4d7c-9741-971b3633baa5", + "name": "Event for ConnectED Research ", + "preview": "This club is holding an event.", + "description": "Join ConnectED Research for our upcoming Meet the Professors Mixer! This event is a fantastic opportunity for students to engage with their academic mentors in a casual and friendly setting. Get ready to connect with inspiring professors eager to share their knowledge and tips for success in academia. Whether you're looking for guidance on research projects or seeking to explore new academic opportunities, this mixer is the perfect space to gain valuable insights and forge meaningful connections. Let's come together to cultivate a supportive and collaborative community where everyone can thrive academically!", + "event_type": "in_person", + "start_time": "2026-05-17 15:30:00", + "end_time": "2026-05-17 18:30:00", + "tags": [ + "CommunitySupport", + "AcademicNetworking", + "EducationEquality", + "Diversity", + "Collaboration" + ] + }, + { + "id": "750cf059-11dd-4b61-b855-c90f43cad085", + "club_id": "c3cd328c-4c13-4d7c-9741-971b3633baa5", + "name": "Event for ConnectED Research ", + "preview": "This club is holding an event.", + "description": "Join ConnectED Research for our upcoming event, College Success Summit! This interactive and inspiring gathering will bring together students, professors, and education advocates to share insights and strategies for excelling in academia. With engaging discussions, mentorship opportunities, and practical workshops, participants will gain valuable tools to navigate their academic journeys with confidence. Come connect with a supportive community dedicated to empowering students from all backgrounds to thrive in higher education!", + "event_type": "virtual", + "start_time": "2025-07-15 23:30:00", + "end_time": "2025-07-16 02:30:00", + "tags": [ + "CommunitySupport", + "Collaboration", + "Diversity", + "EducationEquality", + "Empowerment", + "AcademicNetworking" + ] + }, + { + "id": "4fbdc3e6-84eb-4195-81f0-271531d3802a", + "club_id": "f3eb7ae8-dc8f-445b-b0c7-854a96814799", + "name": "Event for Crystal Clear", + "preview": "This club is holding an event.", + "description": "Join Crystal Clear for an enchanting evening under the stars as we delve into the mystical world of crystal healing and tarot reading. Our knowledgeable facilitators will guide you through the fascinating history and modern practices of these ancient arts, providing insights on how to incorporate them into your daily life. Whether you are a seasoned practitioner or a curious newcomer, this event offers a warm and welcoming space to connect with like-minded individuals, exchange experiences, and deepen your understanding of Pagan spirituality. Come nurture your spirit with us and embark on a journey of self-discovery and enlightenment!", + "event_type": "hybrid", + "start_time": "2024-02-14 16:15:00", + "end_time": "2024-02-14 18:15:00", + "tags": [ + "CommunityBuilding", + "Astrology", + "CulturalAwareness" + ] + }, + { + "id": "6c2cb640-5d0f-40a8-bf90-bad3250a8dc9", + "club_id": "f3eb7ae8-dc8f-445b-b0c7-854a96814799", + "name": "Event for Crystal Clear", + "preview": "This club is holding an event.", + "description": "Join us at Crystal Clear's upcoming event 'Exploring the Magick of Crystals and Tarot' where we dive deep into the mystical world of crystals and tarot cards. Learn about the powerful energies of different crystals and how to incorporate them into your daily spiritual practice. Get hands-on experience with tarot readings and decipher the messages hidden within the cards. Whether you're a seasoned practitioner or a curious beginner, this event is a welcoming space for all to learn, share, and grow together in the realm of (Neo)Paganism and Spirituality. We guarantee a night filled with new discoveries, enlightening discussions, and connections with like-minded individuals. See you there!", + "event_type": "in_person", + "start_time": "2025-02-02 12:30:00", + "end_time": "2025-02-02 15:30:00", + "tags": [ + "CulturalAwareness" + ] + }, + { + "id": "dac92b11-4e17-4e88-8089-ec3f94099e9e", + "club_id": "939653b8-8082-483a-9b24-8d4876061ae7", + "name": "Event for Dermatology Interest Society", + "preview": "This club is holding an event.", + "description": "Join DermIS for an enlightening session on deciphering the secrets of effective skincare routines. Our event will feature a hands-on exploration of trending skincare products, useful tips from seasoned dermatologists, and an open dialogue on common skin issues faced by many. Come meet like-minded individuals passionate about skincare, and discover how to achieve radiant, healthy skin while gaining valuable insights for your future dermatological pursuits!", + "event_type": "virtual", + "start_time": "2025-08-05 15:30:00", + "end_time": "2025-08-05 16:30:00", + "tags": [ + "Health", + "Beauty", + "CareerDevelopment", + "Community" + ] + }, + { + "id": "1db90014-9ac8-4f89-8ff5-88989fcae476", + "club_id": "939653b8-8082-483a-9b24-8d4876061ae7", + "name": "Event for Dermatology Interest Society", + "preview": "This club is holding an event.", + "description": "Join DermIS at our upcoming event 'Skincare 101' where we'll be delving into the fundamentals of a good skincare routine. Discover the secrets to healthy, glowing skin as we discuss the science behind popular skincare ingredients and debunk common myths. Our guest speaker, a renowned dermatologist, will provide expert advice on tailoring a routine that suits your skin type. This interactive session will leave you feeling confident and empowered to take charge of your skin's health. Don't miss this opportunity to enhance your skincare knowledge and connect with like-minded individuals in a supportive and engaging environment!", + "event_type": "in_person", + "start_time": "2024-03-14 20:00:00", + "end_time": "2024-03-14 23:00:00", + "tags": [ + "Skincare" + ] + }, + { + "id": "9a95b67a-388f-429b-8927-e4cfaa1388b2", + "club_id": "939653b8-8082-483a-9b24-8d4876061ae7", + "name": "Event for Dermatology Interest Society", + "preview": "This club is holding an event.", + "description": "Join the Dermatology Interest Society at our upcoming event as we delve into the science behind popular skincare trends! In this interactive session, skincare enthusiasts and aspiring dermatologists alike will have the opportunity to learn about the latest industry innovations, debunk skincare myths, and receive personalized tips for achieving radiant and healthy skin. Our guest speaker, a renowned dermatologist, will share expert insights and answer all your burning skincare questions. Whether you're a novice or a skincare aficionado, this informative event promises to be a fun and enlightening experience for all attendees. Come discover the secrets to glowing skin and uncover the power of a well-crafted skincare routine with us!", + "event_type": "hybrid", + "start_time": "2025-02-20 23:15:00", + "end_time": "2025-02-21 03:15:00", + "tags": [ + "Community" + ] + }, + { + "id": "950a113d-a38d-48cd-886a-59e8291f8007", + "club_id": "7f0b87df-c5dd-4772-bd29-51083f9cad1a", + "name": "Event for Dominican Student Association ", + "preview": "This club is holding an event.", + "description": "Join the Dominican Student Association for a lively celebration of Merengue Night! Experience the vibrant rhythms and joyful moves of traditional Dominican dance while mingling with fellow members and newcomers alike. Whether you're a seasoned dancer or just curious to learn, this event promises an evening of laughter, music, and cultural exchange. Don't miss out on the chance to immerse yourself in the spirit of the Dominican Republic, where every step tells a story and every beat unites us in joy!", + "event_type": "virtual", + "start_time": "2024-02-07 23:30:00", + "end_time": "2024-02-08 01:30:00", + "tags": [ + "CommunityOutreach", + "LatinAmerica" + ] + }, + { + "id": "26789899-1d79-4f60-a149-6eef6ac6ad10", + "club_id": "201a41ce-3982-4d12-8c5e-822a260bec22", + "name": "Event for Emerging Markets Club ", + "preview": "This club is holding an event.", + "description": "Join us for an engaging speaker event hosted by the Emerging Markets Club as we delve deep into the dynamics of emerging markets! Our special guest speakers, industry experts, will share valuable insights and real-world experiences, providing you with a unique perspective on this dynamic and evolving economic landscape. This event is the perfect opportunity to connect with like-minded individuals, expand your knowledge, and explore exciting career possibilities in the ever-growing world of emerging markets. Don't miss out on this enriching experience!", + "event_type": "in_person", + "start_time": "2025-02-19 13:30:00", + "end_time": "2025-02-19 16:30:00", + "tags": [ + "Research" + ] + }, + { + "id": "a7fdf545-4ed4-41fb-b59b-887e5c9c20bc", + "club_id": "201a41ce-3982-4d12-8c5e-822a260bec22", + "name": "Event for Emerging Markets Club ", + "preview": "This club is holding an event.", + "description": "Join the Emerging Markets Club for an exclusive evening filled with insights and connections! Our upcoming speaker event will feature industry experts sharing their knowledge and experiences in navigating the world of emerging markets. It's a great opportunity for students to learn and network in a welcoming and engaging environment. Don't miss out on expanding your understanding of these dynamic markets and connecting with like-minded peers and professionals!", + "event_type": "hybrid", + "start_time": "2024-08-07 15:30:00", + "end_time": "2024-08-07 18:30:00", + "tags": [ + "Economics", + "InternationalRelations", + "Networking" + ] + }, + { + "id": "6c1cd473-6507-43dd-bc84-500d386445aa", + "club_id": "b6de04c0-93a5-4717-8e4d-5c2844930dfe", + "name": "Event for First Generation Investors Club of Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us at our upcoming 'Future Investors Expo' event where high school participants from the First Generation Investors Club of Northeastern University will showcase their newly acquired financial literacy and investing skills. You'll have the chance to see firsthand the sophisticated analytical skills these students have developed over their eight-week program, as they present their capstone projects breaking down their investment rationale and asset allocation of a $100 investment account. This event is a great opportunity to witness the impact of our program and the potential it holds for shaping these young minds as they start their journey in the world of investing.", + "event_type": "in_person", + "start_time": "2025-06-01 17:15:00", + "end_time": "2025-06-01 18:15:00", + "tags": [ + "Education", + "CommunityService", + "FinancialLiteracy", + "Investing", + "YouthEmpowerment" + ] + }, + { + "id": "3afec3c2-f26c-4663-a614-99cce22d9177", + "club_id": "a850f2ab-a072-4396-853a-e21d0f3f7d7e", + "name": "Event for Ghanaian Student Organization", + "preview": "This club is holding an event.", + "description": "Join the Ghanaian Student Organization for an exciting cultural showcase event showcasing the vibrant traditions of Ghana! Immerse yourself in an evening filled with exhilarating music, traditional dances, delicious Ghanaian cuisine, and engaging speakers sharing the beauty of Ghanaian culture. Whether you have Ghanaian roots or simply have an interest in experiencing something new, this event welcomes everyone to come together in a celebration of diversity and connection. Get ready to be captivated by the sights, sounds, and flavors of Ghana as we come together to embrace the spirit of community and cultural appreciation.", + "event_type": "in_person", + "start_time": "2024-05-11 17:00:00", + "end_time": "2024-05-11 19:00:00", + "tags": [ + "Volunteerism" + ] + }, + { + "id": "b8332c68-c2f7-444c-ac9c-d25494ca393f", + "club_id": "a850f2ab-a072-4396-853a-e21d0f3f7d7e", + "name": "Event for Ghanaian Student Organization", + "preview": "This club is holding an event.", + "description": "Join the Ghanaian Student Organization for an evening of cultural immersion at our upcoming event, 'Taste of Ghana'. Experience the vibrant flavors and traditions of Ghana as we showcase delicious authentic dishes, engaging music and dance performances, and insightful presentations on the history and customs of this diverse African nation. Whether you're a Ghanaian student eager to connect with your roots or a curious attendee looking to expand your cultural horizons, all are welcome to come together in a spirit of unity and celebration. Don't miss this opportunity to set your taste buds tingling and your heart singing as we come together to cherish the beauty of Ghanaian culture!", + "event_type": "in_person", + "start_time": "2026-01-24 16:15:00", + "end_time": "2026-01-24 17:15:00", + "tags": [ + "AfricanAmerican", + "Dance", + "CommunityOutreach", + "Volunteerism" + ] + }, + { + "id": "8b69addc-a991-4844-8dfb-779bd155bbea", + "club_id": "7d2aa5b1-9340-49aa-8e30-d38e67f1e146", + "name": "Event for Google Developer Students Club - Northeastern", + "preview": "This club is holding an event.", + "description": "Join the Google Developer Students Club - Northeastern for an exciting workshop on the fundamentals of app development! In this interactive session, you'll have the opportunity to learn about building user-friendly interfaces, integrating APIs, and deploying your own creative projects. Whether you're a seasoned coder or a curious beginner, this event is designed to provide valuable insights and hands-on experience in the world of technology. Don't miss out on this chance to expand your skills and connect with fellow tech enthusiasts in a supportive and inspiring environment!", + "event_type": "virtual", + "start_time": "2025-04-21 21:15:00", + "end_time": "2025-04-21 22:15:00", + "tags": [ + "Innovation", + "Google", + "SoftwareEngineering", + "CommunityOutreach" + ] + }, + { + "id": "568a93b2-4836-4c98-86be-b853736b0728", + "club_id": "41df2a93-836b-4127-9ead-2c6c8a8a12ee", + "name": "Event for Graduate Biotechnology and Bioinformatics Association", + "preview": "This club is holding an event.", + "description": "Join us for an engaging and insightful panel discussion on the latest advancements in biotechnology and bioinformatics! Our event will feature expert guest speakers sharing real-world case studies and career development advice. You'll have the opportunity to network with like-minded students and professionals in a friendly and welcoming environment. Don't miss out on this chance to expand your knowledge and skills in the exciting field of biotech and bioinfo!", + "event_type": "in_person", + "start_time": "2024-06-18 18:30:00", + "end_time": "2024-06-18 22:30:00", + "tags": [ + "CommunityOutreach", + "DataScience", + "CareerDevelopment", + "Biology" + ] + }, + { + "id": "aec125e3-7f04-450a-a980-dde0fa27e797", + "club_id": "41df2a93-836b-4127-9ead-2c6c8a8a12ee", + "name": "Event for Graduate Biotechnology and Bioinformatics Association", + "preview": "This club is holding an event.", + "description": "Join the Graduate Biotechnology and Bioinformatics Association for an exciting evening of engaging discussions and valuable insights! Our upcoming event will feature thought-provoking case studies, interactive sessions focusing on career development, and ample networking opportunities. Whether you're a seasoned student or just starting out in the field, this event promises to enhance your knowledge and add a valuable dimension to your academic journey. Come be a part of our vibrant community, where learning meets fun!", + "event_type": "in_person", + "start_time": "2026-10-19 22:30:00", + "end_time": "2026-10-20 01:30:00", + "tags": [ + "CareerDevelopment", + "Biology" + ] + }, + { + "id": "c6a10a8b-dfec-48e0-946c-0d07207a393e", + "club_id": "66ebabfd-d7bd-4c4c-8646-68ca1a3a3f1a", + "name": "Event for Graduate Female Leaders Club", + "preview": "This club is holding an event.", + "description": "Join us for our upcoming event on 'Negotiating Your Worth' where we will have an interactive workshop led by experienced professionals on strategies to effectively negotiate salaries and benefits. This event aims to empower our community of current students and alumni with the knowledge and skills needed to navigate the workforce confidently and advocate for themselves in their career journeys. Come network with like-minded individuals, gain valuable insights, and grow together as aspiring graduate female leaders!", + "event_type": "in_person", + "start_time": "2025-09-14 17:30:00", + "end_time": "2025-09-14 18:30:00", + "tags": [ + "BusinessNetworking", + "ProfessionalDevelopment", + "WomenLeadership", + "CommunityBuilding" + ] + }, + { + "id": "f9147496-ef4c-402b-a78d-e5acbbc3ea82", + "club_id": "66ebabfd-d7bd-4c4c-8646-68ca1a3a3f1a", + "name": "Event for Graduate Female Leaders Club", + "preview": "This club is holding an event.", + "description": "Join the Graduate Female Leaders Club for an engaging evening of empowerment and networking at our upcoming event! Connect with fellow students and alumni as we dive into insightful discussions led by accomplished business leaders. Gain valuable insights into navigating graduate-level studies and forging paths towards your professional goals post-graduation. This event promises to be a blend of inspiration, learning, and building connections that will propel you towards success in the world of tomorrow.", + "event_type": "virtual", + "start_time": "2024-03-19 17:30:00", + "end_time": "2024-03-19 20:30:00", + "tags": [ + "ProfessionalDevelopment", + "WomenLeadership", + "BusinessNetworking" + ] + }, + { + "id": "8a96b163-de39-4459-9a2f-ba0715f7f317", + "club_id": "db402fd8-d44a-4a94-b013-2ad1f09e7921", + "name": "Event for Half Asian People's Association", + "preview": "This club is holding an event.", + "description": "Come join the Half Asian People's Association for our upcoming 'Mixed-Race Stories Night' event! This special evening will feature a diverse lineup of speakers sharing their personal experiences and perspectives on navigating the world as individuals of mixed-race and Asian heritage. Whether you're a Hapa yourself or simply curious to learn more about the unique intersections of culture and identity, this event promises to be insightful, engaging, and welcoming to all. Let's come together to listen, learn, and celebrate the beauty of diversity within our community. Don't miss this chance to connect with like-minded individuals and expand your understanding of what it means to be proudly 'half Asian'.", + "event_type": "hybrid", + "start_time": "2024-06-05 20:00:00", + "end_time": "2024-06-05 23:00:00", + "tags": [ + "CreativeWriting", + "AsianAmerican", + "CommunityOutreach", + "LGBTQ" + ] + }, + { + "id": "6444aa52-215a-4515-a797-55ee7e69bca4", + "club_id": "e78bce96-c0a4-4e2d-ace7-a0ae23a7934d", + "name": "Event for Health Informatics Graduate Society of Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us for an interactive workshop on the latest trends in health informatics! Our event will feature hands-on activities, expert guest speakers, and networking opportunities for students interested in the intersection of healthcare and technology. Whether you're a seasoned professional or just starting out in the field, this workshop is designed to inspire and educate, providing valuable insights and practical skills to help you succeed in the ever-evolving world of health informatics.", + "event_type": "in_person", + "start_time": "2026-04-26 22:00:00", + "end_time": "2026-04-27 01:00:00", + "tags": [ + "NetworkingEvents", + "CommunityOutreach" + ] + }, + { + "id": "ad35434a-3757-46c1-9424-0ca60fabfb11", + "club_id": "36ada6fb-f133-4ea3-80a6-db9527fd9bd1", + "name": "Event for Hear Your Song Northeastern", + "preview": "This club is holding an event.", + "description": "Join Hear Your Song Northeastern for a heartwarming and fun-filled songwriting workshop where kids and teens with chronic medical conditions can come together to unleash their creativity! Our experienced team will guide participants through the music production process, from lyrics to melodies, in a supportive and inclusive environment. Get ready to make new friends, express yourself through music, and create something truly special that you can be proud of. Don't miss this opportunity to discover the healing power of music and the joy of collaborative artistry!", + "event_type": "in_person", + "start_time": "2025-10-28 17:00:00", + "end_time": "2025-10-28 18:00:00", + "tags": [ + "Music", + "Volunteerism", + "CreativeWriting", + "Psychology", + "PerformingArts" + ] + }, + { + "id": "2f92d69a-c4d4-49f8-9f9e-7c6297b96bab", + "club_id": "a5f26966-78cc-46e3-a29b-7bd30fbb4394", + "name": "Event for Hospitality Business Club", + "preview": "This club is holding an event.", + "description": "Join the Hospitality Business Club for an exciting panel discussion on 'Innovations in Hotel Design'. Discover how cutting-edge architecture and interior design concepts are shaping the future of hospitality experiences. Engage with industry experts as they share insights on trends, sustainability practices, and the guest-centric approach driving the evolution of hotel spaces. Whether you're a design enthusiast, a hospitality professional, or simply curious about the intersection of art and business, this event promises to inspire and spark creative ideas. Don't miss this opportunity to network with like-minded individuals and gain a deeper understanding of the dynamic world where design meets hospitality!", + "event_type": "in_person", + "start_time": "2026-03-10 17:00:00", + "end_time": "2026-03-10 18:00:00", + "tags": [ + "Networking", + "Business" + ] + }, + { + "id": "6ecf3151-ec33-40d4-aa9d-8405d9c1265d", + "club_id": "a5f26966-78cc-46e3-a29b-7bd30fbb4394", + "name": "Event for Hospitality Business Club", + "preview": "This club is holding an event.", + "description": "Join us for an insightful panel discussion on 'Innovations in Hotel Design' where industry experts will share cutting-edge trends and strategies shaping the future of hospitality spaces. Explore the fusion of aesthetics, functionality, and sustainability, and gain valuable perspectives on how design influences guest experience and business success. Whether you're a design enthusiast, a hotelier, an architect, or simply curious about the art of creating memorable spaces, this event is open to all who are eager to dive into the creative world of hospitality design.", + "event_type": "hybrid", + "start_time": "2025-10-04 23:00:00", + "end_time": "2025-10-05 02:00:00", + "tags": [ + "Networking", + "Business", + "Engagement", + "Community" + ] + }, + { + "id": "3c6706b5-8d87-44ef-91f7-f43702995ed2", + "club_id": "0621e78e-5254-4dcd-a99e-2529f4d9d882", + "name": "Event for Huntington Strategy Group", + "preview": "This club is holding an event.", + "description": "Join us at our annual Strategy Showdown event hosted by Huntington Strategy Group! This exciting evening will bring together nonprofit leaders, social entrepreneurs, and students passionate about making a difference in the world. Get ready for an engaging panel discussion with industry experts, interactive workshops to hone your strategic skills, and networking opportunities to connect with like-minded changemakers. Whether you're a seasoned professional or just starting your journey in social impact, this event is the perfect opportunity to learn, collaborate, and be inspired to drive positive change in our community. Come join us and be a part of the impact-driven movement!", + "event_type": "hybrid", + "start_time": "2025-09-08 21:30:00", + "end_time": "2025-09-09 00:30:00", + "tags": [ + "HumanRights" + ] + }, + { + "id": "66ec6b24-20f0-45ac-ac7b-6e911a8b9ebc", + "club_id": "a3b78a49-c5d0-4644-bbf9-2b830e37366d", + "name": "Event for Husky Hemophilia Group", + "preview": "This club is holding an event.", + "description": "Join the Husky Hemophilia Group for an engaging educational session where we dive into the world of bleeding disorders, shedding light on the challenges and triumphs faced by individuals and families in our community. This event will feature guest speakers sharing personal stories, interactive activities to illustrate the impact of these disorders, and resources to help spread awareness and support those affected. Whether you're new to the topic or have personal experience, everyone is welcome to learn, connect, and make a difference together. Let's stand united in advocating for accessible healthcare and nurturing a more understanding Northeastern and Massachusetts community. Come join us and be a part of our supportive and compassionate network!", + "event_type": "virtual", + "start_time": "2024-12-06 21:30:00", + "end_time": "2024-12-07 01:30:00", + "tags": [ + "HealthcareAdvocacy", + "Education", + "Support", + "Volunteerism" + ] + }, + { + "id": "4d7ab624-f02e-4881-b774-efd6aca33b93", + "club_id": "a3b78a49-c5d0-4644-bbf9-2b830e37366d", + "name": "Event for Husky Hemophilia Group", + "preview": "This club is holding an event.", + "description": "Join the Husky Hemophilia Group for an enlightening evening dedicated to raising awareness for bleeding disorders within the Northeastern and Massachusetts community! Our passionate speakers will share insights on the challenges faced by individuals with bleeding disorders and their loved ones, as well as the importance of accessible healthcare and ongoing research efforts. Come be a part of our supportive community and help us advocate for those who need our support the most. Together, we can make a difference!", + "event_type": "in_person", + "start_time": "2024-12-03 13:15:00", + "end_time": "2024-12-03 14:15:00", + "tags": [ + "Volunteerism", + "Support" + ] + }, + { + "id": "a4c2e466-33ba-42da-9a25-dd4f52b28c54", + "club_id": "c475cb86-41f3-43e9-bfb1-cc75142c894b", + "name": "Event for IAFIE Northeastern University Chapter ", + "preview": "This club is holding an event.", + "description": "Join us at the next meeting of the IAFIE Northeastern University Chapter for an exciting discussion focused on the latest trends and innovations in Intelligence and associated fields. This event is perfect for professionals looking to connect, share insights, and further their expertise in a supportive and enriching environment. Whether you are a seasoned veteran or just starting your career, our meetings provide valuable opportunities for networking, knowledge sharing, and personal growth. Come be a part of our vibrant community dedicated to advancing research, fostering partnerships, and promoting professional development in the field!", + "event_type": "virtual", + "start_time": "2024-01-18 13:15:00", + "end_time": "2024-01-18 16:15:00", + "tags": [ + "ProfessionalDevelopment", + "Intelligence" + ] + }, + { + "id": "c37a4c1d-1976-4320-8f1f-874177159b24", + "club_id": "c1d685f0-6334-428b-a860-defb5cf4f151", + "name": "Event for If/When/How: Lawyering for Reproductive Justice at NUSL ", + "preview": "This club is holding an event.", + "description": "Join If/When/How: Lawyering for Reproductive Justice at NUSL for an enlightening panel discussion on the intersectionality of reproductive rights and social justice. Our diverse panel of experts will explore how systemic discrimination affects individuals' autonomy in making reproductive choices. Engage in meaningful conversations, gain insights on legal strategies for advancing reproductive justice, and connect with like-minded individuals who share a commitment to promoting dignity and empowerment for all. Don't miss this opportunity to be part of a community that values inclusivity, advocacy, and change-making in the pursuit of reproductive justice for every person.", + "event_type": "hybrid", + "start_time": "2025-03-10 16:30:00", + "end_time": "2025-03-10 17:30:00", + "tags": [ + "Journalism", + "HumanRights", + "CommunityOutreach" + ] + }, + { + "id": "b5ab3d2a-1ad1-42b3-88a4-f85bb61b953a", + "club_id": "c15f0c80-84e4-4ba5-acae-1194d0152bfd", + "name": "Event for Illume Magazine", + "preview": "This club is holding an event.", + "description": "Join Illume Magazine for an engaging evening celebrating Asian-American and Asian/Pacific Islander experiences at Northeastern University. Dive into a blend of lifestyle and culture discussions, insightful political reviews, and captivating literary arts submissions. Connect with fellow students passionate about critical thought and exploration of diverse identities and stories. Whether you're a writer, a reader, or simply curious, this event offers a welcoming space to learn, share, and be inspired.", + "event_type": "virtual", + "start_time": "2026-01-02 16:00:00", + "end_time": "2026-01-02 18:00:00", + "tags": [ + "CreativeWriting", + "Journalism", + "AsianAmerican" + ] + }, + { + "id": "f1245a25-9a0e-4083-8b79-7073d755b795", + "club_id": "c15f0c80-84e4-4ba5-acae-1194d0152bfd", + "name": "Event for Illume Magazine", + "preview": "This club is holding an event.", + "description": "Join Illume Magazine for an enriching evening of cultural exploration during our Asian-American Film Screening Night! Immerse yourself in captivating stories that shed light on the diverse experiences and challenges faced by the Asian-American community. Connect with fellow enthusiasts and engage in thought-provoking discussions led by our passionate team of writers and filmmakers. Snacks and drinks will be provided as you relax in a welcoming atmosphere designed to inspire creativity and spark meaningful conversations. Don't miss this opportunity to broaden your perspective and celebrate the rich tapestry of Asian-American identities together with Illume Magazine!", + "event_type": "hybrid", + "start_time": "2025-02-09 14:15:00", + "end_time": "2025-02-09 16:15:00", + "tags": [ + "CreativeWriting", + "AsianAmerican" + ] + }, + { + "id": "22d070b4-3b0e-43a5-96f4-376c772659f0", + "club_id": "c15f0c80-84e4-4ba5-acae-1194d0152bfd", + "name": "Event for Illume Magazine", + "preview": "This club is holding an event.", + "description": "Join Illume Magazine at our upcoming event celebrating the vibrant diversity and rich cultural heritage of Asian-American and Asian/Pacific Islander communities! Experience an engaging discussion on pressing social issues, indulge in delicious traditional cuisine, and connect with fellow students passionate about exploring and celebrating the multifaceted identities within the diaspora. Whether you're interested in lifestyle trends, political insights, or showcasing your creative talents through literary arts, this event promises to inspire and empower you to embrace the beauty of our shared experiences. Come join us for an evening of enlightenment, connection, and celebration!", + "event_type": "hybrid", + "start_time": "2024-02-23 22:00:00", + "end_time": "2024-02-24 01:00:00", + "tags": [ + "CreativeWriting", + "Journalism" + ] + }, + { + "id": "09960f09-422f-4d64-bd66-2c2bf9dac853", + "club_id": "cbf8c2c0-e10e-424d-936d-a537137b88bb", + "name": "Event for Indian Cultural Association", + "preview": "This club is holding an event.", + "description": "Join the Indian Cultural Association for a delightful evening celebrating Diwali, the festival of lights! Immerse yourself in the vibrant traditions of India with colorful decorations, mouth-watering Indian cuisine, and lively music and dance performances. This event is open to all students who are curious about Indian culture and want to experience the joy and togetherness of this festival. Whether you are an Indian American looking to connect with your roots or an international student eager to learn more about Indian traditions, this event promises to be a memorable and enriching experience for everyone. Come join us in spreading light, love, and laughter at the Indian Cultural Association's Diwali celebration!", + "event_type": "virtual", + "start_time": "2024-06-05 17:00:00", + "end_time": "2024-06-05 18:00:00", + "tags": [ + "Cultural" + ] + }, + { + "id": "455ff590-8e2c-4122-ad1d-ce07b052fdf4", + "club_id": "cbf8c2c0-e10e-424d-936d-a537137b88bb", + "name": "Event for Indian Cultural Association", + "preview": "This club is holding an event.", + "description": "Join the Indian Cultural Association for an enchanting evening of Diwali celebrations, where we'll dive into the vibrant traditions and customs surrounding the festival of lights. Experience the joy of Rangoli art, savor delicious traditional sweets, and participate in lively dance performances showcasing the diversity of Indian culture. Whether you're new to the festivities or a seasoned reveler, this event promises to be a delightful journey of exploration and camaraderie. Don't miss this opportunity to immerse yourself in the colors, flavors, and rhythms of India with friends old and new!", + "event_type": "virtual", + "start_time": "2026-04-21 19:30:00", + "end_time": "2026-04-21 21:30:00", + "tags": [ + "CommunityOutreach", + "Cultural", + "AsianAmerican" + ] + }, + { + "id": "f4e43f9a-6044-4c76-a915-fbd17315d382", + "club_id": "36a5df26-618b-41df-a3cb-dde9ef5dc82e", + "name": "Event for International Society for Pharmaceutical Engineering", + "preview": "This club is holding an event.", + "description": "Join us for an exciting evening dedicated to exploring the latest trends in pharmaceutical engineering! Our event will feature insightful presentations by industry experts, interactive discussions on cutting-edge technologies, and networking opportunities with fellow enthusiasts. Whether you're a seasoned professional or just starting your career in this dynamic field, this event promises to be a valuable and enriching experience for all attendees. Come discover, connect, and be inspired with the International Society for Pharmaceutical Engineering!", + "event_type": "hybrid", + "start_time": "2024-03-24 16:30:00", + "end_time": "2024-03-24 20:30:00", + "tags": [ + "Pharmaceutical", + "EnvironmentalScience", + "Engineering", + "Biotechnology" + ] + }, + { + "id": "0c47aa24-32aa-4041-b378-7d2f0103a9cf", + "club_id": "3b60daa3-1956-461b-b7f7-4811f698a100", + "name": "Event for KADA K-Pop Dance Team", + "preview": "This club is holding an event.", + "description": "Join the KADA K-Pop Dance Team for an electrifying evening of dance and celebration! Immerse yourself in the vibrant world of K-Pop as our talented members showcase their passion and skills on stage. Whether you're a seasoned dancer or just starting out, this event promises a welcoming atmosphere where you can learn, grow, and connect with fellow K-Pop enthusiasts. Get ready to groove to your favorite beats, make new friends, and experience the unique energy that only KADA can bring. Come be a part of our community as we dance, laugh, and create unforgettable memories together!", + "event_type": "in_person", + "start_time": "2025-05-27 16:00:00", + "end_time": "2025-05-27 20:00:00", + "tags": [ + "CommunityOutreach" + ] + }, + { + "id": "5a0e6db1-1f92-43ea-84ff-a3dfcaf43c61", + "club_id": "3b60daa3-1956-461b-b7f7-4811f698a100", + "name": "Event for KADA K-Pop Dance Team", + "preview": "This club is holding an event.", + "description": "Join us for an unforgettable evening of K-Pop dance magic with the talented members of KADA K-Pop Dance Team! Whether you're a seasoned dancer or just starting out, this event promises a fun and inclusive atmosphere where you can groove to your favorite K-Pop hits and learn some new moves. Get ready to embrace the energy, passion, and creativity of K-Pop culture while making new friends who share your love for dance. Don't miss this opportunity to experience the vibrant spirit of our community and unleash your inner performer on the dance floor!", + "event_type": "virtual", + "start_time": "2025-12-09 20:00:00", + "end_time": "2025-12-09 23:00:00", + "tags": [ + "Music" + ] + }, + { + "id": "62d307b8-4f83-4403-a837-9857e7f58fbd", + "club_id": "3b60daa3-1956-461b-b7f7-4811f698a100", + "name": "Event for KADA K-Pop Dance Team", + "preview": "This club is holding an event.", + "description": "Join KADA K-Pop Dance Team for an exhilarating evening of dance and cultural celebration! Experience the infectious energy and passion as our talented dancers showcase their skills and share their love for Korean popular culture. Whether you're a seasoned dancer or just starting out, this event is the perfect opportunity to immerse yourself in a supportive community that promotes inclusivity, growth, and empowerment. Get ready to groove to the latest K-Pop hits, learn new moves, and make unforgettable memories with fellow dance enthusiasts. Don't miss out on this exciting chance to be a part of something special with KADA!", + "event_type": "in_person", + "start_time": "2024-12-26 12:15:00", + "end_time": "2024-12-26 15:15:00", + "tags": [ + "Music", + "CommunityOutreach" + ] + }, + { + "id": "7a43b7c4-14b1-46bd-b838-4e4786f016de", + "club_id": "bb7b63e9-8462-4158-b96e-74863ffc7062", + "name": "Event for LatAm Business Club", + "preview": "This club is holding an event.", + "description": "Join us at the LatAm Business Club's upcoming 'Investing in Latin America' panel event, where a diverse group of industry experts will share insights and best practices on navigating the dynamic business landscape of the region. Whether you're new to investing in Latin America or looking to expand your existing ventures, this event is the perfect opportunity to connect with like-minded individuals, gain valuable knowledge, and grow your professional network. Don't miss out on this evening of stimulating discussions, fruitful networking, and the chance to explore exciting investment opportunities in Latin America!", + "event_type": "hybrid", + "start_time": "2025-12-19 20:00:00", + "end_time": "2025-12-19 21:00:00", + "tags": [ + "Networking" + ] + }, + { + "id": "01c679c6-e0cd-429a-9322-0e1ba78eede7", + "club_id": "bb7b63e9-8462-4158-b96e-74863ffc7062", + "name": "Event for LatAm Business Club", + "preview": "This club is holding an event.", + "description": "Join us at the LatAm Business Club for our 'Entrepreneurial Insights in Latin America' event! In this gathering, we will delve into the dynamic business landscape of Latin America, sharing valuable knowledge and practical advice for aspiring and seasoned entrepreneurs alike. Engage with industry experts, connect with like-minded individuals, and gain unique perspectives on the opportunities and challenges present in the region. Whether you're looking to start your own venture, expand your business internationally, or simply explore the diverse market dynamics of Latin America, this event offers a welcoming space for learning, networking, and fostering entrepreneurial spirit. Don't miss out on this enriching experience where collaboration meets innovation in a vibrant and supportive environment!", + "event_type": "hybrid", + "start_time": "2025-10-11 13:30:00", + "end_time": "2025-10-11 16:30:00", + "tags": [ + "ProfessionalGrowth", + "Entrepreneurship", + "Networking", + "BusinessDevelopment", + "GeopoliticalDialogue" + ] + }, + { + "id": "d97bcb87-5893-4aa5-bc31-eb0efa987630", + "club_id": "bb7b63e9-8462-4158-b96e-74863ffc7062", + "name": "Event for LatAm Business Club", + "preview": "This club is holding an event.", + "description": "Join us for a lively networking event at the LatAm Business Club! Connect with a diverse group of professionals and entrepreneurs who share a passion for the Latin American business landscape. Engage in stimulating conversations, exchange valuable insights, and forge new connections in a welcoming and supportive environment. Whether you're looking to expand your business horizons, explore growth opportunities, or simply immerse yourself in Latin American culture, this event offers the perfect platform to learn, connect, and grow together. Come be a part of our vibrant community and experience the energy and excitement of the LatAm Business Club!", + "event_type": "hybrid", + "start_time": "2025-12-11 12:30:00", + "end_time": "2025-12-11 14:30:00", + "tags": [ + "ProfessionalGrowth", + "Networking", + "LatinAmerica" + ] + }, + { + "id": "3ecf1a5e-9d6b-4b82-99a3-b937cc653f08", + "club_id": "7191f9a3-a824-42da-a7dd-5eeb1f96d53f", + "name": "Event for Musicheads", + "preview": "This club is holding an event.", + "description": "Join Musicheads for our next Album Club event, where we will be diving into a captivating selection of music that will have you grooving all week long! Whether you're a seasoned music enthusiast or just starting to explore different genres, our Album Club provides the perfect platform to share your thoughts and discover new favorite tunes. Don't miss out on the opportunity to connect with fellow music lovers, exchange recommendations, and immerse yourself in the vibrant world of music appreciation. Mark your calendars and get ready for a fun and engaging musical experience that will leave you inspired and entertained!", + "event_type": "hybrid", + "start_time": "2024-06-17 23:15:00", + "end_time": "2024-06-18 00:15:00", + "tags": [ + "Music", + "CommunityOutreach", + "CreativeWriting" + ] + }, + { + "id": "5b886e2b-f5bf-4adf-90bd-619bcc1a9316", + "club_id": "1e20ef65-990e-478b-8695-560f2aa8b5d2", + "name": "Event for NAAD (Northeastern A Cappella Association for Desi Music)", + "preview": "This club is holding an event.", + "description": "Join NAAD for an enchanting evening celebrating the rich tapestry of South Asian music! Immerse yourself in the melodious world of Hindustani classical, Ghazal, Qawali, and Carnatic music brought to life through the captivating art of A Cappella. Our diverse ensemble, hailing from Afghanistan to Sri Lanka, harmoniously blends traditional sounds with a modern twist, promising a musical experience like no other. Whether you're a seasoned enthusiast or curious newcomer, this event offers a vibrant platform to connect with fellow music lovers and explore the soulful depths of Desi music. Let the eternal sound of NAAD resonate within you as we come together in harmony and celebration.", + "event_type": "in_person", + "start_time": "2026-06-09 23:00:00", + "end_time": "2026-06-10 03:00:00", + "tags": [ + "Music" + ] + }, + { + "id": "427f532e-6fb3-497b-8b3a-5346abe61ff5", + "club_id": "1e20ef65-990e-478b-8695-560f2aa8b5d2", + "name": "Event for NAAD (Northeastern A Cappella Association for Desi Music)", + "preview": "This club is holding an event.", + "description": "Join NAAD (Northeastern A Cappella Association for Desi Music) for an enchanting evening celebrating the diverse musical traditions of South Asia. Immerse yourself in the soulful melodies of hindustani classical, the poetic verses of ghazal, and the ecstatic rhythms of qawali. Experience a fusion of cultures and harmonies as our talented musicians from Afghanistan, Bangladesh, Bhutan, India, Maldives, Nepal, Pakistan, and Sri Lanka come together to create a mesmerizing performance. Discover the beauty of A Cappella music infused with the rich tapestry of South Asian sounds at Northeastern University. Be a part of a vibrant community of music lovers and let the eternal Sound of NAAD resonate through your very being.", + "event_type": "hybrid", + "start_time": "2024-04-12 14:15:00", + "end_time": "2024-04-12 15:15:00", + "tags": [ + "CreativeWriting", + "AsianAmerican", + "Music" + ] + }, + { + "id": "dd50c57b-a131-448a-9214-d75fd5c3b2d7", + "club_id": "185eaaf8-8ac0-4095-9027-60caf0e9cba7", + "name": "Event for Naloxone Outreach and Education Initiative", + "preview": "This club is holding an event.", + "description": "Join us at the Naloxone Outreach and Education Initiative's upcoming event where we will provide hands-on training on recognizing the signs of an opioid overdose, administering naloxone, and effectively responding to opioid emergencies. Our experienced educators will guide you through the steps to save a life and empower you with the knowledge and tools to make a difference in your community. This interactive session will also include information on accessing free naloxone kits, fentanyl test strips, and additional resources to support overdose prevention and harm reduction efforts. Come be part of a supportive environment where we work together to combat the opioid crisis, challenge stigmas, and create a safer, more informed community.", + "event_type": "in_person", + "start_time": "2026-07-07 21:15:00", + "end_time": "2026-07-07 22:15:00", + "tags": [ + "Education", + "Volunteerism", + "HumanRights", + "CommunityOutreach", + "Health" + ] + }, + { + "id": "d010d965-a310-4df4-b3f5-e698f40a5562", + "club_id": "8c5e399e-3a7c-4ca6-8f05-7c5f385d5237", + "name": "Event for Network of Enlightened Women at Northeastern", + "preview": "This club is holding an event.", + "description": "Join the Network of Enlightened Women at Northeastern for an engaging evening of discussions on current events, networking with like-minded individuals, and insightful professional development training. This event is the perfect opportunity to connect with fellow members, gain valuable knowledge, and take the next step in empowering yourself as a principled leader. Come be a part of our vibrant community and explore how you can advocate for pro-liberty ideas with confidence and purpose!", + "event_type": "hybrid", + "start_time": "2026-08-27 19:30:00", + "end_time": "2026-08-27 23:30:00", + "tags": [ + "Christianity", + "CommunityOutreach", + "Leadership", + "Conservative", + "Volunteerism", + "PublicPolicy", + "ProfessionalDevelopment" + ] + }, + { + "id": "0f09ede1-4b85-46da-bacf-acd346832396", + "club_id": "8c5e399e-3a7c-4ca6-8f05-7c5f385d5237", + "name": "Event for Network of Enlightened Women at Northeastern", + "preview": "This club is holding an event.", + "description": "Join the Network of Enlightened Women at Northeastern for an engaging evening of insightful discussions on current events and networking with like-minded women. This event will provide a platform for professional development training and opportunities for service work, all while fostering a supportive community of strong, principled leaders. Whether you're looking to make new friends, enhance your knowledge on conservative issues, or take the next step in your leadership journey, this event is designed to empower you to confidently advocate for pro-liberty ideas in all aspects of your life.", + "event_type": "in_person", + "start_time": "2026-12-19 19:00:00", + "end_time": "2026-12-19 22:00:00", + "tags": [ + "Christianity", + "ProfessionalDevelopment", + "Volunteerism" + ] + }, + { + "id": "15e9f909-0efb-4bb7-bff8-07a3058a80a4", + "club_id": "52b6aff9-b528-4166-981c-538c2a88ec6d", + "name": "Event for North African Student Association", + "preview": "This club is holding an event.", + "description": "Join the North African Student Association for an evening of cultural celebration! Immerse yourself in the vibrant traditions of North Africa with live music, delicious cuisine, and engaging conversations. This event offers a fantastic opportunity to connect with fellow students who share your interests in North African heritage. Come learn about the rich history and diverse customs of North Africa while enjoying a warm and inviting atmosphere. Whether you're of North African descent or simply curious about the culture, all are welcome to join us for this unforgettable experience!", + "event_type": "virtual", + "start_time": "2024-06-11 21:15:00", + "end_time": "2024-06-12 01:15:00", + "tags": [ + "CulturalAwareness" + ] + }, + { + "id": "de1f6486-644c-4ed4-a095-9c9fa18cbd24", + "club_id": "565fc7e8-dbdc-449b-aa92-55e39f81e472", + "name": "Event for Northeastern University Physical Therapy Club", + "preview": "This club is holding an event.", + "description": "Join the Northeastern University Physical Therapy Club for an engaging Wellness Fair as part of the National Physical Therapy Month celebrations! This fun and informative event will feature interactive booths with health screenings, fitness challenges, and expert advice on maintaining optimal physical well-being. Meet fellow students in the Physical Therapy program, learn about the latest advancements in the field, and discover practical tips for promoting overall wellness. Don't miss this opportunity to connect with peers, professors, and industry professionals while enjoying a day of health-focused activities and community building!", + "event_type": "in_person", + "start_time": "2025-06-04 22:15:00", + "end_time": "2025-06-05 01:15:00", + "tags": [ + "Volunteerism", + "Healthcare", + "CommunityOutreach", + "PublicRelations" + ] + }, + { + "id": "c0fc16c1-fc02-4205-ab49-b5278d0e9ef1", + "club_id": "37403528-45cd-4d8b-b456-7d801abbf08d", + "name": "Event for null NEU", + "preview": "This club is holding an event.", + "description": "Join us for an exciting hands-on workshop hosted by null NEU, where you can learn the latest techniques in cybersecurity defense while networking with fellow enthusiasts. Our experienced mentors will guide you through practical exercises, sharing valuable insights and tips to enhance your digital safety skills. Don't miss this interactive opportunity to deepen your understanding of cybersecurity in a supportive and engaging environment!", + "event_type": "hybrid", + "start_time": "2025-10-01 19:00:00", + "end_time": "2025-10-01 23:00:00", + "tags": [ + "Networking", + "Cybersecurity" + ] + }, + { + "id": "a5d9cd65-b65b-468f-8028-32aa70bc4d3e", + "club_id": "37403528-45cd-4d8b-b456-7d801abbf08d", + "name": "Event for null NEU", + "preview": "This club is holding an event.", + "description": "Join us at null NEU for our upcoming workshop on Practical Ethical Hacking Techniques! Dive into the fascinating world of cybersecurity with hands-on activities, live demos, and expert guidance. Whether you're a novice or seasoned pro, this event is designed to boost your skills and confidence in ethical hacking. Don't miss this opportunity to learn, network, and have fun exploring the realm of digital security with us!", + "event_type": "virtual", + "start_time": "2025-09-10 21:00:00", + "end_time": "2025-09-10 23:00:00", + "tags": [ + "DataScience", + "Networking" + ] + }, + { + "id": "a8beaa4b-42b0-4864-a473-65e54eb415bd", + "club_id": "37403528-45cd-4d8b-b456-7d801abbf08d", + "name": "Event for null NEU", + "preview": "This club is holding an event.", + "description": "Join null NEU for a captivating workshop on the fundamentals of cryptography, where you'll unravel the mysteries of encryption techniques and dive into the world of secure communication. Our cybersecurity experts will guide you through hands-on activities, demystifying complex concepts and empowering you to strengthen your digital defenses. Whether you're a beginner eager to explore the realm of cybersecurity or a seasoned pro looking to sharpen your skills, this engaging event promises to be an enlightening experience for all! Don't miss this opportunity to expand your knowledge and network with like-minded enthusiasts in a welcoming and supportive environment.", + "event_type": "in_person", + "start_time": "2025-08-05 20:30:00", + "end_time": "2025-08-05 21:30:00", + "tags": [ + "Networking", + "DataScience", + "Coding", + "SoftwareEngineering", + "Cybersecurity" + ] + }, + { + "id": "6345bebd-e049-48f3-a6f3-118c9ed2b115", + "club_id": "67c976b8-e3bb-4ef7-adc4-d41d1ae48830", + "name": "Event for Orthodox Christian Fellowship", + "preview": "This club is holding an event.", + "description": "Join Orthodox Christian Fellowship this Saturday for a special event focused on deepening our understanding of the Eastern Orthodox faith. You will have the opportunity to engage in fellowship with like-minded students, participate in educational discussions about our beliefs, and come together in worship through prayer and reflection. Additionally, we will discuss upcoming service opportunities where you can make a positive impact in the community. Whether you are curious about our traditions or looking to connect with others who share your values, this event promises a welcoming and enriching experience for all attendees.", + "event_type": "virtual", + "start_time": "2025-09-10 17:30:00", + "end_time": "2025-09-10 18:30:00", + "tags": [ + "Christianity", + "Education" + ] + }, + { + "id": "9ba7abc0-70ed-4f90-9c19-07db78448b55", + "club_id": "67c976b8-e3bb-4ef7-adc4-d41d1ae48830", + "name": "Event for Orthodox Christian Fellowship", + "preview": "This club is holding an event.", + "description": "Join the Orthodox Christian Fellowship for an enlightening evening dedicated to exploring the 'Four Pillars of OCF' - Fellowship, Education, Worship, and Service! Immerse yourself in a welcoming atmosphere where students can share experiences, engage with the Church, and deepen their faith alongside like-minded peers. This event will offer a unique opportunity to learn about the Eastern Orthodox faith, strengthen your spiritual connection, and discover ways to serve the community both within and outside the club. Don't miss out on this chance to be part of a vibrant and compassionate community that fosters growth, learning, and service!", + "event_type": "virtual", + "start_time": "2026-11-01 19:15:00", + "end_time": "2026-11-01 21:15:00", + "tags": [ + "Christianity" + ] + }, + { + "id": "93909726-456e-40e7-9e96-5922ca6e6b46", + "club_id": "67c976b8-e3bb-4ef7-adc4-d41d1ae48830", + "name": "Event for Orthodox Christian Fellowship", + "preview": "This club is holding an event.", + "description": "Join the Orthodox Christian Fellowship for our upcoming event where we will gather together to deepen our understanding of Eastern Orthodox Christianity through engaging discussions, educational sessions, and heartfelt worship. This event will provide a welcoming space for students to share their experiences and grow in fellowship with one another. Come learn more about our faith, strengthen your bond with God through prayer and thankfulness, and discover meaningful ways to serve others in our community. Whether you're new to the club or a longtime member, all are encouraged to participate and connect with the “Four Pillars of OCF” \u2013 Fellowship, Education, Worship, and Service.", + "event_type": "virtual", + "start_time": "2024-05-15 21:00:00", + "end_time": "2024-05-16 01:00:00", + "tags": [ + "Fellowship", + "Education", + "Volunteerism" + ] + }, + { + "id": "88614fc4-f5a4-48fd-8e1b-0c121480c737", + "club_id": "cd768106-ee11-4e65-9e33-100e02393c23", + "name": "Event for Pages for Pediatrics at NEU", + "preview": "This club is holding an event.", + "description": "Join Pages for Pediatrics at NEU for a heartwarming Storybook Showcase event! Immerse yourself in the magical world of children's literature as we share stories of resilience, hope, and friendship through our special pediatric-themed storybooks. Learn how our narrative mirroring technique normalizes patient adversity and promotes disability representation while combatting stigma surrounding pediatric conditions. Discover how you can support our mission by attending our event, where we will raise funds to produce and distribute therapeutic books to pediatric patients in need. Be a part of spreading comfort and solidarity to young readers at Boston Children's Hospital and beyond. Don't miss this opportunity to make a difference in the lives of children and connect with our compassionate community of book lovers and advocates!", + "event_type": "hybrid", + "start_time": "2025-03-27 14:15:00", + "end_time": "2025-03-27 17:15:00", + "tags": [ + "Volunteerism" + ] + }, + { + "id": "cfb339cf-cd79-4f8b-8a8e-a519c8091f91", + "club_id": "cd768106-ee11-4e65-9e33-100e02393c23", + "name": "Event for Pages for Pediatrics at NEU", + "preview": "This club is holding an event.", + "description": "Join Pages for Pediatrics at NEU for our upcoming 'Storybook Night' event! Come together for an evening filled with heartwarming tales that inspire hope, comfort, and resilience in pediatric patients. Discover how our narrative mirroring approach normalizes patient adversity and advocates for disability representation, while combating stigma towards pediatric conditions. Learn how you can support our cause by participating in fun activities, enjoying refreshments, and contributing to our fundraising efforts to provide therapeutic storybooks to children in need. Don't miss this opportunity to make a difference in the lives of young patients at Boston Children's Hospital and beyond. All are welcome to join us in spreading love, positivity, and community outreach!", + "event_type": "in_person", + "start_time": "2024-04-16 12:15:00", + "end_time": "2024-04-16 14:15:00", + "tags": [ + "CommunityOutreach", + "HumanRights", + "VisualArts", + "CreativeWriting" + ] + }, + { + "id": "591831b4-b1b3-46e6-8bcc-5c25382a582a", + "club_id": "cd768106-ee11-4e65-9e33-100e02393c23", + "name": "Event for Pages for Pediatrics at NEU", + "preview": "This club is holding an event.", + "description": "Join us for a heartwarming afternoon of storytelling at Pages for Pediatrics at NEU's Annual Storybook Extravaganza! Come experience the magic of narrative mirroring as we share tales of hope, comfort, and solidarity through our unique children\u2019s storybooks. Learn how these stories are making a difference in pediatric patient care by normalizing patient adversity, advocating for disability representation, and combating stigma towards pediatric conditions. This special event aims to raise funds for the production and distribution of our therapeutic books, ensuring that every child has access to these inspiring tales. Together, we'll make a positive impact on children's lives while enjoying an enchanting day of community support and storytelling. Don't miss this opportunity to be a part of something truly meaningful!", + "event_type": "virtual", + "start_time": "2026-04-18 14:00:00", + "end_time": "2026-04-18 15:00:00", + "tags": [ + "VisualArts", + "HumanRights", + "Volunteerism", + "CommunityOutreach" + ] + }, + { + "id": "1d1bc6db-b560-4a65-b2bb-b8880c70c0c8", + "club_id": "1b091bfa-da37-476e-943d-86baf5929d8c", + "name": "Event for Poker Club", + "preview": "This club is holding an event.", + "description": "Join us for a fun evening of Poker at Poker Club's Campus Game Night! Whether you're a seasoned Poker player or a complete beginner, everyone is welcome to join in on the excitement. Our experienced members will be there to provide guidance and tips for those looking to improve their skills. Don't miss out on this opportunity to play in a friendly and non-competitive environment, where the only thing at stake is the thrill of the game. Plus, there will be fantastic prizes up for grabs, so come prepared for some friendly competition and a chance to win big! See you there!", + "event_type": "virtual", + "start_time": "2025-08-08 12:00:00", + "end_time": "2025-08-08 13:00:00", + "tags": [ + "Volunteerism", + "CommunityOutreach", + "PerformingArts" + ] + }, + { + "id": "b393e0d3-0e0a-416f-8649-007ad1af50f8", + "club_id": "1b091bfa-da37-476e-943d-86baf5929d8c", + "name": "Event for Poker Club", + "preview": "This club is holding an event.", + "description": "Join us for an exciting Poker Fundamentals Workshop at Poker Club! Whether you're a beginner looking to learn the basics or a seasoned player wanting to refine your skills, this workshop is open to poker enthusiasts of all levels. Our experienced members will cover essential strategies, tips, and tricks to help you improve your game. Plus, there will be opportunities to practice your newfound knowledge through friendly gameplay with fellow club members. Don't miss this chance to enhance your poker skills in a fun and supportive environment!", + "event_type": "hybrid", + "start_time": "2026-06-06 21:00:00", + "end_time": "2026-06-06 22:00:00", + "tags": [ + "CommunityOutreach", + "Volunteerism" + ] + }, + { + "id": "ce553717-3d0d-4df1-8903-a7fdea2934ee", + "club_id": "d456f9ad-6af0-4e0f-8c1b-8ca656bfc5a2", + "name": "Event for Queer Caucus", + "preview": "This club is holding an event.", + "description": "Join us at Queer Caucus for a special networking event where you can meet and connect with other queer students and allies in a inclusive and supportive environment. This event will feature engaging discussions on current LGBTQ+ issues, opportunities for personal and professional growth, and a chance to build lasting friendships within the community. Whether you're a seasoned member or newly curious about our club, everyone is welcome to participate and contribute to making our queer space at NUSL even more vibrant and empowering. Come join us and see why Queer Caucus is at the forefront of creating a welcoming and affirming space for all diverse identities within our law school community!", + "event_type": "hybrid", + "start_time": "2025-11-19 13:00:00", + "end_time": "2025-11-19 15:00:00", + "tags": [ + "HumanRights" + ] + }, + { + "id": "eb64cc68-0fcc-4b3c-b3a3-cb473167287d", + "club_id": "008998ca-8dc4-4d0b-8334-18123c6c051f", + "name": "Event for Real Talks", + "preview": "This club is holding an event.", + "description": "Join us at Real Talks for a captivating evening of open dialogue and meaningful connections. Our next event, 'Breaking Barriers', will feature inspiring speakers sharing their personal journeys of overcoming challenges and embracing change. Whether you're a long-time member or a first-time visitor, you'll find a warm and inclusive atmosphere where diverse perspectives are celebrated. Don't miss this opportunity to engage with like-minded individuals and nourish your mind and soul. Together, we can break barriers and build a community based on authenticity and mutual respect.", + "event_type": "in_person", + "start_time": "2026-07-04 22:15:00", + "end_time": "2026-07-04 23:15:00", + "tags": [ + "CommunityOutreach" + ] + }, + { + "id": "99cafed6-0c66-4791-9477-35c3818150e5", + "club_id": "008998ca-8dc4-4d0b-8334-18123c6c051f", + "name": "Event for Real Talks", + "preview": "This club is holding an event.", + "description": "Join us at Real Talks for an engaging evening where we dive into the art of effective communication. Whether you're a seasoned or budding communicator, this event promises insightful discussions, practical tips, and fun activities to enhance your skills. Welcoming all individuals eager to connect, learn, and grow in a supportive community setting. Don't miss this opportunity to fine-tune your communication prowess while making new friends at Real Talks!", + "event_type": "virtual", + "start_time": "2024-09-26 14:00:00", + "end_time": "2024-09-26 18:00:00", + "tags": [ + "Film" + ] + }, + { + "id": "07660452-4410-4502-906b-f72aed09aaa7", + "club_id": "d07fcf14-b256-4fe2-93d5-7d2f973a8055", + "name": "Event for ReNU", + "preview": "This club is holding an event.", + "description": "Join us at ReNU's upcoming event where we will be diving into the world of sustainable energy innovation! Together, we will be unraveling the mysteries of wind turbines and solar power systems, putting our heads together to design and build cutting-edge prototypes. Whether you're a seasoned engineer or just curious about renewable technologies, everyone is welcome to come learn, create, and have a blast. Get ready to be inspired and make a meaningful impact on our environment!", + "event_type": "virtual", + "start_time": "2026-11-24 14:00:00", + "end_time": "2026-11-24 15:00:00", + "tags": [ + "Prototype", + "RenewableEnergy", + "Engineering" + ] + }, + { + "id": "d437bfef-c64d-4829-9843-2a8da2677c1b", + "club_id": "690fbd88-f879-4e30-97fd-69b295456093", + "name": "Event for rev", + "preview": "This club is holding an event.", + "description": "Join us at rev's monthly Hack Night and bring your ideas to life in a collaborative and inclusive environment! Whether you're a seasoned coder, a budding designer, or just curious about tech, this is the perfect opportunity to network with like-minded individuals, get feedback on your projects, and explore new technologies together. Our mentors will be there to guide you, and who knows, you might even find your next project partner. Come and be a part of the vibrant hacker culture we're nurturing at rev, where innovation knows no bounds!", + "event_type": "virtual", + "start_time": "2024-09-01 15:15:00", + "end_time": "2024-09-01 18:15:00", + "tags": [ + "SoftwareEngineering" + ] + }, + { + "id": "242bf378-acf8-481f-be53-ab813323496c", + "club_id": "690fbd88-f879-4e30-97fd-69b295456093", + "name": "Event for rev", + "preview": "This club is holding an event.", + "description": "Join us for a stimulating Code Jam session at rev! Dive into a night of coding, networking, and collaborative project building with fellow students from diverse backgrounds at Northeastern University. Whether you're a seasoned coder or just starting out, this event is the perfect opportunity to immerse yourself in the innovative hacker culture of Boston. Bring your ideas to life, share your skills, and connect with like-minded peers who share your passion for tech and creativity. Let's build something amazing together!", + "event_type": "virtual", + "start_time": "2025-05-17 12:00:00", + "end_time": "2025-05-17 13:00:00", + "tags": [ + "CommunityOutreach", + "DataScience", + "SoftwareEngineering" + ] + }, + { + "id": "64862317-d8f3-4b8d-87c3-201fc0fc2193", + "club_id": "aa8f0ad8-09ff-4fc1-8609-96b3532ac51b", + "name": "Event for Rhythm Games Club", + "preview": "This club is holding an event.", + "description": "Join the Rhythm Games Club for our upcoming event, 'Beat Blast Jam'! Get ready to showcase your rhythmic prowess in a friendly and welcoming environment. From beginners to pros, everyone is invited to participate and groove to the beat. With a variety of music genres and game levels to choose from, there's something for everyone. Come join the fun and challenge yourself to some high-energy rhythms! Stay tuned for more details on our Discord channel at https://discord.gg/G4rUWYBqv3.", + "event_type": "in_person", + "start_time": "2025-06-19 18:30:00", + "end_time": "2025-06-19 19:30:00", + "tags": [ + "PerformingArts", + "CommunityOutreach", + "VisualArts" + ] + }, + { + "id": "502515f2-1537-4d2a-b56c-3e7b4881ce62", + "club_id": "2beeb1f8-b056-4827-9720-10f5bf15cc75", + "name": "Event for Scholars of Finance", + "preview": "This club is holding an event.", + "description": "Join us at our upcoming Scholars of Finance event, where we will dive into an engaging discussion on the ethical considerations shaping the future of finance. Get ready to connect with like-minded individuals passionate about financial literacy and responsible investment practices, all while exploring innovative solutions for global challenges. Whether you're a seasoned finance enthusiast or just beginning your journey, this event promises to inspire, educate, and equip you with the tools needed to make a positive impact in the world. We can't wait to see you there!", + "event_type": "in_person", + "start_time": "2025-06-24 20:30:00", + "end_time": "2025-06-25 00:30:00", + "tags": [ + "Education" + ] + }, + { + "id": "652622dc-7052-43b3-bb1e-6344755832be", + "club_id": "2beeb1f8-b056-4827-9720-10f5bf15cc75", + "name": "Event for Scholars of Finance", + "preview": "This club is holding an event.", + "description": "Join the Scholars of Finance for an engaging workshop on sustainable investing and ethical finance practices! Discover how you can make a positive impact on the world through your investment decisions while connecting with like-minded individuals who are passionate about financial literacy. Whether you're a beginner or an expert in the field, this event is your opportunity to learn, grow, and contribute to building a brighter future for generations to come. Come with an open mind and leave inspired to make a difference in the world of finance!", + "event_type": "hybrid", + "start_time": "2025-10-15 13:15:00", + "end_time": "2025-10-15 15:15:00", + "tags": [ + "Leadership", + "GlobalChallenges", + "Ethics", + "Education", + "Finance" + ] + }, + { + "id": "1c55f883-39d1-4743-85e2-3ad418e51518", + "club_id": "595b59ab-38c5-44cd-82e9-ddae9935567a", + "name": "Event for SPIC MACAY NU CHAPTER", + "preview": "This club is holding an event.", + "description": "Embark on a captivating evening of classical Kathak dance and Hindustani music fusion at the SPIC MACAY NU CHAPTER! Join us as we showcase the graceful footwork and expressive storytelling of Kathak maestros, accompanied by the enchanting melodies of Hindustani vocalists. Immerse yourself in the rhythmic beats and melodic nuances that define Indian performing arts, all while surrounded by a warm community of like-minded individuals passionate about cultural heritage. Whether you're a seasoned connoisseur or new to the world of Indian classical arts, this event promises to be a delightful journey of artistic exploration and appreciation. Come experience the magic of tradition and innovation harmoniously blending together in a celebration of artistic excellence.", + "event_type": "in_person", + "start_time": "2026-09-16 14:15:00", + "end_time": "2026-09-16 15:15:00", + "tags": [ + "CommunityOutreach", + "CulturalHeritage" + ] + }, + { + "id": "7ef568b7-4966-473f-b5da-5517f9c53d2a", + "club_id": "595b59ab-38c5-44cd-82e9-ddae9935567a", + "name": "Event for SPIC MACAY NU CHAPTER", + "preview": "This club is holding an event.", + "description": "Join us for an enchanting evening of classical Kathak dance as we showcase the graceful movements and expressive storytelling of this traditional Indian art form. Immerse yourself in the rhythms and emotions of Kathak as our talented performers captivate your senses and transport you to a world of beauty and grace. Whether you are a seasoned enthusiast or new to the wonders of Indian dance, this event promises to be a delightful experience for all. Don't miss this opportunity to witness the magic of Kathak and celebrate the rich cultural heritage it embodies with our vibrant community at SPIC MACAY NU CHAPTER!", + "event_type": "virtual", + "start_time": "2025-12-25 17:00:00", + "end_time": "2025-12-25 21:00:00", + "tags": [ + "CommunityOutreach", + "PerformingArts" + ] + }, + { + "id": "5bcf5eb7-3894-478a-a4fb-6936eea6ae1a", + "club_id": "595b59ab-38c5-44cd-82e9-ddae9935567a", + "name": "Event for SPIC MACAY NU CHAPTER", + "preview": "This club is holding an event.", + "description": "Join us for an enchanting evening of classical Kathak dance performance, a true celebration of grace, rhythm, and storytelling through movement. Immerse yourself in the elegance and intricacy of this traditional Indian art form as our talented dancers take you on a mesmerizing journey. Whether you're a seasoned Kathak enthusiast or new to its magic, this event offers a perfect opportunity to experience the beauty and cultural significance of this ancient dance style. Don't miss this chance to witness the artistry and passion of our performers, as we come together to honor and preserve the heritage of Indian classical dance at SPIC MACAY NU CHAPTER.", + "event_type": "in_person", + "start_time": "2026-08-19 12:30:00", + "end_time": "2026-08-19 15:30:00", + "tags": [ + "CulturalHeritage", + "Music", + "PerformingArts", + "VisualArts", + "CommunityOutreach" + ] + }, + { + "id": "4f45bdd7-ce7d-4e5d-853c-ab8c93176dad", + "club_id": "f4743b64-70d8-4ed8-a983-9668efdca146", + "name": "Event for The Libre Software Advocacy Group", + "preview": "This club is holding an event.", + "description": "Join The Libre Software Advocacy Group at our upcoming event, 'Open Source Fair: Exploring Digital Freedom'! Delve into the world of Libre Software and learn how it empowers individuals through collaboration, transparency, and user rights. Engage with like-minded enthusiasts, participate in hands-on workshops, and discover the potential of open-source solutions for a more innovative and inclusive digital landscape. Whether you're new to free software or a seasoned advocate, this event promises to be a celebration of ethical technology practices and the principles of digital freedom. Don't miss out on this opportunity to be a part of a community dedicated to advancing the cause of open-source software for the betterment of all!", + "event_type": "in_person", + "start_time": "2025-02-12 12:00:00", + "end_time": "2025-02-12 15:00:00", + "tags": [ + "OpenSource", + "EthicalTechnologyPractices" + ] + }, + { + "id": "cf2b400e-7711-4715-9b10-1854bf9661a2", + "club_id": "f4743b64-70d8-4ed8-a983-9668efdca146", + "name": "Event for The Libre Software Advocacy Group", + "preview": "This club is holding an event.", + "description": "Join The Libre Software Advocacy Group at our upcoming tech meetup where we'll explore the latest innovations in free and open-source software. Connect with like-minded individuals who share a passion for digital freedom and learn how you can contribute to a more collaborative and transparent digital landscape. Whether you're a seasoned developer or just starting your journey with Libre Software, this event is a welcoming space for all to exchange ideas, gain knowledge, and champion user rights together. Come be a part of our community focused on fostering innovation, inclusivity, and ethical technology practices for the betterment of society!", + "event_type": "in_person", + "start_time": "2026-11-15 23:30:00", + "end_time": "2026-11-16 03:30:00", + "tags": [ + "CommunityOutreach" + ] + }, + { + "id": "2f3cb854-d37b-43b0-8a0a-73888022de9a", + "club_id": "803fa5c5-feb8-4966-b3ff-0131f6887b6b", + "name": "Event for The Women's Network Northeastern", + "preview": "This club is holding an event.", + "description": "Join us for an engaging speaker event hosted by The Women's Network Northeastern, where you'll have the opportunity to hear from inspirational industry leaders sharing their career journeys and insights. Connect with fellow members in a welcoming and supportive environment as you expand your professional network. Don't miss this valuable opportunity to gain new perspectives, build confidence, and discover exciting career possibilities. Register now to secure your spot and be part of this empowering experience!", + "event_type": "hybrid", + "start_time": "2024-05-12 13:15:00", + "end_time": "2024-05-12 15:15:00", + "tags": [ + "CommunityBuilding", + "ProfessionalDevelopment", + "NetworkingEvents", + "WomenEmpowerment" + ] + }, + { + "id": "1665c2d9-fd6c-48e5-9c67-8baba5332c2d", + "club_id": "803fa5c5-feb8-4966-b3ff-0131f6887b6b", + "name": "Event for The Women's Network Northeastern", + "preview": "This club is holding an event.", + "description": "Join The Women's Network Northeastern for an exciting networking trip where you'll have the opportunity to connect with industry leaders and fellow ambitious women. This unique experience will not only expand your professional network but also provide insights and inspiration to help you advance in your career. Whether you're a student or a seasoned professional, this event is the perfect setting to gain valuable connections, boost your confidence, and explore new opportunities. Don't miss out on this empowering event that could potentially open doors to a brighter future for you! RSVP now at bit.ly/jointwn and follow us on Instagram @thewomensnetwork_northeastern for updates on this and other upcoming events.", + "event_type": "hybrid", + "start_time": "2025-04-10 13:00:00", + "end_time": "2025-04-10 14:00:00", + "tags": [ + "ProfessionalDevelopment", + "NetworkingEvents" + ] + }, + { + "id": "2931b267-6496-43e4-b30e-d4ba783de30f", + "club_id": "b3c62e9e-ff30-4720-addc-f8f299f13b1f", + "name": "Event for Undergraduate Law Review", + "preview": "This club is holding an event.", + "description": "Join the Undergraduate Law Review for an exciting panel discussion on current hot topics in the field of law! Our distinguished speakers, including legal professionals and academics, will provide valuable insights and diverse perspectives on issues shaping our legal landscape today. Whether you're a seasoned law enthusiast or just curious about the subject, this event is a wonderful opportunity to engage with like-minded individuals, ask questions, and expand your knowledge in a supportive environment. Come join us for an evening filled with engaging discussions, networking opportunities, and intellectual stimulation!", + "event_type": "in_person", + "start_time": "2026-08-24 17:00:00", + "end_time": "2026-08-24 21:00:00", + "tags": [ + "HumanRights", + "Journalism", + "CommunityOutreach" + ] + }, + { + "id": "55a250a6-3627-4d34-8e8b-0bb20dc5f001", + "club_id": "b3c62e9e-ff30-4720-addc-f8f299f13b1f", + "name": "Event for Undergraduate Law Review", + "preview": "This club is holding an event.", + "description": "Join the Undergraduate Law Review for an engaging panel discussion on current legal issues affecting undergraduate students. Our expert speakers will share their insights and experiences, offering valuable perspectives on navigating the legal landscape as a student. This event is open to all members of the Northeastern University community and promises to be an enlightening and thought-provoking experience. Don't miss this opportunity to expand your legal knowledge and network with like-minded peers in a welcoming and inclusive environment!", + "event_type": "hybrid", + "start_time": "2024-01-18 19:30:00", + "end_time": "2024-01-18 21:30:00", + "tags": [ + "Prelaw" + ] + }, + { + "id": "e534544d-b8cb-4a9b-b14d-b710e2485398", + "club_id": "b3c62e9e-ff30-4720-addc-f8f299f13b1f", + "name": "Event for Undergraduate Law Review", + "preview": "This club is holding an event.", + "description": "Join us for an engaging panel discussion on current legal issues impacting undergraduate students, featuring esteemed guest speakers from the legal field. This event offers a unique opportunity to delve into the intersections of law and academia in a welcoming and inclusive setting. Whether you're a law enthusiast or just curious about legal topics, this event promises thought-provoking conversations and valuable insights. Don't miss this chance to connect with like-minded individuals and expand your understanding of the legal landscape!", + "event_type": "virtual", + "start_time": "2026-11-25 13:30:00", + "end_time": "2026-11-25 17:30:00", + "tags": [ + "Journalism", + "Prelaw", + "CommunityOutreach" + ] + }, + { + "id": "8af0125c-ca78-4ccc-8356-91371cffb333", + "club_id": "778fc711-df60-4f1c-a886-01624419b219", + "name": "Event for United Against Trafficking", + "preview": "This club is holding an event.", + "description": "Join United Against Trafficking for our upcoming workshop on understanding the nuances of human trafficking and how we can collectively combat it. This interactive session will provide insights into the various forms of trafficking, share survivor stories, and explore ways to get involved in making a difference. Open to all members of the Northeastern University community, including students, faculty, and staff, this event offers a welcoming space to learn, connect, and take meaningful action towards a world free from exploitation and suffering. Come be a part of our mission to build a diverse and inclusive community dedicated to eradicating the horrors of trafficking and fostering a future where every individual's rights and dignity are upheld.", + "event_type": "virtual", + "start_time": "2025-09-01 17:00:00", + "end_time": "2025-09-01 18:00:00", + "tags": [ + "Collaboration", + "PublicRelations", + "Advocacy", + "CommunityOutreach", + "Volunteerism" + ] + }, + { + "id": "d02f25b6-2e52-4062-9084-8d2225ceac84", + "club_id": "7d62e8f0-7ebc-4699-a0de-c23a6e693f43", + "name": "Event for United Nations Association at Northeastern", + "preview": "This club is holding an event.", + "description": "Join us for an exciting Earth Day celebration where we will come together as a community to raise awareness about environmental issues and promote sustainable practices. This event will include interactive workshops, engaging discussions, and a fun eco-friendly project that everyone can participate in. Let's join hands to make a positive impact on our planet and show our commitment to achieving the Sustainable Development Goals. All are welcome to attend and be part of this meaningful and rewarding experience!", + "event_type": "hybrid", + "start_time": "2024-12-10 16:00:00", + "end_time": "2024-12-10 19:00:00", + "tags": [ + "HumanRights" + ] + }, + { + "id": "60d0c176-7afe-4e8b-b30c-22c3e4239d37", + "club_id": "7d62e8f0-7ebc-4699-a0de-c23a6e693f43", + "name": "Event for United Nations Association at Northeastern", + "preview": "This club is holding an event.", + "description": "Join us for our annual UN Day celebration where we come together to commemorate the founding of the United Nations and the shared vision for a better world. This festive event will feature engaging workshops, cultural performances, and insightful discussions on global issues. It's a great opportunity to connect with like-minded individuals, learn about the Sustainable Development Goals, and explore ways to make a difference in our local community. Whether you're a long-time advocate or new to global affairs, everyone is welcome to join us in celebrating the diversity and unity that the UN represents.", + "event_type": "hybrid", + "start_time": "2025-06-20 21:00:00", + "end_time": "2025-06-21 01:00:00", + "tags": [ + "Volunteerism", + "EnvironmentalAdvocacy", + "HumanRights", + "Journalism" + ] + }, + { + "id": "0748597f-2758-412e-a24d-c8ff6f4a332a", + "club_id": "3e68fb8f-9d0f-45d3-9a18-2915c8cf464a", + "name": "Event for Women\u2019s + Health Initiative at Northeastern", + "preview": "This club is holding an event.", + "description": "Join the Women\u2019s + Health Initiative at Northeastern for an enlightening discussion on the importance of proactive healthcare for individuals with uteruses. Our next event will focus on debunking myths and stigmas surrounding women\u2019s health, empowering attendees to take charge of their well-being. Learn about the latest advancements in healthcare tailored for diverse needs and engage in open conversations about breaking barriers to access quality care. Together, we can create a supportive community that champions health education and advocacy. See you there!", + "event_type": "in_person", + "start_time": "2024-02-04 21:00:00", + "end_time": "2024-02-05 00:00:00", + "tags": [ + "Women'sHealth" + ] + }, + { + "id": "4d1e527f-88da-4b23-b8e1-01e84aa9de36", + "club_id": "3e68fb8f-9d0f-45d3-9a18-2915c8cf464a", + "name": "Event for Women\u2019s + Health Initiative at Northeastern", + "preview": "This club is holding an event.", + "description": "Join the Women\u2019s + Health Initiative at Northeastern for an engaging and empowering event on menstrual health awareness! Learn about the importance of destigmatizing periods and promoting menstrual hygiene for individuals with uteruses. Our guest speaker, a local women\u2019s health expert, will share insightful information and practical tips on how to navigate menstrual health with confidence and understanding. Bring your questions and experiences to contribute to the open discussion, and leave with a greater sense of empowerment and knowledge to advocate for your own health and well-being.", + "event_type": "in_person", + "start_time": "2024-04-01 18:30:00", + "end_time": "2024-04-01 20:30:00", + "tags": [ + "HealthEducation", + "Journalism" + ] + }, + { + "id": "fc771d1c-1c20-4b34-bc75-119eb679b308", + "club_id": "3e68fb8f-9d0f-45d3-9a18-2915c8cf464a", + "name": "Event for Women\u2019s + Health Initiative at Northeastern", + "preview": "This club is holding an event.", + "description": "Join the Women\u2019s + Health Initiative at Northeastern for a special event focused on debunking myths and increasing awareness about common misconceptions surrounding women\u2019s health. In this empowering session, we'll discuss practical tips for taking charge of your health and navigating the complexities of healthcare. Whether you have a uterus or simply want to support this important cause, all are welcome to participate in this informative dialogue. Let's come together to learn, share, and grow in our journey towards better health for all genders!", + "event_type": "virtual", + "start_time": "2025-10-26 18:30:00", + "end_time": "2025-10-26 19:30:00", + "tags": [ + "Journalism" + ] + }, + { + "id": "53cda471-7edc-4137-bd38-3d3357b72387", + "club_id": "02ef6079-d907-4903-935a-bb5afd7e74d5", + "name": "Event for Aaroh", + "preview": "This club is holding an event.", + "description": "Join us at Aaroh's upcoming event where we celebrate the vibrant tapestry of Indian music! Immerse yourself in the melodious world of Bollywood hits, soul-stirring folk tunes, mesmerizing fusion beats, intricate Carnatic compositions, and soulful Hindustani classical ragas. Our gathering is a joyous occasion where music enthusiasts come together to share their love for diverse Indian music forms. Whether you're a seasoned musician or just starting your musical journey, our event provides a welcoming platform for everyone to connect, engage, and enjoy the rich heritage of Indian music. Don't miss this opportunity to be part of a community that celebrates the beauty and depth of Indian origin instruments through captivating performances, engaging discussions, and unforgettable musical experiences!", + "event_type": "hybrid", + "start_time": "2026-11-14 22:15:00", + "end_time": "2026-11-15 01:15:00", + "tags": [ + "CulturalDiversity", + "Music", + "IndianMusic", + "PerformingArts" + ] + }, + { + "id": "9ebc3618-eec5-4eba-a572-ad494a704018", + "club_id": "02ef6079-d907-4903-935a-bb5afd7e74d5", + "name": "Event for Aaroh", + "preview": "This club is holding an event.", + "description": "Join us at Aaroh's Musical Melange event where we celebrate the rich tapestry of Indian music! Immerse yourself in the vibrant sounds of Bollywood, folk, fusion, Carnatic, and Hindustani classical music. Our gathering is a welcoming space for music lovers to come together, share their passion, and explore the beauty of Indian origin instruments. Whether you're a seasoned musician or new to the scene, this event offers a platform for students to connect, engage in lively discussions, and perhaps even showcase their talents. Come experience the magic of musical diversity with Aaroh!", + "event_type": "hybrid", + "start_time": "2024-09-12 21:15:00", + "end_time": "2024-09-12 23:15:00", + "tags": [ + "CulturalDiversity", + "CommunityOutreach", + "PerformingArts", + "Music" + ] + }, + { + "id": "937ac0d4-0dd9-4d04-be5a-310992d24473", + "club_id": "88967bf8-2844-4899-b2a6-2652f5cfb9ac", + "name": "Event for Acting Out", + "preview": "This club is holding an event.", + "description": "Join us at our upcoming event, 'Acting for Change', where passionate actors and enthusiasts come together to perform thought-provoking pieces that shed light on important social issues. This event will not only showcase the talent and dedication of our members but also spark meaningful conversations that aim to inspire positive change in our community. Be a part of this powerful experience that combines artistry with activism, and join us in making a difference through the transformative power of theater.", + "event_type": "virtual", + "start_time": "2024-06-05 19:15:00", + "end_time": "2024-06-05 20:15:00", + "tags": [ + "PerformingArts" + ] + }, + { + "id": "929b49f6-6c1d-4a57-9561-fbdf98b6809e", + "club_id": "88967bf8-2844-4899-b2a6-2652f5cfb9ac", + "name": "Event for Acting Out", + "preview": "This club is holding an event.", + "description": "Join us for an engaging evening of thought-provoking performances and insightful discussions at Acting Out's latest event, 'Voices of Change'. This special event will showcase talented actors bringing to life powerful stories that aim to spark conversations and inspire positive social impact. Be a part of a community passionate about using the art of acting to advocate for meaningful change. Come celebrate creativity and activism with us at 'Voices of Change'!", + "event_type": "hybrid", + "start_time": "2024-06-12 23:15:00", + "end_time": "2024-06-13 03:15:00", + "tags": [ + "CommunityOutreach" + ] + }, + { + "id": "1870cf28-3564-4a05-b9c1-c910cbf0917c", + "club_id": "6df3912c-1ae1-4446-978c-11cb323c7048", + "name": "Event for Active Minds at NU", + "preview": "This club is holding an event.", + "description": "Join Active Minds at NU for a special art therapy workshop, filled with creative expression and stress-relieving activities. In this safe and supportive space, participants will have the opportunity to explore their emotions through art while learning about the importance of mental health self-care. No artistic experience is necessary - just bring your enthusiasm and an open mind! Connect with fellow students, share stories, and leave feeling inspired and empowered. Mark your calendars and bring a friend along to this enriching event!", + "event_type": "hybrid", + "start_time": "2026-07-09 19:15:00", + "end_time": "2026-07-09 22:15:00", + "tags": [ + "Neuroscience", + "Psychology" + ] + }, + { + "id": "ed484008-54c8-4845-817d-bdaa54ac2769", + "club_id": "8145ac02-c649-4525-8ce6-d4e074261445", + "name": "Event for Addiction Support and Awareness Group", + "preview": "This club is holding an event.", + "description": "Join the Addiction Support and Awareness Group for an interactive seminar on understanding addiction and its impact on our community. Discover the importance of creating a safe and supportive space for those struggling with substance use disorders. Learn about the alarming statistics related to addiction, such as the low percentage of individuals receiving treatment. Gain valuable insights into the opioid crisis affecting Massachusetts and the Boston-Cambridge-Quincy Area. This event aims to educate and empower attendees on how to navigate the challenges of addiction and offer support to those in need. Whether you're a concerned community member or a college student, this event is open to all who wish to make a positive difference in the lives of those affected by addiction.", + "event_type": "hybrid", + "start_time": "2026-02-08 17:15:00", + "end_time": "2026-02-08 21:15:00", + "tags": [ + "Volunteerism", + "Psychology", + "HumanRights", + "HealthAwareness" + ] + }, + { + "id": "724ab2c1-6e64-4990-bfe6-6ee81201af01", + "club_id": "8145ac02-c649-4525-8ce6-d4e074261445", + "name": "Event for Addiction Support and Awareness Group", + "preview": "This club is holding an event.", + "description": "Join us for an enlightening and supportive evening at our upcoming event hosted by the Addiction Support and Awareness Group! This event will focus on raising awareness about addiction and providing a safe space for individuals to share their experiences and receive guidance. Learn about the impact of substance use disorders in the northeastern community and how we can work together to combat stigma and promote understanding. Whether you're personally affected by addiction or simply want to show your support, all are welcome to join us in fostering a compassionate environment where knowledge and empathy flourish.", + "event_type": "virtual", + "start_time": "2024-01-08 13:00:00", + "end_time": "2024-01-08 14:00:00", + "tags": [ + "Psychology", + "HumanRights", + "CommunityOutreach", + "HealthAwareness" + ] + }, + { + "id": "131d1283-fecf-4776-a28c-3487c18decc0", + "club_id": "389cfa82-16cf-4ec1-b864-2a871b069a44", + "name": "Event for AerospaceNU", + "preview": "This club is holding an event.", + "description": "Join AerospaceNU for a thrilling Rocket Launch Day where we gather to send our latest creations soaring into the sky! It's a fun-filled event for members of all experience levels - from beginners eager to learn to seasoned rocket enthusiasts. Watch in awe as our rockets blast off, showcasing the hard work and dedication of our diverse and passionate members. Don't miss out on this exciting opportunity to witness engineering marvels take flight. Save the date and bring your friends to experience the magic of AerospaceNU!", + "event_type": "in_person", + "start_time": "2025-03-27 18:15:00", + "end_time": "2025-03-27 20:15:00", + "tags": [ + "Aerospace", + "CommunityOutreach" + ] + }, + { + "id": "e9d657c7-8ecd-41f9-b645-cfca06c8d50b", + "club_id": "389cfa82-16cf-4ec1-b864-2a871b069a44", + "name": "Event for AerospaceNU", + "preview": "This club is holding an event.", + "description": "Join us for our annual Model Rocket Launch event! At AerospaceNU, we're all about reaching new heights - literally. This event is perfect for beginners and enthusiasts alike, providing a hands-on experience in rocketry and a chance to witness some incredible launches. You'll have the opportunity to learn about rocket design, aerodynamics, and safety measures from experienced members of our club. Bring your own rockets or use one of ours, and feel the excitement as they blast off into the sky. Don't miss this chance to be part of a thrilling day filled with innovation, teamwork, and a whole lot of fun!", + "event_type": "in_person", + "start_time": "2025-10-09 23:30:00", + "end_time": "2025-10-10 02:30:00", + "tags": [ + "Aerospace" + ] + }, + { + "id": "4ad1ab51-53be-4ab8-9c93-14622d4e5003", + "club_id": "9ad47970-206b-4b78-be2b-f36b3e9c2e07", + "name": "Event for African Graduate Students Association", + "preview": "This club is holding an event.", + "description": "Join us for an exciting cultural extravaganza hosted by the African Graduate Students Association! Immerse yourself in the vibrant rhythms and flavors of Africa as we celebrate our diverse heritage through music, dance, and cuisine. This event offers a unique opportunity to connect with fellow students, share experiences, and build lasting friendships. Come be a part of this enriching experience that promises to inspire, educate, and entertain all who attend!", + "event_type": "virtual", + "start_time": "2026-03-24 21:15:00", + "end_time": "2026-03-24 22:15:00", + "tags": [ + "LeadershipEmpowerment", + "AfricanAmerican", + "GlobalEngagement" + ] + }, + { + "id": "98463a1a-2999-491b-9358-8be7b5e62110", + "club_id": "9ad47970-206b-4b78-be2b-f36b3e9c2e07", + "name": "Event for African Graduate Students Association", + "preview": "This club is holding an event.", + "description": "Join the African Graduate Students Association for an exciting Cultural Showcase event where members will have the opportunity to celebrate and share the diverse and vibrant cultures of Africa. Enjoy a night of traditional music, dance, and cuisine as we come together to embrace our heritage and strengthen the sense of community within our university. This event will not only be entertaining but also educational, offering a unique opportunity to learn about the rich cultural tapestry of Africa while fostering connections and friendships among students from different backgrounds. Don't miss out on this unforgettable experience that promises to unite us through the beauty of our shared roots!", + "event_type": "in_person", + "start_time": "2024-11-22 22:15:00", + "end_time": "2024-11-22 23:15:00", + "tags": [ + "GlobalEngagement", + "LeadershipEmpowerment", + "CommunityBuilding" + ] + }, + { + "id": "a563c310-0ac4-4b67-a8b2-bec4b7ba1f6f", + "club_id": "e6fbe5d2-1049-47e1-a2c9-de5389dd1413", + "name": "Event for afterHOURS", + "preview": "This club is holding an event.", + "description": "Join us at afterHOURS for an unforgettable open mic night where talented students showcase their creativity through music, poetry, and comedy performances. Enjoy the cozy ambiance, delicious Starbucks beverages, and support our vibrant community of student artists. Whether you're looking to perform or simply soak in the talent, this event promises to be a night full of laughter, inspiration, and connection. See you there!", + "event_type": "hybrid", + "start_time": "2026-06-23 16:00:00", + "end_time": "2026-06-23 18:00:00", + "tags": [ + "Music", + "CommunityOutreach" + ] + }, + { + "id": "be83bd22-638a-4000-aaee-9d2d2115fbd2", + "club_id": "e6fbe5d2-1049-47e1-a2c9-de5389dd1413", + "name": "Event for afterHOURS", + "preview": "This club is holding an event.", + "description": "Join us at afterHOURS for a night of electrifying live music and good vibes! Our diverse and talented lineup of student performers will have you grooving all night long. Enjoy the cozy atmosphere, sip on your favorite Starbucks drink, and mingle with fellow music lovers. Whether you're into indie, rock, or hip-hop, there's something for everyone at afterHOURS. Come make unforgettable memories with us!", + "event_type": "virtual", + "start_time": "2025-09-16 20:30:00", + "end_time": "2025-09-16 23:30:00", + "tags": [ + "CommunityOutreach", + "Film", + "Music" + ] + }, + { + "id": "f2803fba-1f0a-49d0-9dfe-85abebb21de5", + "club_id": "f194ecf9-204a-45d3-92ab-c405f3bdff25", + "name": "Event for Agape Christian Fellowship", + "preview": "This club is holding an event.", + "description": "Join us at Agape Christian Fellowship's next event, where we'll gather as a vibrant and inclusive community of students passionate about faith and friendship. Experience an evening filled with inspiring worship, engaging discussions, and heartfelt connections. Whether you're seeking spiritual growth, meaningful conversations, or simply a welcoming space to belong, our Thursday meeting at 7:30PM in West Village G 02 is the perfect opportunity to explore, learn, and connect with like-minded individuals. We can't wait to share this uplifting experience with you, so mark your calendar and come be a part of something special!", + "event_type": "virtual", + "start_time": "2025-08-06 13:15:00", + "end_time": "2025-08-06 15:15:00", + "tags": [ + "HumanRights", + "CommunityOutreach", + "CommunityOutreach", + "Volunteerism" + ] + }, + { + "id": "00593b0a-4abc-441d-a38b-97b7102d13db", + "club_id": "6443f16e-2afd-468d-b4f6-26697a7f6f43", + "name": "Event for Alliance for Diversity in Science and Engineering", + "preview": "This club is holding an event.", + "description": "Join the Alliance for Diversity in Science and Engineering for our upcoming Summer Involvement Fair Information Session! This exciting event is a fantastic opportunity to learn more about our organization and the amazing opportunities we have in store for you this year. Dive into a world of diversity and acceptance as we showcase non-traditional career paths and share experiences from underrepresented minorities in STEM. Whether you're a student, a scientist, or simply curious about opportunities in the sciences, this event is open to all ages and backgrounds. Connect with like-minded individuals from across the nation, discover new pathways in the world of science, and let us guide you towards a future full of exciting possibilities. Don't miss out on this chance to be inspired and educated \u2013 mark your calendars and get ready to be a part of something truly special!", + "event_type": "hybrid", + "start_time": "2024-03-20 19:30:00", + "end_time": "2024-03-20 23:30:00", + "tags": [ + "CommunityOutreach", + "STEM", + "Volunteerism", + "Engineering" + ] + }, + { + "id": "0f7c5c84-c56b-4ecf-bdea-3317fd77ba7b", + "club_id": "6443f16e-2afd-468d-b4f6-26697a7f6f43", + "name": "Event for Alliance for Diversity in Science and Engineering", + "preview": "This club is holding an event.", + "description": "Join us for our upcoming Virtual Panel Discussion on 'Empowering Underrepresented Voices in STEM' where we'll hear perspectives from diverse scientists and engineers on breaking barriers, fostering inclusivity, and paving the way for a more equitable future in the fields of science and engineering. This engaging event will feature interactive discussions, personal stories, and valuable insights that aim to inspire and empower attendees of all backgrounds to embark on their own journeys in STEM. Save the date and stay tuned for more details on how you can participate and make a difference in shaping a more diverse and inclusive scientific community!", + "event_type": "virtual", + "start_time": "2026-08-16 15:15:00", + "end_time": "2026-08-16 18:15:00", + "tags": [ + "Engineering", + "Education", + "LGBTQ", + "CommunityOutreach", + "Volunteerism", + "Science", + "STEM" + ] + }, + { + "id": "37e56ed7-6ab2-4340-8670-b15ac92fb5d3", + "club_id": "9d515217-c60e-4a7c-b431-5429371b9d84", + "name": "Event for Alpha Chi Omega", + "preview": "This club is holding an event.", + "description": "Join us at Alpha Chi Omega's Annual Sisterhood Retreat where members gather for a weekend of unforgettable memories and bonding. This retreat offers a perfect opportunity to strengthen friendships, learn valuable leadership skills, and engage in meaningful service projects together. From fun team-building activities to heartfelt discussions, this event creates a supportive and welcoming environment for all members to grow and thrive. Come be a part of this special tradition that embodies the essence of our fraternity's dedication to fostering lifelong connections and personal development.", + "event_type": "virtual", + "start_time": "2026-01-04 22:00:00", + "end_time": "2026-01-05 02:00:00", + "tags": [ + "CommunityOutreach", + "Leadership", + "Volunteerism", + "Friendship", + "Service" + ] + }, + { + "id": "d89f231c-70cc-4f7a-9728-4c116add8c6e", + "club_id": "9d515217-c60e-4a7c-b431-5429371b9d84", + "name": "Event for Alpha Chi Omega", + "preview": "This club is holding an event.", + "description": "Join us at Alpha Chi Omega's Charity Gala to celebrate and support our philanthropic endeavors! This glamorous evening will feature a live auction, gourmet dining, and lively music, all in the spirit of giving back to our community. Whether you're a long-time supporter or new to the Greek life scene, come mingle with our members and learn how you can make a difference in the world while having a fabulous time. Get ready to dress to impress and dance the night away with us! We can't wait to welcome you with open arms and show you the heartwarming impact Alpha Chi Omega has on the lives of others.", + "event_type": "virtual", + "start_time": "2026-12-06 19:15:00", + "end_time": "2026-12-06 23:15:00", + "tags": [ + "Leadership", + "Volunteerism", + "CommunityOutreach" + ] + }, + { + "id": "712ce445-6a16-4b47-b186-43334793e130", + "club_id": "9d515217-c60e-4a7c-b431-5429371b9d84", + "name": "Event for Alpha Chi Omega", + "preview": "This club is holding an event.", + "description": "Join Alpha Chi Omega for a delightful evening of sisterhood and community service at our annual Charity Gala event. Mingle with fellow members and guests in an atmosphere of friendship and camaraderie, all while supporting a meaningful cause. Enjoy inspiring speeches, exciting raffle prizes, and a gourmet dinner prepared by renowned chefs. This event is a perfect opportunity to experience the spirit of our fraternity, where bonds are strengthened and hearts are uplifted. Come be a part of an unforgettable evening that embodies our commitment to leadership, service, and lifelong learning.", + "event_type": "in_person", + "start_time": "2024-06-27 15:15:00", + "end_time": "2024-06-27 16:15:00", + "tags": [ + "Friendship", + "CommunityOutreach", + "Volunteerism", + "Service" + ] + }, + { + "id": "57bfb30c-c564-4d4c-8c46-fc89e26e7089", + "club_id": "28b189aa-b93d-4e90-abad-c4bc9e227978", + "name": "Event for Alpha Epsilon Delta, The National Health Preprofessional Honor Society", + "preview": "This club is holding an event.", + "description": "Join Alpha Epsilon Delta for an engaging and educational workshop on Pre-Health Career Paths! Whether you're on the pre-med, pre-PA, or any other health preprofessional track, this event is designed to provide valuable insights and guidance for your future aspirations. Our guest speakers, comprised of healthcare professionals and alumni, will share their experiences and offer advice on navigating the journey towards a successful career in the health industry. You'll have the opportunity to participate in interactive discussions, ask questions, and connect with like-minded peers who share your passion for the healthcare field. Don't miss this chance to gain valuable knowledge and network with fellow students interested in pursuing a rewarding career in healthcare!", + "event_type": "hybrid", + "start_time": "2026-09-24 22:15:00", + "end_time": "2026-09-25 00:15:00", + "tags": [ + "Volunteerism", + "CommunityOutreach", + "Research", + "Chemistry", + "Biology", + "Healthcare", + "Physics" + ] + }, + { + "id": "75f6a63a-2315-4b87-90e3-2267098a5f5c", + "club_id": "45ac612d-0d8d-49b8-9189-aeb0e77f47e0", + "name": "Event for Alpha Epsilon Phi", + "preview": "This club is holding an event.", + "description": "Join us at Alpha Epsilon Phi's annual Sisterhood BBQ where members and prospective sisters come together to celebrate friendship and sisterhood. Enjoy an afternoon filled with delicious food, fun games, and heartfelt conversations as we bond over shared values and experiences. This event provides a perfect opportunity to meet new friends, learn more about our sorority's values, and be a part of our welcoming community that fosters personal growth and support. Whether you're a current member or thinking of joining, the Sisterhood BBQ is the perfect way to connect with like-minded women and create lasting memories in a warm and inclusive environment.", + "event_type": "virtual", + "start_time": "2026-04-16 23:15:00", + "end_time": "2026-04-17 02:15:00", + "tags": [ + "CommunityOutreach" + ] + }, + { + "id": "5e3c6a12-d6e4-4efd-b06e-3193932f66da", + "club_id": "909905ff-45b5-4125-b8c9-25cc68e50511", + "name": "Event for Alpha Epsilon Pi", + "preview": "This club is holding an event.", + "description": "Join Alpha Epsilon Pi for our annual Big Brother Night event, where new members will have the opportunity to connect with a seasoned brother for guidance, friendship, and support throughout their college journey. This fun-filled evening includes icebreakers, games, and meaningful conversations aimed at fostering lasting relationships and personal growth. Whether you're a freshman looking to navigate your first year or a senior seeking mentorship, this event is a welcoming space to build connections that will enhance your college experience. Don't miss out on this chance to be a part of our diverse brotherhood that values community, camaraderie, and individual growth!", + "event_type": "virtual", + "start_time": "2026-12-22 14:30:00", + "end_time": "2026-12-22 16:30:00", + "tags": [ + "Mentorship", + "ProfessionalGrowth", + "Judaism" + ] + }, + { + "id": "57d2eb7e-b2cd-45f1-8a74-32cd36f0e976", + "club_id": "fb7664a0-2eaf-4fa8-889c-77910f265e29", + "name": "Event for Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter", + "preview": "This club is holding an event.", + "description": "Join the sisters of Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter for a dynamic and uplifting event celebrating sisterhood, service, and empowerment. Immerse yourself in a vibrant atmosphere where you can connect with like-minded individuals, participate in engaging discussions, and contribute to impactful community initiatives. This event is a wonderful opportunity to learn more about our rich history, innovative programs, and ongoing commitment to making a difference in the world. Whether you're a current member, prospective member, or simply curious about our organization, all are welcome to join us for an inspiring and meaningful experience!", + "event_type": "hybrid", + "start_time": "2025-06-24 16:15:00", + "end_time": "2025-06-24 18:15:00", + "tags": [ + "AfricanAmerican", + "Volunteerism" + ] + }, + { + "id": "899d0761-f7f9-4c45-a8eb-555832323a65", + "club_id": "fb7664a0-2eaf-4fa8-889c-77910f265e29", + "name": "Event for Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter", + "preview": "This club is holding an event.", + "description": "Join the Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter for an empowering and enlightening community event showcasing the legacy of service and sisterhood that defines our organization. Dive into a celebration of our rich history, from our founding at Howard University in 1908 to our impactful influence across borders and generations. Connect with like-minded individuals, engage in thoughtful discussions on important societal issues, and discover how you can make a meaningful difference in the world. All are welcome to participate in this inspiring gathering of individuals committed to fostering positive change and sisterly bonds.", + "event_type": "hybrid", + "start_time": "2026-02-16 21:30:00", + "end_time": "2026-02-17 00:30:00", + "tags": [ + "PublicRelations", + "AfricanAmerican", + "HumanRights", + "CommunityOutreach", + "Volunteerism" + ] + }, + { + "id": "c1988f52-0557-4abd-b8cb-e5d01fc154f7", + "club_id": "fb7664a0-2eaf-4fa8-889c-77910f265e29", + "name": "Event for Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter", + "preview": "This club is holding an event.", + "description": "Join the Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter for a captivating evening celebrating sisterhood, service, and empowerment. Explore the rich history and impactful legacy of this esteemed organization while connecting with like-minded individuals committed to making a difference in their communities. Engage in enlightening discussions, partake in meaningful activities, and experience firsthand the spirit of unity and progress that defines Alpha Kappa Alpha. Whether you are a longtime member or a newcomer eager to learn more, this event promises to be a source of inspiration and camaraderie for all who attend.", + "event_type": "in_person", + "start_time": "2025-02-19 17:15:00", + "end_time": "2025-02-19 20:15:00", + "tags": [ + "HumanRights", + "PublicRelations", + "Volunteerism" + ] + }, + { + "id": "f3ad0c06-1ad8-4977-9f5e-e8367e51185d", + "club_id": "e445d34e-5913-4d9f-a1a9-048c0bdf4c55", + "name": "Event for Alpha Kappa Psi", + "preview": "This club is holding an event.", + "description": "Join Alpha Kappa Psi for an exciting networking mixer event designed to connect aspiring business professionals in a welcoming and inclusive environment. This event offers a unique opportunity to broaden your professional circle, exchange ideas, and gain valuable insights from seasoned industry leaders. Whether you are a seasoned entrepreneur or a newcomer to the business world, this event is the perfect platform to learn, grow, and collaborate with like-minded individuals. Come network, share experiences, and explore new opportunities with Alpha Kappa Psi!", + "event_type": "in_person", + "start_time": "2024-01-23 16:15:00", + "end_time": "2024-01-23 20:15:00", + "tags": [ + "Ethics" + ] + }, + { + "id": "ff702a84-058c-490a-bdd6-8648e260a545", + "club_id": "e445d34e-5913-4d9f-a1a9-048c0bdf4c55", + "name": "Event for Alpha Kappa Psi", + "preview": "This club is holding an event.", + "description": "Join Alpha Kappa Psi for 'Career Connections Night' - an exciting evening of networking and professional development! This event will feature inspiring guest speakers from various industries sharing their career journeys and insights. Connect with like-minded individuals, gain valuable knowledge, and expand your professional circle. Whether you're a seasoned professional or just starting out, this event is perfect for making meaningful connections and exploring new opportunities. Don't miss out on this enriching experience to further your career goals and aspirations!", + "event_type": "hybrid", + "start_time": "2024-01-18 16:30:00", + "end_time": "2024-01-18 17:30:00", + "tags": [ + "CommunityOutreach", + "Leadership", + "Business", + "Ethics" + ] + }, + { + "id": "c7c35cda-aeeb-4caf-b546-7a76166a435f", + "club_id": "e445d34e-5913-4d9f-a1a9-048c0bdf4c55", + "name": "Event for Alpha Kappa Psi", + "preview": "This club is holding an event.", + "description": "Join Alpha Kappa Psi's upcoming networking reception and seminar where you'll have the chance to connect with like-minded individuals passionate about business! Engage in lively discussions, gain insights from industry experts, and expand your professional network in a welcoming and supportive environment. Whether you're a seasoned professional or just starting your journey, this event is perfect for anyone looking to enhance their career prospects and build valuable relationships. Be sure to RSVP to secure your spot and embark on an evening filled with inspiration, growth, and new opportunities!", + "event_type": "in_person", + "start_time": "2026-11-27 12:30:00", + "end_time": "2026-11-27 16:30:00", + "tags": [ + "CommunityOutreach", + "Ethics", + "Business", + "Leadership", + "ProfessionalDevelopment" + ] + }, + { + "id": "5a9b133f-2da2-480e-909c-bce994cba2a3", + "club_id": "e644bf85-f499-4441-a7b6-aaf113353885", + "name": "Event for Alpha Kappa Sigma", + "preview": "This club is holding an event.", + "description": "Join us at our Fall Rush Mixer event hosted by Alpha Kappa Sigma, a local fraternity at Northeastern since 1919. Come meet our vibrant brotherhood, learn about our values of personal and professional growth, and discover the enriching experiences we offer. Whether you're interested in networking, forming lasting friendships, or simply having a great time, our event promises a warm welcome and a fun atmosphere. Don't miss this opportunity to connect with like-minded individuals and find out what makes Alpha Kappa Sigma truly special!", + "event_type": "hybrid", + "start_time": "2024-05-19 14:00:00", + "end_time": "2024-05-19 17:00:00", + "tags": [ + "Brotherhood" + ] + }, + { + "id": "ea72f6b2-df12-4301-95bf-f425aa61b7df", + "club_id": "3bb5894d-9a20-4fef-b9e4-245c1c65d52f", + "name": "Event for Alpha Phi Omega", + "preview": "This club is holding an event.", + "description": "Join Alpha Phi Omega (APO) for our upcoming community service event at the local food bank, where we will be sorting and packaging food items for families in need. This event is a great opportunity to make a meaningful impact while connecting with fellow members who share a passion for service and leadership. Whether you're a new volunteer or a seasoned member, all are welcome to join us in giving back to the community and fostering a sense of camaraderie. Together, we can make a difference and embody the values of friendship, service, and inclusivity that define Alpha Phi Omega.", + "event_type": "hybrid", + "start_time": "2026-11-12 17:15:00", + "end_time": "2026-11-12 21:15:00", + "tags": [ + "HumanRights" + ] + }, + { + "id": "2fd75091-7906-46b4-b263-168d782ba850", + "club_id": "3bb5894d-9a20-4fef-b9e4-245c1c65d52f", + "name": "Event for Alpha Phi Omega", + "preview": "This club is holding an event.", + "description": "Join Alpha Phi Omega for our upcoming community service event at Community Servings, where we will come together to prepare and deliver nutritious meals to individuals in need in the Boston area. This event is a great opportunity to make a meaningful impact on our community while building connections with like-minded individuals who share a passion for service and giving back. Whether you're a seasoned volunteer or new to community service, all are welcome to participate in this rewarding experience. Come join us in spreading kindness and making a difference in the lives of others!", + "event_type": "virtual", + "start_time": "2025-06-06 16:30:00", + "end_time": "2025-06-06 18:30:00", + "tags": [ + "Service", + "Leadership" + ] + }, + { + "id": "133a2f5a-e708-439e-bc64-4c8f07e5a60a", + "club_id": "3bb5894d-9a20-4fef-b9e4-245c1c65d52f", + "name": "Event for Alpha Phi Omega", + "preview": "This club is holding an event.", + "description": "Join Alpha Phi Omega for a fun and engaging volunteering event at the local Community Servings where we will come together to support those in need. This event will not only provide you with the opportunity to give back to the community but also help you develop your leadership skills in a friendly and inclusive environment. Come join us for a rewarding experience that promotes friendship, service, and making a positive impact in our beloved Boston community!", + "event_type": "hybrid", + "start_time": "2025-03-11 18:15:00", + "end_time": "2025-03-11 20:15:00", + "tags": [ + "Volunteerism" + ] + }, + { + "id": "7cb1144e-27e3-44cd-97e8-e58e9b905f42", + "club_id": "c6b5da00-6a21-4aca-bc6d-da4f65c40ce0", + "name": "Event for American Academy of Orthopedic Manual Physical Therapists Student Special Interest Group", + "preview": "This club is holding an event.", + "description": "Join us for a hands-on workshop on manual therapy techniques! This interactive event is designed to help students enhance their skills in orthopedic manual physical therapy, guided by experienced professionals in the field. Whether you're a beginner or looking to refine your techniques, this workshop offers a friendly and supportive environment to practice and learn. Don't miss this opportunity to deepen your understanding of manual therapy and connect with like-minded peers passionate about the art of healing through touch.", + "event_type": "in_person", + "start_time": "2024-02-17 19:15:00", + "end_time": "2024-02-17 21:15:00", + "tags": [ + "Healthcare", + "Education" + ] + }, + { + "id": "2aac7170-09a6-47c0-b2cb-7202cc8410c0", + "club_id": "c6b5da00-6a21-4aca-bc6d-da4f65c40ce0", + "name": "Event for American Academy of Orthopedic Manual Physical Therapists Student Special Interest Group", + "preview": "This club is holding an event.", + "description": "Join us at the American Academy of Orthopedic Manual Physical Therapists Student Special Interest Group event as we explore the fascinating world of orthopedic manual physical therapy. Dive into hands-on workshops guided by expert therapists to refine your manual therapy skills and engage in enlightening discussions on the latest research in the field. Whether you're just beginning your journey in manual therapy or looking to enhance your knowledge, this event is designed to empower students with the tools and resources needed to excel in their education and future careers. Come be a part of our supportive and collaborative community dedicated to promoting excellence in orthopedic manual physical therapy!", + "event_type": "hybrid", + "start_time": "2024-01-24 12:00:00", + "end_time": "2024-01-24 13:00:00", + "tags": [ + "Education", + "StudentOrganization" + ] + }, + { + "id": "12dd109a-ef59-443d-bae4-38fc838daa2e", + "club_id": "c6b5da00-6a21-4aca-bc6d-da4f65c40ce0", + "name": "Event for American Academy of Orthopedic Manual Physical Therapists Student Special Interest Group", + "preview": "This club is holding an event.", + "description": "Join the American Academy of Orthopedic Manual Physical Therapists Student Special Interest Group for an interactive workshop on advanced manual therapy techniques. Dive deep into hands-on learning experiences that will expand your skills and understanding of orthopedic manual physical therapy. Whether you're a seasoned student or new to the field, this event is designed to cater to all levels of expertise. Network with like-minded peers, receive valuable mentorship from experienced professionals, and gain insights that will bolster your preparation for clinical rotations and your future in manual therapy. Don't miss this opportunity to elevate your practice and connect with a community dedicated to supporting your growth and success!", + "event_type": "in_person", + "start_time": "2025-02-22 23:15:00", + "end_time": "2025-02-23 02:15:00", + "tags": [ + "Healthcare", + "PhysicalTherapy", + "StudentOrganization", + "Education", + "EvidenceBasedPractice" + ] + }, + { + "id": "f1a86d24-3354-4cd1-a729-56a53b5474a9", + "club_id": "9eb69717-b377-45ee-aad5-848c1ed296d8", + "name": "Event for American Cancer Society On Campus at Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us at the annual Paint the Campus Purple event, where we come together as a community to raise awareness and show support for cancer patients and their families. You'll have the opportunity to get creative with purple paint, share stories of strength and hope, and learn about the impact we can make together in the fight against cancer. Whether you're a survivor, a caregiver, a student, or a supporter, everyone is welcome to join in this uplifting and empowering event full of love and unity.", + "event_type": "in_person", + "start_time": "2025-10-11 22:00:00", + "end_time": "2025-10-12 00:00:00", + "tags": [ + "Education", + "Survivorship", + "EnvironmentalAdvocacy", + "Volunteerism", + "CommunityOutreach", + "PublicRelations", + "Advocacy" + ] + }, + { + "id": "8d8635ef-8015-4076-8c16-523ce60098e9", + "club_id": "04ad720a-5d34-4bb1-82bf-03bcbb2d660f", + "name": "Event for American College of Clinical Pharmacy Student Chapter of Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us for an exciting evening of learning and networking at our Clinical Pharmacy Career Panel Event! Discover the diverse specialties within clinical pharmacy and gain insights from experienced professionals in the field. Whether you're interested in ambulatory care, infectious diseases, or academia, this event is your chance to explore the vast opportunities available to you as a future clinical pharmacist. Engage in interactive discussions, ask questions, and connect with fellow student pharmacists who share your passion for advancing human health through pharmacy practice. Don't miss this valuable opportunity to expand your knowledge, build connections, and kickstart your journey towards becoming a skilled clinical pharmacy expert!", + "event_type": "virtual", + "start_time": "2026-01-15 23:15:00", + "end_time": "2026-01-16 03:15:00", + "tags": [ + "Pharmacotherapy", + "Chemistry", + "ClinicalPharmacy", + "StudentChapter", + "Biology", + "Research" + ] + }, + { + "id": "8cbc2679-cfba-4ece-bb1d-a87be72bcf1b", + "club_id": "04ad720a-5d34-4bb1-82bf-03bcbb2d660f", + "name": "Event for American College of Clinical Pharmacy Student Chapter of Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us for an engaging and interactive workshop hosted by the American College of Clinical Pharmacy Student Chapter of Northeastern University! Dive into the world of clinical pharmacy as we explore different specialties and career paths available to pharmacy students. Learn from seasoned professionals in the field, network with like-minded peers, and discover exciting opportunities for your future as a clinical pharmacist. Whether you're a seasoned student pharmacist or just starting your journey in pharmacy education, this event is the perfect place to gain valuable insights, build connections, and set yourself up for success in the dynamic and rewarding field of clinical pharmacy.", + "event_type": "hybrid", + "start_time": "2024-12-01 17:30:00", + "end_time": "2024-12-01 19:30:00", + "tags": [ + "Pharmacotherapy", + "Chemistry", + "Biology", + "Research", + "ClinicalPharmacy" + ] + }, + { + "id": "af29d32b-dff6-4658-8aa4-8bda654c5b92", + "club_id": "eaffd96d-f678-4c2e-8ca7-842c8e34d30b", + "name": "Event for American Institute of Architecture Students", + "preview": "This club is holding an event.", + "description": "Join the American Institute of Architecture Students for an exciting firm crawl event, where you can explore the local architecture firms in Boston and Cambridge to gain valuable insights into firm culture and expectations. Connect with industry professionals, network with fellow students, and discover the realities of working in the field. Don't miss this opportunity to expand your knowledge and make meaningful connections in the world of architecture!", + "event_type": "hybrid", + "start_time": "2024-04-23 22:30:00", + "end_time": "2024-04-24 00:30:00", + "tags": [ + "Architecture", + "Mentorship" + ] + }, + { + "id": "7858e0d3-d70c-41de-9d7c-0b1a4eebf21e", + "club_id": "eaffd96d-f678-4c2e-8ca7-842c8e34d30b", + "name": "Event for American Institute of Architecture Students", + "preview": "This club is holding an event.", + "description": "Join the American Institute of Architecture Students (AIAS) for an evening of inspiration and connection at our upcoming Firm Crawl event in Boston and Cambridge! This unique opportunity allows students to step into the world of local architectural firms, gaining valuable insights into firm culture and expectations. Meet industry professionals, make new connections, and explore the exciting realities of the architecture field. Whether you're a seasoned architecture enthusiast or just starting out in the program, this event promises to be a rewarding and engaging experience that you won't want to miss!", + "event_type": "in_person", + "start_time": "2026-07-10 16:15:00", + "end_time": "2026-07-10 20:15:00", + "tags": [ + "Mentorship" + ] + }, + { + "id": "c932e512-82ed-416a-b05e-ce606d14c4ae", + "club_id": "932ef793-9174-4f7c-a9ed-f8ec0c609589", + "name": "Event for American Institute of Chemical Engineers of Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us for an exciting and educational event hosted by the American Institute of Chemical Engineers of Northeastern University! Discover the fascinating world of Chemical Engineering through interactive student panels, engaging industry talks, insightful lab tours, and our annual ChemE Department BBQ. Immerse yourself in a community that fosters connections between Undergraduate students, Graduate students, and Professionals in the field. Learn about our innovative Chem-E-Car team, where students work on building an autonomous shoe box sized car powered by chemical reactions. Come be a part of an organization that not only promotes excellence in the Chemical Engineering profession, but also values good ethics, diversity, and lifelong development for all Chemical Engineers. Don't miss out on this unique opportunity to expand your knowledge and network with like-minded individuals!", + "event_type": "virtual", + "start_time": "2026-11-28 21:30:00", + "end_time": "2026-11-28 22:30:00", + "tags": [ + "STEM", + "CommunityOutreach", + "ChemicalEngineering" + ] + }, + { + "id": "ccb99a22-c9ed-4886-9df4-a7c180cfaa87", + "club_id": "932ef793-9174-4f7c-a9ed-f8ec0c609589", + "name": "Event for American Institute of Chemical Engineers of Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us for an exciting evening hosted by the American Institute of Chemical Engineers of Northeastern University! This event will feature a captivating student panel discussing the latest trends in the Chemical Engineering field, followed by an engaging industry talk from seasoned professionals. You'll also have the opportunity to embark on a fascinating lab tour to get a glimpse of cutting-edge research in action. To top it off, we'll wrap up the night with our signature ChemE Department BBQ, where you can network with fellow attendees and enjoy delicious food in a vibrant atmosphere. Don't miss out on this opportunity to connect, learn, and have a great time with AIChE at Northeastern University!", + "event_type": "virtual", + "start_time": "2025-02-24 18:15:00", + "end_time": "2025-02-24 21:15:00", + "tags": [ + "StudentOrganization", + "CommunityOutreach", + "ChemicalEngineering" + ] + }, + { + "id": "447c521e-6329-43f5-8ffa-7168e609cd63", + "club_id": "932ef793-9174-4f7c-a9ed-f8ec0c609589", + "name": "Event for American Institute of Chemical Engineers of Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us for an exciting night of networking and learning at our AIChE Student Panel event! Hear from a diverse group of Chemical Engineering professionals as they share their experiences and insights with our members. This is a great opportunity to connect with fellow undergraduate and graduate students, as well as industry experts, all while enjoying some delicious snacks and refreshments. Don't miss out on this chance to expand your knowledge and make meaningful connections in the world of Chemical Engineering!", + "event_type": "virtual", + "start_time": "2025-11-11 14:15:00", + "end_time": "2025-11-11 16:15:00", + "tags": [ + "STEM" + ] + }, + { + "id": "bfd3daf3-1444-4592-aa6a-3ff7090afe81", + "club_id": "ceb51c75-1fed-461e-94bd-fb2ae1cc5b96", + "name": "Event for American Society of Civil Engineers", + "preview": "This club is holding an event.", + "description": "Join us at the American Society of Civil Engineers (ASCE) for an exciting evening of networking and learning! Our upcoming event features a special presentation by a seasoned professional in the civil and environmental engineering industry. This is a fantastic opportunity to connect with like-minded individuals, gain valuable insights, and expand your knowledge in the field. Whether you're a student looking to kickstart your career or a seasoned professional seeking to stay updated on industry trends, this event is perfect for you. Don't miss out on this chance to engage with our vibrant community and take your civil engineering journey to the next level!", + "event_type": "hybrid", + "start_time": "2026-05-26 13:30:00", + "end_time": "2026-05-26 16:30:00", + "tags": [ + "CivilEngineering" + ] + }, + { + "id": "793c10ff-b9bd-4f52-b637-519eb1dfa242", + "club_id": "ceb51c75-1fed-461e-94bd-fb2ae1cc5b96", + "name": "Event for American Society of Civil Engineers", + "preview": "This club is holding an event.", + "description": "Join the American Society of Civil Engineers (ASCE) for an engaging and informative panel discussion featuring industry experts in civil and environmental engineering. Discover the latest trends and innovations in the field, network with like-minded professionals, and gain valuable insights to help you succeed in your career. This event is open to all students and professionals interested in advancing their knowledge and contributing to the future of civil engineering. Don't miss this opportunity to connect with the ASCE community and expand your horizons!", + "event_type": "hybrid", + "start_time": "2026-08-06 21:30:00", + "end_time": "2026-08-07 01:30:00", + "tags": [ + "EnvironmentalScience", + "CommunityOutreach" + ] + }, + { + "id": "c990cf25-22e8-4820-b79d-76c67bf2f400", + "club_id": "b671c4ca-fb48-4ffd-b9be-1c9a9cd657d0", + "name": "Event for American Society of Mechanical Engineers", + "preview": "This club is holding an event.", + "description": "Join us for an exciting evening with the American Society of Mechanical Engineers! Our upcoming event will feature a guest speaker from a leading engineering company who will share insider tips and trends in the industry. Get ready to network with fellow students and professionals, and learn about the latest advancements in technology and innovation. Don't miss this opportunity to expand your knowledge, connect with industry experts, and take your career to the next level with us!", + "event_type": "virtual", + "start_time": "2024-08-10 23:15:00", + "end_time": "2024-08-11 01:15:00", + "tags": [ + "MechanicalEngineering", + "Networking", + "ProfessionalDevelopment" + ] + }, + { + "id": "c8834b14-9365-4d2b-bbda-caa917c5ea91", + "club_id": "94d09445-715c-4618-9d59-de4d52e33bb3", + "name": "Event for Anime of NU", + "preview": "This club is holding an event.", + "description": "Join us this weekend at Anime of NU for a special event featuring a double-feature of heartwarming slice-of-life anime followed by thrilling action-packed episodes that will have you on the edge of your seat! We'll also be screening a seasonal movie that promises to tug at your heartstrings. As always, our club provides a welcoming and social atmosphere where you can share in the laughter and tears with fellow anime enthusiasts. Don't miss out on the fun - make sure to join our Discord server to stay updated and have a say in what shows we watch together!", + "event_type": "virtual", + "start_time": "2025-07-22 16:15:00", + "end_time": "2025-07-22 19:15:00", + "tags": [ + "AsianAmerican" + ] + }, + { + "id": "21462416-54e6-43e4-b2b5-234154822715", + "club_id": "4f13622f-446a-4f62-bfed-6a14de1ccf87", + "name": "Event for Arab Students Association at Northeastern University", + "preview": "This club is holding an event.", + "description": "Join the Arab Students Association at Northeastern University for our annual cultural celebration event where we come together to showcase the rich traditions, vibrant heritage, and diverse customs of the Arab world. Immerse yourself in a night filled with exquisite music, delicious food, and engaging activities that will allow you to experience the beauty and warmth of our culture. Whether you are of Arab descent or simply curious about exploring new perspectives, this event is a perfect opportunity to connect with like-minded individuals and expand your cultural horizons. Be part of a community that values inclusivity, mutual respect, and the sharing of knowledge as we celebrate our unique identities within the vibrant tapestry of Northeastern University.", + "event_type": "hybrid", + "start_time": "2025-08-06 17:30:00", + "end_time": "2025-08-06 19:30:00", + "tags": [ + "PublicRelations" + ] + }, + { + "id": "d7649c40-34ce-455b-8c44-def1173f47a6", + "club_id": "d507318e-7b37-4750-83c0-163ccd4ef946", + "name": "Event for Armenian Student Association at Northeastern University", + "preview": "This club is holding an event.", + "description": "Join the Armenian Student Association at Northeastern University for an exciting cultural exchange event showcasing the rich tapestry of Armenian heritage. Immerse yourself in the vibrant traditions of Armenia through engaging workshops on history, language lessons, traditional music performances, dynamic dance demonstrations, insightful discussions on current events, and a tantalizing feast of authentic Armenian cuisine. This event is open to all members of the University community, both Armenian and non-Armenian, providing a welcoming space to learn, connect, and celebrate together. Don't miss this opportunity to experience the beauty of Armenian culture firsthand! For more details or to express your interest, reach out to the E-Board at asa@northeastern.edu or connect with us on Instagram @asanortheastern.", + "event_type": "hybrid", + "start_time": "2024-11-23 13:30:00", + "end_time": "2024-11-23 15:30:00", + "tags": [ + "CommunityOutreach", + "Diversity", + "InternationalRelations" + ] + }, + { + "id": "3cdd5a23-11a9-4750-9a55-ee289e6f7ebe", + "club_id": "d507318e-7b37-4750-83c0-163ccd4ef946", + "name": "Event for Armenian Student Association at Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us for an engaging cultural extravaganza hosted by the Armenian Student Association at Northeastern University! Immerse yourself in the rich tapestry of Armenian heritage through riveting presentations on history, language, and traditional music and dance performances. Sample delectable Armenian cuisine that will tantalize your taste buds. This event is open to all members of the University community, whether you're Armenian or simply curious about our vibrant culture. Come connect with like-minded individuals and expand your horizons with ASA \u2013 where diversity and inclusion thrive!", + "event_type": "virtual", + "start_time": "2026-11-15 19:15:00", + "end_time": "2026-11-15 20:15:00", + "tags": [ + "Food" + ] + }, + { + "id": "331a46cb-523d-4fe0-a020-050d2d1687cb", + "club_id": "d507318e-7b37-4750-83c0-163ccd4ef946", + "name": "Event for Armenian Student Association at Northeastern University", + "preview": "This club is holding an event.", + "description": "Join us for a night of cultural celebration at the Armenian Food and Music Festival hosted by the Armenian Student Association at Northeastern University! Immerse yourself in the rich flavors of Armenian cuisine while enjoying traditional music and dance performances. Whether you're Armenian or simply curious about the culture, this event is a fantastic opportunity to connect with the vibrant community at Northeastern. Bring your friends and experience the warmth and camaraderie that define our club. We can't wait to share our heritage with you!", + "event_type": "virtual", + "start_time": "2025-02-09 23:15:00", + "end_time": "2025-02-10 00:15:00", + "tags": [ + "ArmenianCulture", + "CommunityOutreach", + "Diversity" + ] + }, + { + "id": "f3594031-8725-4dd8-9333-65d52658a3f6", + "club_id": "36f7fa45-c26c-498a-8f63-f48464d97682", + "name": "Event for Art Blanche at NEU", + "preview": "This club is holding an event.", + "description": "Join us for an exciting life drawing session where we will delve into the world of figure studies! Our welcoming and friendly environment is perfect for both newcomers eager to learn and proficient artists looking to enhance their skills. Let's gather inspiration from a guided visit to the Museum of Fine Arts and engage in lively group discussions to spark creativity. Be part of our vibrant community at Art Blanche at NEU and showcase your artistic growth in our upcoming student exhibition!", + "event_type": "virtual", + "start_time": "2026-10-12 23:00:00", + "end_time": "2026-10-13 03:00:00", + "tags": [ + "CommunityOutreach" + ] + }, + { + "id": "aee4d3dc-a668-46f7-a2f1-235ec02ef08f", + "club_id": "88326fe6-1683-4bcc-b01e-4eed7b9ecbfe", + "name": "Event for Art4All", + "preview": "This club is holding an event.", + "description": "Join Art4All for a fun-filled afternoon celebrating young creators at our annual Student Art Showcase! This exciting event will feature a diverse display of artworks created by talented students from our mentoring programs. Come show your support for these budding artists as they confidently express their creativity and unique perspectives through their art pieces. Enjoy interactive art activities, live performances, and the opportunity to mingle with like-minded art enthusiasts. Bring your friends and family to share in the joy of artistic expression and community engagement. Together, we can foster a culture of accessibility, creativity, and education through the power of art!", + "event_type": "virtual", + "start_time": "2025-03-19 15:30:00", + "end_time": "2025-03-19 18:30:00", + "tags": [ + "HumanRights" + ] + }, + { + "id": "99931522-a473-4b65-ac24-12850b3c7c3f", + "club_id": "88326fe6-1683-4bcc-b01e-4eed7b9ecbfe", + "name": "Event for Art4All", + "preview": "This club is holding an event.", + "description": "Join Art4All at our upcoming virtual art showcase event, where students from diverse backgrounds will exhibit their creativity and talent! Experience a vibrant display of artworks that showcase the values of accessibility, creativity, and education that are at the core of Art4All's mission. Meet the young artists, engage in meaningful conversations, and support their artistic journey. This event is a celebration of community collaboration and the power of art to inspire and uplift. Don't miss this opportunity to connect with the next generation of creators and be a part of a movement that empowers students to express themselves through art!", + "event_type": "hybrid", + "start_time": "2026-03-28 21:15:00", + "end_time": "2026-03-29 01:15:00", + "tags": [ + "HumanRights", + "CreativeWriting" + ] + }, + { + "id": "ac01e957-a57a-4e61-9fc9-756bb22043e4", + "club_id": "462f3a2f-3b06-4059-9630-c399062f2378", + "name": "Event for Artificial Intelligence Club", + "preview": "This club is holding an event.", + "description": "Join us for an interactive workshop on AI ethics, where we'll explore the importance of responsible AI development and decision-making. Engage in lively discussions and practical case studies to deepen your understanding of the ethical considerations surrounding artificial intelligence. Whether you're a beginner or an expert, this event promises to provide valuable insights and perspectives on how we can collectively shape a more ethical and inclusive future through AI innovation. Don't miss this opportunity to contribute to the ongoing dialogue on ethical AI practices within a supportive and collaborative community!", + "event_type": "hybrid", + "start_time": "2025-11-23 20:00:00", + "end_time": "2025-11-23 22:00:00", + "tags": [ + "Technology", + "SoftwareEngineering", + "ArtificialIntelligence", + "DataScience" + ] + }, + { + "id": "84033953-5504-455b-8819-6fe191f88ccd", + "club_id": "80d516fa-748d-4400-9443-0e2b7849b03f", + "name": "Event for Artistry Magazine", + "preview": "This club is holding an event.", + "description": "Join Artistry Magazine for an evening of creativity and inspiration at our monthly Arts Mixer event! This relaxed gathering is the perfect opportunity for students of all artistic backgrounds to come together and connect over their shared love for art and culture. Share your latest projects, mingle with fellow creatives, and even get a chance to contribute to our upcoming issue. Whether you're a writer, photographer, designer, or simply someone who appreciates creative expression, we invite you to join us in fostering a vibrant art community here at Northeastern University and beyond. Come see what Artistry Magazine is all about and discover how you can be a part of our passionate team. See you there!", + "event_type": "hybrid", + "start_time": "2026-09-09 19:15:00", + "end_time": "2026-09-09 20:15:00", + "tags": [ + "Journalism" + ] + }, + { + "id": "e55fc6f9-57c8-4e64-aa99-42c5d36fe3ba", + "club_id": "80d516fa-748d-4400-9443-0e2b7849b03f", + "name": "Event for Artistry Magazine", + "preview": "This club is holding an event.", + "description": "Join Artistry Magazine for a night of creative inspiration at our Art Showcase event! Immerse yourself in a showcase of student artwork from various mediums celebrating the vibrant arts community at Northeastern University and beyond. Meet fellow art enthusiasts, connect with talented creators, and discover new perspectives through each brushstroke and photograph. Whether you're an experienced artist or simply appreciate the beauty of creativity, this event is open to all who share a passion for art and culture. Don't miss this opportunity to engage with the diverse artistry of our community \u2013 come and be inspired!", + "event_type": "hybrid", + "start_time": "2024-09-02 23:00:00", + "end_time": "2024-09-03 03:00:00", + "tags": [ + "CreativeWriting" + ] + }, + { + "id": "b77db462-b33d-49be-a95e-cdd7aaa3fbba", + "club_id": "80d516fa-748d-4400-9443-0e2b7849b03f", + "name": "Event for Artistry Magazine", + "preview": "This club is holding an event.", + "description": "Join us for an exciting evening of creativity and inspiration at Artistry Magazine's Art Showcase event! This vibrant gathering will feature a diverse selection of student artwork including paintings, photography, sculptures, and more. Meet fellow art enthusiasts, explore different artistic expressions, and immerse yourself in the vibrant culture of Northeastern's creative community. Whether you're an aspiring artist or simply appreciate the beauty of art, this event is the perfect opportunity to connect with like-minded individuals and discover the amazing talent within our midst. Don't miss out on this enriching experience - come join us at the Artistry Magazine Art Showcase!", + "event_type": "in_person", + "start_time": "2025-08-24 23:15:00", + "end_time": "2025-08-25 02:15:00", + "tags": [ + "Journalism" + ] + }, + { + "id": "8a0cc6b7-6a53-4a0a-a9ef-400d026b1d17", + "club_id": "2f0f69a5-0433-4d62-b02a-8081895e8f69", + "name": "Event for Asian American Center (Campus Resource)", + "preview": "This club is holding an event.", + "description": "Join the Asian American Center (Campus Resource) at Northeastern for an engaging cultural showcase celebrating the vibrant traditions and rich heritage of the Asian American community. Immerse yourself in a night of dynamic performances, interactive workshops, and thought-provoking discussions aimed at fostering a greater sense of unity and understanding. Whether you're a newcomer or a long-time member, this event promises to be a space where friendships are forged, stories are shared, and perspectives are expanded. Come and be part of this enriching experience that highlights the diversity and complexity of the Asian American experience, while empowering individuals to embrace their unique identities and contributions within the Northeastern University community.", + "event_type": "hybrid", + "start_time": "2025-04-20 19:00:00", + "end_time": "2025-04-20 20:00:00", + "tags": [ + "AsianAmerican", + "Soccer", + "Journalism", + "HumanRights", + "CommunityOutreach" + ] + }, + { + "id": "185bccae-4453-473d-bdba-b463ced8e504", + "club_id": "4c8fe4dd-d1df-46b0-a317-3b11dbde5f62", + "name": "Event for Asian Pacific American Law Student Association", + "preview": "This club is holding an event.", + "description": "Join the Asian Pacific American Law Student Association for an engaging Cultural Mixer Night! This event is open to all students and promises an evening of fun, networking, and cultural exchange. Discover the rich diversity within the AAPI community as we come together to celebrate our traditions, stories, and experiences. Don't miss this opportunity to connect with fellow law students, expand your cultural horizons, and build lasting friendships. Mark your calendars and get ready for an unforgettable evening of unity and inclusivity!", + "event_type": "virtual", + "start_time": "2024-08-14 16:30:00", + "end_time": "2024-08-14 19:30:00", + "tags": [ + "HumanRights", + "Volunteerism", + "AsianAmerican" + ] + }, + { + "id": "07d2b103-924f-405a-829e-4997acc5e2f9", + "club_id": "4c8fe4dd-d1df-46b0-a317-3b11dbde5f62", + "name": "Event for Asian Pacific American Law Student Association", + "preview": "This club is holding an event.", + "description": "Join the Asian Pacific American Law Student Association for an enriching panel discussion on the unique perspectives within the AAPI community in the legal field. Hear from successful AAPI attorneys, judges, and law professors as they share their experiences and insights. This event is open to all students who are curious about the diverse stories and achievements of AAPI legal professionals. Engage in meaningful conversations, expand your network, and gain valuable knowledge to inspire your own legal journey. Save the date and be part of this inclusive and empowering gathering!", + "event_type": "hybrid", + "start_time": "2025-11-12 22:00:00", + "end_time": "2025-11-12 23:00:00", + "tags": [ + "Volunteerism" + ] + }, + { + "id": "b1b347bb-f0d2-4752-9994-949c8cc997ca", + "club_id": "6639903c-fc70-4c60-b7dc-7362687f1fcc", + "name": "Event for Asian Student Union", + "preview": "This club is holding an event.", + "description": "Join the Asian Student Union for a fun and educational Lunar New Year celebration! Immerse yourself in the rich traditions and vibrant culture of the Asian American community at Northeastern University. Engage in interactive activities, delicious food tasting, and performances that showcase the diversity and unity within our group. Whether you're a prospective student looking to learn more about the Asian American experience or a current member seeking to connect with like-minded individuals, this event is the perfect opportunity to celebrate the spirit and heritage of the Asian American community. Come join us in spreading joy and cultural appreciation!", + "event_type": "in_person", + "start_time": "2024-12-18 13:00:00", + "end_time": "2024-12-18 17:00:00", + "tags": [ + "AsianAmerican", + "CommunityOutreach" + ] + }, + { + "id": "0342ae3b-0b11-4f70-a308-7b48aeebf71f", + "club_id": "6639903c-fc70-4c60-b7dc-7362687f1fcc", + "name": "Event for Asian Student Union", + "preview": "This club is holding an event.", + "description": "Join the Asian Student Union for a night of cultural celebration and connection! Our event, 'Asian Heritage Night', will showcase the rich diversity and traditions of Asian American students at Northeastern University and beyond. Experience engaging performances, interactive workshops, and tasty food that reflect the vibrant spirit of our community. Whether you're new to the Asian American experience or a seasoned veteran, this event promises to be a meaningful gathering that fosters unity and understanding. Don't miss out on this opportunity to immerse yourself in the beauty of Asian culture and connect with like-minded peers. See you there!", + "event_type": "in_person", + "start_time": "2025-04-26 14:15:00", + "end_time": "2025-04-26 18:15:00", + "tags": [ + "CommunityOutreach", + "Volunteerism", + "CulturalAdvising", + "AsianAmerican" + ] + }, + { + "id": "ada884c9-bb9b-4d76-95c5-e21b982c5f31", + "club_id": "1efe34c1-0407-4194-ab48-a502027b82ee", + "name": "Event for ASLA Adapt", + "preview": "This club is holding an event.", + "description": "Join ASLA Adapt for an engaging workshop on sustainable urban planning techniques and the role of landscape architecture in creating resilient cities. This interactive session will provide valuable insights into the intersection of design, ecology, and environmental science. Whether you're a landscape architecture enthusiast or simply curious about our ever-changing world, this event is open to all majors and interests. Come network with like-minded individuals, learn from industry professionals, and gain practical knowledge that can inspire your own contributions to creating greener, more sustainable communities.", + "event_type": "in_person", + "start_time": "2024-04-28 15:15:00", + "end_time": "2024-04-28 19:15:00", + "tags": [ + "Networking", + "EnvironmentalScience", + "UrbanPlanning", + "Ecology" + ] + }, + { + "id": "f1c6fa3c-b68d-4810-a4db-95ec3d3d70d7", + "club_id": "1efe34c1-0407-4194-ab48-a502027b82ee", + "name": "Event for ASLA Adapt", + "preview": "This club is holding an event.", + "description": "Join ASLA Adapt for an engaging virtual workshop where we will delve into the intricate world of sustainable urban landscape design! Learn from industry professionals about the latest trends, techniques, and practices shaping the future of landscape architecture. Whether you're already a seasoned pro or just curious about the field, this event promises to inspire, educate, and connect like-minded individuals passionate about creating a greener, more resilient world through innovative design solutions. Mark your calendar and come ready to explore the intersection of art, science, and nature in urban environments with us!", + "event_type": "in_person", + "start_time": "2026-06-20 20:15:00", + "end_time": "2026-06-20 23:15:00", + "tags": [ + "Networking", + "Ecology", + "ClimateAction", + "UrbanPlanning" + ] + }, + { + "id": "21972bcf-7ac9-41cf-ae97-6f6409b310cb", + "club_id": "1efe34c1-0407-4194-ab48-a502027b82ee", + "name": "Event for ASLA Adapt", + "preview": "This club is holding an event.", + "description": "Join ASLA Adapt for an engaging evening discussing the role of landscape architecture in promoting environmental sustainability and social equity. Learn about our current initiatives to advance our field, connect with like-minded students and professionals, and discover how you can contribute to creating more resilient and inclusive urban landscapes. Whether you're a seasoned landscape enthusiast or just curious about the impact of design on our communities, this event is open to all who are passionate about transforming our world through innovative and thoughtful practices. Come share your ideas, ask questions, and be inspired by the possibilities of shaping a greener, more vibrant future together!", + "event_type": "hybrid", + "start_time": "2026-04-06 15:30:00", + "end_time": "2026-04-06 17:30:00", + "tags": [ + "Networking", + "UrbanPlanning", + "ClimateAction", + "EnvironmentalScience" + ] + }, + { + "id": "ada6d688-be76-4620-afe8-c4c3d840e642", + "club_id": "99056e3a-ef6e-4af9-8d46-6ecfa2133c63", + "name": "Event for Aspiring Product Managers Club", + "preview": "This club is holding an event.", + "description": "Join us at the Aspiring Product Managers Club's upcoming Meetup event - a casual and engaging gathering where you can network with other aspiring product managers and industry professionals. Learn the latest trends in Product Management, share your experiences, and gain valuable insights to help you on your journey to becoming a successful product manager. Whether you're new to the field or looking to enhance your skills, this event is the perfect opportunity to connect, learn, and grow together in a welcoming and supportive environment. Don't miss out on this exciting opportunity to be a part of our thriving community of product management enthusiasts!", + "event_type": "virtual", + "start_time": "2024-01-28 20:00:00", + "end_time": "2024-01-28 21:00:00", + "tags": [ + "SoftwareEngineering", + "DataScience", + "SpeakerSeries", + "Networking", + "ProductManagement" + ] + }, + { + "id": "a0459143-a3b3-442c-ad05-e054de092ea0", + "club_id": "99056e3a-ef6e-4af9-8d46-6ecfa2133c63", + "name": "Event for Aspiring Product Managers Club", + "preview": "This club is holding an event.", + "description": "Join us for an exciting and interactive workshop on 'Agile Product Development Techniques' where you'll learn essential strategies and tools used by successful product managers. This hands-on session will provide valuable insights and practical skills to help you excel in the fast-paced world of product management. Whether you're a beginner or already working towards your product management career, this workshop is designed to inspire and empower you on your journey. Don't miss out on this opportunity to connect with fellow aspiring product managers and dive deeper into the exciting realm of product development!", + "event_type": "virtual", + "start_time": "2024-05-12 18:00:00", + "end_time": "2024-05-12 21:00:00", + "tags": [ + "SoftwareEngineering", + "SpeakerSeries" + ] + }, + { + "id": "d41533ba-2e48-4e51-a42a-d59cca295848", + "club_id": "090c4686-d0a8-40ea-ab9d-417858cec69f", + "name": "Event for Association of Latino Professionals for America", + "preview": "This club is holding an event.", + "description": "Join us at ALPFA's annual networking mixer where you can connect with vibrant professionals and passionate students in the Latino business community. This event provides a unique opportunity to build meaningful relationships, exchange ideas, and explore potential career opportunities. Whether you are a seasoned professional or a budding student eager to kickstart your career, our networking mixer offers a welcoming environment where you can engage in enriching conversations and expand your professional network. Don't miss out on this exciting event where you can foster new connections and be inspired by the diverse talents within our ALPFA family!", + "event_type": "hybrid", + "start_time": "2026-02-22 15:30:00", + "end_time": "2026-02-22 17:30:00", + "tags": [ + "Networking", + "LeadershipTraining", + "ProfessionalDevelopment" + ] + }, + { + "id": "d7b97e9d-86f3-43fb-bc86-ae45f80b2cc3", + "club_id": "090c4686-d0a8-40ea-ab9d-417858cec69f", + "name": "Event for Association of Latino Professionals for America", + "preview": "This club is holding an event.", + "description": "Join ALPFA for an exciting and insightful networking event where you can connect with like-minded professionals and students in the Latino community. This event will feature engaging discussions, workshops, and opportunities to meet decision-makers from Fortune 1000 partners and corporate members. Whether you're a college student looking to kickstart your career or a seasoned professional seeking new challenges, this event is the perfect platform to build meaningful relationships, gain valuable mentorship, and discover diverse opportunities for growth and success. Don't miss out on this chance to be part of a vibrant and supportive community dedicated to empowering diverse leaders through professional development and career advancement!", + "event_type": "in_person", + "start_time": "2024-04-14 20:30:00", + "end_time": "2024-04-14 21:30:00", + "tags": [ + "LeadershipTraining", + "ProfessionalDevelopment", + "CommunityOutreach", + "Networking" + ] + }, + { + "id": "9ea2c798-502f-4b35-8593-ed1f19509916", + "club_id": "090c4686-d0a8-40ea-ab9d-417858cec69f", + "name": "Event for Association of Latino Professionals for America", + "preview": "This club is holding an event.", + "description": "Join the Association of Latino Professionals for America for a dynamic networking event focused on empowering the growth of diverse leaders in the business world. Connect with like-minded professionals and students, engage with Fortune 1000 partners, and gain valuable insights and opportunities for career development. Whether you're a college student looking to kickstart your career or a seasoned professional seeking new connections, this event is the perfect platform to expand your network, enhance your skills, and make a lasting impact in the community. Be part of a vibrant community that fosters mentorship, leadership training, job placement, and volunteerism, all aimed at preparing you for success in today's competitive business landscape.", + "event_type": "hybrid", + "start_time": "2026-10-21 19:15:00", + "end_time": "2026-10-21 20:15:00", + "tags": [ + "LeadershipTraining", + "Networking", + "LatinAmerica" + ] + }, + { + "id": "4313ea38-19fd-475c-8170-d20f717a9e96", + "club_id": "3d55e6e2-74bc-41da-bc4d-db75b05afd43", + "name": "Event for Baja SAE Northeastern", + "preview": "This club is holding an event.", + "description": "Come join Baja SAE Northeastern for our annual Design Day event, where you'll get an exclusive behind-the-scenes look at how our team creates and fine-tunes our high-performance vehicle for the upcoming Baja SAE collegiate design competitions. Learn about the engineering design process, see demonstrations of CAD and manufacturing techniques, and meet our team members who will share their experiences and insights. Whether you're a seasoned engineer or just starting out, Design Day is the perfect opportunity to immerse yourself in a dynamic environment of innovation, collaboration, and hands-on learning. Don't miss this chance to be part of our exciting journey towards building a winning vehicle and taking on the challenges of the competition circuit!", + "event_type": "virtual", + "start_time": "2024-06-03 20:30:00", + "end_time": "2024-06-03 21:30:00", + "tags": [ + "Leadership" + ] + }, + { + "id": "f055dbb3-164a-4269-8895-539bb65714da", + "club_id": "3d55e6e2-74bc-41da-bc4d-db75b05afd43", + "name": "Event for Baja SAE Northeastern", + "preview": "This club is holding an event.", + "description": "Join Baja SAE Northeastern for an exciting hands-on event where you can experience the thrill of designing, building, and racing high-performance vehicles alongside a supportive and close-knit team. Test your skills in challenges like rock crawls, hill climbs, and a grueling endurance race while learning the engineering design cycle, CAD, manufacturing techniques, and leadership qualities. Whether you're a seasoned engineer or a newcomer, our team welcomes you to join us in creating a winning vehicle that can outperform competitors from all over the world. Don't miss this opportunity to be part of a passionate community that thrives on teamwork and innovation!", + "event_type": "hybrid", + "start_time": "2026-02-25 20:15:00", + "end_time": "2026-02-25 22:15:00", + "tags": [ + "Teamwork", + "Leadership", + "EngineeringDesign", + "Racing" + ] + }, + { + "id": "68fc103c-20f6-403b-8437-e379543985d4", + "club_id": "3d55e6e2-74bc-41da-bc4d-db75b05afd43", + "name": "Event for Baja SAE Northeastern", + "preview": "This club is holding an event.", + "description": "Join Baja SAE Northeastern for our annual Vehicle Design Showcase! Experience the thrill as our talented team members unveil the cutting-edge design and technology behind our high-performance racing vehicle. Get up close and personal with our vehicle through interactive demos and learn firsthand about our engineering design process, manufacturing techniques, and teamwork approach. Meet the passionate individuals who make up our team and discover how you can get involved in this exciting hands-on learning experience. Whether you're a seasoned engineer or just starting out, our showcase is the perfect opportunity to witness innovation in action and join a community that thrives on pushing boundaries and achieving excellence.", + "event_type": "virtual", + "start_time": "2025-11-24 13:00:00", + "end_time": "2025-11-24 15:00:00", + "tags": [ + "MechanicalEngineering", + "EngineeringDesign", + "Leadership", + "Racing", + "Teamwork" + ] + }, + { + "id": "3e93e800-1040-4af5-9434-9ed0b5a862d5", + "club_id": "cd5983f5-b1e9-4e5e-b948-e04915a22f64", + "name": "Event for Bake It Till You Make It", + "preview": "This club is holding an event.", + "description": "Join us for a fun-filled Cupcake Decorating Party! Show off your creativity and skills as we whip up a variety of colorful frostings and toppings to adorn our freshly baked cupcakes. Whether you're an experienced baker or just starting out, this event is perfect for anyone looking to have a sweet time in good company. Bring your friends and get ready to sprinkle some joy into your week with the Bake It Till You Make It club!", + "event_type": "virtual", + "start_time": "2026-09-28 22:00:00", + "end_time": "2026-09-29 02:00:00", + "tags": [ + "VisualArts" + ] + }, + { + "id": "5c56d4b1-96dd-438a-9c1f-c85f34617898", + "club_id": "7c8dd808-ee6f-4057-838b-3fde54fb3389", + "name": "Event for BAPS Campus Fellowship", + "preview": "This club is holding an event.", + "description": "Come join BAPS Campus Fellowship for an enlightening evening of spiritual exploration and community-building! Our upcoming event, 'Discovering Hinduism Through Art & Music', will immerse you in the rich traditions and vibrant culture of the Hindu faith. Engage in interactive discussions led by experienced mentors, enjoy soul-stirring music performances, and unleash your creativity in hands-on artistic workshops. Whether you're a curious beginner or a seasoned practitioner, this event promises an enriching experience for all. Embrace diversity, foster connections, and embark on a journey of self-discovery with us!", + "event_type": "hybrid", + "start_time": "2024-03-04 15:15:00", + "end_time": "2024-03-04 16:15:00", + "tags": [ + "Volunteerism", + "CommunityOutreach" + ] + }, + { + "id": "b82096cd-83e9-4b58-950f-629f63fdff00", + "club_id": "7c8dd808-ee6f-4057-838b-3fde54fb3389", + "name": "Event for BAPS Campus Fellowship", + "preview": "This club is holding an event.", + "description": "Join us for an enlightening evening at BAPS Campus Fellowship as we delve into the fascinating world of Hindu faith and culture. Engage in lively group discussions, participate in engaging campus events, and contribute to meaningful community service projects. This event is the perfect opportunity for students to share their beliefs and customs with the vibrant NEU community, fostering understanding and connection among peers. Come be a part of this enriching experience and help spread awareness of the Hindu faith in a warm and welcoming environment!", + "event_type": "in_person", + "start_time": "2025-07-02 13:30:00", + "end_time": "2025-07-02 17:30:00", + "tags": [ + "CommunityOutreach", + "Volunteerism" + ] + }, + { + "id": "b925a0bc-4e99-4460-8ccc-3bd556f0542b", + "club_id": "25e9b53e-f0aa-4108-9da2-9a3ce4727293", + "name": "Event for Barkada", + "preview": "This club is holding an event.", + "description": "Join Barkada for a lively cultural showcase event called 'Barrio Fiesta'! Immerse yourself in the vibrant colors, tantalizing smells, and rhythmic beats of the Philippines as we celebrate our heritage through traditional dances like Tinikling and cultural performances. Indulge in delicious Filipino cuisine like pancit and lumpia, and participate in fun interactive activities that will transport you to the beautiful islands of the Philippines. Whether you're a seasoned member or a newcomer curious about Filipino culture, 'Barrio Fiesta' promises to be a joyous gathering where friendships are forged and cultural understanding blossoms. Don't miss out on this unforgettable experience of unity, diversity, and pure Filipino spirit with Barkada!", + "event_type": "virtual", + "start_time": "2026-12-21 12:15:00", + "end_time": "2026-12-21 14:15:00", + "tags": [ + "PerformingArts", + "AsianAmerican", + "CommunityOutreach", + "Volunteerism", + "VisualArts" + ] + }, + { + "id": "915f0206-592e-40c1-8c07-d9d41dc7a55f", + "club_id": "25e9b53e-f0aa-4108-9da2-9a3ce4727293", + "name": "Event for Barkada", + "preview": "This club is holding an event.", + "description": "Join us for an evening of cultural exploration and community bonding at Barkada's annual Cultural Heritage Night! Immerse yourself in the vibrant sights and sounds of Filipino traditions with traditional dances like Tinikling, mouth-watering Filipino cuisine, and interactive displays showcasing the beauty of our culture. Whether you're a seasoned member or a newcomer to the Barkada family, this event is the perfect opportunity to celebrate and learn together. Don't miss out on this unforgettable experience where friendships are strengthened, memories are made, and the spirit of Barkada shines bright. See you there! \ud83c\uddf5\ud83c\udded\u2728", + "event_type": "virtual", + "start_time": "2026-10-11 16:15:00", + "end_time": "2026-10-11 19:15:00", + "tags": [ + "PerformingArts", + "AsianAmerican", + "Volunteerism", + "VisualArts", + "CommunityOutreach" ] } ] diff --git a/mock_data/main.py b/mock_data/main.py index 6dc93229a..4c91d3910 100644 --- a/mock_data/main.py +++ b/mock_data/main.py @@ -99,6 +99,27 @@ def tags_prompt(name: str, description: str) -> str: Your output should just be the JSON with the array, no other text. Thank you! """ +def events_prompt(name: str, description: str) -> str: + return f""" + I need your help writing event descriptions to create some mock data for an app I'm working on. The club's name is \"{name}\", and its description is \"{description}\". + Generate a one paragraph description of an event this club cluld have. Use a mix of friendly, welcoming, and informative language and content. Store in this a JSON field \"event\". + Your output should just be the JSON with the generated description, no other text. Thank you! + """ + +def random_start_and_endtimes() -> tuple[datetime.datetime, datetime.datetime]: + year = random.randint(2024,2026) + month = random.randint(1,12) + day = random.randint(1,28) + hour = random.randint(12,23) + minute = random.choice([0,15,30]) + + extra_hours = time_to_add = datetime.timedelta(hours=random.randint(1,4)) + + start_time = datetime.datetime(year, month, day, hour, minute) + end_time = start_time + extra_hours + + return (start_time, end_time) + # STEP 1: Generate mock data. if not args.skip_generation: print("Skip generation is false, making mock data...") @@ -109,6 +130,7 @@ def tags_prompt(name: str, description: str) -> str: clubs_json = json.loads(clubs_response.text)['value'] clubs = [] + events = [] bar = Bar('Making club data', max=len(clubs_json), suffix="%(remaining)d Remaining, ETA: %(eta_td)s") bad_club_descriptions = 0 @@ -147,7 +169,7 @@ def tags_prompt(name: str, description: str) -> str: tags = json.loads(tags_response.choices[0].message.content)['tags'] - clubs.append({ + clubData = { "id": str(uuid4()), "name": name, "preview": preview, @@ -157,9 +179,41 @@ def tags_prompt(name: str, description: str) -> str: "recruitment_cycle": random.choice(["fall", "spring", "fallSpring", "always"]), "recruitment_type": random.choice(["unrestricted", "application"]), "tags": tags - }) + } + + clubs.append(clubData) + + iterations = random.randint(1,3) + for i in range(0,iterations): + event_response = openai_client.chat.completions.create( + model="gpt-3.5-turbo-0125", + response_format={ "type": "json_object" }, + messages=[ + {"role": "system", "content": "You are a helpful assistant designed to output JSON."}, + {"role": "user", "content": events_prompt(name, description)} + ] + ) + # Some descriptions will not be valid JSON + event_description = json.loads(event_response.choices[0].message.content)['event'] + if not isinstance(event_description, str): + event_description = "Event description" + + times = random_start_and_endtimes() + + events.append({ + "id": str(uuid4()), + "club_id": clubData["id"], + "name": f"Event for {clubData["name"]}", + "preview": "This club is holding an event.", + "description": event_description, + "event_type": random.choice(["hybrid", "in_person", "virtual"]), + "start_time": times[0].strftime("%Y-%m-%d %H:%M:%S"), + "end_time": times[1].strftime("%Y-%m-%d %H:%M:%S"), + "tags": random.sample(tags, random.randint(1,len(tags))) + }) bar.next() + bar.finish() print(f"Bad club descriptions (JSON not created properly): {bad_club_descriptions}") @@ -185,7 +239,8 @@ def tags_prompt(name: str, description: str) -> str: "category_uuids": category_uuids, "tag_uuids": tag_uuids, "tags_to_categories": tags_to_categories, - "clubs": clubs + "clubs": clubs, + "events": events } )) @@ -198,13 +253,16 @@ def tags_prompt(name: str, description: str) -> str: tag_uuids = {} tags_to_categories = {} clubs = [] +events = [] with open('MOCK_DATA_OUTPUT.json', 'r', encoding='utf-8') as file: data = json.loads(file.read()) clubs = data['clubs'] + events = data['events'] tags_to_categories = data['tags_to_categories'] tag_uuids = data['tag_uuids'] category_uuids = data['category_uuids'] + # FIXME: should probably be in args or something but ughhhhh @@ -260,6 +318,28 @@ def fill_clubs(): cur.execute(cmd, data) +@transaction +def fill_events(): + print("Creating event data...") + cmd = """INSERT INTO "events" ("id", "host", "name", "preview", "description", "event_type", "start_time", "end_time", "is_public", "is_draft", "is_archived") VALUES (%s, %s, %s, %s, %s, %s, %s, %s, %s, %s, %s)""" + + for event in events: + data = ( + event['id'], + event['club_id'], + event['name'].replace("\'", "''"), + event['preview'].replace("\'", "''"), + event['description'].replace('\'', "''"), + event['event_type'], + event['start_time'], + event['end_time'], + True, + False, + False + ) + + cur.execute(cmd, data) + @transaction def fill_tags_and_categories(): print("Creating category and tag data...") @@ -292,7 +372,41 @@ def connect_clubs_to_tags(): print(f"{bad_tags}/{total_tags} marked for not existing in tag_uuids.") +@transaction +def connect_events_to_tags(): + print("Adding tags to events...") + cmd = """INSERT INTO "event_tags" ("tag_id", "event_id") VALUES (%s, %s);""" + + # FIXME (maybe)?: The ChatGPT tags prompt will return tags that aren't in the list, hence this if statement being here. + # Don't think its a huge issue because ~half of tags are good. + # FIXME (maybe)?: The ChatGPT tags prompt will return duplicate tags. oml + bad_tags = 0 + total_tags = 0 + for event in events: + eventTagsWithDuplicatesRemoved = list(set(event['tags'])) + total_tags += len(eventTagsWithDuplicatesRemoved) + for tag in eventTagsWithDuplicatesRemoved: + if tag in tag_uuids: + cur.execute(cmd, (tag_uuids[tag], event['id'])) + else: + bad_tags += 1 + + print(f"{bad_tags}/{total_tags} marked for not existing in tag_uuids.") + +@transaction +def connect_clubs_to_events(): + print("Connecting events to clubs...") + cmd = """INSERT INTO "club_events" ("club_id", "event_id") VALUES (%s, %s);""" + + for event in events: + data = (event["club_id"], event["id"]) + + cur.execute(cmd, data) + delete_existing() fill_clubs() +fill_events() fill_tags_and_categories() -connect_clubs_to_tags() \ No newline at end of file +connect_clubs_to_tags() +connect_events_to_tags() +connect_clubs_to_events()