From 07b2ab554a32fb1e763b3e5c5b7a442e2ecb26ea Mon Sep 17 00:00:00 2001 From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com> Date: Fri, 14 Jun 2024 18:38:01 -0400 Subject: [PATCH 1/3] =?UTF-8?q?=F0=9F=93=9D=20feat:=20implement=20rsvp=20(?= =?UTF-8?q?#1024)?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- backend/entities/clubs/members/service.go | 20 ++-- backend/entities/clubs/transactions.go | 11 +++ backend/entities/events/base/routes.go | 2 + backend/entities/events/rsvps/controller.go | 47 ++++++++++ backend/entities/events/rsvps/routes.go | 18 ++++ backend/entities/events/rsvps/service.go | 59 ++++++++++++ backend/entities/events/rsvps/transactions.go | 93 +++++++++++++++++++ backend/utilities/api_error.go | 14 ++- 8 files changed, 249 insertions(+), 15 deletions(-) create mode 100644 backend/entities/events/rsvps/controller.go create mode 100644 backend/entities/events/rsvps/routes.go create mode 100644 backend/entities/events/rsvps/service.go create mode 100644 backend/entities/events/rsvps/transactions.go diff --git a/backend/entities/clubs/members/service.go b/backend/entities/clubs/members/service.go index 4e23be332..3c9002208 100644 --- a/backend/entities/clubs/members/service.go +++ b/backend/entities/clubs/members/service.go @@ -8,8 +8,8 @@ import ( ) type ClubMemberServiceInterface interface { - GetClubMembers(clubID string, pageInfo fiberpaginate.PageInfo) ([]models.User, error) CreateClubMember(clubID string, userID string) error + GetClubMembers(clubID string, pageInfo fiberpaginate.PageInfo) ([]models.User, error) DeleteClubMember(clubID string, userID string) error } @@ -21,15 +21,6 @@ func NewClubMemberService(params types.ServiceParams) ClubMemberServiceInterface return &ClubMemberService{params} } -func (cms *ClubMemberService) GetClubMembers(clubID string, pageInfo fiberpaginate.PageInfo) ([]models.User, error) { - clubIDAsUUID, err := utilities.ValidateID(clubID) - if err != nil { - return nil, err - } - - return GetClubMembers(cms.DB, *clubIDAsUUID, pageInfo) -} - func (cms *ClubMemberService) CreateClubMember(clubID string, userID string) error { clubIDAsUUID, err := utilities.ValidateID(clubID) if err != nil { @@ -44,6 +35,15 @@ func (cms *ClubMemberService) CreateClubMember(clubID string, userID string) err return CreateClubMember(cms.DB, *clubIDAsUUID, *userIDAsUUID) } +func (cms *ClubMemberService) GetClubMembers(clubID string, pageInfo fiberpaginate.PageInfo) ([]models.User, error) { + clubIDAsUUID, err := utilities.ValidateID(clubID) + if err != nil { + return nil, err + } + + return GetClubMembers(cms.DB, *clubIDAsUUID, pageInfo) +} + func (cms *ClubMemberService) DeleteClubMember(clubID string, userID string) error { clubIDAsUUID, err := utilities.ValidateID(clubID) if err != nil { diff --git a/backend/entities/clubs/transactions.go b/backend/entities/clubs/transactions.go index 44a0daaeb..2dbf36cb4 100644 --- a/backend/entities/clubs/transactions.go +++ b/backend/entities/clubs/transactions.go @@ -44,3 +44,14 @@ func GetAdminIDs(db *gorm.DB, clubID uuid.UUID) ([]uuid.UUID, error) { return adminUUIDs, nil } + +func IsMember(db *gorm.DB, clubID uuid.UUID, userID uuid.UUID) (bool, error) { + db = cache.SetUseCache(db, true) + + var count int64 + if err := db.Table("user_club_members").Where("club_id = ? AND user_id = ?", clubID, userID).Count(&count).Error; err != nil { + return false, err + } + + return count > 0, nil +} diff --git a/backend/entities/events/base/routes.go b/backend/entities/events/base/routes.go index c50fd75e7..ea991ba77 100644 --- a/backend/entities/events/base/routes.go +++ b/backend/entities/events/base/routes.go @@ -2,6 +2,7 @@ package base import ( "github.com/GenerateNU/sac/backend/entities/events/previews" + "github.com/GenerateNU/sac/backend/entities/events/rsvps" "github.com/GenerateNU/sac/backend/entities/events/series" "github.com/GenerateNU/sac/backend/entities/events/tags" @@ -17,6 +18,7 @@ func EventRoutes(eventParams types.RouteParams) { // MARK: must be called first to avoid conflict between api/v1/events/preview and api/v1/events/:eventID previews.EventPreviews(eventParams) EventRouter(eventParams) + rsvps.EventsRSVPs(eventParams) series.EventSeries(eventParams) tags.EventTags(eventParams) } diff --git a/backend/entities/events/rsvps/controller.go b/backend/entities/events/rsvps/controller.go new file mode 100644 index 000000000..3ec83b0ae --- /dev/null +++ b/backend/entities/events/rsvps/controller.go @@ -0,0 +1,47 @@ +package rsvps + +import ( + "net/http" + + "github.com/GenerateNU/sac/backend/utilities" + "github.com/garrettladley/fiberpaginate" + "github.com/gofiber/fiber/v2" +) + +type Controller struct { + service Service +} + +func NewController(service Service) *Controller { + return &Controller{service: service} +} + +func (co *Controller) GetEventRSVPs(c *fiber.Ctx) error { + pageInfo, ok := fiberpaginate.FromContext(c) + if !ok { + return utilities.ErrExpectedPageInfo + } + + followers, err := co.service.GetEventRSVPs(c.Params("eventID"), *pageInfo) + if err != nil { + return err + } + + return c.Status(http.StatusOK).JSON(followers) +} + +func (co *Controller) CreateEventRSVP(c *fiber.Ctx) error { + if err := co.service.CreateEventRSVP(c.Params("eventID"), c.Params("userID")); err != nil { + return err + } + + return c.SendStatus(http.StatusCreated) +} + +func (co *Controller) DeleteEventRSVP(c *fiber.Ctx) error { + if err := co.service.DeleteEventRSVP(c.Params("eventID"), c.Params("userID")); err != nil { + return err + } + + return c.SendStatus(http.StatusNoContent) +} diff --git a/backend/entities/events/rsvps/routes.go b/backend/entities/events/rsvps/routes.go new file mode 100644 index 000000000..c36d5eca8 --- /dev/null +++ b/backend/entities/events/rsvps/routes.go @@ -0,0 +1,18 @@ +package rsvps + +import ( + "github.com/GenerateNU/sac/backend/permission" + "github.com/GenerateNU/sac/backend/types" + "github.com/gofiber/fiber/v2" +) + +func EventsRSVPs(params types.RouteParams) { + controller := NewController(NewHandler(params.ServiceParams)) + + // api/v1/events/:eventID/rsvps/* + params.Router.Route("/rsvps", func(r fiber.Router) { + r.Get("/", params.UtilityMiddleware.Paginator, controller.GetEventRSVPs) + r.Post("/:userID", controller.CreateEventRSVP) + r.Delete("/:userID", params.AuthMiddleware.UserAuthorizeById, params.AuthMiddleware.Authorize(permission.DeleteAll), controller.DeleteEventRSVP) + }) +} diff --git a/backend/entities/events/rsvps/service.go b/backend/entities/events/rsvps/service.go new file mode 100644 index 000000000..3b874b429 --- /dev/null +++ b/backend/entities/events/rsvps/service.go @@ -0,0 +1,59 @@ +package rsvps + +import ( + "github.com/GenerateNU/sac/backend/entities/models" + "github.com/GenerateNU/sac/backend/types" + "github.com/GenerateNU/sac/backend/utilities" + "github.com/garrettladley/fiberpaginate" +) + +type Service interface { + CreateEventRSVP(eventID string, userID string) error + GetEventRSVPs(eventID string, pageInfo fiberpaginate.PageInfo) ([]models.User, error) + DeleteEventRSVP(eventID string, userID string) error +} + +type Handler struct { + types.ServiceParams +} + +func NewHandler(params types.ServiceParams) Service { + return &Handler{params} +} + +func (h *Handler) CreateEventRSVP(eventID string, userID string) error { + eventIDAsUUID, err := utilities.ValidateID(eventID) + if err != nil { + return err + } + + userIDAsUUID, err := utilities.ValidateID(userID) + if err != nil { + return err + } + + return CreateEventRSVP(h.DB, *eventIDAsUUID, *userIDAsUUID) +} + +func (h *Handler) GetEventRSVPs(eventID string, pageInfo fiberpaginate.PageInfo) ([]models.User, error) { + eventIDAsUUID, err := utilities.ValidateID(eventID) + if err != nil { + return nil, err + } + + return GetEventRSVPs(h.DB, *eventIDAsUUID, pageInfo) +} + +func (h *Handler) DeleteEventRSVP(eventID string, userID string) error { + eventIDAsUUID, err := utilities.ValidateID(eventID) + if err != nil { + return err + } + + userIDAsUUID, err := utilities.ValidateID(userID) + if err != nil { + return err + } + + return DeleteEventRSVP(h.DB, *eventIDAsUUID, *userIDAsUUID) +} diff --git a/backend/entities/events/rsvps/transactions.go b/backend/entities/events/rsvps/transactions.go new file mode 100644 index 000000000..da3eaf6d3 --- /dev/null +++ b/backend/entities/events/rsvps/transactions.go @@ -0,0 +1,93 @@ +package rsvps + +import ( + "errors" + + "github.com/GenerateNU/sac/backend/database/cache" + "github.com/GenerateNU/sac/backend/entities/clubs" + "github.com/GenerateNU/sac/backend/entities/events" + "github.com/GenerateNU/sac/backend/entities/models" + "github.com/GenerateNU/sac/backend/entities/users" + "github.com/GenerateNU/sac/backend/utilities" + "github.com/garrettladley/fiberpaginate" + "github.com/google/uuid" + "gorm.io/gorm" +) + +func CreateEventRSVP(db *gorm.DB, eventID uuid.UUID, userID uuid.UUID) error { + db = cache.SetUseCache(db, true) + + event, err := events.GetEvent(db, eventID) + if err != nil { + return err + } + + if event.IsArchived { + return utilities.ForbiddenReason(errors.New("cannot RSVP to an archived event")) + } + + if event.IsDraft { + return utilities.ForbiddenReason(errors.New("cannot RSVP to a draft event")) + } + + user, err := users.GetUser(db, userID) + if err != nil { + return err + } + + if !event.IsPublic { + isMember, err := clubs.IsMember(db, *event.Host, userID) + if err != nil { + return err + } + + if !isMember { + return utilities.ForbiddenReason(errors.New("cannot RSVP to a private event when not a member")) + } + } + + if err := db.Model(&user).Association("RSVP").Append(event); err != nil { + return err + } + + return nil +} + +func GetEventRSVPs(db *gorm.DB, eventID uuid.UUID, pageInfo fiberpaginate.PageInfo) ([]models.User, error) { + db = cache.SetUseCache(db, true) + + event, err := events.GetEvent(db, eventID) + if err != nil { + return nil, err + } + + var users []models.User + if err := db.Scopes(utilities.IntoScope(pageInfo, db)).Model(&event).Association("RSVP").Find(&users); err != nil { + return nil, err + } + + return users, nil +} + +func DeleteEventRSVP(db *gorm.DB, eventID uuid.UUID, userID uuid.UUID) error { + db = cache.SetUseCache(db, true) + + user, err := users.GetUser(db, userID) + if err != nil { + return err + } + + event, err := events.GetEvent(db, eventID) + if err != nil { + return err + } + + if err := db.Model(&user).Association("RSVP").Delete(event); err != nil { + if errors.Is(err, gorm.ErrRecordNotFound) { + return utilities.BadRequest(errors.New("user was never RSVPed to this event")) + } + return err + } + + return nil +} diff --git a/backend/utilities/api_error.go b/backend/utilities/api_error.go index 840a0e797..8a18566a8 100644 --- a/backend/utilities/api_error.go +++ b/backend/utilities/api_error.go @@ -55,23 +55,27 @@ func BadRequest(err error) APIError { } func InvalidJSON() APIError { - return NewAPIError(http.StatusBadRequest, fmt.Errorf("invalid JSON request data")) + return NewAPIError(http.StatusBadRequest, errors.New("invalid JSON request data")) } func Unauthorized() APIError { - return NewAPIError(http.StatusUnauthorized, fmt.Errorf("unauthorized")) + return NewAPIError(http.StatusUnauthorized, errors.New("unauthorized")) } func Forbidden() APIError { - return NewAPIError(http.StatusForbidden, fmt.Errorf("forbidden")) + return NewAPIError(http.StatusForbidden, errors.New("forbidden")) +} + +func ForbiddenReason(err error) APIError { + return NewAPIError(http.StatusForbidden, err) } func Conflict() APIError { - return NewAPIError(http.StatusConflict, fmt.Errorf("conflict")) + return NewAPIError(http.StatusConflict, errors.New("conflict")) } func InternalServerError() APIError { - return NewAPIError(http.StatusInternalServerError, fmt.Errorf("internal server error")) + return NewAPIError(http.StatusInternalServerError, errors.New("internal server error")) } func ErrorHandler(c *fiber.Ctx, err error) error { From 8be0c090a157355433925032ca1bc851b2e9e93f Mon Sep 17 00:00:00 2001 From: Alder Whiteford Date: Sat, 15 Jun 2024 08:46:06 -0400 Subject: [PATCH 2/3] chore: Updated Mock Data to Include Club Logos (#1029) Co-authored-by: Alder Whiteford --- .../entities/events/previews/transactions.go | 2 +- frontend/lib/package.json | 2 +- frontend/lib/src/api/eventApi.ts | 1 - frontend/lib/src/types/club.ts | 4 +- frontend/lib/src/types/event.ts | 3 +- frontend/mobile/package.json | 2 +- .../mobile/src/app/(app)/(tabs)/calendar.tsx | 1 - .../mobile/src/app/(app)/(tabs)/index.tsx | 2 +- frontend/mobile/src/app/(app)/event/[id].tsx | 197 +- .../src/app/(app)/event/components/error.tsx | 33 + .../app/(app)/event/components/overview.tsx | 3 +- .../app/(app)/event/components/register.tsx | 6 +- .../app/(app)/event/components/skeleton.tsx | 46 + .../event/components/upcoming-events.tsx | 5 +- .../components/Button/Button.tsx | 14 +- .../components/Calendar/DayTimeSection.tsx | 12 +- .../Calendar/parser/calendarParser.ts | 8 +- .../components/EventCard/EventCard.tsx | 14 +- .../components/EventCard/EventCardList.tsx | 5 +- .../Skeletons/EventCardCalendarSkeleton.tsx | 14 +- .../EventCard/Variants/EventCardBig.tsx | 6 +- .../EventCard/Variants/EventCardCalendar.tsx | 6 +- .../EventCard/Variants/EventCardClub.tsx | 6 +- .../EventCard/Variants/EventCardSmall.tsx | 6 +- .../src/app/(design-system)/shared/colors.ts | 6 +- frontend/mobile/src/utils/string.ts | 13 + frontend/mobile/yarn.lock | 8 +- mock_data/.gitignore | 3 + mock_data/MOCK_DATA_OUTPUT.json | 37020 ++++++++++++++-- mock_data/main.py | 67 +- 30 files changed, 32761 insertions(+), 4754 deletions(-) create mode 100644 frontend/mobile/src/app/(app)/event/components/error.tsx create mode 100644 frontend/mobile/src/app/(app)/event/components/skeleton.tsx create mode 100644 mock_data/.gitignore diff --git a/backend/entities/events/previews/transactions.go b/backend/entities/events/previews/transactions.go index 8f2572867..5f74a16ee 100644 --- a/backend/entities/events/previews/transactions.go +++ b/backend/entities/events/previews/transactions.go @@ -71,7 +71,7 @@ func processEventStubs(db *gorm.DB, events []EventStub) ([]EventPreview, error) } var hosts []models.Club - if err := db.Where("id IN ?", eventIDs).Find(&hosts).Error; err != nil { + if err := db.Joins("JOIN events ON events.host = clubs.id").Where("events.id IN ?", eventIDs).Find(&hosts).Error; err != nil { return nil, err } diff --git a/frontend/lib/package.json b/frontend/lib/package.json index 9731443b6..10761b939 100644 --- a/frontend/lib/package.json +++ b/frontend/lib/package.json @@ -1,6 +1,6 @@ { "name": "@generatesac/lib", - "version": "0.0.164", + "version": "0.0.169", "type": "module", "main": "dist/index.js", "types": "dist/index.d.ts", diff --git a/frontend/lib/src/api/eventApi.ts b/frontend/lib/src/api/eventApi.ts index 854ee9767..fc45474da 100644 --- a/frontend/lib/src/api/eventApi.ts +++ b/frontend/lib/src/api/eventApi.ts @@ -27,7 +27,6 @@ export const eventApi = baseApi.injectEndpoints({ ? result.map((event) => ({ type: "Event", id: event.id })) : ["Event"], transformResponse: (response) => { - console.log('here!!!!') return z.array(eventSchema).parse(response); }, }), diff --git a/frontend/lib/src/types/club.ts b/frontend/lib/src/types/club.ts index d19b0062d..20e871cf8 100644 --- a/frontend/lib/src/types/club.ts +++ b/frontend/lib/src/types/club.ts @@ -1,6 +1,7 @@ import { z } from "zod"; import { rootModelSchema } from "./root"; +import { recruitmentSchema } from "./recruitment"; // Schemas: export const createClubRequestBodySchema = z.object({ @@ -35,11 +36,10 @@ const clubSchemaIntermediate = z.object({ preview: z.string().max(255), description: z.string(), num_members: z.number(), - is_recruiting: z.boolean(), - application_link: z.string().max(255), logo: z.string().max(255).optional(), weekly_time_committment: z.number().optional(), one_word_to_describe_us: z.string().max(20).optional(), + recruitment: recruitmentSchema.optional(), }); export const clubSchema = clubSchemaIntermediate.merge(rootModelSchema); diff --git a/frontend/lib/src/types/event.ts b/frontend/lib/src/types/event.ts index 9b7933e15..5618ecd5a 100644 --- a/frontend/lib/src/types/event.ts +++ b/frontend/lib/src/types/event.ts @@ -59,7 +59,7 @@ const eventPreviewSchemaIntermediate = z.object({ start_time: z.string(), end_time: z.string(), - tags: tagSchema.array(), + tags: tagSchema.array().optional().nullable(), host_name: z.string().max(255), host_logo: z.string().max(255).optional(), }); @@ -76,3 +76,4 @@ export type UpdateEventRequestBody = z.infer< >; export type Event = z.infer; export type EventPreview = z.infer; +export type EventType = z.infer; diff --git a/frontend/mobile/package.json b/frontend/mobile/package.json index 0a4964a76..ce6b4fc47 100644 --- a/frontend/mobile/package.json +++ b/frontend/mobile/package.json @@ -25,7 +25,7 @@ "@fortawesome/free-solid-svg-icons": "^6.5.2", "@fortawesome/react-fontawesome": "^0.2.2", "@fortawesome/react-native-fontawesome": "^0.3.2", - "@generatesac/lib": "0.0.164", + "@generatesac/lib": "0.0.169", "@gorhom/bottom-sheet": "^4.6.3", "@hookform/resolvers": "^3.4.2", "@react-native-async-storage/async-storage": "^1.23.1", diff --git a/frontend/mobile/src/app/(app)/(tabs)/calendar.tsx b/frontend/mobile/src/app/(app)/(tabs)/calendar.tsx index 5faa79aa1..382e0dc07 100644 --- a/frontend/mobile/src/app/(app)/(tabs)/calendar.tsx +++ b/frontend/mobile/src/app/(app)/(tabs)/calendar.tsx @@ -58,7 +58,6 @@ const CalendarPage = () => { setError(false); } - console.log(data); return parseData(startTime, endTime, data); } ); diff --git a/frontend/mobile/src/app/(app)/(tabs)/index.tsx b/frontend/mobile/src/app/(app)/(tabs)/index.tsx index 321ea573a..dfc535ff1 100644 --- a/frontend/mobile/src/app/(app)/(tabs)/index.tsx +++ b/frontend/mobile/src/app/(app)/(tabs)/index.tsx @@ -22,7 +22,7 @@ const HomePage = () => { variant="small" event={item.name} club={item.host} - clubId="1" + eventId="1" startTime={item.start_time} endTime={item.end_time} image="https://encrypted-tbn0.gstatic.com/images?q=tbn:ANd9GcSLF3ord7lnV_5Je-pC2AUgUiesHNPcZlpI7A&s" diff --git a/frontend/mobile/src/app/(app)/event/[id].tsx b/frontend/mobile/src/app/(app)/event/[id].tsx index 34fa54b83..cc9c57ccc 100644 --- a/frontend/mobile/src/app/(app)/event/[id].tsx +++ b/frontend/mobile/src/app/(app)/event/[id].tsx @@ -1,4 +1,4 @@ -import { useRef } from 'react'; +import { useEffect, useRef, useState } from 'react'; import { Dimensions } from 'react-native'; import Animated, { interpolate, @@ -9,6 +9,8 @@ import Animated, { import { Stack, useLocalSearchParams } from 'expo-router'; +import { EventType, clubApi } from '@generatesac/lib'; +import { eventApi } from '@generatesac/lib'; import BottomSheet from '@gorhom/bottom-sheet'; import { Arrow, Box, KebabMenu } from '@/src/app/(design-system)'; @@ -18,13 +20,12 @@ import { description, events, tags } from '@/src/consts/event-page'; import { AboutEvent } from './components/about'; import { Description } from './components/description'; +import EventPageError from './components/error'; import { Location } from './components/location'; import { Overview } from './components/overview'; import { RegisterBottomSheet } from './components/register'; import { ShareEventBottomSheet } from './components/share-event'; -import { UpcomingEvent } from './components/upcoming-events'; - -type EventType = 'in-person' | 'virtual' | 'hybrid'; +import EventPageSkeleton from './components/skeleton'; const MockEvent = { eventImage: @@ -46,7 +47,7 @@ const MockEvent = { }; const EventPage = () => { - useLocalSearchParams<{ id: string }>(); + const { id } = useLocalSearchParams<{ id: string }>(); const { width } = Dimensions.get('window'); const IMG_HEIGHT = width; const shareEvent = useRef(null); @@ -55,6 +56,19 @@ const EventPage = () => { const scrollRef = useAnimatedRef(); const scrollOffset = useScrollViewOffset(scrollRef); + const [retriggerFetch, setRetriggerFetch] = useState(false); + + const [ + getEvent, + { isLoading: eventLoading, error: eventError, data: event } + ] = eventApi.useLazyEventQuery(); + const [getClub, { isLoading: clubLoading, error: clubError, data: club }] = + clubApi.useLazyClubQuery(); + const [ + getEventTags, + { isLoading: tagsLoading, error: tagsError, data: tags } + ] = eventApi.useLazyEventTagsQuery(); + const imageAnimatedStyle = useAnimatedStyle(() => { return { transform: [ @@ -90,8 +104,24 @@ const EventPage = () => { }; }); + useEffect(() => { + // Fetch events + getEvent(id as string).then(({ data: eventData }) => { + if (eventData) { + // Fetch club + getClub(eventData.host as string); + // Fetch tags: + getEventTags(eventData.id); + } + }); + }, [retriggerFetch, id, getClub, getEvent, getEventTags]); + + const apiLoading = eventLoading || clubLoading || tagsLoading; + const apiError = eventError || clubError || tagsError; + const allData = event && tags && club; + return ( - + { }, headerLeft: () => ( - - - ), - headerRight: () => ( - - - shareEvent.current?.snapToIndex(0) + - ) + ), + headerRight: + !eventError || clubError + ? () => ( + + + shareEvent.current?.snapToIndex(0) + } + color="white" + /> + + ) + : () => <> }} /> { scrollEventThrottle={16} ref={scrollRef} > - - - - - - - - - - bottomSheet.current?.snapToIndex(0)} - /> - - - - + {apiLoading ? ( + + ) : apiError ? ( + + ) : ( + allData && ( + <> + + + + + + + + + + + bottomSheet.current?.snapToIndex(0) + } + /> + + + {/* */} + + + ) + )} - + ); }; diff --git a/frontend/mobile/src/app/(app)/event/components/error.tsx b/frontend/mobile/src/app/(app)/event/components/error.tsx new file mode 100644 index 000000000..9fb570dc1 --- /dev/null +++ b/frontend/mobile/src/app/(app)/event/components/error.tsx @@ -0,0 +1,33 @@ +import { SafeAreaView } from 'react-native'; + +import { faArrowsRotate } from '@fortawesome/free-solid-svg-icons'; + +import { Box, Button, Spacing, Text } from '@/src/app/(design-system)'; + +type EventPageErrorProps = { + refetch: React.Dispatch>; +}; + +const EventPageError = ({ refetch }: EventPageErrorProps) => { + return ( + + + Oops, something went wrong! + + + + + + ); +}; + +export default EventPageError; diff --git a/frontend/mobile/src/app/(app)/event/components/overview.tsx b/frontend/mobile/src/app/(app)/event/components/overview.tsx index ae0a00db5..bd02c0d4a 100644 --- a/frontend/mobile/src/app/(app)/event/components/overview.tsx +++ b/frontend/mobile/src/app/(app)/event/components/overview.tsx @@ -4,6 +4,7 @@ import { faLocationDot } from '@fortawesome/free-solid-svg-icons'; import { FontAwesomeIcon } from '@fortawesome/react-native-fontawesome'; +import { EventType } from '@generatesac/lib'; import { Avatar } from '@rneui/base'; import { Box, Colors, SACColors, Text } from '@/src/app/(design-system)'; @@ -18,7 +19,7 @@ interface OverviewProps { startTime: Date; endTime: Date; location: string; - type: 'in-person' | 'virtual' | 'hybrid'; + type: EventType; color: SACColors; } diff --git a/frontend/mobile/src/app/(app)/event/components/register.tsx b/frontend/mobile/src/app/(app)/event/components/register.tsx index ff5a33938..cba200d89 100644 --- a/frontend/mobile/src/app/(app)/event/components/register.tsx +++ b/frontend/mobile/src/app/(app)/event/components/register.tsx @@ -2,6 +2,7 @@ import React, { forwardRef, useCallback, useState } from 'react'; import { Controller, useForm } from 'react-hook-form'; import { Alert, Linking } from 'react-native'; +import { EventType } from '@generatesac/lib'; import BottomSheet, { BottomSheetBackdrop } from '@gorhom/bottom-sheet'; import { zodResolver } from '@hookform/resolvers/zod'; import { ZodError, z } from 'zod'; @@ -20,7 +21,7 @@ type Ref = BottomSheet; const SaveEventText = `By saving this event, you are automatically signed up for notifications and this event will be added to your calendar.`; interface RegisterSheetProps { - eventType: 'hybrid' | 'in-person' | 'virtual'; + eventType: EventType; startTime: Date; endTime: Date; location: string; @@ -81,7 +82,7 @@ const RegisterBottomSheet = forwardRef( interface RegisterProps { setSheet: React.Dispatch>; - eventType: 'hybrid' | 'in-person' | 'virtual'; + eventType: EventType; } type UserData = { @@ -116,7 +117,6 @@ const Register: React.FC = ({ setSheet, eventType }) => { } else { setSheet('save'); } - console.log(data); } catch (error) { if (error instanceof ZodError) { Alert.alert('Validation Error', error.errors[0].message); diff --git a/frontend/mobile/src/app/(app)/event/components/skeleton.tsx b/frontend/mobile/src/app/(app)/event/components/skeleton.tsx new file mode 100644 index 000000000..5f16364f1 --- /dev/null +++ b/frontend/mobile/src/app/(app)/event/components/skeleton.tsx @@ -0,0 +1,46 @@ +import { Skeleton } from '@rneui/base'; + +import { Box, Colors } from '@/src/app/(design-system)'; + +const EventPageSkeleton = () => { + return ( + + + + + + + + + + + + + ); +}; + +export default EventPageSkeleton; diff --git a/frontend/mobile/src/app/(app)/event/components/upcoming-events.tsx b/frontend/mobile/src/app/(app)/event/components/upcoming-events.tsx index 74d2d40cb..64fd346ce 100644 --- a/frontend/mobile/src/app/(app)/event/components/upcoming-events.tsx +++ b/frontend/mobile/src/app/(app)/event/components/upcoming-events.tsx @@ -20,8 +20,9 @@ export const UpcomingEvent: React.FC = ({ events }) => { variant="small" event={item.name} club={item.host} - startTime={item.start_time} - endTime={item.end_time} + eventId={item.id} + startTime={new Date(item.start_time)} + endTime={new Date(item.end_time)} image="https://encrypted-tbn0.gstatic.com/images?q=tbn:ANd9GcSLF3ord7lnV_5Je-pC2AUgUiesHNPcZlpI7A&s" /> diff --git a/frontend/mobile/src/app/(design-system)/components/Button/Button.tsx b/frontend/mobile/src/app/(design-system)/components/Button/Button.tsx index 1c7650176..3dcce098a 100644 --- a/frontend/mobile/src/app/(design-system)/components/Button/Button.tsx +++ b/frontend/mobile/src/app/(design-system)/components/Button/Button.tsx @@ -83,7 +83,13 @@ const IconButton: React.FC< ...rest }) => { const buttonIcon = ; - const localStyles = computeButtonStyles({ disabled, color, size, outline }); + const localStyles = computeButtonStyles({ + disabled, + color, + size, + outline, + variant: 'iconButton' + }); return ( {iconPosition === 'left' && buttonIcon} - {children} + {children && ( + + {children} + + )} {iconPosition === 'right' && buttonIcon} ); diff --git a/frontend/mobile/src/app/(design-system)/components/Calendar/DayTimeSection.tsx b/frontend/mobile/src/app/(design-system)/components/Calendar/DayTimeSection.tsx index 9663c43f1..d4d965d5e 100644 --- a/frontend/mobile/src/app/(design-system)/components/Calendar/DayTimeSection.tsx +++ b/frontend/mobile/src/app/(design-system)/components/Calendar/DayTimeSection.tsx @@ -15,10 +15,12 @@ export type EventSection = { }; export type EventCalendarPreview = { + id: string; title: string; startTime: string; endTime: string; - host: string; + host_name: string; + host_logo: string; image: string; tags: Tag[]; }; @@ -38,8 +40,6 @@ function convertNumToTime(num: number) { let meridiem = num === 23 ? 'AM' : 'PM'; let minutes = num % 100; - console.log(num); - if (num !== 0 && (num < 1000 || num > 2359)) { throw new Error('Invalid time'); } @@ -92,11 +92,11 @@ export default function DayTimeSection({ time, data }: DayTimeSectionProps) { event={event.title} variant="calendar" tags={event.tags} - club={event.host} - clubId={event.host} + club={event.host_name} + logo={event.host_logo} + eventId={event.id} startTime={new Date(event.startTime)} endTime={new Date(event.endTime)} - logo="https://www.iconpacks.net/icons/2/free-user-icon-3296-thumb.png" image={event.image} /> diff --git a/frontend/mobile/src/app/(design-system)/components/Calendar/parser/calendarParser.ts b/frontend/mobile/src/app/(design-system)/components/Calendar/parser/calendarParser.ts index c325bbaf7..60d1e96b3 100644 --- a/frontend/mobile/src/app/(design-system)/components/Calendar/parser/calendarParser.ts +++ b/frontend/mobile/src/app/(design-system)/components/Calendar/parser/calendarParser.ts @@ -43,7 +43,7 @@ export function parseData(start: number, end: number, data?: EventPreview[]) { // Loop over the data and add the events to the correct date: data?.forEach((event) => { - if (event.tags.length !== 0) { + if (event.tags) { // Parse the event date: const date = new Date(event.start_time); @@ -68,13 +68,17 @@ export function parseData(start: number, end: number, data?: EventPreview[]) { // Create an event preview: const eventPreview: EventCalendarPreview = { + id: event.id, title: event.name, startTime: event.start_time, endTime: event.end_time, image: eventPreviewImages[ Math.floor(Math.random() * eventPreviewImages.length) ], - host: event.host_name, + host_name: event.host_name, + host_logo: + event.host_logo ?? + 'https://www.iconpacks.net/icons/2/free-user-icon-3296-thumb.png', tags: event.tags }; diff --git a/frontend/mobile/src/app/(design-system)/components/EventCard/EventCard.tsx b/frontend/mobile/src/app/(design-system)/components/EventCard/EventCard.tsx index fc0ca5136..007262fcb 100644 --- a/frontend/mobile/src/app/(design-system)/components/EventCard/EventCard.tsx +++ b/frontend/mobile/src/app/(design-system)/components/EventCard/EventCard.tsx @@ -8,7 +8,7 @@ import { EventCardSmall } from './Variants/EventCardSmall'; interface EventCardProps { event: string; club: string; - clubId: string; + eventId: string; startTime: Date; endTime: Date; tags?: Tag[]; @@ -20,7 +20,7 @@ interface EventCardProps { export const EventCard = ({ event, club, - clubId, + eventId, startTime, endTime, image, @@ -34,7 +34,7 @@ export const EventCard = ({ = ({ events }) => { variant="small" event={item.name} club={item.host} - startTime={item.start_time} - endTime={item.end_time} + eventId={item.id} + startTime={new Date(item.start_time)} + endTime={new Date(item.end_time)} image="https://encrypted-tbn0.gstatic.com/images?q=tbn:ANd9GcSLF3ord7lnV_5Je-pC2AUgUiesHNPcZlpI7A&s" logo="https://encrypted-tbn0.gstatic.com/images?q=tbn:ANd9GcT800M6T7YVq_f6W49g_UNL29US7gC63nTitg&s" /> diff --git a/frontend/mobile/src/app/(design-system)/components/EventCard/Skeletons/EventCardCalendarSkeleton.tsx b/frontend/mobile/src/app/(design-system)/components/EventCard/Skeletons/EventCardCalendarSkeleton.tsx index 02c1aef63..bb639395e 100644 --- a/frontend/mobile/src/app/(design-system)/components/EventCard/Skeletons/EventCardCalendarSkeleton.tsx +++ b/frontend/mobile/src/app/(design-system)/components/EventCard/Skeletons/EventCardCalendarSkeleton.tsx @@ -2,7 +2,7 @@ import React from 'react'; import { Skeleton } from '@rneui/base'; -import { Box, createStyles } from '@/src/app/(design-system)'; +import { Box, Colors, createStyles } from '@/src/app/(design-system)'; export const EventCardCalendarSkeleton = () => { return ( @@ -12,35 +12,35 @@ export const EventCardCalendarSkeleton = () => { diff --git a/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardBig.tsx b/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardBig.tsx index c8c1f4945..a6eed6edb 100644 --- a/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardBig.tsx +++ b/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardBig.tsx @@ -12,7 +12,7 @@ import { calculateDuration, createOptions, eventTime } from '@/src/utils/time'; interface EventCardBigProps { event: string; club: string; - clubId: string; + eventId: string; startTime: Date; endTime: Date; image: string; @@ -21,7 +21,7 @@ interface EventCardBigProps { export const EventCardBig: React.FC = ({ event, club, - clubId, + eventId, startTime, endTime, image @@ -29,7 +29,7 @@ export const EventCardBig: React.FC = ({ return ( router.navigate(`/event/${clubId}`)} + onPress={() => router.navigate(`/event/${eventId}`)} > = ({ event, club, - clubId, + eventId, startTime, endTime, image, @@ -39,7 +39,7 @@ export const EventCardCalendar: React.FC = ({ return ( router.navigate(`/event/${clubId}`)} + onPress={() => router.navigate(`/event/${eventId}`)} > {isHappening && ( diff --git a/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardClub.tsx b/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardClub.tsx index e5d2a9417..955f34715 100644 --- a/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardClub.tsx +++ b/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardClub.tsx @@ -15,7 +15,7 @@ import { sharedStyles } from '../shared/styles'; interface EventCardClubProps { event: string; club: string; - clubId: string; + eventId: string; startTime: Date; endTime: Date; image: string; @@ -26,7 +26,7 @@ interface EventCardClubProps { export const EventCardClub: React.FC = ({ event, club, - clubId, + eventId, startTime, endTime, image, @@ -36,7 +36,7 @@ export const EventCardClub: React.FC = ({ return ( router.navigate(`/event/${clubId}`)} + onPress={() => router.navigate(`/event/${eventId}`)} > diff --git a/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardSmall.tsx b/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardSmall.tsx index 7fa13d149..a4de9428f 100644 --- a/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardSmall.tsx +++ b/frontend/mobile/src/app/(design-system)/components/EventCard/Variants/EventCardSmall.tsx @@ -12,7 +12,7 @@ import { createOptions, eventTime } from '@/src/utils/time'; interface EventCardSmallProps { event: string; club: string; - clubId: string; + eventId: string; startTime: Date; endTime: Date; image: string; @@ -21,7 +21,7 @@ interface EventCardSmallProps { export const EventCardSmall: React.FC = ({ event, club, - clubId, + eventId, startTime, endTime, image @@ -32,7 +32,7 @@ export const EventCardSmall: React.FC = ({ return ( router.navigate(`/event/${clubId}`)} + onPress={() => router.navigate(`/event/${eventId}`)} > { return str.charAt(0).toUpperCase() + str.slice(1); }; +export const eventTypeToString = (type: EventType) => { + switch (type) { + case 'hybrid': + return 'Hybrid'; + case 'in_person': + return 'In Person'; + case 'virtual': + return 'Virtual'; + } +}; + export const httpFormat = (str: string) => { str = encodeURIComponent(str); const specialCharactersMap: { [key: string]: string } = { diff --git a/frontend/mobile/yarn.lock b/frontend/mobile/yarn.lock index 8c4b2ce10..9b5771284 100644 --- a/frontend/mobile/yarn.lock +++ b/frontend/mobile/yarn.lock @@ -1402,10 +1402,10 @@ humps "^2.0.1" prop-types "^15.7.2" -"@generatesac/lib@0.0.164": - version "0.0.164" - resolved "https://registry.yarnpkg.com/@generatesac/lib/-/lib-0.0.164.tgz#eb2b4ff426f3d881b99aabf11d883881da207422" - integrity sha512-Ba95skKKF+klOfC09KZFGaltg7fg6moBj5/JvfjZX9VA5S2Bcv4bFZ/OxHIxqsmZ/U8SmlVDojQpKA5z46ixuw== +"@generatesac/lib@0.0.169": + version "0.0.169" + resolved "https://registry.yarnpkg.com/@generatesac/lib/-/lib-0.0.169.tgz#6a5799bad43b7c08553a04e5e6ed401ed0b7e7ab" + integrity sha512-IeWdlMKTi9zdqeaSMWWB+fjma6zf3Z1lO7mPmQ8Q+PJ49CkjJVbF5G9tdYgnJrNSz9+fazr5kFXZZl26eJaN0w== dependencies: "@reduxjs/toolkit" "^2.2.3" react "^18.2.0" diff --git a/mock_data/.gitignore b/mock_data/.gitignore new file mode 100644 index 000000000..8e438bf91 --- /dev/null +++ b/mock_data/.gitignore @@ -0,0 +1,3 @@ +/bin +/lib +*.cfg \ No newline at end of file diff --git a/mock_data/MOCK_DATA_OUTPUT.json b/mock_data/MOCK_DATA_OUTPUT.json index cbf95e3e1..483c3c795 100644 --- a/mock_data/MOCK_DATA_OUTPUT.json +++ b/mock_data/MOCK_DATA_OUTPUT.json @@ -1,4609 +1,32423 @@ { - "category_uuids": { - "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" + "category_uuids":{ + "Pre-Professional":"dfc7ee3f-babc-4c40-86fb-f23f91b6e5d6", + "Cultural And Identity":"138a303e-c6c9-40ea-a650-92a0b98fd59f", + "Arts And Creativity":"deab3eec-43b5-4d6a-9c62-7929b3442bc0", + "Sports And Recreation":"3cbc91b2-550b-4a3d-be36-1083ea818b92", + "Science And Technology":"461d6f56-25df-412d-a42d-30f282a38e79", + "Community Service And Advocacy":"36ec41ac-6367-4d0f-bc74-3c52ff86d77a", + "Media And Communication":"a431c815-bab8-41ea-96e9-d6e34f6a55f8" }, - "tag_uuids": { - "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" + "tag_uuids":{ + "Premed":"22e48ad5-3c7e-457a-aa1a-e956af1aaf43", + "Prelaw":"b791084e-f342-45c6-a5cd-8ed3a94c3184", + "Judaism":"bc7e823b-2df9-4b42-b7f7-2f90afcfd386", + "Christianity":"ec1ab57e-f298-4d8e-b09d-7dbb2ed3cfcd", + "Hinduism":"78bed577-0cb0-418e-9540-34080f2e5e00", + "Islam":"e70eb99a-58e1-463a-9288-982a9ae99d72", + "Latin America":"57f34018-8d7f-445c-ac38-ddd1e0789eb9", + "African American":"ed70e1ad-5d2b-4a2d-bf2f-5b759937871b", + "Asian American":"f2a2153f-f899-47e9-96f0-78ba1196cb94", + "LGBTQ":"d8b02507-d5af-4035-afe7-7049456d02ab", + "Performing Arts":"5aceb5f5-8200-44f9-bd97-86905883bc66", + "Visual Arts":"3e0345f6-2edc-4d5a-9724-6fcfd486da87", + "Creative Writing":"b8959818-a66d-4459-a976-f5eac79d0902", + "Music":"5b655d12-a674-42bf-a508-a4cc46fb5b65", + "Soccer":"19ec6907-a7cd-4ca6-a4f8-cb81edec3345", + "Hiking":"4a294265-61e8-4c86-a387-267773481d1b", + "Climbing":"ca33791c-4540-40e0-9abb-bfacad693e2f", + "Lacrosse":"f98677eb-15b4-473e-ba98-6086860bc5ad", + "Mathematics":"a50cca71-9587-4e3f-89f2-75a29cb7b7da", + "Physics":"84d40585-f231-4144-a5f2-b8de6e099430", + "Biology":"2e946a05-4d68-42c9-b93d-579329d7f64b", + "Chemistry":"732dd4db-3348-49cf-b8d3-5f88bff5cbdf", + "Environmental Science":"88bf621b-77a4-4f2c-8ac5-60e1a50ce60c", + "Geology":"46cc681f-09bf-47ac-b5ab-28f3da890999", + "Neuroscience":"8d5c7134-0855-431a-bf99-3dbb7ecf9fc1", + "Psychology":"0cc6ac1f-32f8-44ef-865b-7e568d070f90", + "Software Engineering":"a213c9fa-516e-4806-bb25-9894e4cdf63a", + "Artificial Intelligence":"eb716266-c45c-4381-b6b1-ada38dbbe039", + "Data Science":"4da6b716-0429-4e58-8e33-9f6fe55313bd", + "Mechanical Engineering":"bf6da307-f568-4700-95f7-92174ab0b6ed", + "Electrical Engineering":"2b7f56c8-916e-4fa3-81bc-709659721008", + "Industrial Engineering":"9b64d767-d1db-4df2-b86b-8403c81f68fa", + "Volunteerism":"010dbeb4-e28c-4fc7-b82b-674d0f6b9567", + "Environmental Advocacy":"521ed204-2a74-4ce8-9250-2914dabc085e", + "HumanRights":"431e633c-5dd1-4199-960a-e4603c37dc7f", + "Community Outreach":"5b8c3b8d-b22a-4497-b77d-a16d6cded4df", + "Journalism":"c30288ad-9eb7-4fea-bdf6-1d4d7a8b442e", + "Broadcasting":"4e524ae4-032f-4038-96fd-558808bc8327", + "Film":"c0919be9-e3aa-4b11-878a-8e0c2fb9a667", + "PublicRelations":"b1259b22-1d90-4d25-a485-fa50c9fdd5db" }, - "tags_to_categories": { - "Premed": "PreProfessional", - "Prelaw": "PreProfessional", - "Judaism": "CulturalAndIdentity", - "Christianity": "CulturalAndIdentity", - "Hinduism": "CulturalAndIdentity", - "Islam": "CulturalAndIdentity", - "LatinAmerica": "CulturalAndIdentity", - "AfricanAmerican": "CulturalAndIdentity", - "AsianAmerican": "CulturalAndIdentity", - "LGBTQ": "CulturalAndIdentity", - "PerformingArts": "ArtsAndCreativity", - "VisualArts": "ArtsAndCreativity", - "CreativeWriting": "ArtsAndCreativity", - "Music": "ArtsAndCreativity", - "Soccer": "SportsAndRecreation", - "Hiking": "SportsAndRecreation", - "Climbing": "SportsAndRecreation", - "Lacrosse": "SportsAndRecreation", - "Mathematics": "ScienceAndTechnology", - "Physics": "ScienceAndTechnology", - "Biology": "ScienceAndTechnology", - "Chemistry": "ScienceAndTechnology", - "EnvironmentalScience": "ScienceAndTechnology", - "Geology": "ScienceAndTechnology", - "Neuroscience": "ScienceAndTechnology", - "Psychology": "ScienceAndTechnology", - "SoftwareEngineering": "ScienceAndTechnology", - "ArtificialIntelligence": "ScienceAndTechnology", - "DataScience": "ScienceAndTechnology", - "MechanicalEngineering": "ScienceAndTechnology", - "ElectricalEngineering": "ScienceAndTechnology", - "IndustrialEngineering": "ScienceAndTechnology", - "Volunteerism": "CommunityServiceAndAdvocacy", - "EnvironmentalAdvocacy": "CommunityServiceAndAdvocacy", - "HumanRights": "CommunityServiceAndAdvocacy", - "CommunityOutreach": "CommunityServiceAndAdvocacy", - "Journalism": "MediaAndCommunication", - "Broadcasting": "MediaAndCommunication", - "Film": "MediaAndCommunication", - "PublicRelations": "MediaAndCommunication" + "tags_to_categories":{ + "Premed":"Pre-Professional", + "Prelaw":"Pre-Professional", + "Judaism":"Cultural And Identity", + "Christianity":"Cultural And Identity", + "Hinduism":"Cultural And Identity", + "Islam":"Cultural And Identity", + "Latin America":"Cultural And Identity", + "African American":"Cultural And Identity", + "Asian American":"Cultural And Identity", + "LGBTQ":"Cultural And Identity", + "Performing Arts":"Arts And Creativity", + "Visual Arts":"Arts And Creativity", + "Creative Writing":"Arts And Creativity", + "Music":"Arts And Creativity", + "Soccer":"Sports And Recreation", + "Hiking":"Sports And Recreation", + "Climbing":"Sports And Recreation", + "Lacrosse":"Sports And Recreation", + "Mathematics":"Science And Technology", + "Physics":"Science And Technology", + "Biology":"Science And Technology", + "Chemistry":"Science And Technology", + "Environmental Science":"Science And Technology", + "Geology":"Science And Technology", + "Neuroscience":"Science And Technology", + "Psychology":"Science And Technology", + "Software Engineering":"Science And Technology", + "Artificial Intelligence":"Science And Technology", + "Data Science":"Science And Technology", + "Mechanical Engineering":"Science And Technology", + "Electrical Engineering":"Science And Technology", + "Industrial Engineering":"Science And Technology", + "Volunteerism":"Community Service And Advocacy", + "Environmental Advocacy":"Community Service And Advocacy", + "HumanRights":"Community Service And Advocacy", + "Community Outreach":"Community Service And Advocacy", + "Journalism":"Media And Communication", + "Broadcasting":"Media And Communication", + "Film":"Media And Communication", + "PublicRelations":"Media And Communication" }, - "clubs": [ - { - "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": 807, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "PerformingArts", - "CreativeWriting", - "CommunityOutreach", - "HumanRights", - "VisualArts" - ] - }, - { - "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": 933, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", - "tags": [ - "HumanRights", - "CommunityOutreach", - "CreativeWriting", - "Psychology", - "Volunteerism" - ] - }, - { - "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": "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", - "Engineering", - "CommunityOutreach", - "Volunteerism" - ] - }, - { - "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": 1007, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "Cultural", - "CommunityOutreach", - "International", - "PerformingArts", - "Language" - ] - }, - { - "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": 301, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "AsianAmerican", - "CulturalCelebrations", - "FoodBasedEvents", - "Collaborations", - "CommunityOutreach" - ] - }, - { - "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": 410, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "Volunteerism", - "HumanRights", - "CommunityOutreach", - "VisualArts", - "CreativeWriting" - ] - }, - { - "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": 253, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "DataScience", - "Volunteerism", - "CommunityOutreach", - "Healthcare" - ] - }, - { - "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": "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": "application", - "tags": [ - "AfricanAmerican", - "CommunityOutreach", - "Networking", - "ProfessionalDevelopment" - ] - }, - { - "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": 405, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "Prelaw", - "AfricanAmerican", - "CommunityOutreach", - "HumanRights" - ] - }, - { - "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": 468, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "BrazilianJiuJitsu", - "PhysicalFitness", - "CommunityOutreach" - ] - }, - { - "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 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": "spring", - "recruitment_type": "application", - "tags": [ - "Film", - "Music", - "VisualArts", - "Business", - "Entertainment" - ] - }, - { - "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": 640, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "PerformingArts", - "CreativeWriting", - "Music" - ] - }, - { - "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": 14, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", - "tags": [ - "VisualArts", - "CommunityOutreach", - "Psychology", - "CreativeWriting" - ] - }, - { - "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 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": "always", - "recruitment_type": "unrestricted", - "tags": [ - "EducationEquality", - "CommunitySupport", - "AcademicNetworking", - "Diversity", - "Collaboration", - "Empowerment" - ] - }, - { - "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": 1010, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "Spirituality", - "Astrology", - "Crystals", - "Tarot", - "CommunityBuilding", - "CulturalAwareness" - ] - }, - { - "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 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": [ - "Skincare", - "Health", - "Dermatology", - "Beauty", - "CareerDevelopment", - "Community", - "Education" - ] - }, - { - "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": 643, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "LatinAmerica", - "LGBTQ", - "CommunityOutreach", - "CulturalOrganization" - ] - }, - { - "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": 816, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "Economics", - "InternationalRelations", - "Networking", - "Research" - ] - }, - { - "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": 864, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "FinancialLiteracy", - "Investing", - "Education", - "CommunityService", - "YouthEmpowerment" - ] - }, - { - "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": 171, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", - "tags": [ - "AfricanAmerican", - "Music", - "Dance", - "CommunityOutreach", - "Volunteerism" - ] - }, - { - "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": 509, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "application", - "tags": [ - "SoftwareEngineering", - "DataScience", - "CommunityOutreach", - "Technology", - "Google", - "StudentCommunity", - "Innovation" - ] - }, - { - "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": 943, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "Biology", - "DataScience", - "CareerDevelopment", - "CommunityOutreach" - ] - }, - { - "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": 424, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "WomenLeadership", - "BusinessNetworking", - "ProfessionalDevelopment", - "CommunityBuilding" - ] - }, - { - "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": 358, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "AsianAmerican", - "LGBTQ", - "CommunityOutreach", - "CreativeWriting" - ] - }, - { - "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 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", - "NetworkingEvents", - "CommunityOutreach" - ] - }, - { - "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": 732, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "PerformingArts", - "CreativeWriting", - "Music", - "Psychology", - "Volunteerism", - "CommunityOutreach" - ] - }, - { - "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": 271, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "Hospitality", - "Business", - "Entrepreneurship", - "Networking", - "Events", - "Community", - "Engagement" - ] - }, - { - "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": 519, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", - "tags": [ - "Volunteerism", - "CommunityOutreach", - "HumanRights", - "Journalism" - ] - }, - { - "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": 663, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "HealthcareAdvocacy", - "CommunityOutreach", - "Education", - "Support", - "Volunteerism" - ] - }, - { - "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": 1018, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", - "tags": [ - "Intelligence", - "Research", - "ProfessionalDevelopment" - ] - }, - { - "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": 170, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", - "tags": [ - "HumanRights", - "CommunityOutreach", - "Journalism", - "PublicRelations" - ] - }, - { - "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": 20, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "application", - "tags": [ - "AsianAmerican", - "CreativeWriting", - "Journalism" - ] - }, - { - "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": 917, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "AsianAmerican", - "CommunityOutreach", - "Cultural", - "Volunteerism" - ] - }, - { - "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": 1022, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "Engineering", - "Pharmaceutical", - "Biotechnology", - "Chemistry", - "EnvironmentalScience" - ] - }, - { - "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": 314, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "PerformingArts", - "AsianAmerican", - "CommunityOutreach", - "Dance", - "Music" - ] - }, - { - "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! 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", - "Entrepreneurship", - "GeopoliticalDialogue" - ] - }, - { - "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": 214, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "Music", - "CreativeWriting", - "CommunityOutreach" - ] - }, - { - "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": 538, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "PerformingArts", - "Music", - "AsianAmerican", - "CreativeWriting" - ] - }, - { - "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": 961, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "CommunityOutreach", - "Volunteerism", - "PublicRelations", - "Education", - "Health", - "HumanRights" - ] - }, - { - "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": 7, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", - "tags": [ - "Christianity", - "Leadership", - "CommunityOutreach", - "Volunteerism", - "ProfessionalDevelopment", - "Conservative", - "PublicPolicy" - ] - }, - { - "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": 987, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "application", - "tags": [ - "AfricanAmerican", - "CommunityOutreach", - "Volunteerism", - "CulturalAwareness" - ] - }, - { - "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": 741, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", - "tags": [ - "Volunteerism", - "CommunityOutreach", - "PublicRelations", - "Healthcare" - ] - }, - { - "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": 53, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "SoftwareEngineering", - "Cybersecurity", - "Networking", - "DataScience", - "Coding" - ] - }, - { - "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": 320, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "Christianity", - "Service", - "Fellowship", - "Education", - "Volunteerism" - ] - }, - { - "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": 846, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", - "tags": [ - "Volunteerism", - "CommunityOutreach", - "CreativeWriting", - "VisualArts", - "HumanRights" - ] - }, - { - "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": 25, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "CommunityOutreach", - "Volunteerism", - "PerformingArts" - ] - }, - { - "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": 347, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "LGBTQ", - "HumanRights", - "CommunityOutreach", - "PublicRelations" - ] - }, - { - "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": "", - "num_members": 219, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "CommunityOutreach", - "HumanRights", - "Journalism", - "Film" - ] - }, - { - "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": 809, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "application", - "tags": [ - "EnvironmentalScience", - "RenewableEnergy", - "Engineering", - "Prototype" - ] - }, - { - "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": 43, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "SoftwareEngineering", - "DataScience", - "CommunityOutreach", - "Volunteerism" - ] - }, - { - "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": 764, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "PerformingArts", - "Music", - "CommunityOutreach", - "VisualArts" - ] - }, - { - "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 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", - "Education", - "Ethics", - "GlobalChallenges" - ] - }, - { - "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! 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", - "VisualArts", - "Music", - "CulturalHeritage", - "CommunityOutreach" - ] - }, - { - "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": "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", - "OpenSource", - "Technology", - "CommunityOutreach", - "EthicalTechnologyPractices" - ] - }, - { - "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": 346, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", - "recruitment_type": "application", - "tags": [ - "WomenEmpowerment", - "ProfessionalDevelopment", - "NetworkingEvents", - "CommunityBuilding" - ] - }, - { - "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": 623, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "Prelaw", - "Journalism", - "CommunityOutreach", - "HumanRights" - ] - }, - { - "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": 276, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", - "tags": [ - "HumanRights", - "CommunityOutreach", - "Volunteerism", - "Advocacy", - "PublicRelations", - "Research", - "Collaboration" - ] - }, - { - "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": 901, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", - "tags": [ - "HumanRights", - "EnvironmentalAdvocacy", - "CommunityOutreach", - "Volunteerism", - "LGBTQ", - "Journalism" - ] - }, - { - "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": 492, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "Women'sHealth", - "HealthEducation", - "Journalism", - "CommunityOutreach" - ] - }, - { - "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": 72, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "Music", - "PerformingArts", - "IndianMusic", - "CulturalDiversity", - "CommunityOutreach" - ] - }, - { - "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": 672, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", - "tags": [ - "PerformingArts", - "CommunityOutreach", - "HumanRights", - "Film" - ] - }, - { - "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": 232, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "Psychology", - "Neuroscience", - "CommunityOutreach", - "HumanRights" - ] - }, - { - "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": 785, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "HealthAwareness", - "Volunteerism", - "CommunityOutreach", - "Psychology", - "HumanRights" - ] - }, - { - "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": 931, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", - "tags": [ - "Aerospace", - "Engineering", - "Physics", - "CommunityOutreach" - ] - }, - { - "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": 674, - "is_recruiting": "TRUE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", - "tags": [ - "AfricanAmerican", - "GlobalEngagement", - "LeadershipEmpowerment", - "CommunityBuilding" - ] - }, - { - "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": 560, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "PerformingArts", - "Music", - "CommunityOutreach", - "Film" - ] - }, - { - "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": 615, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "Christianity", - "CommunityOutreach", - "Volunteerism", - "CommunityOutreach", - "HumanRights" - ] - }, - { - "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": 547, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "LGBTQ", - "Volunteerism", - "CommunityOutreach", - "STEM", - "Diversity", - "Education", - "Science", - "Engineering" - ] - }, - { - "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": 801, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "Volunteerism", - "CommunityOutreach", - "Leadership", - "Friendship", - "Service" - ] - }, - { - "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": 868, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "Premed", - "Biology", - "Chemistry", - "Physics", - "Research", - "Volunteerism", - "Healthcare", - "CommunityOutreach" - ] - }, - { - "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": 883, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "application", - "tags": [ - "CommunityOutreach", - "Volunteerism", - "HumanRights", - "Sisterhood", - "CommunityService" - ] - }, - { - "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": 426, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "application", - "tags": [ - "Judaism", - "CommunityOutreach", - "Mentorship", - "ProfessionalGrowth" - ] - }, - { - "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": 264, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "AfricanAmerican", - "CommunityOutreach", - "HumanRights", - "Volunteerism", - "PublicRelations" - ] - }, - { - "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": 148, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", - "tags": [ - "Business", - "Leadership", - "ProfessionalDevelopment", - "CommunityOutreach", - "Ethics" - ] - }, - { - "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": 816, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "unrestricted", - "tags": [ - "CommunityOutreach", - "Volunteerism", - "SocialFraternity", - "Brotherhood" - ] - }, - { - "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": 582, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "Volunteerism", - "CommunityOutreach", - "Leadership", - "Service", - "Fellowship", - "HumanRights" - ] - }, - { - "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": 348, - "is_recruiting": "FALSE", - "recruitment_cycle": "always", - "recruitment_type": "unrestricted", - "tags": [ - "PhysicalTherapy", - "Healthcare", - "StudentOrganization", - "Education", - "EvidenceBasedPractice" - ] - }, - { - "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": 966, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "Advocacy", - "Education", - "Survivorship", - "CommunityOutreach", - "Volunteerism", - "EnvironmentalAdvocacy", - "PublicRelations" - ] - }, - { - "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": 436, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "Biology", - "Chemistry", - "Pharmacotherapy", - "Research", - "ClinicalPharmacy", - "StudentChapter" - ] - }, - { - "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": 462, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "Architecture", - "CommunityOutreach", - "Mentorship", - "Networking", - "Volunteerism" - ] - }, - { - "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": 756, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "ChemicalEngineering", - "StudentOrganization", - "STEM", - "CommunityOutreach" - ] - }, - { - "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": 327, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "CivilEngineering", - "CommunityOutreach", - "Volunteerism", - "EnvironmentalScience", - "ProfessionalDevelopment" - ] - }, - { - "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": 43, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "application", - "tags": [ - "MechanicalEngineering", - "Engineering", - "Networking", - "CareerDevelopment", - "Technology", - "ProfessionalDevelopment" - ] - }, - { - "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": 302, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "AsianAmerican", - "VisualArts", - "CreativeWriting", - "Music", - "CommunityOutreach" - ] - }, - { - "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": 28, - "is_recruiting": "FALSE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "Islam", - "CommunityOutreach", - "HumanRights", - "Volunteerism", - "PublicRelations" - ] - }, - { - "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": 727, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "ArmenianCulture", - "CommunityOutreach", - "InternationalRelations", - "Diversity", - "Food", - "History" - ] - }, - { - "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": 816, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "VisualArts", - "CreativeWriting", - "CommunityOutreach", - "Film" - ] - }, - { - "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": 690, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "VisualArts", - "CreativeWriting", - "CommunityOutreach", - "Volunteerism", - "HumanRights" - ] - }, - { - "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 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": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "ArtificialIntelligence", - "DataScience", - "SoftwareEngineering", - "Technology", - "STEM" - ] - }, - { - "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": 501, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "CreativeWriting", - "VisualArts", - "Journalism", - "CommunityOutreach" - ] - }, - { - "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": 36, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "AsianAmerican", - "CommunityOutreach", - "HumanRights", - "Soccer", - "Journalism" - ] - }, - { - "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": 560, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "AsianAmerican", - "CommunityOutreach", - "Volunteerism", - "HumanRights" - ] - }, - { - "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": 650, - "is_recruiting": "FALSE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "AsianAmerican", - "CommunityOutreach", - "CulturalAdvising", - "Volunteerism" - ] - }, - { - "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": 272, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "application", - "tags": [ - "EnvironmentalScience", - "UrbanPlanning", - "Networking", - "ClimateAction", - "Ecology" - ] - }, - { - "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": 265, - "is_recruiting": "TRUE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "SoftwareEngineering", - "DataScience", - "Networking", - "Workshops", - "SpeakerSeries", - "ProductManagement" - ] - }, - { - "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": 78, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "LatinAmerica", - "CommunityOutreach", - "Networking", - "ProfessionalDevelopment", - "LeadershipTraining" - ] - }, - { - "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": 277, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "unrestricted", - "tags": [ - "MechanicalEngineering", - "EngineeringDesign", - "Racing", - "Teamwork", - "Leadership" - ] - }, - { - "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": 719, - "is_recruiting": "FALSE", - "recruitment_cycle": "fall", - "recruitment_type": "application", - "tags": [ - "VisualArts", - "CreativeWriting", - "CommunityOutreach" - ] - }, - { - "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": 418, - "is_recruiting": "TRUE", - "recruitment_cycle": "fallSpring", - "recruitment_type": "unrestricted", - "tags": [ - "Hinduism", - "CommunityOutreach", - "Volunteerism", - "PublicRelations" - ] - }, - { - "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": 853, - "is_recruiting": "TRUE", - "recruitment_cycle": "spring", - "recruitment_type": "application", - "tags": [ - "AsianAmerican", - "CommunityOutreach", - "PerformingArts", - "VisualArts", - "Volunteerism" - ] - } + "clubs":[ + { + "id":"d2123624-e4a7-42c5-a29e-ddf704331105", + "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":558, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Linguistics", + "Education", + "Community Outreach", + "Study Group", + "Social Events" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2bc522bc-590b-4308-b03a-da807146f0dce1556f1c-dad3-454c-b6e8-220aa328c1c4.png" + }, + { + "id":"3942a431-c96a-4db9-b23d-3f45b2e97439", + "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":522, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "Community Outreach", + "Creative Writing", + "HumanRights", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/921690c0-60d4-419a-94f0-67c2b0b6737a46231144-4d57-4f33-b991-f74ddc23ffbe.png" + }, + { + "id":"ad72ff3e-e2e4-46c9-8f85-a87a1e4c1a2f", + "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":"Automotive Club is the ultimate haven for car aficionados, embracing enthusiasts of all skill levels with open arms. We thrive on the thrill of adventure and the beauty of craftsmanship. Dive into a world where camaraderie meets horsepower as we embark on exhilarating outings to car meets, go-kart tracks, and immersive virtual sim racing experiences. Get your hands dirty with our captivating hands-on activities, honing your skills and knowledge under the guidance of industry experts. Engage in insightful discussions and gain valuable insights from the titans of the automotive realm. Whether you're a seasoned gearhead or just starting your journey, rev your engines and join us for an unforgettable experience dedicated to all things automotive!", + "num_members":804, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Automotive Club", + "Hiking", + "Creative Writing", + "Mechanical Engineering", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6ad5e212-abb6-4777-a4a6-6a0dc35491cbfc3c02a7-e298-4e30-be81-9e49f2daf86a.png" + }, + { + "id":"cb785e10-f09c-4464-b8e1-906b39ab1190", + "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":576, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Cultural Celebrations", + "Community Outreach", + "Volunteerism", + "Fundraising Initiatives" + ], + "logo":"https://se-images.campuslabs.com/clink/images/53b9dd70-ec03-443f-82a2-807a4677a331f3caa9a2-110a-4f39-82d3-3553c8ccbe08.png" + }, + { + "id":"a6561106-51de-463e-ab33-7301d3aecc92", + "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":234, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Data Science", + "Community Outreach", + "Healthcare", + "Nonprofit" + ], + "logo":"https://se-images.campuslabs.com/clink/images/21d72b3c-12f2-4574-8d6c-e297486b34768bd849a3-3ffb-4ef2-abc7-ae029cd6278a.png" + }, + { + "id":"14f5af6a-bb8f-4bb1-9846-2134cef6e009", + "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":"Welcome to the Black Graduate Student Association! Our club aims to support and empower graduate students at Northeastern by providing opportunities for scholarly and professional growth. Join us for networking events, engaging seminars, insightful forums, skill-building workshops, and fun social gatherings in the vibrant Boston Area. Whether you're looking to expand your academic horizons, build lasting connections, or simply have a good time, our association is here to help you thrive and make the most of your graduate experience.", + "num_members":215, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Networking Events", + "Professional Development", + "African American", + "Scholarly Growth" + ], + "logo":"https://se-images.campuslabs.com/clink/images/80145463-b47f-4f63-a2fc-2ccf08bac2074cfd96b1-2530-402a-9361-19d57fa05eb5.png" + }, + { + "id":"43dd7e51-5055-495d-bc3a-0a343289db3c", + "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":935, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Prelaw", + "African American", + "HumanRights", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/940e844a-bfd4-449c-9fa9-e0df2b52165420d6e4a3-3b90-4b4f-a88f-93f5913f7cd7.png" + }, + { + "id":"e15ca2e2-d669-4e67-bf64-90ef438f2de4", + "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! We are a passionate group that aims to engage and inspire students curious about the mesmerizing blend of entertainment and business. By organizing engaging guest speaker sessions, interactive workshops, and insightful panels, we offer a platform for budding enthusiasts to gain knowledge and connections in this exciting industry. Join us in our journey to learn, grow, and thrive at the intersection of creativity and commerce!", + "num_members":623, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Creative Writing", + "Music", + "Film", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4043af94-9335-446a-9461-161929df64f5d41b6b4a-84f7-4e2e-ab30-adcd699a3ebc.png" + }, + { + "id":"aadbb6fa-e459-443c-befc-9dbb6906c952", + "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":58, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Visual Arts", + "Music" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"fe33a47c-330b-4bc0-abb6-039acac4db53", + "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":501, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9b176b66-1c82-4012-8067-b60faf7f8ffd3ae1dac3-3a8a-4cdc-ade4-5232a315ea20.png" + }, + { + "id":"69b571aa-d493-4799-b3b5-ea4f89f1dcec", + "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 club dedicated to promoting educational equality and cultivating scholars. We are passionate about hosting events that bring students and professors together, creating an inclusive academic community where everyone can thrive. Our mission is to bridge gaps in resources and empower all students to excel in academia. Join us on this exciting journey of learning, growth, and connection!", + "num_members":495, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Education Equality", + "Academic Community", + "Student-Professor Events", + "Inclusive Learning", + "Resource Empowerment" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2b8731fc-e41f-49b3-b779-8a70b235464ea417c93d-8b87-4d26-80f3-1bec2212bda6.jpg" + }, + { + "id":"f6284c47-12e7-42a4-92cf-2c237e9bf90c", + "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":736, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Spirituality", + "Paganism", + "Astrology", + "Crystals", + "Tarot", + "Community", + "Cultural Awareness", + "Critical Thinking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"41a706e6-6928-4c35-aaae-ec89d5656f56", + "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":"Welcome to the Dermatology Interest Society (DermIS)! We are a vibrant community at Northeastern University passionate about skincare and dermatology. Our engaging meetings offer opportunities to explore diverse skincare products, engage in insightful discussions with industry experts, and delve into the fascinating world of dermatological conditions. Whether you are a skincare enthusiast or aspiring dermatologist, DermIS is the perfect place to learn, connect, and share our mutual interest in achieving healthy, radiant skin.", + "num_members":846, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Biology", + "Neuroscience", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/57e1b2b7-d930-405e-8afb-44e66e80a93b45338ed3-c25e-44a8-ad90-16561ca6e8c8.jpg" + }, + { + "id":"af2616c2-40e4-4b3a-9b9e-8fab199dd837", + "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":1002, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Latin America", + "Community Outreach", + "Volunteerism", + "Diversity", + "Cultural Exchange" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8f9303d9-e126-4108-aa28-40593b14bbafb752e45d-83c7-441f-a238-6c0100e26dfd.PNG" + }, + { + "id":"5dfc750c-ba45-4cbc-a50e-19ae6542d64c", + "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":560, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "African American", + "Community Outreach", + "HumanRights", + "Music", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/05d0508e-3631-4841-898c-cb4929b19311b2a2cef6-6323-4704-93c2-de788f063dba.jpg" + }, + { + "id":"89d797a1-f573-4c0a-9966-28818fc12add", + "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":211, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Data Science", + "Community Outreach", + "Technology", + "Innovation", + "Diversity", + "Impact" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6a507028-d2a1-46e9-aeac-cf2ba402aba8043b79a3-b96e-40a3-b9f4-1ddc0ef8c888.png" + }, + { + "id":"1a04a196-11c3-4d98-adfe-5103d98b11e4", + "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":114, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Biology", + "Bioinformatics", + "Career Development", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"a55fb8fb-2f22-42cf-b9ee-91a045431282", + "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":28, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Leadership", + "Networking", + "Professional Development", + "Community Building", + "Women Empowerment", + "Graduate Studies", + "Alumni Engagement" + ], + "logo":"https://se-images.campuslabs.com/clink/images/db50880d-fba0-468b-9651-c9e0fa76c681152f54dd-fa16-4544-869d-bc18e5692532.jpeg" + }, + { + "id":"2cd58b19-decd-42df-b6f2-f2a18d42b84f", + "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 warm and inviting community of graduate students passionate about pushing the boundaries of health informatics. Our mission is to foster connections and collaboration among students who are dedicated to advancing this dynamic field. Through a variety of events, workshops, and networking opportunities, we aim to support students in their academic and professional growth while creating a vibrant atmosphere where innovative ideas can thrive.", + "num_members":146, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Health Informatics", + "Community Outreach", + "Networking", + "Professional Growth" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"407c3354-1585-415c-a28e-ce8cc129f09b", + "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":945, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Creative Writing", + "Music", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/303d3da6-6e1e-4e3c-b061-f71aff85032e8d04b94f-f008-435a-8751-0cdfbdbb6ba9.jpeg" + }, + { + "id":"968d9e84-9e17-4257-8f85-84f26e60afb5", + "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":427, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Business", + "Hospitality", + "Entrepreneurship", + "Community", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"1d4b6988-d575-4731-9056-7381bfc7ba2f", + "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":748, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Nonprofit", + "Leadership", + "Consulting", + "Social Impact", + "Professional Development", + "Corporate Sponsorship", + "Boston Area" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c9db9e29-744e-4f69-b1de-06f408f99b13985aaa93-9fe3-4b3d-880f-9df70ac6ef2b.png" + }, + { + "id":"0a541a18-fab4-4ad9-a86d-495e94f321b0", + "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":169, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "HumanRights", + "Education", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6c383904-f35b-4188-8e1c-052e8ecff90d70a785bd-303d-424f-ab41-9e6845fa0966.png" + }, + { + "id":"c2daadc3-dacc-47ce-9f2a-750341446d84", + "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":758, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "Intelligence", + "Research" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"14d25650-49d5-4a83-847f-1da854b412dd", + "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":276, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Community Outreach", + "Law", + "Volunteerism", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e67f54ac-cfbd-4c3c-8eca-6acc360b35f396c3adf0-043e-4807-83e9-6c1024b57ce6.png" + }, + { + "id":"8284a27b-c30b-47c4-a765-6ce1572a8ac4", + "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":1013, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Creative Writing", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f42c5580-4355-43c0-a581-b21eac62d59115402754-0496-416e-841f-2a8208311088.png" + }, + { + "id":"63837115-5be2-4ba7-b50f-afd4489ab955", + "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":809, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Cultural Exchange", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/63d69d0b-0292-48b2-bfa1-27a027f2c47d66051b58-9f10-4706-9c5b-c3ff5a146ceb.png" + }, + { + "id":"911ea25b-dd02-452d-9d91-7ddeeb1b98c0", + "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":880, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Biology", + "Chemistry", + "Neuroscience", + "Environmental Science", + "Data Science", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7a571ec9-425a-4d57-943c-78c3b5facb0e2d311992-319c-4dfe-bdb6-aaebb20f1ff4.png" + }, + { + "id":"a3be1858-a90b-45b9-a364-f381b0d40b0e", + "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! We are dedicated to fostering a vibrant Latin American community while creating an entrepreneurial environment that promotes business development, professional growth, and meaningful geopolitical dialogue. Our club provides a platform where like-minded individuals can connect, collaborate, and share insights to drive innovation and success in the region. Whether you're a seasoned business owner, an aspiring entrepreneur, or simply passionate about Latin America, you'll find a supportive network of diverse professionals ready to empower and inspire you on your journey. Join us in building a brighter future for the continent through shared knowledge, expertise, and friendship.", + "num_members":963, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Latin America", + "Business Development", + "Professional Growth", + "Geopolitical Dialogue", + "Networking", + "Innovation", + "Success", + "Community" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7e6e7efb-fdb0-4070-88fc-6289f0076b3ff90f29c6-c0f2-4107-ad3a-6b56727406af.jpeg" + }, + { + "id":"a1577d16-4f2a-423d-8107-8daa148c6e08", + "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":387, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Music", + "Creative Writing", + "Visual Arts", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/81f9e560-9c30-4048-8fec-32ba0b540dd837e9e197-9b97-4587-9e76-8149a59a778b.png" + }, + { + "id":"3864d1f2-60ba-4697-bf57-5d6712ad8709", + "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":180, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "Environmental Advocacy", + "PublicRelations", + "Education", + "Neuroscience" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e2870e98-e32c-437b-99ea-b5d3a53545b39255527c-b960-4e65-b9ac-a4055ffa36a2.png" + }, + { + "id":"31d682d3-53c2-4181-9d92-48b4f70428ab", + "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":713, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "North African", + "Community Outreach", + "Cultural Awareness", + "Academic Support", + "Networking", + "Diversity", + "Inclusion" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ca0b9329-3046-4500-9c48-e68bbd7a145fb922c9b5-a888-4975-8622-331e43311dee.JPG" + }, + { + "id":"d363becd-7592-41da-b0a3-0c2778ea63a2", + "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":978, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "Healthcare", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"b6a49e92-6237-47ee-9bab-70ddac357d6d", + "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":722, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Cybersecurity", + "Computer Science", + "Technology", + "Networking", + "Learning", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/09b92360-c588-412b-a161-e3ffc2e5ab8b5f2034ee-23a5-4bf4-bbd8-a97f2bf5dab9.png" + }, + { + "id":"ef6a64ee-2145-46a7-805d-e0a0202c7462", + "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":36, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Christianity", + "Service", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4ccaac30-979c-47e5-9734-09f14e2861ba58e6d61e-5a8d-4a2e-8e88-d0a8c5f772ad.png" + }, + { + "id":"9c568de2-be6d-40e5-b83d-f893a9134c56", + "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":893, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Pediatrics", + "Children's Health", + "Literacy", + "Community Outreach", + "Volunteerism", + "Storytelling", + "Advocacy", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"8755e16a-2a64-4ad2-ae64-0588aca42220", + "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":532, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Neuroscience", + "Psychology" + ], + "logo":"https://se-images.campuslabs.com/clink/images/017e2a37-e678-4146-a7d7-255f30161546b427df4e-bd10-441b-8d8a-1e0b66fcaedf.jpg" + }, + { + "id":"8077369d-f3d4-4353-a081-d68003ea0a47", + "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":543, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "HumanRights", + "Community Outreach", + "Environmental Advocacy", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/01e870be-1d88-4592-9c8d-b2b5a15402491a00d11a-a93a-4200-8d84-230c2338b2a3.png" + }, + { + "id":"45523073-4e01-4681-aafd-cf088edcd14f", + "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 vibrant and inclusive community of students passionate about meaningful conversations and connections. At Real Talks, we create a safe and supportive environment for discussions on real-life issues and relevant social topics. Whether you're looking for a listening ear, engaging debates, or just want to share laughter and delicious food, our club is the perfect place for you. Join us to explore diverse perspectives, foster friendships, and enjoy enriching experiences together!", + "num_members":699, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Psychology", + "Community Outreach", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"d7e48044-9516-4a4d-935d-9af60ecc0d4c", + "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":55, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Mechanical Engineering", + "Renewable Energy", + "Engineering" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5e1152e2-7b27-4462-a9bf-75015af14041097636d1-9305-4b1b-b084-34afa73d3b79.jpeg" + }, + { + "id":"3cbb35dd-a20a-45b8-a5b9-44db1015858a", + "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":623, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Software Engineering", + "Artificial Intelligence", + "Data Science", + "Community Outreach", + "Hacker Culture", + "Innovation", + "Collaboration", + "Student Projects" + ], + "logo":"https://se-images.campuslabs.com/clink/images/bdf51f16-e5e8-4a80-bbd9-7c319a8f60e2ecf7178d-1125-4675-a426-1f17f7db343e.png" + }, + { + "id":"922a79c9-46e9-47bd-b50d-c89ce18b55c1", + "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 vibrant community is dedicated to celebrating and promoting the rich tapestry of Indian art forms. From traditional dance to classical music, our events and workshops offer an immersive experience into the beauty and diversity of Indian culture. Join us to explore, learn, and indulge in the colorful world of artistry that SPIC MACAY has to offer. Whether you're a seasoned enthusiast or a curious newcomer, there's a place for you in our warm and welcoming club.", + "num_members":585, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Visual Arts", + "Music", + "Asian American", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7cb24f58-72f3-4765-93dc-13922f3877fb52e0d31e-af80-4fc1-b70f-0db209e68956.png" + }, + { + "id":"07345297-6c24-42c9-a167-375a15350f55", + "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 by advocating for Libre Software Ideals. We believe that everyone should have access to software that respects their freedom and privacy. Through our collaborative efforts, we strive to raise awareness about the benefits of using Libre Software and empower individuals to make informed choices about their digital tools. Join us in our mission to create a more open and inclusive digital world where everyone can thrive!", + "num_members":99, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Data Science", + "Open Source", + "Digital Freedom", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fafd6f9d-6cc5-46c8-9572-5e679a8bff4f34e371d4-6b1f-49f2-af2c-b6ec01785ab9.png" + }, + { + "id":"de447bb9-aa2e-48ff-b53f-8cd5b3dccb83", + "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":192, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Community Outreach", + "Volunteerism", + "PublicRelations", + "Advocacy", + "Social Justice" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"15d0269f-d93f-43a3-b5b6-b62223a65267", + "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":388, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Music", + "Performing Arts", + "Creative Writing", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/cc8da716-4ab1-4cf8-9397-213f2bf692b0fd2c4223-7e49-4ba5-91c4-ae8ee36cbc94.png" + }, + { + "id":"b7ba30c4-1525-44f9-a81c-e015c3f3a46a", + "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":141, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Social Change", + "Community Outreach", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7f32ce85-3334-4db5-91ba-6ffa575d63b8194f3f85-f3ef-430c-babb-9f5305394159.jpg" + }, + { + "id":"61e1be68-85c0-4271-b90d-08187405dc4a", + "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":30, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "Psychology", + "Community Outreach", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7add29fe-0722-4e3a-b56f-3c0f4d42c89f0f05ed35-fb41-4e74-91c7-656497b7dfae.png" + }, + { + "id":"f40e2a45-9071-4246-8bfa-f84716476aef", + "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":246, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "Psychology", + "Community Outreach", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/bc51265b-d29c-45ee-8291-a1eee2717007b2183d0a-4805-4515-8e33-36ec080857bc.png" + }, + { + "id":"e33ca111-812b-45ec-96c6-a81f1b1135a1", + "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":110, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Mechanical Engineering", + "AerospaceNU", + "Physics", + "Rocketry", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f772fbe4-a20a-4508-a212-08be0d49c92dc1e2e791-1cce-47f2-a1c8-b8b1405176ab.png" + }, + { + "id":"d63eb941-813f-4425-9908-ffbef519ac97", + "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":898, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Leadership Empowerment", + "Cultural Integration", + "Global Engagement" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ce5827e0-bda6-48a9-beb4-c7a15c578531533b49be-f8af-4c17-be4f-4ed0393bc462.png" + }, + { + "id":"fb4075f1-de54-48dd-8a35-a71aad53ef4b", + "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":708, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Music", + "Performing Arts", + "Community Outreach", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"4f27f018-dfb3-404b-b213-b60bd9c52c2c", + "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":237, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Christianity", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b327397b-e07d-434a-835e-3a7182dc5c75c0f7e602-f132-4196-bbf6-00fbedd13047.png" + }, + { + "id":"6fdad703-7709-4ef3-a75c-bca7d86a84b0", + "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":236, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "Diversity", + "STEM", + "Community Outreach", + "Volunteerism", + "Environmental Advocacy", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fad97b37-57eb-4b60-b0df-acd6b16d3400687d2a73-8d5e-46d9-a627-0451f39fbea0.jpg" + }, + { + "id":"c50fd3c2-c3a5-477b-ada0-70a5024690d8", + "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":704, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Leadership", + "Service", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2cae5a61-e6ac-4c13-828b-6a95a6aee6257ecc79ce-6901-44c4-915a-dfd8f9a652a2.jpg" + }, + { + "id":"e8d5d9c5-a132-433f-9462-e915f103b146", + "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":402, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "Biology", + "Chemistry", + "Physics", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e426a1c7-7c55-4f84-9113-110598b7d03f58d1a305-3d9e-4358-bf36-9552327afe8f.png" + }, + { + "id":"ecbf907b-2de6-48b6-969a-6c77c59d2c95", + "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":108, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "Sisterhood", + "Women Empowerment", + "Human Rights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/bf933dd0-ce9f-4488-88b1-08bf3a26bdfaa5a40bdc-34bc-4308-a9a5-f2b9687764ad.jpg" + }, + { + "id":"30571a20-ad83-4184-985c-bad0d96e1875", + "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":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Judaism", + "Community Outreach", + "Volunteerism", + "HumanRights", + "Mentorship" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1430dee7-491b-4027-9b7e-33a55e0a76d2d3005712-493d-4c34-a887-87956d088b88.png" + }, + { + "id":"fe03538b-8894-49c4-829c-57586fbcf636", + "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":321, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "African American", + "Service", + "Community Outreach", + "Human Rights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3cafe135-6fe6-48e6-a91b-972a875aad19284665f5-f628-4e02-a032-d32699adce8c.jpeg" + }, + { + "id":"35da0741-45de-4262-914e-ebfd8f5fda2e", + "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":467, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Business", + "Leadership Development", + "Professional Development", + "Ethics", + "Community Leadership", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/80eacc48-2382-427d-bf9a-5957c15e0c96d8b9d0a9-a11c-489f-b3ff-e9a64ec44b22.png" + }, + { + "id":"90f5b876-6dbe-4bc2-adb3-4859f2dcef18", + "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":222, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Premed", + "LGBTQ", + "Community Outreach", + "Volunteerism", + "Broadcasting" + ], + "logo":"https://se-images.campuslabs.com/clink/images/dc84a53e-91b5-4ae3-9b3b-c9f143eaf122ecc74a42-7a59-42dd-a7d0-7ff42170441f.jpeg" + }, + { + "id":"35b98500-0312-4f7c-8a3e-a7e219b3b0b0", + "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":599, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "Leadership", + "Service", + "Fellowship", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"da233f8a-b9ec-47ea-994b-ee3ba853025b", + "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":474, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Neuroscience", + "Physical Therapy", + "Healthcare", + "Student Organization", + "Research" + ], + "logo":"https://se-images.campuslabs.com/clink/images/76a6b666-f837-4789-9309-4569ce68b85d7e19f850-8196-4d04-bdb2-071f26196586.png" + }, + { + "id":"c075e1b8-27a8-4982-b454-48cb4249be84", + "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":761, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Environmental Advocacy", + "Volunteerism", + "Cancer Awareness", + "Advocacy", + "Education", + "Survivorship" + ], + "logo":"https://se-images.campuslabs.com/clink/images/170d13f9-111a-4334-9de5-ad8ec1de99cfcd5f71b4-e914-4505-a3d4-b372b6166837.jpg" + }, + { + "id":"a2cb86a1-8406-4f8d-ac03-b17cd4e3a32a", + "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":653, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Clinical Pharmacy", + "Leadership", + "Professional Development", + "Advocacy", + "Research", + "Pharmacotherapy", + "Health", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/86c59eab-3dc2-4383-b7c5-c334c75775488c1be29e-f319-4b07-98a2-ca02c8361db6.jpg" + }, + { + "id":"143ed18a-d99d-4832-acb2-beb1a9732034", + "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":583, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Architecture", + "Community Outreach", + "Mentorship", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7879d46d-c9bf-49b7-b4bc-dd8030accd91041e596d-b753-4123-8e99-bbf41408d3c2.png" + }, + { + "id":"5d63c634-5dc2-4261-85ec-54c4487f8065", + "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":99, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Chemical Engineering", + "Student Organization", + "STEM", + "Innovative Projects", + "Lifelong Learning", + "Ethical Values", + "Community Events" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"55634b83-1739-4339-b697-4257c289fcea", + "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":87, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Civil Engineering", + "Community Service", + "Environmental Science", + "Engineering Organizations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e1c511ff-a04d-4622-bf46-80272b8bbc8da22d05f1-22d9-4279-bbc2-87f62eb97709.jpg" + }, + { + "id":"39339bac-3b91-4269-811f-b92725e1f6aa", + "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":718, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Mechanical Engineering", + "Software Engineering", + "Industrial Engineering", + "Education", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/08c873ce-a703-4d46-846a-c52e78a51fb3cc6289f4-0250-4b92-bf7d-3a73683a69a1.png" + }, + { + "id":"202ffa8f-699c-4373-b4d0-cd66db3864b8", + "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":783, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Anime", + "Japanese Culture", + "Social Space", + "Discussion", + "Community", + "Humor", + "Romance", + "Action" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1fcf2bc5-ef48-4281-bab4-291a7378997f2b99613f-8f78-44db-9185-6094c1abaa35.jpg" + }, + { + "id":"2ce9ad2a-3625-4b17-9d9d-a6ecb9a23f81", + "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":119, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Middle Eastern", + "Community Outreach", + "Multicultural", + "Academic Support", + "Arts", + "Human Rights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b6aa9213-5e10-465b-b46b-ce83d1bc79bc60a519f1-c9cf-4401-b746-50940486c96d.JPG" + }, + { + "id":"07e7369d-e278-4a1f-a254-3586582b8697", + "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":452, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Cultural", + "Community Outreach", + "Education", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f1231ab8-c97f-4796-a4f9-2e2beac53c7d6462ec36-09cd-4720-b111-b84f558067c2.png" + }, + { + "id":"188ff099-df5b-45a6-9055-def6657902cb", + "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":834, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Performing Arts", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/37c79886-7a3a-4cda-9bc6-489bb78486ecea4d830b-d1f6-4235-9720-d9c3162606a0.png" + }, + { + "id":"963e93f3-310f-47bb-a345-bed2459f1634", + "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":857, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/29f29969-8f5a-439b-8cad-d55e356132d8ee2cf7ce-87a5-4232-9fbb-a4af30b729b5.png" + }, + { + "id":"64e193cd-d045-4ec1-8035-6de4b09d472e", + "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! 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. Whether you are a novice or an expert in AI, our club provides a nurturing environment to expand your knowledge, collaborate with like-minded individuals, and contribute to cutting-edge innovations. Come be a part of our dynamic community where the future is being shaped by the power of AI!", + "num_members":624, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Artificial Intelligence", + "Data Science", + "Software Engineering", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2cd5f6c9-4ad7-49bf-bc4a-103748e6a6661515bcb5-bc48-476b-b4c1-5187fc375702.png" + }, + { + "id":"a3e03f05-69d7-4e4d-b1eb-adfa282dda62", + "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":768, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Photography", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3bc2049c-70b3-4d5b-8cd0-bc7e003466d07735a869-ad1a-4821-be97-3324b4ffa552.png" + }, + { + "id":"e4b42a75-8046-4169-9bba-7e37518862b8", + "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":826, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "HumanRights", + "Volunteerism", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"b4f65c3e-1e96-46fc-b6d5-94e2c19fda9c", + "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":819, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "LGBTQ", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b5d392c1-3bbd-4a66-83fd-88d46134b35c8c1862a7-d801-4960-8b66-7a34fae45c6f.jpg" + }, + { + "id":"fa9f31c6-992d-45c2-98f0-8ca13d1288a4", + "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":351, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Cultural Advocacy", + "Human Rights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5ad45741-1e37-4f28-9dde-e391dcf4aa7dd3d17cce-7c17-4f54-a841-18c8db9ccb08.png" + }, + { + "id":"9a91f4df-0e37-4963-8416-a367d63a3e1d", + "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":205, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Environmental Advocacy", + "Urban Planning", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4c19f674-ad3f-4a98-b943-0ee09712a9e3f0f0910f-790f-4b75-a4b7-1d0104c087f7.png" + }, + { + "id":"0a3f2917-d7f8-43a1-991d-dab86f927a36", + "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":157, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Networking", + "Professional Development", + "Technology", + "Entrepreneurship", + "Community Engagement" + ], + "logo":"https://se-images.campuslabs.com/clink/images/322ef9fa-3be1-4357-a3a9-bab4e0fca6603745c327-e663-4d90-9562-20ad4f6a688c.jpg" + }, + { + "id":"68fcddf3-7cda-4003-970b-59eff62f2e7f", + "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":734, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Latin America", + "Community Outreach", + "Networking", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/97ad9009-d20c-4d21-9b4c-e2b1bb39cb6531ceb0c0-688c-4245-9d63-444753dae8fa.png" + }, + { + "id":"fd4eef65-4807-4977-b075-5fc7a290ccb7", + "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":812, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Mechanical Engineering", + "Manufacturing Techniques", + "Management Skills", + "Engineering Design Cycle", + "Leadership Qualities", + "Endurance Racing", + "Vehicle Design", + "CAD" + ], + "logo":"https://se-images.campuslabs.com/clink/images/dd7173b6-3d76-413d-b6e7-3e607279a110e587e409-fe63-4a84-96a4-44d19ac713de.JPG" + }, + { + "id":"990c7d9d-6190-4d93-b996-944d555580b2", + "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":471, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Baking", + "Food", + "Community Outreach", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/11c07dd5-dbd4-4c44-9d37-962d12451b098f147b2d-4791-45ba-b5e7-96544fd1d8c6.jpg" + }, + { + "id":"99643d6d-19d6-4657-aa06-f42cbb2c3ad9", + "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":219, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Cultural Diversity", + "Community Engagement", + "Visual Arts", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f08823d7-b2dc-4459-a30b-ad8248138f60e38c568f-455a-4c1e-8322-7531550ad09d.png" + }, + { + "id":"a48b9829-2487-43f5-81df-34087133886e", + "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":515, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Hinduism", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"874b5acf-3cd3-4ea3-8f09-bdaef4ce0ce1", + "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":650, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Performing Arts", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aa1b6370-0116-4001-972c-d928dacdd8eac016e7f3-21c2-4f3d-b01b-2d1a1c0d8edb.png" + }, + { + "id":"5f61afbe-3fbd-4383-9d09-9f5efb3f12c7", + "name":"Bee Society", + "preview":"A student organization dedicated to pollinator advocacy, bees, and beekeeping on campus.", + "description":"We are a student organization that works closely with Facilities and Grounds, other student environmental groups, and the MassBee Association to promote pollinator interests and give Northeastern students the chance to suit up and join us at our club hive.", + "num_members":286, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Environmental Science", + "Environmental Advocacy", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d57a551e-67ce-4204-b313-8e340e4f68bbdc30c83f-28a6-44aa-8e38-16ac3f4d67d3.png" + }, + { + "id":"c1557565-1a46-4631-9d94-de5f60c11e54", + "name":"Best Buddies", + "preview":"College chapter of the Best Buddies International organization", + "description":"Mission: The mission of Best Buddies is to enhance the lives of people with intellectual disabilities by providing opportunities for one-to-one friendships. We do this by matching college student volunteers in mutually enriching friendships with persons with intellectual disabilities.", + "num_members":61, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "HumanRights", + "Friendship" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aed55a6b-6e4f-41e3-8124-a6aa318e5a25bf959f1c-38cd-4d6e-a277-7c69ffeb71fe.JPG" + }, + { + "id":"8c35a71b-6729-40ed-bedf-09b9fc100f1d", + "name":"Beta Alpha Psi", + "preview":"Beta Alpha Psi is an honorary organization for Accounting, Finance, and Management Information students and professionals from the College of Business. The primary objective of Beta Alpha Psi is to encourage and give recognition to scholastic achieve", + "description":"Beta Alpha Psi is a national honorary organization for Accounting, Finance, and Management Information Systems students and professionals within the field of business. The primary objective of Beta Alpha Psi is to encourage and give recognition to scholastic and professional excellence in the business information field. This includes promoting the study and practice of accounting, finance and information systems; providing opportunities for self-development, service and association among members and practicing professionals, and encouraging a sense of ethical, social, and public responsibility.\r\n \r\nPlease email neubap@gmail.com to be added to the contact list!", + "num_members":151, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Accounting", + "Finance", + "Management Information Systems", + "Volunteerism", + "Community Outreach", + "Ethics" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"09ea399c-6505-4fea-9f0a-9b3e0bfae7b5", + "name":"Beta Beta Beta", + "preview":"Beta Beta Beta (TriBeta) is a society for students, particularly undergraduates, dedicated to improving the understanding and appreciation of biological study and extending boundaries of human knowledge through scientific research. The organization o", + "description":"Beta Beta Beta (TriBeta) is an undergraduate honor's society dedicated to improving the understanding and appreciation of biological study and extending boundaries of human knowledge through scientific research. The organization offers resources for students to further their paths in the many biological fields.", + "num_members":920, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Biology", + "Neuroscience", + "Environmental Science", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8d55b775-2cc3-4500-9533-dccb839d3570ad5a9ad8-8612-4fa9-8794-ff61cf1f85bf.jpg" + }, + { + "id":"0b5478a6-bc16-488f-98cd-f7332e447d7a", + "name":"Beta Chi Theta", + "preview":"Founded on December 3, 2011, Alpha Alpha Chapter of Beta Chi Theta Fraternity Inc. believes in fostering brotherhood and creating leaders within the Northeastern University community. We are the nation's premiere South Asian Interest Fraternity, and ", + "description":"Founded on December 3, 2011, Alpha Alpha Chapter of Beta Chi Theta Fraternity Inc. believes in fostering brotherhood and creating leaders within the Northeastern University community. We are the nation's premiere South Asian Interest Fraternity, and were recently awarded recognition as the best chapter of Beta Chi Theta Fraternity nationally. The gentlemen of this chapter hold themselves to the highest, moral, professional, academic, and social standards. The brothers promote the six pillars of Beta Chi Theta: Brotherhood, Tradition, Service to Humanity, South Asian Awareness, Academic Excellence, and a Unified Nationwide Network in the world around us.", + "num_members":135, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Service to Humanity", + "Academic Excellence", + "Brotherhood", + "Leadership" + ], + "logo":"https://se-images.campuslabs.com/clink/images/63a76f40-d9e9-4b70-ba05-ef08a56e7f378ef93337-10ca-48e1-8309-2eb07a4a2391.png" + }, + { + "id":"1d84d1e7-38b2-407a-bdf9-3cb452fea748", + "name":"Beta Gamma Epsilon", + "preview":"Founded in 1919, Beta Gamma Epsilon is Northeastern's oldest fraternity. Exclusive to engineering and science majors, B\u0393E has a long and rich tradition at Northeastern and in Boston's historic Back Bay district.", + "description":"Founded in 1919, Beta Gamma Epsilon is Northeastern's oldest fraternity. Exclusive to engineering and science majors, BΓE has a long and rich tradition at Northeastern and in Boston's historic Back Bay district.", + "num_members":281, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Engineering", + "Computer Science", + "Community Outreach", + "History" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d593d217-b71b-4c65-86f3-26da890e05a0359565ed-74be-4ab4-8a7a-aada083dafbe.png" + }, + { + "id":"ce6f0b07-8145-4b18-99c0-5889dd5e6037", + "name":"Beta Theta Pi", + "preview":"The Eta Zeta Chapter of Beta Theta Pi's mission is to cultivate a brotherhood of unsullied friendship and fidelity, which will assist, support, and guide their noble pursuits throughout their collegiate years and beyond.", + "description":"https://vimeo.com/309675499\r\n \r\nThe Eta Zeta Chapter of Beta Theta Pi's mission is to cultivate a brotherhood of unsullied friendship and fidelity, which will assist, support, and guide their noble pursuits throughout their collegiate years and beyond, commit to serve our University and surrounding communities through service, philanthropy, and leadership, establish a strong involvement with the Northeastern University community, hold the highest moral, academic, professional, and social reputation of excellence.\r\n ", + "num_members":348, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Leadership", + "Philanthropy", + "Volunteerism", + "Service", + "Music" + ], + "logo":"https://se-images.campuslabs.com/clink/images/74fe9285-ad0c-41c6-9757-01a69bd2e7a18500ebff-7635-4103-96fe-dfc47c98ca0e.png" + }, + { + "id":"f3953c60-8b9c-4bf5-a0bf-36186d653277", + "name":"Big Sister Boston Northeastern", + "preview":"The Big Sister Association of Greater Boston is one of 340 affiliated Big Brothers Big Sisters organizations across the country, but the only exclusively female-focused program. Join Northeastern's Chapter for guidance to grow as Bigs together!", + "description":"Big Sister Association of Greater Boston is one of 340 affiliated Big Brothers Big Sisters organizations across the country, but the only exclusively female-focused program. Big Sister Association of Greater Boston ignites girls' passion and success through positive mentoring relationships with women and enrichment programs that support girls' healthy development. Big Sister Boston Northeastern empowers femme students to become leaders by facilitating on-campus engagement opportunities, planning fundraising and recruitment events, and by discussing content that relates to women's and girls' interests.", + "num_members":604, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "Women's Leadership", + "Mentorship", + "Human Rights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c51b9a96-12f5-4a1d-ae3c-3b77f965cdac47ee03ee-48a9-4cad-841c-a57505fe8103.jpg" + }, + { + "id":"870d6905-1761-4ee8-85d8-fddd67305d17", + "name":"Biochemistry Club", + "preview":"Northeastern University Biochemistry Club provides professional, academic, and social events for those within the major or interested in the field. Events include guest speakers, panels, and social outings!", + "description":"We're excited to welcome you to the Northeastern University Biochemistry Club! We are dedicated to providing resources to those in the major and those who are interested in the field. Our bi-weekly meetings are a great way for members to network, learn about exciting graduate school and career opportunities following an undergraduate Biochemistry degree, and make meaningful connections with faculty, guest speakers, and fellow Biochemistry majors. At our meetings, we host co-op, career, and graduate school panels, a variety of guest speakers (faculty and industry), and more, and hold many social events. We're excited to see you at our meetings this year, and please reach out to bcc.neu@gmail.com with any questions.", + "num_members":7, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Biology", + "Chemistry", + "Neuroscience", + "Community Outreach", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1d8eaded-a4b4-4b63-b7ce-1cc0b70f8de48669220d-5f03-48e7-9f1a-61c62cc0c598.jpg" + }, + { + "id":"22d64127-7d48-4b8c-ac04-04182b86cd4a", + "name":"Bioengineering Graduate Student Council", + "preview":"The Bioengineering Graduate Student Council (BioE GSC) seeks to provide bioengineering graduate students with an enriched academic environment and sense of community amongst fellow students.", + "description":"The Bioengineering Graduate Student Council (BioE GSC) seeks to provide bioengineering graduate students with an enriched academic environment and sense of community amongst fellow students. The primary focus of the BioE GSC is to provide social, scholastic, and administrative outlets to support students’ academic and career advancement.", + "num_members":924, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Bioengineering", + "Community Outreach", + "Academic Enrichment", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/21ab87ca-25a8-4ccc-bd44-f569129dae55fe3dcdfc-ef7f-4597-975f-8b363e3c8acd.jpg" + }, + { + "id":"e2c2f9a6-a116-4ad2-8f3b-2f8820d6565d", + "name":"Biology Club", + "preview":"The Biology Club is a great way to participate in fun biology-themed activities on and off campus, meet other students in the major, get graduate/medical school information, and find out about upcoming lectures and events around Northeastern.", + "description":"The Biology Club is a great way to participate in fun biology-themed activities on and off campus, meet other students in the major, get graduate school information, and find out about upcoming lectures and events both here at Northeastern and at other institutions. We are involved in professional events such as co-op panels, guest speakers, and undergraduate research symposiums. We also put on fun events like museum outings, parties for Halloween, mixers with other universities, etc..", + "num_members":467, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Biology", + "Environmental Science", + "Neuroscience", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/58ac5aeb-a995-4baa-9605-c1e67be737c3ab1e2164-2e04-4e79-9b60-9d050a5d4703.jpg" + }, + { + "id":"a717828b-91af-4465-9bce-8d9c56a4dd33", + "name":"Biomedical Engineering Society", + "preview":"This club is for students interested in Bioengineering. Students will meet their peers and learn about their opportunities as Bioengineers at Northeastern and post-undergrad. ", + "description":"This club is for students interested in Biomedical Engineering in any capacity. We will work to educate and inspire students about opportunities in Biomedical Engineering.", + "num_members":828, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Biology", + "Neuroscience", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a14f3cc4-0a88-4f56-82e0-d377a96daea96e9acb36-b841-4249-985d-a84a4fe537a1.png" + }, + { + "id":"953da9ab-ee3c-4a06-bac7-3117829b702a", + "name":"Bipartisan Disagreement", + "preview":"Bipartisan Disagreement is a student think-tank at Northeastern University that focuses on using different tools - in-person or virtual discussion, podcasting, and print - to bridge the divide between political parties and seek common ground. ", + "description":"Bipartisan Disagreement is a student think tank at Northeastern University that uses a variety of tools - discussion, podcasting, and print - to bridge the divide between political parties and seek common ground. We encourage politically diverse, yet non-divisive conversation to help foster an understanding of different perspectives, rather than seeking to be “right.”\r\nBecome a contributor on our website and follow us on Instagram for our polls, events,, and meeting updates!", + "num_members":606, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Political Science", + "Public Policy", + "Journalism", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/91e75f8e-a8dc-447e-9574-fc6a0232978f31974922-1b6d-4c42-979f-845a064e1332.png" + }, + { + "id":"5dbb3715-68fb-4e7a-a4de-37b09a24587e", + "name":"Black Athlete Caucus ", + "preview":"Northeastern University Black Athlete Caucus (NUBAC) seeks to represent the voice of Northeastern\u2019s Black student-athletes, while diversifying & implementing change in Northeastern Athletics.", + "description":"The Northeastern University Black Athlete Caucus (NUBAC) seeks to represent the voice of and bring exposure to the Black Athletic community at Northeastern. We strive to provide educational, community-building, and outreach opportunities while promoting our Black Student-Athletes and advocating for change within our athletic administration. Our vision, to create a support system and a safe space for learning and guidance, as well as to encourage our fellow Black Student-Athletes to network and form strong connections, all fall in line with NUBAC’s core values: Boldness, Leadership, Accountability, Collaboration, and Kindness. With this we hope to see powerful changes including more voices being understood and the pipeline of Black student athletes coming in and out of Northeastern feeling not only included at our University but have a true sense of belonging. With NUBAC we would heavily focus on giving back to our community/ getting involved with low-income schools, and also holding our institution/programs accountable for continuing the positive racial/social change at Northeastern. Our intended audience: Black student athletes at Northeastern University. We aspire to host events that include educational guest speakers, host fundraisers, collaborate with other programs for community nights, etc. We are creating a group where Black student athletes on campus will bed heard and be proactive.", + "num_members":279, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "African American", + "Community Outreach", + "Leadership", + "Human Rights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/14ee7b03-d5fc-4826-8ecd-311f434d396d7ebe95f9-535c-40ab-a79d-f9f8768503d6.PNG" + }, + { + "id":"63252198-df49-4979-a324-5de18bf95770", + "name":"Black Business Student Association", + "preview":"The Northeastern Black Business Student Association aims to promote excellence, enrichment, and engagement for its members through a business lens.", + "description":"The mission of the Black Business Student Association (BBSA) is to connect and provide students with information, opportunities, and community to promote excellence, enrichment, and engagement through a business lens.", + "num_members":691, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "African American", + "Business", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/408e9229-7bad-4f45-bab3-eb62f10c738f796436eb-3e1b-43b7-a835-3f787360b952.jpeg" + }, + { + "id":"42af7bc7-f76d-4169-b86c-57d0f02b6c41", + "name":"Black Christian Fellowship", + "preview":"Black Christian Fellowship creates and cultivates the unique Black Christian experience on Northeastern\u2019s campus. Through weekly meetings, service events, and other big events (Easter, Christmas, etc.), we gather to challenge and uplift each other.", + "description":"The Black Christian Fellowship is geared towards creating and cultivating the unique Black Christian experience on Northeastern’s campus. As college students, the journey of faith is a hard one. We strive to create a welcoming community that centers Jesus in all of our efforts and events. Together, we learn and grow by challenging and uplifting each other to live Christ-like. We gather to study the Bible and use it as instructions for our daily living. BCF strives to build a comfortable, inviting, and non-judgmental environment for students to thrive. We aim for our efforts to leave a lasting impact on not only our members but the entire Northeastern campus and Boston community. As a Christian organization, one of our pillars is service. In our programs, we discuss the challenges we’ve faced and how we can go out into the community and help others overcome these obstacles. BCF provides a space where students can be comfortable to grow, challenged to give, and uplifted to prosper. ", + "num_members":859, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Christianity", + "African American", + "Service", + "Community Outreach", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/184d4489-c47d-4290-ad82-59c15e2c785daa48e4d7-c609-4e96-bf78-4c2267980a5f.jpg" + }, + { + "id":"73850254-fcbb-4e16-8345-7e51277c7aae", + "name":"Black Engineering Student Society", + "preview":"The Black Engineering Student Society serves to provide an environment for minority engineers & STEM students to thrive academically, professionally, and socially at Northeastern. BESS is also a National Society of Black Engineers(NSBE) chapter.", + "description":"The Black Engineering Student Society serves on the Northeastern campus to provide an environment for minority engineers & STEM students to thrive academically, professionally, and socially. We welcome students of different majors to join and benefit from our resources as well. BESS is also a chapter of the National Society of Black Engineers(NSBE).", + "num_members":64, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "African American", + "STEM", + "Community Outreach", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b9ee2578-7b28-4976-8635-7c59fe6b3bc8895e2ebc-a7db-422c-ac81-90c4e84dc8c5.png" + }, + { + "id":"f37a2de9-803c-4cf3-94d0-39dbd2a0a416", + "name":"Black Islamic Association", + "preview":"The Black Islamic Association is a club that is dedicated to providing a welcoming space to Black Muslims on campus.", + "description":"The Black Islamic Association is a club that is dedicated to providing a welcoming space to Black Muslims on campus. It is quite easy to feel isolated and alone on a college campus of around 15,000 people, thus we believe it is important for every student to have an understanding support system on campus. BIA provides programming regarding shared personal experiences, Islamic lectures, and socials to ensure that club members create a community founded on compassion and reassurance. We also plan to educate members on the rich history Black Muslims have made in the Islamic world. We aim to hopefully carry this message not only within our community but to the surrounding Muslim communities to teach others about the big impact Black Muslims have made. ", + "num_members":415, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "African American", + "Islam", + "Community Outreach", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3609f724-bbeb-4826-af57-5ab59a22b8f4722dc387-9fab-4467-8174-9a73ce624722.png" + }, + { + "id":"7bd504d7-8c11-44c4-97a1-a51c4a481ac7", + "name":"Black Law Student Association, Kemet Chapter", + "preview":"The Black Law Student Association-Kemet Chapter is committed to maintaining a safe-space and preventing the silencing of the voice and vote of students of Black-African descent that is inevitable with an integrated body. It is our mission to serve th", + "description":"The Black Law Student Association-Kemet Chapter is committed to maintaining a safe-space and preventing the silencing of the voice and vote of students of Black-African descent that is inevitable with an integrated body. It is our mission to serve the NUSL and legal community by increasing educational and career opportunities for students of Black-African descent. Members are encouraged to help aid students of Black-African descent to achieve success and to prepare them to make choices over their lifetime in achieving their full potential in the legal profession. It is also our mission to support an environment of social camaraderie and preserve the rich cultural history of those members who came before us. Members are dedicated to recruitment, community involvement, and activism as a means to remedy the small number of students of Black-African descent. With this mission, the Kemet Chapter adheres to the following goals in addition to the aforementioned national goals: (1) To instill in attorneys of Black-African descent and students of Black-African descent a greater awareness of and commitment to the needs of the African-American and African Diaspora community, (2) To influence the legal community to bring about meaningful socio-economic change to meet the needs of Black-African and African Diaspora community, (3) To promote the hiring and retention of faculty and staff of Black-African descent, and (4) To provide and promote opportunities for students of Black-African descent to establish relationships within the greater legal community.", + "num_members":267, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "African American", + "Community Outreach", + "HumanRights", + "Volunteerism", + "Legal Studies" + ], + "logo":"https://se-images.campuslabs.com/clink/images/bd24f249-f6df-45a6-bab2-0a5608ab373e209314ea-1b1d-4d10-9529-1f0ea18a0311.png" + }, + { + "id":"b475aca8-72f4-4fcc-bf9d-7aca87e0705e", + "name":"Blockchain@NEU", + "preview":"Blockchain@NEU is a student-led organization started in September 2021 whose mission is to cultivate an open community of thought leaders, researchers, and innovators to support the education and development of blockchain technologies.", + "description":"Blockchain@NEU is a student-led organization started in September 2021 whose mission is to cultivate an open community of thought leaders, researchers, and innovators to support the education and development of blockchain technologies. We are fostering an open community across undergraduate, graduate, alumni, and industry professionals to build a Blockchain hub at Northeastern University.", + "num_members":603, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Blockchain", + "Technology", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d62c37bc-8e01-4b73-846d-04f9e1aee76306214fa0-03b6-4b6d-aa9c-aba8ac92d28c.png" + }, + { + "id":"cee30d57-1a32-4ac4-abe6-07a06a70c220", + "name":"Boston Health Initiative at Northeastern University", + "preview":"Boston Health Initiative is a student-led organization that works collaboratively with community partners towards advocating for health equity and providing health education in underserved Boston communities.", + "description":"Boston Health Initiative is a student-led organization that works collaboratively with community partners towards advocating for health equity and providing health education in underserved Boston communities. Undergraduate volunteers will serve as BHI's core workforce, utilizing their health content training, lived experiences, and perspectives to impact the future of those we serve.\r\nOur vision is to move towards a world where comprehensive, equitable health education is the standard, not an exception. BHI aims to work with non-governmental organizations (NGOs) and Boston Public Schools (BPS) to provide immersive, accessible programming for all individuals.\r\n ", + "num_members":508, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "LGBTQ", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a54f91fc-76ac-474f-acc7-196312b8afbacd191705-a6d2-4299-8b0c-7b42fd64a1e7.JPG" + }, + { + "id":"21a40830-071b-46d5-8b6b-0a8fe3dd6b5d", + "name":"Botanical Society of Northeastern University", + "preview":"The Botanical Society of Northeastern University aims to create a community dedicated to bringing together all those interested in the various aspects of plants and botany. The organization aims to promote the importance of nature, educate students o", + "description":"The Botanical Society of Northeastern University aims to create a community dedicated to bringing together all those interested in the various aspects of plants and botany. The organization aims to promote the importance of nature, educate students on environmental wellness, and bring together plant lovers for fun activities. Ultimately, the organization will work as a framework through which students may learn, share, create, and explore!\r\n \r\nIf you would like to get in touch with us, the best way is to contact our email: nubsinfo@gmail.com", + "num_members":471, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Environmental Science", + "Botany", + "Nature", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"1c9dd4fd-cdbf-4a43-a6cb-3832471b0161", + "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":868, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Brazilian Jiu Jitsu", + "Community Outreach", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7a837d47-db4a-44b6-8478-91f933d4580206fe11ba-61b5-423e-a3c5-126af702d64b.jpg" + }, + { + "id":"830a7e26-1d6f-432f-ba9a-281810acac25", + "name":"Brazilian Student Association at Northeastern University", + "preview":"BRASA Northeastern is dedicated bringing together the Brazilian community here at Northeastern, continuing to offer fun and professional events to link the community both socially and professionally.", + "description":"The Brazilian Student Association (BRASA) was created in 2014 as the result of the actions of a group of Brazilian students studying in various American universities. This not-for-profit organization is dedicated to the Brazil's development through the creation of platforms between our home country and students abroad. At its core, BRASA has proactivity, excelency, meritocracy, and commitment to Brazil. BRASA is currently present in over 90 universities in the United States, Canada, France, and the UK, and already has more than 7,000 members.\r\nOur goal moving forward is to continue to bring together the Brazilian community here at Northeastern, continuing to offer fun and professional events to link the community both socially and professionally.\r\ngobrasa.org", + "num_members":220, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Latin America", + "Community Outreach", + "Volunteerism", + "Education", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/88d8ea26-d02a-445e-8a34-767eadf29f91ea94f4dc-ed4e-4363-8780-6e0cdb70420e.png" + }, + { + "id":"268bf4b3-e4da-46a9-b5c6-837f9e0dd307", + "name":"Bull & Bear Research", + "preview":"Bull & Bear Research (BBR) was formed to empower a financial advantage through comprehensive industry, equity, and macroeconomic research at Northeastern University. ", + "description":"Bull & Bear Research (BBR) was formed to empower a financial advantage through comprehensive industry, equity, and macroeconomic research at Northeastern University. The historic void of a quality research organization on Northeastern’s campus has meant that students lack an outlet to explore careers related to research. BBR provides a resource for students to foster growth in their qualitative and quantitative financial analytics skills. In addition, BBR takes on a unique role in the D’Amore McKim extracurricular ecosystem by providing research to the student-led funds on campus in a traditional buy-side role, enabling students to make more informed investment decisions. Our goal is to erode the barriers that traditionally encircle quality equity research accessibility and provide a differentiated growth opportunity for anyone interested in public markets, quantitative methods, and the broader world of finance.", + "num_members":651, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Finance", + "Quantitative Analysis", + "Investments", + "Research", + "Student Organizations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e1257979-5705-4644-b3e3-30c4560108e6f66806a9-bf7f-4c4c-942b-92884880a63f.jpeg" + }, + { + "id":"2ca6a63d-53d5-4855-86e1-8eb1b9f68172", + "name":"Burmese Students Association of Northeastern University", + "preview":"We aim to foster an inclusive and welcoming community for students of Northeastern University students and serve as a place for both Burmese and non-Burmese Northeastern students who are interested in learning more about the unique culture and taste ", + "description":"We aim to foster an inclusive and welcoming community for students of Northeastern University students and serve as a place for all Northeastern students who are interested in learning more about the unique culture of Myanmar. Our organization’s focus will be on promoting awareness about Myanmar through its various events, providing networking opportunities and a sense of community for the members.", + "num_members":528, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism", + "Cultural Awareness" + ], + "logo":"https://se-images.campuslabs.com/clink/images/789b4f9a-38a3-4ebf-8d2f-d69c16210254dd06856f-73d1-4189-b32d-9fd567d02eec.jpg" + }, + { + "id":"f7e500ef-7442-4c94-9379-d7702919a7e6", + "name":"Caribbean Students' Organization", + "preview":"The Caribbean Students' Organization, established in 1982, is a social and cultural group that caters to all diasporas but primarily to people of the West Indian Descent. The organization promotes Caribbean unity, cultural awareness, togetherness, .", + "description":"The Northeastern Caribbean Students' Organization, established in 1982, is a social and cultural group that caters to all diasporas but primarily to people of West Indian Descent. The organization was formed in order to promote Caribbean unity, cultural awareness, togetherness, social interest, and academic excellence. We also encourage the fostering of friendships and association among students, and the academic development and achievement of all members. We provide a familiar environment and inclusive space for students from the Caribbean region, Caribbean parentage, or of Caribbean interest to share experiences and empathize with one another. Our slogan says it best: \"Unity is strength, and our culture makes us one.\"", + "num_members":231, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Latin America", + "Cultural Awareness", + "Community Outreach", + "Music" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fe31f156-9892-4dae-b3e2-93cdd1cd895e6a2a91e5-bc6d-43e8-8504-8708511f1079.png" + }, + { + "id":"ee0c0dea-9fe7-4589-95c6-8fbc6719c2c0", + "name":"Catholic Student Association", + "preview":"The Catholic Student Association is an ever-growing spiritual group that has been described as 'a relevant down to earth community of college students.' We provide a broad range of service, social, and spiritual activities to promote a personal and l", + "description":"\r\n\r\n\r\nThe Catholic Student Association is an ever-growing spiritual family of college students. We provide a broad range of service, social, and spiritual activities to promote a personal and loving relationship with Jesus and the Catholic faith. We understand the profound spiritual journey is not to be taken lightly, and our community works in as many ways possible to be a guide, a support, and a friend for you on your personal trek with faith. \r\n \r\nThe Catholic Center at Northeastern University stands as a sign of HOPE in Jesus Christ. With CHRIST-like care and LOVE for every PERSON, the Catholic Center BRINGS in students to know the faith, BUILDS up students to live the faith and SENDS out students to share the faith for the good of the WORLD, the growth of the CHURCH, and all for the glory of GOD!\r\n \r\nRegister for our weekly emails here!\r\n\r\n\r\n", + "num_members":595, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Christianity", + "Community Outreach", + "Volunteerism", + "Spiritual Activities", + "Service" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d21058b3-8af7-4f55-8e69-93f2826b9ff70f90aca9-327a-4d21-aceb-02fbed5b1cf3.png" + }, + { + "id":"583b5a5c-93a5-4e2d-a901-472c6770b8c0", + "name":"Center for Spirituality, Dialogue and Service (Campus Resource)", + "preview":"Welcome to the Center for Spirituality, Dialogue and Service, an important and exciting university initiative which builds on the successes of the former Spiritual Life Center and seeks to advance a new model of campus religious/spiritual programing,", + "description":"Welcome to the Center for Spirituality, Dialogue and Service, an important and exciting university initiative which builds on the successes of the former Spiritual Life Center and seeks to advance a new model of campus religious/spiritual programing, interfaith and intercultural dialogue, and civic engagement for global citizenship. This website is currently under construction. Please contact the new center Executive Director, Alexander Levering Kern, to learn more about our programs. To join our email list for program updates, or to inquire about group use of the Sacred Space or Reflection Room, please visit our website and fill out the electronic forms at www.northeastern.edu/spirituallife To learn about worship services and opportunities with Northeastern’s religious communities, please contact Hillel, the Catholic Center, the Islamic Society of Northeastern, the Lutheran-Episcopal Ministry, and our other groups. The Sacred Space and Reflection Room in Ell Hall are available for your individual prayer and reflection. We look forward to welcoming you and working with you.", + "num_members":96, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Interfaith", + "Civic Engagement", + "Community Outreach", + "Spirituality", + "Dialogue" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"bbeaa30b-7d0f-4d95-a839-a4b1ce27ba91", + "name":"Chabad at Northeastern University", + "preview":"Chabad at Northeastern University, part of the world-wide network of Chabad on Campus, is dedicated to furthering the understanding and observance of Jewish traditions to all, regardless of their background.", + "description":"Chabad at Northeastern University, part of the world-wide network of Chabad on Campus, is dedicated to furthering the understanding and observance of Jewish traditions to all, regardless of their background. In the spirit of the teaching and example of the Lubavitcher Rebbe, Rabbi Menachem M. Schneerson, we try to assist others in whatever capacity possible. At Chabad, our Shabbat, holiday programs, classes, events, and the general atmosphere are all geared to make college students feel at home. Come socialize in a comfortable and home-like setting, with friends, food, and discussion. Relax in our warm and welcoming home, where you are free to explore your Jewish heritage in a nonjudgmental and friendly atmosphere. Founded on strong personal relationships, Chabad educates and empowers you to live the Joy of Judaism. Through the many social activities we provide, you can gain a deeper understanding and appreciation of your heritage, in a fun and interactive way.", + "num_members":281, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Judaism", + "Community Outreach", + "Volunteerism", + "Neuroscience" + ], + "logo":"https://se-images.campuslabs.com/clink/images/44edaa7d-109b-4149-83b3-e9c0a3d1aa35455190a2-e367-4345-913e-8ad3544aae00.png" + }, + { + "id":"dd30e52d-9b1d-41ad-b4f2-4235b167fc30", + "name":"Changing Health, Attitudes, and Actions to Recreate Girls", + "preview":"CHAARG is a nationally backed health and wellness organization with chapters across the country with the goal of female empowerment through fitness. We focus on healthy living + creating a supportive environment for women to explore fitness.", + "description":"CHAARG was founded in 2007 at Ohio State University, and since then has spread to over 100 universities across the country. CHAARG's main goal is to \"empower women through fitness\" and prove that fitness can, and should be fun. In order to do this, we host weekly workout events for our members as well as wellness events, social events, and smaller group meetings to promote health + wellness as well as create a sense of community on campus. We partner with studios such as equinox, flywheel, crossfit, and more in order to expose our members to different types of workouts and help them \"find their fit\".", + "num_members":1006, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Fitness", + "Wellness", + "Community", + "Empowerment", + "Social Events", + "Empower Women", + "Exercise", + "Health" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c1d2fb3e-8209-4af0-beb0-0c5f38b9d8ab9ca7cd53-d389-4dcd-b856-a0d2ab7b43f7.jpg" + }, + { + "id":"c1839fc6-59cc-4395-9bdb-b29afe960650", + "name":"Cheese Club", + "preview":"Cheese Club is an organization to promote the knowledge of the production, consumption, and importance of everybody's favorite food, cheese. We cover cheeses from around the world, from different animals, and different ways to eat and display cheese.", + "description":"Yes, it’s exactly as it sounds:\r\nCheese Club is a club where we learn about and eat delicious cheeses every week. Join us weekly on Thursdays at 8pm (meeting rooms are posted on our Instagram @nucheeseclub and our newsletter) where we’ll introduce a new curated selection of some popular favorites, niche picks, and funky options for more adventurous members to try. The club is open for anyone and everyone looking for a low key, casual event and great people to meet and socialize with. We hope to see you soon!", + "num_members":730, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Food & Drink", + "Community Outreach", + "LGBTQ", + "Social Event" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2d9c88f7-dd0e-4c33-9d47-acf5312cadc09d4e3b0e-1c62-4c35-94bc-eacf3b1c413d.png" + }, + { + "id":"9de97d46-a6eb-4b40-afb0-4184fc139a76", + "name":"Chemical Engineering Graduate Student Council", + "preview":"The Chemical Engineering Graduate Student Council (ChemE GSC) is a committee of your peers appointed to enhance the overall experience for chemical engineering graduate students at Northeastern University by promoting both on and off campus student a", + "description":"The Chemical Engineering Graduate Student Council (ChemE GSC) is a committee of your peers appointed to enhance the overall experience for chemical engineering graduate students at Northeastern University by promoting both on and off campus student activities and networking throughout the entire department. We also work with the department faculty to offer recommendations on academic improvements to our graduate program.", + "num_members":517, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Networking", + "Education", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f304d052-1fa6-4e5a-a425-930b1f384189aaedbdc7-e4e2-45d9-86bc-534f1bac1c71.png" + }, + { + "id":"2d618426-7bcf-43bb-aa82-a13dcd23ec66", + "name":"Chi Epsilon", + "preview":"Chi Epsilon is the National Civil Engineering Honor Society in the United States. We honor engineering students who have exemplified the principles of \"Scholarship, Character, Practicality, and Sociability\" in the civil engineering profession.", + "description":"Chi Epsilon is the National Civil Engineering Honor Society in the United States. We honor engineering students who have exemplified the principles of \"Scholarship, Character, Practicality, and Sociability\" in the civil engineering profession.\r\nOur members are civil and environmental engineering students in the top of their classes graduating within the next two years.\r\nWe provide tutoring year-round as well as FE review sessions in the fall. Please contact nuchiepsilon@gmail.com for tutoring requests or questions about FE review sessions.", + "num_members":689, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Civil Engineering", + "Tutoring", + "FE Review Sessions", + "Scholarship", + "Character", + "Environmental Engineering", + "Engineering Students" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"d04b3484-1157-45bc-9fd6-3c77e66604a4", + "name":"Chi Omega", + "preview":"Founded in 1895 at the University of Arkansas, Chi Omega is the largest women's fraternal organization in the world with over 345,000 initiates and 180 collegiate chapters. Throughout Chi Omega's long and proud history, the Fraternity has brought its", + "description":"Founded in 1895 at the University of Arkansas, Chi Omega is the largest women's fraternal organization in the world with over 345,000 initiates and 180 collegiate chapters. Throughout Chi Omega's long and proud history, the Fraternity has brought its members unequaled opportunities for personal growth and development. As a Chi Omega, you will have fun, grow, thrive, and achieve success. Chi Omegas are well balanced women who are involved on their campuses and in their communities. As a prominent national women's fraternity, Chi Omega provides countless opportunities for fun and friendship during college and beyond.", + "num_members":697, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "HumanRights", + "Journalism", + "Broadcasting", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d43b7de6-bdb9-46c0-9dbd-631f02ee4514d981e148-f34f-47e7-b232-c1600709325f.jpg" + }, + { + "id":"dd6bce22-1642-402d-a53e-077ec4f08738", + "name":"Chinese Christian Fellowship", + "preview":"Welcome to Northeastern University Chinese Christian Fellowship (NUCCF). We serve to help students know and learn about Christianity, and to provide a Christian faith gathering for students and staff. We welcome everyone regardless of your background", + "description":"Welcome to Northeastern University Chinese Christian Fellowship (NUCCF). We serve to help students know and learn about Christianity, and to provide a Christian faith gathering for students and staff. We welcome everyone regardless of your background or religion.", + "num_members":39, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Christianity", + "Asian American", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"0f1271fe-8528-44cd-98bf-569695a42915", + "name":"Chinese Student Association", + "preview":"The Chinese Student Association is a student organization that supports awareness of Chinese and Chinese American culture. As a group, we strive to unite students interested in Chinese American heritage and to give their voices representation in the ", + "description":"CSA, or the Chinese Student Association, was founded in 2012 with the purposes of unity, exploration, enrichment, community, and chilling out and having fun! We unite students interested in the Chinese American identity, explore traditional Chinese and Chinese American culture and heritage, enrich student life through meaningful events and relationships, foster a sense of community and provide a voice to those who identify within that community, and also provide an enjoyable space where students can escape the everyday stresses of school and work. To do this, we pride ourselves especially on the fun, yet educational, events and general meetings that we hold and on our robust family system. We invite people of all backgrounds to join the Chinese Student Association.\r\n \r\nWe invite you to check out https://northeastern.edu/csa/ or linktr.ee/nu_csa, where our socials and the links to our newsletter and Google Calendar are easily accessible. Our website also has more information about our purpose, history, and executive board.\r\n ", + "num_members":80, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Visual Arts", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c3fb282a-ab0d-47aa-88db-d974dd44c81db4bd8850-720a-48c3-b825-aa13f53fc54b.jpg" + }, + { + "id":"9e3065cc-47b0-42e6-9feb-cf1b6608a343", + "name":"Chinese Students and Scholars Association", + "preview":"The object of Northeastern University Chinese Students and Scholars Association (hereafter referred to as NUCSSA) is to unite and help Chinese students and scholars registered in Northeastern University, and promote the culture communication between ", + "description":"The object of Northeastern University Chinese Students and Scholars Association (hereafter referred to as NUCSSA) is to unite and help Chinese students and scholars who will study or are studying in Northeastern University, and our Chinese alumni, and promote the culture communications between Chinese community and other culture groups. Please visit our website for more introduction, events and additional information at https://www.nucssa.org/ in Simplified Chinese.", + "num_members":375, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Community Outreach", + "Climbing", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3e62bb7b-348e-4fd9-b8e7-9bff2661bb08fc92af6f-7028-4683-bd6e-6458f32205a8.jpg" + }, + { + "id":"22ab34e2-1fde-4ab8-9144-95d40e0245e0", + "name":"Circle K", + "preview":"Circle K International is the college-level branch of the Kiwanis International organization. We are a community service group that serves our community in as many different ways as possible while having fun doing it!", + "description":"Circle K International is the collegiate version of the Kiwanis International organization. We are a community service organization that helps connect Northeastern students to service partners across the city. We help provide the people power that organizations need to achieve their top goals!\r\nSome of the in-person service partners we work with are Community Servings, BalletRox, Fenway Community Center, and Women's Lunch Place. We also started offering virtual service opportunities such as transcribing historical artifacts with the Smithsonian and donating rice through Free Rice. During the 2021-2022 service year, Northeastern Circle K completed over 1,000 service hours - even throughout the COVID-19 pandemic!\r\nWe meet every other week on Thursdays at 6 PM EST - join the Engage page to be added to our email list, and visit our website to learn more about our club and the service we engage in throughout Boston.", + "num_members":700, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "HumanRights", + "Environmental Advocacy", + "Service", + "College Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6b5e9106-c015-470f-8787-e9976c757803caac3ce0-d005-4efc-bb9a-bdee67f6ed69.png" + }, + { + "id":"439dc92c-304d-48ed-8957-1498632870dc", + "name":"Civil & Environmental Engineering Graduate Student Council", + "preview":"We are here for students and the community.", + "description":"The purpose of the Civil & Environmental Engineering Graduate Student Council (CEE GSC) is to enhance the visibility of resources and create a greater sense of community within the Department of Civil and Environmental Engineering. We aim to be a bridge that unifies all CEE concentrations in a way that fosters fellowship - collaboration in academic and non-academic settings through sharing of cultures, research, and general interests.\r\nCEE GSC organizes a series of recurring events that include but are not limited to social functions, cultural functions, and informational sessions. Social functions include game nights and socials that bring together students for food and games, typically around the holiday periods (e.g. Semester Kick-off, Valentines Day, Halloween, Finals Week, etc). Examples of cultural functions are the celebration of Chinese New Year and Holi, where students are encouraged to bring food and share the importance of such events. Informational sessions include dispersal of information between students and administrative staff that result in town halls and new student question and answer sessions. All events create a more unified, friendly, and well-functioning department and CEE GSC provides a way for all members of our community to come together and establish lifelong friendships and resources.\r\nIn addition, we serve as an informational avenue to communicate the needs of the student body to department administrators and faculty/staff. Through all of our events, we are able to listen to questions and concerns brought by students and convey them in a way where change can be effective, whether that is being a resource, connecting the correct parties, or supporting with follow up action items. An example is student concern about programming abilities, which has resulted in reoccurring programming workshops.", + "num_members":89, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Environmental Advocacy", + "Networking", + "Social Events", + "Cultural Diversity" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b683b3cc-6c62-4b2e-834b-1506cbdd76cb8b6f0520-cd56-4e46-8742-560407f5ce5e.png" + }, + { + "id":"cf2fef52-e191-4ef1-997f-96051cc34cd6", + "name":"Clay Cave", + "preview":"The Clay Cave is an open ceramics studio designed for students who want the opportunity to learn using clay through different mediums. All are welcome to try ceramics and make your own art to keep for personal use or gifts. No prior experience necess", + "description":"The Clay Cave is an open studio for ceramics designed for students and faculty who want the opportunity to learn ceramics through different methods of using clay. No experience is required to join! There will be a lesson plan with projects that set members of the club up with fundamentals that are key to being a ceramicist. A full range of different projects will provide members a foundation in which they will be able to pursue whatever project seems interesting to them, whether that be hand-building pots, throwing pots on the wheel, sculpting, or even the chemistry behind glazing pots. For those with previous experience in the field, they can create whatever they desire and set up their own plans for projects. This is an experience beneficial to students of all groups because art uses a completely different part of the brain, allowing for a change in headspace and a break from an otherwise demanding and stressful workday. With this new productive hobby, the Clay Cave will certainly be your home away from home! The studio is meant to be a safe space and a place where there are no wrong answers or projects. Finally, at the end of each semester, we will hold an open ceramics gallery in which individuals can display their craftsmanship.\r\nJoin our very own discord channel at https://discord.gg/SGj9t3QvVn !", + "num_members":14, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Community Outreach", + "Artificial Intelligence" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f4734890-4dcf-4de7-b0a7-1ca4aa706500fa177a45-f0d3-486d-afcb-8fcae73237bf.png" + }, + { + "id":"e8d431a9-862b-460d-8583-5a1ca65130b1", + "name":"Climbing Team", + "preview":"The Northeastern Climbing Team is the official competitive rock climbing team sanctioned through Northeastern University Club Sports. The team continues to flourish as the best in the northeast division.", + "description":"The Northeastern Climbing Team is the official competitive rock climbing team sanctioned through Northeastern University Club Sports. Founded in 2014, the team continues to flourish with the highest ranking in the northeast division. \r\nOur 24-person team currently trains at the Central Rock Climbing Gyms in Watertown, Cambridge, and Randolph, MA. Tryouts are held during September for the fall semester and are open to all undergraduate or graduate students. The team competes in the Northeast Region of the USA Climbing Collegiate Series, as well as participating in other local competitions.\r\nIn addition to competition-related endeavors, Northeastern Climbing Team members give back to the community through volunteer events and outreach. The team has partnered up with organizations such as The Access Fund and One Summit to facilitate a positive impact in the community, and is continually pursuing ways to do so on the local and global scale.\r\nClub Climbing is dedicated to its core principles of supporting climbers of all backgrounds in the world of competitive climbing. ", + "num_members":205, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Climbing", + "Community Outreach", + "Volunteerism", + "Outdoor Sports" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0b45a929-29bd-4e06-9814-186b63f680739ae2ab43-fe02-4f8b-9eef-4d1d19ed6a68.png" + }, + { + "id":"20b96306-f6d6-4ee9-8354-b8ffaabab067", + "name":"Club Baseball", + "preview":"The Northeastern University Club Baseball team is a competitive intercollegiate organization at the D1 National level. The program was established in the Fall of 2005. In its history, the team has won a National Collegiate Baseball Association (NCBA)", + "description":"The Northeastern University Club Baseball team is an intercollegiate organization competing at the D1 National level. The program was established in the Fall of 2005. In its history, the team has won a National Collegiate Baseball Association (NCBA) National Championship, as well as three New England Club Baseball Association (NECBA) championships. To learn more about the team please contact nuclubbaseball@gmail.com with questions.", + "num_members":62, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Baseball", + "College Sports", + "NECBA", + "NCBA", + "National Level" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"8f064d70-2051-45c7-aaf7-38fbb1793ce2", + "name":"Club Esports at Northeastern University", + "preview":"Northeastern Club Esports is an organization housing all of the Competitive Esports titles at Northeastern. Various games are available such as Rocket League, Valorant, Overwatch, League of Legends, and several others.", + "description":"*** IMPORTANT ***If interested, please join a connected discord server using this link: linktr.ee/gonuesports\r\nTryouts and all other club information will be through these servers. Thanks!\r\nhttps://www.youtube.com/watch?v=VqTKboT84qM", + "num_members":548, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Data Science", + "Journalism", + "Broadcasting" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d0aa51e0-e8c9-40cd-b273-c305a69c2700f7547082-2141-446e-a6dc-ac2c4e801219.png" + }, + { + "id":"6b585498-5ebc-44fe-857b-81c666a98d25", + "name":"Club Sailing Team", + "preview":"We are a team that competes in the intercollegiate sailing association. ", + "description":"We are a team that competes in the intercollegiate sailing association.", + "num_members":464, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Sailing", + "Outdoor", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a39b13c8-e9ee-44c3-af15-a90a2bc827c8ac63b5a3-1cc6-47df-8b08-79c3d2acd799.png" + }, + { + "id":"3cc51460-5d23-45e0-ac07-43d6c451a793", + "name":"Code 4 Community", + "preview":"C4C is a student organization at Northeastern focused on developing and maintaining software solutions for non-profits in Boston. We empower our members via workshops, while enabling them to connect with, give back to, and support the local community", + "description":"Code4Community (C4C) is a student organization at Northeastern University focused on developing and maintaining software solutions for non-profit organizations within Boston. We empower our members via mentoring and workshops, while enabling them to connect with, give back to, and support the local community they live in. C4C strives to deliver work engineered with excellence and led by inclusive design principles to ensure our solutions are intuitive, performant, and deliver the best user experience.", + "num_members":621, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Software Engineering", + "Data Science", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/09385429-e788-4186-b540-7aa3baa0ea060bfcb122-778c-4020-9d6d-432f667effdb.jpg" + }, + { + "id":"f1381326-bd28-4e04-95dd-5a6ebae0b215", + "name":"COE PhD Council", + "preview":"The COE PhD Council is the official PhD student-led liaison between the PhD students of the Northeastern COE and the administrative body of the COE.", + "description":"We are a student organization dedicated to fostering a sense of community among STEM enthusiasts. Our mission is to bring together students from various engineering disciplines, creating a vibrant space for collaboration, networking, and shared experiences. Through a series of engaging events, workshops, and social gatherings, we aim to strengthen the bonds within our diverse community, encouraging cross-disciplinary interactions and knowledge exchange. Join us as we embark on a journey to unite the brilliant minds of the College of Engineering, forging connections that transcend academic boundaries and enhancing the overall STEM experience for every student. Together, let's build a supportive and inclusive community that propels us towards success in our academic and professional pursuits.", + "num_members":677, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "STEM Enthusiasts", + "Community Building", + "Engineering", + "Networking", + "Collaboration", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7b230373-4b56-4ce0-8bdc-7365119834d4128d8844-a1c1-4a3f-80aa-99130da50d34.png" + }, + { + "id":"d07b829e-4ea0-4350-a73c-36ea4ef8347e", + "name":"COExist", + "preview":"The COExist program will make becoming a husky easier than ever. Upper-class mentors will provide incoming first-year engineering students, mentees, with a comprehensive program to introduce, clarify and explain all of the opportunities that Northeas", + "description":"Welcome to COExist! Our program is dedicated to helping first-year engineering students transition smoothly into university life at Northeastern. With the guidance of upper-class mentors, mentees will have access to a comprehensive support system that introduces and explains all the exciting opportunities Northeastern has to offer. From academic resources to social events, COExist is here to make your journey as a husky easier and more enjoyable. Join us today and embark on a rewarding experience filled with knowledge, connections, and growth!", + "num_members":994, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Mentorship", + "Engineering", + "Mentorship Program" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0317caa8-14f2-4eaf-86e4-a4b4f2486023fcf885f2-ce2e-4015-aa13-c52901fa03a9.png" + }, + { + "id":"7a543e47-bb56-46a2-b254-9d12114e2008", + "name":"College of Science Student Diversity Advisory Council", + "preview":"COSSDAC intends to create an inclusive community for diverse undergraduates who identify as underrepresented in the sciences and offer resources for academic, professional, social and post-graduate success.", + "description":"COSSDAC intends to create an inclusive community that supports and strengthens undergraduates who identify as underrepresented in the sciences, connecting all members of diverse groups (race, learning abilities, gender, ethnicity, sexual orientation) whilst providing academic, professional, and post-graduate resources. Through the construction of a space where others can create change; we aim to craft a legacy, adding to the roads by which students can find interpersonal support among advisors, garner perspectives from their peers, play an active role in the community that surrounds us, and begin to take advantage of the opportunities afforded to them. Cultural inclusion is the root of understanding and progress, and thus, we aim to empower today's students to become the leaders of science of tomorrow.", + "num_members":627, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Cultural Inclusion", + "Underrepresented", + "Diversity", + "Academic Resources", + "Community Support", + "Student Leadership" + ], + "logo":"https://se-images.campuslabs.com/clink/images/057bb387-7af2-4b88-b3bb-8ba5d190868f75fb3400-aead-419b-a16b-5b185bf69ecd.png" + }, + { + "id":"fc56da08-3cf8-4748-a082-127175f2ffe4", + "name":"ColorStack at Northeastern University", + "preview":"A supportive organization created to help Black & Latinx Computer Science Students to complete their degrees and gain rewarding technical careers.", + "description":"The ColorStack chapter at Northeastern University, an organization that focuses on increasing the number of successful Black and Latinx computer science students. The initiatives include providing academic and professional support, as well as social and community engagement opportunities, to support access, placement, retention, and attraction at all levels. Through ColorStack, the goal is to make a meaningful difference in the lives of Black and Latinx students and improve representation in the technology industry. The belief is that by providing support and resources to these individuals, a more diverse and inclusive industry can be created that benefits everyone. Ultimately, the goal is to contribute to a more just and equitable society where everyone has the opportunity to succeed and thrive.", + "num_members":987, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "African American", + "Software Engineering", + "Community Outreach", + "HumanRights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d81514b3-8e78-42b8-917c-0449a3e585cbee9f214d-d948-414a-a806-bf999a20d115.jpg" + }, + { + "id":"312c6d92-0195-44b1-9e3f-0367c8dc5ea0", + "name":"Computer Science Mentoring Organization of Northeastern University", + "preview":"The Computer Science Mentoring Organization (CoSMO) is open to all Northeastern students interested in Computer Science. This organization serves to better connect various majors, combined majors, minors and non-majors who have a passion for Computer", + "description":"The Computer Science Mentoring Organization (CoSMO) is open to all Northeastern students interested in Computer Science. This organization serves to better connect various majors, combined majors, minors and non-majors who have a passion for Computer Science. The main function of this club will be to matching mentors and mentees together, as well as provide events and workshops to help students connect with their peers. Such events could include, but would not be limited to: student panels regarding different majors, co-ops, or research, student-lead workshops on various technical skills, and non-academic affinity events to better connect students outside the sphere of classes.\r\n \r\nJoin our mailing list to keep updated to our upcoming events!", + "num_members":38, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Software Engineering", + "Data Science", + "Community Outreach", + "Mentorship" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1fabc514-6aab-4919-9963-b81b0a92e107536b27da-ef00-409c-b201-dd369ba2da29.png" + }, + { + "id":"345edb36-361f-463b-9bc5-bf91a799ced2", + "name":"Consulting & Advisory Student Experience", + "preview":"The purpose of this organization is to provide students with the training, resources, experience, and knowledge to pursue co-op and full-time positions in consulting and advisory services.", + "description":"The Consulting & Advisory Student Experience (CASE) is a student-run undergraduate organization that provides insightful presentations, events, workshops, and other activities to help students learn more about, engage with, acquire and practice the skills required to excel in the consulting industry. CASE serves as a forum connecting Northeastern students from all majors with professionals in the industry, faculty members, and Northeastern alumni to equip our members for careers in consulting. Furthermore, CASE establishes partnerships with firms and current professionals to explore further consulting opportunities.", + "num_members":482, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Consulting", + "Professional Development", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9c554d8a-9bbf-4326-94e1-32ef55c6f5e10a9ffe49-0da2-4e1a-b425-817801741917.png" + }, + { + "id":"f4a94b64-036d-4ab3-9d32-e32ec89c083d", + "name":"Cooking Club", + "preview":"NU Cooking Club is a place for those interested in the culinary arts. We explore different cultures and cuisines through fun cooking events. Come learn, cook, and eat with us!", + "description":"NU Cooking Club is a place for those interested in the culinary arts. We explore different cultures and cuisines through fun cooking events. All skill levels are welcome; come learn, cook, and eat with us!\r\nSome events we plan on hosting include:\r\n- TV-show-style cooking competitions\r\n- Themed potlucks\r\n- Cooking demos/classes\r\n- Social outings/field trips\r\n- More fun ideas yet to come\r\nFeel free to join our Discord, Slack, or Mailing list. All our events will be announced through these channels!\r\n- Mailing List: https://forms.gle/9b7TKyWZwzRrdUby9\r\n- Slack: https://join.slack.com/t/slack-0dp6908/shared_invite/zt-235mfootw-uGgwpPp7JpjBqdIt1iBZeg\r\n- Discord: https://discord.gg/q79tuWbDQP", + "num_members":1021, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Visual Arts", + "Cooking", + "Social Outings", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"69fa7039-5e7a-46cc-bd0b-cab74cc36a14", + "name":"Coptic Orthodox Student Fellowship", + "preview":"This club will serve as a meeting space for all Orthodox (Coptic Orthodox students are the main audience, but all other Orthodox students are encouraged to come) students to pray and discuss topics relevant to their faith and culture.", + "description":"The Coptic Orthodox Student Fellowship serves all of Northeastern University’s Orthodox Students. The organization was created by Coptic Orthodox students, but we welcome all other Orthodox students (Oriental Orthodox*, Eastern Orthodox, and Greek Orthodox). We also welcome all other students interested in the Coptic Church culture, faith, and history.\r\n \r\n* By Oriental Orthodox, we are referring to the Armenian Apostolic Church, the Syriac Orthodox Patriarchate of Antioch and All the East, the Malankara (Indian) Orthodox Syrian Church, the Ethiopian Orthodox Tewahedo Church, the Eritrean Orthodox Tewahedo Church, and of course the Coptic Orthodox Church of Alexandria.\r\n \r\n——\r\n \r\nIn our meetings, we pray and discuss topics relevant to our faith. We gather weekly for prayer, worship, and Bible study, make memories together, and share in the blessings of spiritual outreach and community service. We attend and pray the Divine Liturgy at the St. Paul & St. John Chrysostom Coptic Orthodox Church of Boston currently located at 5 Park St.", + "num_members":747, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Christianity", + "Community Outreach", + "Volunteerism", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"3ef233ab-e16e-4591-9dee-66a074adb4e1", + "name":"Council for University Programs", + "preview":"CUP is the official programming board providing campus-wide entertainment for the Northeastern University student body. We are run by students, for students.\r\n\r\nWe plan the majority of events on campus, including Springfest & Homecoming!", + "description":"CUP is the official programming board providing campus-wide entertainment for the Northeastern University student body. We are run by students, for students.\r\nWe plan a wide variety of events on campus, including Northeastern's signature Springfest Concert (Drake, Snoop Dogg, Charli XCX anyone?) and Homecoming Headliner (Dan Levy & Annie Murphy, Ali Wong, Hasan Minhaj). We also plan regular FREE events throughout each month such as concerts, showcases like comedy shows, Q&As, and drag shows, and many other special events!\r\nWe have a very open and welcoming environment, there are no fees or applications to join, no penalty for missing meetings, we just want to give everyone the opportunity to learn about the entertainment industry and booking process, and make some pals along the way :)\r\nAll we ask is that you sign up for our newsletter if you want to be notified about events on campus. Sign up here!", + "num_members":983, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music", + "Creative Writing", + "Film", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/546216fd-4fba-4c22-97ff-24e2926c9f7d8f97b548-108f-49d5-9f75-0b9824a28f1c.png" + }, + { + "id":"3dc9cdfd-5cdc-4f9c-83b4-3420c53e6330", + "name":"Criminal Justice Student Advisory Counsel", + "preview":"CJSAC is a student group open to students of all majors designed to enhance the Criminal Justice major and also to act as a liaison between students and faculty. We discuss current events in the field of criminal justice and the impact that they have", + "description":"CJSAC is an organization open to students of all majors designed to enhance the Criminal Justice major and diversify the voices involved in discussions around our justice system and policing, through experiential learning, speaker series, investigating and analyzing criminal and civil cases, and diving into the inner workings of the Boston criminal justice system, By expanding the mission of the School of Criminology and Criminal Justice, CJSAC builds a wider network for students to take full advantage of their time at Northeastern. Events we host include documentary screenings, self-defense classes, LSAT Prep information, courthouse tours, and much more.", + "num_members":637, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "HumanRights", + "Criminal Justice", + "Community Outreach", + "Documentary Screenings", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"b126024d-5377-4aea-9177-75e8056788bf", + "name":"Criminology Forensic Science and Neuropsychology of Criminal Minds Club of Northeastern University", + "preview":"A club for anyone (all majors welcome) with interests in criminology and forensic science! We welcome a wide range of topics and interests and plan on holding events that range from guest speaker seminars to criminal TV game nights! ", + "description":"Our club seeks to bring together people who share interests in the realm of criminology. This can include students pursuing degrees in criminal justice, psychology, behavioral neuroscience, biology, chemistry, biochemistry...or really anyone with aligning interests! We welcome a wide range of topics and interests within criminal justice and forensic science and plan on holding events that range from guest speaker seminars to criminal TV game nights.", + "num_members":341, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Psychology", + "Biology", + "Neuroscience", + "Criminology", + "Forensic Science" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f296f5d5-9ed2-4eec-82d5-e81a0f82e933a3dd1385-c891-4628-acc7-79bdbff6281b.png" + }, + { + "id":"34ee3ffd-1e68-4317-97ea-8b6dc1f3adfb", + "name":"Criminology-Criminal Justice Graduate Student Association", + "preview":"For graduate students in the School of Criminology and Criminal Justice to:1. Engage in improving knowledge and scholarship through active engagement in and dialogue with the Northeastern and Boston communities.2. Facilitate strong relationships...", + "description":"This organization serves all masters and doctoral students in the School of Criminology and Criminal Justice. We seek to (1) Engage in improving knowledge and scholarship through active engagement in and dialogue with the Northeastern and Boston communities, (2) facilitate strong relationships through a social network for students invested in the field of criminal justice and criminology, (3) foster a healthy graduate student culture in which students can develop academically as well as professionally, learn, and establish long-lasting relationships with fellow students and faculty, (4) advance contribution to the field through service and scholarly achievement, and (5) establish a united environment and integrated forum of expression and growth for future leaders in criminology and criminal justice", + "num_members":614, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "HumanRights", + "Community Outreach", + "PublicRelations", + "Criminology", + "Psychology" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"ab8e0315-124c-498a-ba39-ca9772174f4b", + "name":"Critical Corporate Theory Lab", + "preview":"The CCT Lab is focused on highlighting the influence of corporate power on our everyday lives. We see the invisible hand of corporate power influencing students\u2019 decisions for their careers - and their lives. We believe something must be done.", + "description":"The Critical Corporate Theory Lab is focused on highlighting the influence of corporate power on our everyday lives.\r\nThe Lab is a branch of the Harvard Critical Corporate Theory Lab, spearheaded by Professor Jon Hanson of Harvard Law School. We see the invisible hand of corporate power influencing students’ decisions for their careers - and their lives. This \"hand\" has become stronger, prevalent, and accepted - and we believe something must be done.", + "num_members":905, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Social Justice", + "Ethics", + "Community Outreach", + "Journalism", + "HumanRights", + "Critical Thinking", + "Corporate Power" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4c112c0b-0726-4207-8886-e89e942632e7ee172372-0029-4cff-9d32-1322c9761547.png" + }, + { + "id":"7c99640f-87fb-4050-8166-a22879431afa", + "name":"Cruelty-Free Northeastern", + "preview":"Cruelty-Free Northeastern (CFN) is a student-led organization focused on creating conversation about vegan living. Anyone who is curious about veganism or the plant-based movement is welcome! ", + "description":"Cruelty-Free Northeastern (CFN) is a student-led organization focused on elevating discourse around vegan living. Our organization is dedicated to providing a safe space for anyone to learn more about the different aspects of veganism, and why it is not only a moral imperative, but essential in order to mitigate climate change, environmental degradation, future pandemics, antibiotic resistance, and racial and social injustice. We welcome students of all backgrounds.\r\nWe also have a focus on advocacy, with a dedicated team. Our team is currently hard at work on an initiative to increase plant-based choices at Northeastern and the Boston area and creates social media content that shares information related to the vegan movement.\r\nIn the past, we have hosted potlucks, restaurant outings, guest speakers, documentary showings, and more. We have also worked with other activism organizations and plant-based businesses. \r\nWe welcome anyone to join, regardless if you're vegan, vegetarian or an omnivore.\r\nJoin our mailing list\r\nFollow us on instagram", + "num_members":551, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "HumanRights", + "Journalism", + "Vegetarian", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/442f8111-6a61-446f-a507-3d184695544e49e524b4-bf6f-424a-824c-9af6ca5974f6.png" + }, + { + "id":"bcd2ad30-98e1-4c3e-a062-a7c254c939e6", + "name":"CSC Game Room", + "preview":"The Curry Student Center Game Room", + "description":"The Curry Student Center Game Room", + "num_members":142, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Visual Arts", + "Music", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"d0d32f5c-046e-4a19-b0c6-b87972ca7a6a", + "name":"CSI Test Organization", + "preview":"This is a test account for CSI.", + "description":"This is a test account for CSI.\r\n \r\n ", + "num_members":371, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "CSI Test Organization", + "Prelaw", + "Creative Writing", + "Neuroscience", + "Software Engineering", + "Community Outreach", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"64bbc25f-ca25-4b33-9355-4f109ac0eaf9", + "name":"CTF Club", + "preview":"Our club cultivates a cybersecurity community for hands-on learning, and friendly competition through cybersecurity capture-the-flag (CTF) events and workshops focused on real-world skills development.", + "description":"Our club aims to foster a vibrant community of cybersecurity enthusiasts who want to hone their hands-on, technical skills and knowledge in the field. Our mission is to provide a platform for learning, collaboration, and friendly competition through hosting cybersecurity capture-the-flag (CTF) workshops and contests. CTF competitions simulate real-world scenarios where participants must discover and exploit vulnerabilities in systems, networks, or applications.", + "num_members":115, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Cybersecurity", + "Technology", + "Computer Science" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d305f53a-2476-44a0-aeb8-d2636fc2e64f423cb7b8-3b68-4286-ba2a-e06a54ce8e3f.png" + }, + { + "id":"c4711e7b-bbc3-47bd-bc24-4332446f9654", + "name":"Data Analytics Engineering Student Organization", + "preview":"DAESO is a graduate program based student organization. We want to build a platform where students from all disciplines can come and learn more about the fields of data analytics, data engineering and data science for career or academic purpose.", + "description":"The purpose of DAESO is to build a platform where students from all disciplines can come and learn more about the fields of data analytics and data science. The organization seeks to mentor incoming students about the course, provide a constant support for all the current students with their curriculum, enhance their knowledge of the applications of data analytics in the real-world industry and develop a network of professionals in the industry that students can reach out to. Student members will learn the different career paths in analytics like data science, data analytics, data engineering and business intelligence and how best they could shape their profile to set their foot and thrive in the industry. Lastly, we aim at spreading awareness of the Data Analytics Engineering program at Northeastern.", + "num_members":8, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Data Science", + "Data Analytics", + "Software Engineering", + "Community Outreach", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8bff6c2d-b909-41d6-b877-f398cebcaffb1ce3dc59-aa1f-4301-8301-44a1e1e4a240.jpg" + }, + { + "id":"7718d1af-bcb1-4f06-9cbd-eca0685a75d5", + "name":"DATA Club", + "preview":"To promote data literacy in all disciplines", + "description":"DATA Club provides speakers, workshops, data challenges, and overall support for students to pursue their interests in data.", + "num_members":991, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Data Science", + "Software Engineering", + "Mathematics", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d8fdfd20-09b6-413f-af6c-e2f5056ac4a1e6c60d6a-b99b-4a6e-bfcf-0ac3a0ed381d.png" + }, + { + "id":"85cb08bc-715e-4faf-a3f0-916f46663b49", + "name":"Delta Alpha Pi International Honor Society", + "preview":"Delta Alpha Pi is an honor society dedicated to recognizing the academic achievements of students with disabilities. The purpose of the society includes raising disability awareness within the university and the surrounding communities.", + "description":"Delta Alpha Pi is an honor society dedicated to recognizing the academic achievements of students with disabilities. The purpose of the society includes raising disability awareness within the university and the surrounding communities. We meet every other Monday at 7 PM throughout the fall and spring, in EV 102.\r\n \r\n***Due to Coronavirus, we will not be hosting meetings for the rest of Spring 2020***", + "num_members":630, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Disability Awareness", + "Academic Achievement", + "Community Outreach", + "Human Rights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6f4cdda0-d453-4458-a034-7fcc00f98a42f52fd5eb-cb5f-4382-92f4-230a35f9fce7.png" + }, + { + "id":"a15ff3dd-4fa9-44f8-aa15-f4eaddb56c2d", + "name":"Delta Kappa Epsilon", + "preview":"The Nu Alpha Chapter of the Delta Kappa Epsilon International Fraternity. \r\n\r\nFounded on June 21st, 2019. \r\n\r\nWhere the candidate most favored is equal parts gentleman, scholar, and jolly good fellow.\r\n", + "description":"The Nu Alpha Chapter of the Delta Kappa Epsilon International Fraternity.\r\nFounded on June 21st, 2019.\r\nWhere the candidate most favored is equal parts gentleman, scholar, and jolly good fellow.", + "num_members":707, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Prelaw", + "Scholarship", + "Gentleman", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9e1c4a4a-c5c6-4517-b20a-eb808f4d90f48a2be0a1-4896-4d13-8438-ba3ca7008cd2.png" + }, + { + "id":"717ce935-0bd2-46b2-91f8-a5dc6ee9a6c6", + "name":"Delta Phi Epsilon", + "preview":"Phi Eta Chapter of Delta Phi Epsilon Sorority. Chartered 1969 on Northeastern's campus. Founded on the principals of Sisterhood, Justice and Love.", + "description":"Phi Eta Chapter of Delta Phi Epsilon Sorority. Chartered 1969 on Northeastern's campus. Founded on the principals of Sisterhood, Justice and Love.\r\n ", + "num_members":265, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Sisterhood", + "Justice", + "LGBTQ", + "Community Outreach", + "SocialJustice", + "Empowerment" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d5f67756-8fce-4740-acaf-a5b60ccee2276db45bae-4cd6-4e2c-9297-497f3dced7d1.jpeg" + }, + { + "id":"875c5de3-75d1-4f8a-9a63-cb9f26e6b15d", + "name":"Delta Sigma Pi", + "preview":"Delta Sigma Pi is a professional fraternity organized to foster the study of business in universities; to encourage scholarship, social activity, and the association of students for their mutual advancement by research and practice.", + "description":"Delta Sigma Pi is a professional, co-ed, business fraternity for Business and Economic majors at Northeastern. Our four pillars are professional activities, scholarship, community service, and social activities and we plan different events in each of these categories throughout the year. We are able to combine a life-long brotherhood and professional network with business development. For more info just send us a message!\r\n--------------------------------------------------------------------------------------------------------------\r\nOrganization Mission Statement: Delta Sigma Pi is a professional fraternity organized to foster the study of business in universities; to encourage scholarship, social activity, and the association of students for their mutual advancement by research and practice; to promote closer affiliation between the commercial world and students of commerce, to further a higher standard of commercial ethics and culture for the civic and commercial welfare of the community.", + "num_members":459, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Business", + "Community Service", + "Professional Development", + "Scholarship", + "Leadership" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7417b707-4e6c-4903-914e-b75228cbbc108fb91983-e714-4151-9d6a-457496e621bd.png" + }, + { + "id":"cb9938d4-09ab-47e4-a1c5-f10d271181c9", + "name":"Delta Sigma Theta Sorority, Incorporated", + "preview":"Delta Sigma Theta Sorority, Incorporated was founded on January 13th, 1913 on the campus of Howard University by twenty-two young and determined undergraduate women. Their vision was to promote a better enriching world of social welfare, academic exc", + "description":"Delta Sigma Theta Sorority, Incorporated was founded on January 13th, 1913 on the campus of Howard University by twenty-two young and determined undergraduate women. Their vision was to promote a better enriching world of social welfare, academic excellence, and cultural enrichment while de-emphasizing the social side of sorority life. The Iota Chapter of Delta Sigma Theta Sorority, Incorporated, formally known as the New England Chapter, was the first chapter of any black sorority in the New England Area. Iota chapter was chartered on December 29, 1921, and it is the ninth chapter of the sorority. The sorority’s First National President, Sadie T.M. Alexander, and Virginia Alexander came from Grand Chapter in Washington, D.C. to initiate the women who had hopes of becoming members of Delta Sigma Theta Sorority, Inc. Iota Chapter was initially a mixed chapter that consisted of undergraduate and graduate women. The chapter’s charter includes, Berklee College, Boston University, Emerson College and Northeastern University.", + "num_members":996, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "African American", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6bf41fe8-2d30-407f-949d-380215042c6751cb4ff9-c234-4dbf-ad5d-c03f0b5c1a3c.png" + }, + { + "id":"87aa205f-9906-457b-ae2c-5b465965e33f", + "name":"Delta Tau Delta", + "preview":"Delta Tau Delta is a values-based organization and fraternity. Our mission and values are offered to the public as a representation of the core values contained in our Ritual. All Delt men live by a common mission: \"Committed to Lives of Excellence.\"", + "description":"Delta Tau Delta is a values-based organization and fraternity. Our mission and values are offered to the public as a representation of the core values contained in our Ritual. All Delt men live by a common mission: \"Committed to Lives of Excellence.\" All programs offered by the Fraternity reflect our values, and are designed to help the men of our Fraternity reach the level of excellence for which we all strive. Here at Northeastern University, Delta Tau Delta was Chartered in March of 2014. As a Fraternity, we strive to uphold our values and commit to our own mission statement here at Northeastern, \"Committed to a Higher Standard\"", + "num_members":339, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Human Rights", + "Neuroscience" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5960ebec-31af-48f8-8db1-6a137a378089a3d3aad0-6ebf-4934-9ce8-90d038514b4f.jpg" + }, + { + "id":"1c22e909-5b31-49dd-b383-c2152ffc1a06", + "name":"Delta Zeta Sorority, Xi Upsilon", + "preview":"The Delta Zeta Sorority was founded nationally in 1902 and locally at Northeastern University in 1989. We were founded on the principles that make up our six pillars: sisterhood, social, service, scholarship, standards and self. Every day, we strive ", + "description":"The Delta Zeta Sorority was founded nationally in 1902 and locally at Northeastern University in 1989. We were founded on the principles that make up our six core tenants: generosity, belonging, empowerment, friendship, citizenship, and curiosity. Every day, we strive to live our lives regarding these values. Through sisterhood activities, social events, and an academic mentoring program we continuously strive to achieve excellence in each other and ourselves. Xi Upsilon prides itself on our strong bonds of an incomparable sisterhood and a balanced life.", + "num_members":856, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Friendship", + "Academic Mentoring", + "Sisterhood Activities", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aba5c5ca-f69b-489b-83e2-17e63f4f91fc078e8738-eeb0-4b3b-b9d8-4febf59fa81d.png" + }, + { + "id":"4289b8f5-5080-4f02-a5d6-a5be4c2dfd33", + "name":"Department of Marine and Environmental Sciences Terra Society", + "preview":"The Terra Society organizes events that supplement our members\u2019 education in the Earth & Environmental sciences.", + "description":"The Terra Society organizes events that supplement our members’ education in the Earth & Environmental sciences. We provide students with a chance to work with professors in the Earth & Environmental Sciences department and network with students in similar disciplines. Past Terra Society programs have included field trips, potlucks, hosted speakers, and professor presentations that aim to broaden our knowledge of the natural world. The Society is open to all students and welcomes anyone interested in the areas of ecology, environmental science, marine science, geology, environmental studies, and sustainability.", + "num_members":511, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Marine Science", + "Ecology", + "Environmental Advocacy", + "Sustainability", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a6e1bbbf-eade-4f73-90de-5d86db8310cb95fe5cb6-2b12-41d1-a1c4-70f18339fe3f.png" + }, + { + "id":"5b86bd18-2380-42c1-804e-492dc26725f1", + "name":"Digital Health Club", + "preview":"Digital Health Club (DHC) focuses on enhancing awareness about the increasing role of digital health in modern healthcare. We aim to create a dynamic and informed community through three pillars: clinical, entrepreneurship/collaboration, and networki", + "description":"Welcome to DHC! \r\nWe are a student-led organization dedicated to raising awareness and fostering innovation of digital health in the field of modern healthcare throughout the Northeastern community. \r\nOur approach includes publishing insightful blog articles on the latest digital health technologies, their impact on patient care, and advancements in medical diagnostics and treatments. We also aim to strengthen innovation and collaboration skills through active participation in competitions and taking initiative in projects. Lastly, we organize guest speaker events and Q&A sessions to provide unique opportunities for members to interact with and learn from experienced professionals in the field. \r\nJoin DHC and be at the forefront of digital healthcare innovation, expand your professional network, and influence the future of health technology. ", + "num_members":27, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Digital Health", + "Innovation", + "Technology", + "Healthcare", + "Collaboration", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d3c95cfe-6386-4975-aa65-04d28abaae6d22fc4d81-d43b-45b0-b3b9-ff1a5a6a6048.jpg" + }, + { + "id":"52935c0d-3030-478e-801f-0e8d3ab2859e", + "name":"Digital Illustration Association", + "preview":"A welcoming, open-minded community that fosters passion for digital illustration for all levels of experience and connects artists to patrons. We support each other through drawing parties, art challenges, and supportive critiques. We'd love to have ", + "description":"Welcome to DIA! We're a welcoming, open-minded community that fosters passion for digital illustration for all levels of experience and connects artists to patrons. We support each other through drawing parties, art challenges, and supportive critiques.\r\nWe'd love to have you! Join our Discord server, where we chat and host meetings, and check out some of our members' artwork.\r\nOr, look at our pretty website.", + "num_members":473, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Community Outreach", + "Digital Illustration" + ], + "logo":"https://se-images.campuslabs.com/clink/images/10e9a53e-d70a-4ccb-9e9c-03bfafb1cb5351b5fdc5-2f41-46bc-adb0-427ce34619c7.png" + }, + { + "id":"34fd31aa-93d5-48e5-bbaf-6a72b9e2aa64", + "name":"Disrupt", + "preview":"Disrupt aims to inform, empower, and connect the next generation of students interested in the growing space of Finance Technology (FinTech).", + "description":"Disrupt aims to inform, empower, and connect the next generation of students interested in the growing space of Finance Technology (FinTech).", + "num_members":994, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Data Science", + "Finance Technology (FinTech)", + "Community Outreach", + "Artificial Intelligence" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a4f5e01f-b477-4342-96e2-71e41b6a63f36fb3890d-3578-459a-b629-741a72fde984.png" + }, + { + "id":"fdaec67f-5424-481c-a4e1-23149c8e6c58", + "name":"Distilled Harmony A Cappella", + "preview":"As one of the most successful collegiate A cappella groups in the Boston area and one of three co-ed a cappella groups on campus, Distilled Harmony prides itself in quality vocal music performance.", + "description":"Distilled Harmony is one of the many collegiate a cappella groups in the Boston area, and one of three all-gender a cappella groups at Northeastern University. In addition to hosting shows on campus and singing with other groups in the area, they often participate in various competitions such as the International Championship of Collegiate A Cappella (ICCA). They have placed highly in both quarter and semifinal competitions, and have won Best Choreography, Outstanding Soloist, and Outstanding Vocal Percussion awards in previous years. \r\nAdditionally, they have recorded two studio albums as well as an EP, which have garnered awards from Contemporary A Cappella Recording (CARA) and Voices Only. They like to be competitive and take their music seriously, but never lose sight of having fun! Feel free to check out their Spotify at Distilled Harmony, and all other social media @DistilledHarmonyNU to stay up to date will all things DH!\r\nWant to learn more about us? Check out this video! https://www.facebook.com/watch/?v=2970521202999818\r\n \r\nWant to hear us sing on our new EP “Mirage”? Check it out!\r\nhttps://open.spotify.com/album/2JiSCBhXuT7wpFHAVqkqyt?si=Vd90qLHnSF6ovlObz2gXHg", + "num_members":831, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music", + "Competition", + "Singing", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3464bf4c-a91e-44f8-aed3-7376eeda00e8921f476a-a4d0-4e76-bc45-a2b1d70362d5.png" + }, + { + "id":"74b14484-1495-4010-b1a6-8bbf8c27d0f3", + "name":"Diversability", + "preview":"We\u2019re Diversability! We\u2019re a club all about supporting and uplifting disabled and neurodivergent students at Northeastern, though we are open to all! We're committed to promoting advocacy, education, and collaboration within the Northeastern communit", + "description":"Hello everyone! We’re Diversability! We’re a club all about supporting and uplifting disabled and neurodivergent students at Northeastern, though we are open to all! As a club started by disabled students, for disabled students, we want to offer a new perspective in the disability narrative and give disabled students a chance to support themselves and each other. We have 3 goals:\r\n- Educate both disabled and abled people about disability issues and topics\r\n- Innovate to ensure that Northeastern is accessible for people of all abilities\r\n- Collaborate with Northeastern clubs, students, staff, and other disability organizations to work on projects around accessibility\r\nWe accept all non-disabled and abled people in this club! Whether you’re here for education, a desire to support disabled people, or just curious, we’re excited to have you here!\r\nJoin our discord!", + "num_members":1003, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "HumanRights", + "Environmental Advocacy", + "Neuroscience" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1acd61be-7fc0-414e-aaba-40affd5644f14b17b2f5-0361-44eb-8399-9d60c0aa38e1.jpg" + }, + { + "id":"0bb81adb-08ef-440b-9b9d-017c7d9c8d1c", + "name":"Downhillers Ski and Snowboard Club", + "preview":"We run buses to the best mountains in VT, NH, and ME every weekend the university is in session from January to March. Come shred and meet fellow skiers & boarding at our season meetings and trips!", + "description":"We run ski trips to the best mountains in VT, NH and ME every Saturday that the university is in session from January to March. There is no membership fee and sign-ups for buses are on a week-by-week basis so you can pick which weekends you want to ride. We look forward to seeing you on one of our trips!", + "num_members":214, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Hiking", + "Skiing", + "Adventure", + "Outdoor", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7012ccf6-69e4-4e57-9e8d-d4a6ee5ca5ea4d62a474-40df-4096-b5ac-44e3931f881d.png" + }, + { + "id":"a62a9ba4-80a3-453d-afbf-269443196d5d", + "name":"DREAM Program at Northeastern University", + "preview":"DREAM Program at Northeastern University is a mentoring program that pairs NU students with children living in affordable housing in Madison Park Village and Orchard Gardens in Roxbury, MA.", + "description":"DREAM Program at Northeastern University is a mentoring program that pairs NU students with children living in affordable housing in Madison Park Village and Orchard Gardens in Roxbury, MA. We strive to teach our mentees that they can have successful futures and go to college if they stay determined and motivated. We work in unison with our community partners to serve the residents of these neighborhoods meaningfully. We pride ourselves on our dedication to the program, our mentees, and each other.", + "num_members":23, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Education", + "Mentoring", + "Children", + "Determination" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"0aa57986-81c9-4dbf-b642-19003d636960", + "name":"ECONPress", + "preview":"ECONPress is an editorial journal exclusively showcasing undergraduate economic research. Started in the Spring of 2009 by motivated individuals with a passion for economics, the journal has continued to publish papers addressing a variety of topics.", + "description":"ECONPress is a publication showcasing undergraduate research. We receive econometrics papers from students and evaluate whether to publish them in our end of year journal based on whether they contribute to the existing body of research on a topic. We also discuss current events and interesting topics in economics.\r\n \r\nStudents of all majors and backgrounds are welcome to join. Meetings are held weekly on Tuesdays from 7-8pm.\r\n \r\nIf you have any questions or want to learn more, please email us or check out our website.\r\nEmail: nueconpress@gmail.com\r\nWebsite: https://web.northeastern.edu/econpress/", + "num_members":891, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Journalism", + "Economics", + "Undergraduate Research", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/da3c97d7-953d-4bee-aa13-a49126715d3f03dd956c-3461-49a2-9066-622abf3c5bd8.png" + }, + { + "id":"0908f94a-98b8-4a74-8589-84a652f0d543", + "name":"EcoScholars", + "preview":"EcoScholars is an organization of Northeastern students who work with local elementary schools and afterschool programs to provide climate change and environmental education appropriate to their grade levels.", + "description":"EcoScholars is an organization of Northeastern students who work with local elementary schools and afterschool programs to provide climate change and environmental education appropriate to their grade levels. \r\nOur mission is two-fold: to conduct lessons and programming at schools and to develop and publish a curriculum library for use by other organizations. We seek to help students in and beyond Boston understand the science behind climate change, the many implications of climate change, and how they can help fight it. In particular, climate change will affect future generations as the temperature of our planet increases, so it is important that young students are educated and aware from a young age. Students who are interested in environmental science, environmental engineering, teaching, science, and/or have an interest in sustainability, teaching and the impacts of climate change are encouraged to join. Most of the students we teach are grade students during scheduled after-school programs. \r\nWe have weekly meetings to introduce the club to new members and set expectations for teachers. After the start of programming, we have biweekly meetings explaining and reviewing the upcoming lessons in classrooms. \r\n \r\nWe mainly communicate via email/Instagram (@bostonecoscholars)\r\nSubscribe to emails here: http://eepurl.com/dluRQn\r\n ", + "num_members":643, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Education", + "Sustainability", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/dad852df-c42a-4111-aad9-56f3655c2c498a26f2ce-f26d-41a1-bb37-6b5737060053.png" + }, + { + "id":"20bf23a2-57ae-4564-af8e-76b6cadba587", + "name":"Electric Racing at Northeastern University", + "preview":"Come design, build, and test with Northeastern Electric Racing as we create an electric, formula style car from scratch in a single school year, and compete in competition with teams from around the world!", + "description":"Join Electric Racing at Northeastern University, and participate in a dynamic, action packed engineering competition. We design, build, and test all-electric Formula-style cars, with which we compete in annual competitions each spring and summer. We have mechanical, electrical, business, and software subteams. If you are at all interested in what we do, we have something for you!\r\n \r\nNo matter your prior experience or your interests, Northeastern Electric Racing has a place for you! Below are just a few things we do across our interdisciplinary teams:\r\n\u25aa Mechanical: CAD, design simulations, power tools, machining\r\n\u25aa Electrical: circuit design and prototyping, soldering, custom battery design\r\n\u25aa Business: coordinating projects, writing code, managing finances, designing marketing materials\r\n \r\n------- Info Session -------\r\nPlease check out our Instagram @nuelectricracing for updates on our new member info sessions! This year's will be on January 9th at 9 pm in Richards 300.", + "num_members":987, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Mechanical Engineering", + "Electrical Engineering", + "Software Engineering", + "Business", + "Design", + "Engineering Competition", + "Student Organization", + "New Member Info Session" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8a0b3c17-545e-4eb2-95ba-2b46c7da67b1a5640258-3766-4b12-9890-35c9e1706830.jpg" + }, + { + "id":"13023fdc-fddd-4b7b-a40e-50f9ecc616ea", + "name":"Elite Heat", + "preview":"Elite Heat is dedicated to training for obstacle course races like Spartan and Tough Mudder. We are open to all skill levels and have practice twice a week, host monthly events, compete in various intramural sports, and attend races throughout the ye", + "description":"Elite Heat is an organization dedicated to training for obstacle course races like Spartan, Rugged Maniac, and Tough Mudder. We are open to all skill levels and have practice twice a week, host monthly events, compete in various intramural sports, and attend races throughout the year. For practice, we hold strength-based HIIT workouts on Mondays and more cardio-based workouts on Thursdays. As a club and a community, we believe obstacles are meant to be overcome rather than stand in our way.", + "num_members":404, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Hiking", + "Climbing", + "Strength Training", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6411d1f8-f163-498b-8768-573300f8d0b4b8f545f9-b43a-4822-9b94-98b3ea00f6eb.png" + }, + { + "id":"1f70d831-a411-4944-a363-30c1593fee5e", + "name":"EMPOWER Weightlifting", + "preview":"EMPOWER Weightlifting is a weightlifting club that serves to teach all levels of gym-goers a wide range of topics, from proper lifting technique to adequate nutrition. We focus on inspiring females to gain confidence in the gym.", + "description":"EMPOWER Weightlifting is a weightlifting club that serves to teach all levels of gym-goers a wide range of topics, from proper lifting technique to adequate nutrition. The purpose of EMPOWER is to inspire weightlifters to gain confidence in the gym and to provide a safe place to build a strong community around fitness. EMPOWER will focus on uplifting women in the fitness space and will host several exciting events every semester, like fitness industry guest speaker events, group lifts, public gym outings, fun social events, and informative meetings. The 3rd floor of Marino isn't as scary as you think! Join us!", + "num_members":857, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Fitness", + "Women's Health", + "Community Building", + "Nutrition", + "Events" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8e82627a-06d8-460c-86ce-f8caba4b0849dad120d1-4a8e-4804-b89e-dd877f15ad9e.png" + }, + { + "id":"3ef3f3d0-d4d2-4479-8a8a-e01d00f085a8", + "name":"Encounter Every Nation Campus Ministries of Northeastern University", + "preview":"Encounter is a group that seeks to Encounter God, His Love, and His gifts and to help others do the same. Based out of small groups, we build families of God-centered people so they may feel connected and supported in Northeastern, Boston, and beyond", + "description":"Encounter is a group that seeks to Encounter God, His Love, and His gifts and to help others do the same. Based out of small groups, we build families of God-centered people so they may feel connected and supported in Northeastern, Boston, and beyond. The Bible says that when two or more are gathered in His name, He communes with us. Our groups center on the Bible and it’s Gospel - or Good News - and seek to 1.Encourage Christians and non-Christians in learning about the gifts of the spirit and encountering God through Biblical teaching, 2. Engage students in Gospel-centered conversations and help people encounter the Good News through small group discussion, and 3. Equip students to continually grow and adapt to the progression of campus life at all stages through mentorship and community. We are always open to people from all faith backgrounds, all places, and all walks of life. Encounter longs to bring people home.", + "num_members":236, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Christianity", + "Community Outreach", + "Volunteerism", + "Mentorship", + "Bible Study" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e51ae357-e100-44d7-8a9a-a3cab9e76efd8274fc76-0c43-4237-a1d6-d616e286051a.png" + }, + { + "id":"5e7a9843-a603-4bee-91ee-6aa2633c556c", + "name":"Engineers Without Borders", + "preview":"EWB is an entirely student-led organization working with communities in Guatemala, Uganda and Panama to provide accessible drinking water. The group was started in 2004 and is a part of EWB-USA, a national nonprofit with 250 chapters in the U.S.", + "description":"EWB is an entirely student-led organization working with communities in Guatemala, Uganda and Panama to provide accessible drinking water. The group was started in 2004 and is a part of EWB-USA, a national nonprofit with 250 chapters in the United States and projects in over 45 countries around the world.", + "num_members":45, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Latin America", + "Volunteerism", + "Community Outreach", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/81fd4b82-759c-46af-bd4d-47a2d3cf47db9eaf8f57-c553-4b36-8d56-c062d6db2c49.JPG" + }, + { + "id":"9cc87e0f-b194-4a47-8447-4d2a48538821", + "name":"English Graduate Student Association", + "preview":"The EGSA, a student group officially acknowledged by the University, includes all graduate students in the English Department at Northeastern, but primarily functions as a small group of elected representatives. Its mission is to ensure and improve t", + "description":"The EGSA, a student group officially acknowledged by the University, includes all graduate students in the English Department at Northeastern, but primarily functions as a small group of elected representatives. Its mission is to ensure and improve the quality of the graduate programs, promote the professional development of graduate students, develop policies and procedures that benefit graduate students, encourage faculty-student communication, and foster collegiality among members of the department through cooperation between graduate students, faculty and staff in the English Department.", + "num_members":440, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Creative Writing", + "HumanRights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a17858ea-f251-4e9b-8522-b0cebc934d992976b51c-f948-4b73-bd31-7cf92d559fc8.PNG" + }, + { + "id":"2d1727a5-7b30-4be8-8128-ab8ed51d55ca", + "name":"Entrepreneurs Club", + "preview":"The NU Entrepreneurs Club is Northeastern University's largest student organization. Our 1000+ members attend our 4 programs, including soft/hard skill workshops, community initiatives, an executive speaker series, and a venture incubator. ", + "description":"The NU Entrepreneurs Club is Northeastern University's largest student organization. Our 1000+ members come from a diverse set of backgrounds to attend our 4 programs, including workshops, community initiatives, an executive speaker series, and a startup incubator. Our community is now global and you can get involved in Northeastern Oakland and London campus! ", + "num_members":733, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Entrepreneurship", + "Community Outreach", + "Startup Incubator", + "Workshops" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5a87ad78-983f-4656-a1a0-a9d62363ec19f869cbb5-b32c-44ef-ad44-f4b087c75b24.png" + }, + { + "id":"bd2c1ef8-c329-4a6f-a107-6faccf32ee4d", + "name":"Environmental Science and Policy Leaders for the Environment", + "preview":"ESP-LFE is primarily an organization for Northeastern\u2019s Environmental Science and Policy graduate students. Our purpose is to improve academic and professional development to its members, while also enriching the lives of the Northeastern student bod", + "description":"ESP-LFE is primarily an organization for Northeastern’s Environmental Science and Policy (ESP) M.S. program for graduate students. Our purpose is to provide leadership experience, facilitate alumni interactions, increase career development and professional enrichment opportunities, and offer opportunities for service and community involvement. As students of the Northeastern ESP program, we intend to give support to individuals prior to their acceptance at Northeastern, during their enrollment, and beyond their graduation. Most importantly, this organization intends to build environmental leaders within each cohort that exists within our program.\r\nWe plan to support young adults interested in environmental science and policy through mentoring and guidance programs, educating them on career options, and advancing their aspirations. Northeastern students will have the opportunity to recommend specific courses to other students, create individualized career tracks, and attend networking and career events. With the increasing intensity of climate change impacts and other sources of anthropogenic disturbance, new and innovative solutions are required that are not currently addressed in the curriculum. ESP-LFE provides a voice for the students to advocate for new classes and coursework that addresses these evolving issues. Post-graduation, members will have access to diverse alumni mentorship that is specific to their chosen major or career and enables them to find resources and opportunities that may be otherwise unavailable.\r\nFinally, and most importantly, this group aims to build diverse and equitable leadership opportunities as far as our network can reach. As the social, economic, and political issues surrounding climate change continue to worsen, there is a growing need for leaders and experts that can help develop environmental and policy solutions. ESP students are engaged and equipped to fill this role within our local, national, and international community. Whether this takes the form of events or fundraisers for issues such as climate change awareness, hosting seminars for prominent leaders, or simply having a safe place to voice anxieties around current and emerging socio-political and environmental issues, this group will be a focal point for all of those interested.", + "num_members":497, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Leadership", + "Mentorship", + "Community Involvement", + "Career Development", + "Advocacy", + "Diversity", + "Equity" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f854e829-ca06-437f-81f1-36a1382f81d043036e57-81fd-4213-bc87-20fb91a235d0.jpg" + }, + { + "id":"2fb17293-5007-47a9-bc34-271a8711e461", + "name":"Eon Dance Troupe", + "preview":"Eon Dance Troupe is a classical, ethnic, and fusion dance group that strives to promote awareness for the rich culture and history behind Chinese dance while fostering a community that welcomes dancers of all experience levels and cultural background", + "description":"Eon Dance Troupe expresses culture through our classical, ethnic, and fusion dances. Through our performances, we hope to promote awareness of the rich history and diversity within Chinese dance. Eon seeks to engage and foster community by interacting and collaborating with organizations in the Northeastern community and in the Greater Boston area through dance performances and cultural events. With our non-audition policy, Eon welcomes dancers of all experience levels and cultural backgrounds to learn, perform, and bond with one another.\r\nFollow us on instagram to keep up with announcements and updates!\r\nMAILING LIST: Sign up for weekly updates!", + "num_members":375, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Performing Arts", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f5ee6bc5-b5f6-42c5-83a1-9d387fceb32133179e3d-08a4-43d4-b89e-c8ed818e60e2.jpg" + }, + { + "id":"3f178adf-3b3b-4950-9489-cca3eeea1222", + "name":"Eta Kappa Nu", + "preview":"Eta Kappa Nu, Gamma Beta Chapter, is Northeastern Universities Electrical and Computer Honor Society. HKN is Committed to the advancement of academic and professional success of Northeastern ECE students who are both members and non-members. HKN pro", + "description":"Eta Kappa Nu, Gamma Beta Chapter, is Northeastern Universities Electrical and Computer Honor Society. HKN is Committed to the advancement of academic and professional success of Northeastern ECE students who are both members and non-members. HKN provides tutoring services and organizes information sessions for students interested in research and graduate studies, as well as opportunities for scholarship, alumni outreach, and so on.", + "num_members":690, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Electrical Engineering", + "Academic Support", + "Research", + "Scholarship", + "Alumni Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9c578709-2c05-4e1f-9d6c-e3f5eae3df35adfc432d-d010-47f6-ac9c-86728f2c1c12.jpeg" + }, + { + "id":"03f1eab3-cc13-432a-adbb-e7640054fd8e", + "name":"Ethiopian and Eritrean Student Association ", + "preview":"Our mission is to showcase our exceptional culture by promoting harmony among Ethiopian and Eritrean students. ", + "description":"Our mission is to showcase our exceptional culture by promoting harmony among Ethiopian and Eritrean students. We want to establish a place where students of Ethiopian and/or Eritrean background, as well as those interested in the two cultures, can come together to communicate and form relationships in order to foster social and cultural cohesiveness within our community. We, the Ethiopian and Eritrean Student Association, also known as EESA, strive to cooperate with other Ethiopian-Eritrean groups in adjacent universities in addition to working with the other multi-ethnic organizations here at Northeastern.\r\nWe will strive to unite students through shared heritage, tradition, and knowledge. We will work to inform and educate students about significant cultural concerns that impact both their local and global communities. We will educate and enlighten our members on the history, customs, and current affairs of the two East African nations. We will endeavor to provide a setting where members can interact and succeed both intellectually and socially. We will invite students who are interested in learning more about Eritrea and Ethiopia. We will promote togetherness among the group's participants, and WE WILL WELCOME EVERYONE.", + "num_members":127, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "African American", + "Environmental Advocacy", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"7c33e487-4349-4774-b58f-a468aa37e6e8", + "name":"Evolve", + "preview":"Evolve is a student-led fund and accelerator that empowers early-stage healthcare and life sciences ventures in Northeastern\u2019s entrepreneurial ecosystem to take the next step in their development. ", + "description":"Evolve is a student-led fund and accelerator that empowers early-stage healthcare and life sciences ventures in Northeastern’s entrepreneurial ecosystem to take the next step in their development. At the same time, we provide students with experiential learning opportunities and connect them with entrepreneurs, industry experts, and investors.", + "num_members":738, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Biology", + "Neuroscience", + "Entrepreneurship", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/61214b6a-fc08-42e3-9098-9330559d70fcef66e27f-a3ea-4eca-89ec-23e560c05845.png" + }, + { + "id":"ead32b48-e7aa-4cdd-8cc5-ed82faad2f1e", + "name":"Family Business Consulting Club", + "preview":"Family Business Consulting Club mission is to teach and broaden students' understanding of consulting through interactive projects and workshops run by students-for students. We do this education and project based work with family businesses.", + "description":"The Family Business Consulting (FBC) Club is the first of its kind at Northeastern. We focus on providing management consulting services to family-owned businesses of all sizes. \r\nConsulting projects we take on include financial analysis, sales optimization, customer/competitor analysis, growth strategy, new product development and more.\r\nConsulting teams are 4-5 people in size, with an experienced team lead and team members of all experience levels.", + "num_members":641, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Consulting", + "Management Consulting", + "Business", + "Financial Analysis", + "Sales Optimization", + "Growth Strategy", + "Teamwork" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8e45cad3-bdcf-4a3a-86d0-bed3337129583338152c-1fc3-42c6-882b-3bdf6d7cfa08.png" + }, + { + "id":"812d8e65-1e91-49f2-8f49-d7569991bce3", + "name":"Fellowship and Manhood", + "preview":"To provide a platform for Black men on campus to come together, foster\r\nbrotherhood, and strengthen each other through the values of brotherhood,\r\nmanhood, and family.\r\n", + "description":"Fellowship and Manhood is more than just a club - it's a community where Black men on campus can find support, understanding, and a sense of belonging. By coming together, members of the club are able to nurture strong bonds of brotherhood, uphold the values of manhood, and create a true sense of family. Through engaging discussions, events, and shared experiences, Fellowship and Manhood empowers its members to grow personally and professionally, while fostering a safe space where every voice is heard and every member is valued.", + "num_members":587, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "African American", + "Community Outreach", + "HumanRights", + "Brotherhood", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e8ddf6c9-c800-49c6-9328-986b89ae312ca5c47118-07bb-437a-a203-4e665aacaa98.jpeg" + }, + { + "id":"9de78542-dbd2-478d-aaa6-de6aa59a33a9", + "name":"Feminist Student Organization", + "preview":"The Feminist Student Organization (FSO) is a Northeastern University student group committed to promoting discussion, debate, and action as it relates to feminism and its many intersections in society.", + "description":"The Feminist Student Organization (FSO) is a Northeastern University student group committed to promoting discussion, debate and action as it relates to feminism and its many intersections in society. FSO is a discussion-based group which also coordinates community outreach and programming, and thrives on diverse opinions and lively discussion.\r\n \r\nMeetings are fully in-person – Thursdays from 8-9pm at Curry Student Center room 144 (aka the Center for Intercultural Engagement [CIE]).", + "num_members":893, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Feminist Student Organization", + "Community Outreach", + "HumanRights", + "LGBTQ", + "Feminism", + "Women's Rights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/75367303-e11f-4375-875a-97188ca6979990f60d50-c986-47f2-bc09-1ea502323670.JPG" + }, + { + "id":"11fc6ea7-941b-4f58-ade5-30b5c521a5cb", + "name":"Fiction Addiction Book Club", + "preview":"Fiction Addiction is a book club open to all Northeastern students. We read roughly one book a month and meet bi-weekly to discuss them. We also attend BPL book sales, host Blind Date with a Book, book-movie night adaptations, & other fun reading eve", + "description":"Fiction Addiction is a book club open to all Northeastern students. We read roughly one book a month and meet bi-weekly to discuss them. Contrary to the name of the club, we don't just read fiction! Monthly book club picks are chosen by general member voting on book nominees recommended by all members of the club. We also attend BPL book sales, the Boston Book Festival, local author signings and book store visits. Our club also hosts and annual Blind Date with a Book event, book adaptation movie nights, and collaborations with other clubs related to the books we are reading. This club is for anyone who has an interest in reading or enjoys discussing literary topics with others.\r\n \r\nJoin our Mailing list HERE!\r\nJoin our Discord server HERE! \r\nFollow us on Instagram!\r\nFriend us on Goodreads!", + "num_members":229, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Creative Writing", + "Literature", + "Community Outreach", + "Visual Arts", + "Book Club" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3f93d22d-8f7e-4c5b-bc0c-c10c4b0e1bc7453a2f53-02c4-47a6-9040-556929f42362.png" + }, + { + "id":"f722c61d-cb70-45c1-8ece-4fa6909dd0b7", + "name":"Fighting Game Club at Northeastern University", + "preview":"FGCNU is a way to foster an environment of healthy improvement and practice. The purpose of FGCNU is to help the members of FGCNU practice their hobby of fighting games and provide opportunities for the members of FGCNU to attend tournaments.", + "description":"FGCNU is a way to foster an environment of healthy improvement and practice. The purpose of FGCNU is to help the members of FGCNU practice their hobby of fighting games and provide opportunities for the members of FGCNU to attend tournaments. FGCNU’s mission is to practice, improve, compete, and have fun while playing fighting games, all while creating an environment where the members of FGCNU can ask questions, experiment with their play, and review and criticize matches.", + "num_members":758, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Video Games", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/696d3a2c-d4c0-4cd8-8891-bf7f9f9bfaaa929ce9eb-2649-4564-a492-12850cf12e8d.jpg" + }, + { + "id":"1d6ad534-4f91-408a-8331-72cf63b8d397", + "name":"Finance and Investment Club", + "preview":"The mission of the Finance and Investment Club is to support the development of future financial professionals not only in their field, but in the university and the community at large. Through career-oriented activities such as weekly presentations", + "description":"The mission of the Finance and Investment Club is to support the development of future financial professionals not only in their field, but in the university and the community at large. Through career-oriented activities such as weekly presentations by guest speakers, faculty members, and Northeastern alumni, students are given the opportunity to learn about various career paths and useful information that will help them advance in the workplace. The Finance and Investment Club meets weekly on Mondays from 6-7pm.", + "num_members":203, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Finance and Investment", + "Business", + "Career Development", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a99cb489-d6b9-4cbe-9b5e-dd13b335b1be2da3b8ce-8597-4d5e-a009-9fb8e08b1a18.png" + }, + { + "id":"41dbd85c-9bda-4ed1-8dcc-95443d0d3287", + "name":"Finance Board", + "preview":"The Northeastern SGA Finance Board provides allocation, analysis, and oversight of the Student Activities Fee (SAF).", + "description":"The Finance Board is responsible for allocating the Student Activity Fee for a wide variety of events on campus for the undergraduate student body at Northeastern University. Every student organization that has been recognized by the Student Involvement Board and the Center for Student Involvement has the opportunity to request funding from the SAF Fund through the Finance Board. Campus-wide events, which include but are not limited to speakers, comedians, concerts, and cultural events are encouraged. Furthermore, annual budgets, equipment budgets, publication budgets, and supplemental budgets are also heard by the Finance Board. The Board strives to fund student organizations in the most equitable way with greater emphasis on events that encourage collaboration between student organization, events that mirror the student organization’s goal, and events that create the most value for the undergraduate student body.", + "num_members":42, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "Finance", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/36a846ef-f1bf-4aa0-949e-21ab7cd3f10619b77888-37bd-4749-9162-6e468a343793.png" + }, + { + "id":"07ab2265-ef20-483b-b93c-83731a27a8c8", + "name":"Finance For the Community", + "preview":"Finance For the Community (FFC) is a volunteer-based organization that instructs high-schoolers in the Boston area on personal finance topics. Anyone can join regardless of their current personal finance or public speaking skills.", + "description":"Finance For the Community (FFC) is a volunteer-based organization that teaches personal finance to Boston Public High School students. New members will learn FFC's simple financial literacy curriculum then instruct BPHS students through the use of small group activities, presentations, and games. No background knowledge or experience with personal finance is required. You can attend as many or as little teaching sessions as you want.\r\n \r\nWhy Join?\r\n\r\nEngage with the community and help improve the lives of local students.\r\nBecome financially fit and get a hold of your own personal finances.\r\nBoost your resume.\r\nPractice public speaking.\r\n\r\nMeetings: Mondays, 7-8 pmJoin here: http://bit.ly/ffcemail", + "num_members":281, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Finance", + "Community Outreach", + "Volunteerism", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/960d8abe-113b-43a1-87fa-dffb68f04f7f2674bb50-31b4-468e-8a87-63c670574893.png" + }, + { + "id":"310775b7-2114-4e76-9c36-99ba73e3f060", + "name":"First and Foremost Literary Magazine", + "preview":"First and Foremost Literary Magazine features art and literature made by first-gen, low-income, and undocumented students and their allies. First and Foremost was created to be a platform for these communities to share their creativity and thoughts.", + "description":"First and Foremost Literary Magazine features art and literature made by first-gen, low-income, and undocumented students and their allies. First and Foremost was created to be a platform for these communities to share their creativity and thoughts.", + "num_members":304, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Creative Writing", + "Visual Arts", + "Community Outreach", + "HumanRights", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fffff043-1c22-49d1-8a96-9b6c7bef339d8a79d32a-e133-4bdc-b516-37aa2dda9c0c.png" + }, + { + "id":"d20ac57c-5e4e-4a54-b7f6-dfda9b09466d", + "name":"First Generation | Low Income Student Union", + "preview":"The First Generation Low-Income Student Union\u2014a vibrant student-led organization bridging the information and support gaps that impact low-income and first-generation college students. Join us in driving advocacy, programming, and building a communit", + "description":"Welcome to FGLISU - the student-led organization that strives to empower, support, and connect with first-generation and/or low-income college students. \r\nDiscover a range of dynamic workshops and events designed to bridge the gap of information and resources. From financial literacy to college acceleration, we cover an array of topics to empower our community. \r\nCome join us on Thursdays at 6 PM in the CIE (144 First Floor Curry)! Join our Slack here.", + "num_members":610, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Financial Literacy", + "Education Empowerment", + "Student Support" + ], + "logo":"https://se-images.campuslabs.com/clink/images/98aca62e-893e-457f-83ae-11eb6942a8bab815ca69-0fcc-4f05-b82e-252e97c3b906.png" + }, + { + "id":"7aadfd34-5e1e-40b3-b044-9dff62f0297e", + "name":"FIRST Robotics Team 125 - The NUTRONs", + "preview":"FIRST is a international organization promoting STEAM to high school students through robotics. The NUTRONs are a team led by professional and college mentors that participate in this competition, mentoring and teaching high school students.", + "description":"FIRST is an international organization promoting STEAM to high school students through robotics. The NUTRONs are a team led by professional and college mentors that participate in this competition, mentoring and teaching high school students. While this student group is focused on recruiting mentors for the FRC Team 125, the NUTRONs, we also accept members interested in volunteering for all FIRST events including FIRST Lego League and FIRST Tech Challenge.", + "num_members":549, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "STEM", + "Robotics", + "Mentoring", + "Engineering", + "Volunteerism", + "High School", + "STEAM", + "Programming" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"da055084-7387-4fb3-8b3c-d505cbc89983", + "name":"FirstByte", + "preview":"FirstByte provides educators with the materials, curricula, and support to teach computer science and engineering, regardless of budget or technical background.", + "description":"FirstByte, founded in 2017, is a Northeastern student-run organization that provides educators with the resources to teach computer science and engineering, regardless of budget or technical background. We are building an online library of engaging curricula and loaning out technology kits for free so that every classroom has the opportunity to learn about computer science and engineering. Additionally, our one-on-one support helps teachers adapt each lesson to fit their own unique classroom.\r\n \r\nWhile FirstByte’s current audience is local middle school teachers, our organization has the potential to reach educators of any grade or institution, both in Boston and beyond. Our online database of curricula is accessible worldwide, and the scope of this curricula will grow as other educators begin to contribute their own lessons. \r\n \r\nFirstByte has already participated in and held a variety of events, such as the BPS Parent x University STEM Cafe held at Northeastern, where we demonstrated projects from our MaKey MaKey curriculum for students of all ages to interact with. FirstByte held a professional development event for Boston Public School teachers at the Campbell Resource Center, where we demonstrated the technology kits available as part of our loaner program, as well as how to upload and download curricula on our website. We continued our outreach pursuits by holding an event entitled “Women in Tech: from Student to Teacher” at the Ann Taylor store in Cambridge, in which we led a discussion with five diverse panelists about breaking barriers within technology education. Our goal was to inspire students and teachers alike to learn about technology, and show them that although it may seem hard at first, technology education is accessible to everyone. FirstByte members also regularly attend monthly ScratchEd Meetups at the Harvard Ed Portal, where we participate in technology education conversations and meet new teachers to collaborate with. In the future, we intend to continue hosting and attending events such as these.", + "num_members":347, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Education", + "Community Outreach", + "Technology Education", + "STEM", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3206a788-0a4c-47bb-89cb-523d45782a7211987c86-abb1-4dc9-9348-e71b8b9b210f.png" + }, + { + "id":"d4f711af-3613-4ec9-bd8e-2d17fa4e2593", + "name":"Food Allergy Awareness Club", + "preview":"FAAC is an organization open to everyone that aspires to spread awareness regarding allergies/dietary restrictions in a fun and creative way! Additionally, we work to share resources and offer support to students with dietary restrictions on campus. ", + "description":"FAAC is an organization open to everyone that aspires to spread awareness regarding allergies/dietary restrictions in a fun and creative way! Additionally, we work to share resources and offer support to students with dietary restrictions on campus. ", + "num_members":878, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Environmental Advocacy", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/588c1b14-1017-4a51-be7c-a086b807159730e9d12f-58ec-461d-b3db-f6feb25d3586.png" + }, + { + "id":"e815a8e3-c8da-4274-9940-24dcc694abf4", + "name":"Food Recovery Network", + "preview":"Join us for daily food recoveries: delivering surplus food that would otherwise be thrown away to local homeless shelters.", + "description":"Food Recovery Network is Northeastern’s first student-led food recovery program. Our program mainly consists of running daily food recoveries: delivering surplus food that would otherwise be thrown away to local homeless shelters. Our goal is to bring awareness to and reduce food insecurity and food waste within our community. \r\nJoin our Discord to get involvedurl: https://discord.gg/q832ARPf5u \r\nFeel free to reach out to us at neufoodrecovery@gmail.com or follow our Instagram for updates: nufoodrecovery\r\n ", + "num_members":883, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "Environmental Advocacy", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"404e2245-40dc-434c-9079-b882edb02f0f", + "name":"Friends of MSF Chapter at Northeastern University", + "preview":"FoMSF is an all-inclusive student chapter of Doctors Without Borders (MSF) aiming to raise awareness about MSF's work in the field and global humanitarian crises via fundraising, research, and advocacy work.", + "description":"Find us on Mondays, 6-7pm in 001 Cahners Hall in-person and virtually!\r\nPurpose Statement: To raise awareness and knowledge about MSF’s work in the field and global health crises by fundraising MSF’s work, encouraging students to get involved in their community, and raising awareness of medical humanitarian issues via advocacy campaigns and informational resource creation.\r\nDescription:\r\nAs an affiliated student chapter of the Doctors Without Borders non-profit organization, we aim to raise awareness and knowledge about MSF’s work in the field and global health crises by fundraising MSF’s work, encouraging students to get involved in their community, and raising awareness of medical humanitarian issues via advocacy campaigns and informational resource creation. We will accomplish our goals by actively fundraising for the Doctors Without Borders organization, engaging in volunteer efforts at NEU and within the local community, hosting prominent guest speakers from NEU, Doctors Without Borders, and other organizations, and more. In addition, the Friends Of MSF chapter at NEU will help students of any major find a path by which they may aid in humanitarian efforts around the world.\r\nMSF Student Chapters aim to:\r\n\r\nRaise awareness and knowledge about MSF’s work in the field and about humanitarian issues\r\nEncourage students to consider working with non-governmental organizations, such as MSF, post-graduation\r\nSupport MSF in advocacy campaigns\r\nRaise money for MSF, their work in the field, and specific campaigns\r\n\r\nWhat do we do?\r\n\r\nSpread awareness of MSF’s activities and mission \r\nProvide educational and community service opportunities\r\nFoster engagement of Northeastern students in the health of our local community\r\nConduct research to develop advocacy campaigns for polarizing medical humanitarian issues that students at Northeastern may not be aware of \r\nProvide professional development opportunities for students to help them acquire meaningful community service opportunities, develop the career-essential skills they need to succeed in both interviews and a professional setting such as a co-op, and learn more about a variety of healthcare disciplines and how they may fit onto that path even if they are not necessarily on the pre-health track\r\n", + "num_members":857, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Community Outreach", + "Volunteerism", + "Healthcare", + "Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/097cc487-2f2c-448d-8beb-eacc8ce1be1e94ecd3ce-e2c0-4e19-8547-8f5b22e4637d.png" + }, + { + "id":"91813aaf-5c1a-45e4-8088-7d12ded15662", + "name":"Game Studio Club", + "preview":"A multidisciplinary community of student game developers interested in learning how to make games. Have a dream game idea or a rule set you want to implement? Want to practice skills like art, programming, story-telling, etc? Come to Game Studio Club", + "description":"A multidisciplinary community of student game developers interested in learning game development by making games. Have a dream game idea or a rule-set you want to implement? Want to practice skills like art, programming, story-telling, etc? Come to Game Studio Club! Join our Discord and check out our Club Website!", + "num_members":525, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Creative Writing", + "Visual Arts", + "Software Engineering", + "Music" + ], + "logo":"https://se-images.campuslabs.com/clink/images/93cdc6b9-e38a-453b-83fa-bc5098a6dfaf34c6ffe1-c9e3-4273-8f67-29df1ca34c55.png" + }, + { + "id":"8a727384-e672-4e58-b29e-513acbf39a6b", + "name":"Genetics Club", + "preview":"Northeastern\u2019s Genetics Club (GC) hopes to cultivate a supportive community of students interested in genetics professions to help them with career development and preparation for graduate school. ", + "description":"Northeastern’s Genetics Club (GC) hopes to cultivate a supportive community of students interested in genetics professions to help them with career development and preparation for graduate school. \r\nGC was formerly the Genetic Counseling Student Interest Group (GCSIG), targeted mainly towards aspiring genetic counselors. Genetic counseling is an interdisciplinary field involving many interests: namely biology, human services, psychology, and communication. However, while GC is very much still a place for genetic counselor hopefuls, we also want to be a club for individuals interested in genetics, in any capacity — whether it be in healthcare, research, bioinformatics, or something else— by holding informational sessions with students and professionals and hosting networking, career-building, and social events.\r\nLooking to join our email list? https://forms.gle/xwFfZNZwQN8Lq52Q8", + "num_members":275, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Biology", + "Genetics", + "Healthcare", + "Career Development", + "Networking", + "Informational Sessions", + "Research", + "Community Building" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5aa38ab0-1987-47a4-86e6-5e36a3011cb1733dcf4f-ba7f-459b-ac12-e41663564db7.png" + }, + { + "id":"3b013275-1ed1-4581-bd10-19d36897ccfe", + "name":"German Club of Northeastern University", + "preview":"The GCNU provides a gathering space for German native speakers (from Germany, Austria, Switzerland etc.), students learning German, and anyone who would like to grow their knowledge of German culture and language.", + "description":"The GCNU provides a gathering space for German native speakers (from Germany, Austria, Switzerland etc.), students learning German, and anyone who would like to grow their knowledge of German culture and language. We hold fun events on-campus such as Sprachstunde, co-op panels, film nights, as well as occasional off-campus events and Germanic holiday events. ", + "num_members":1004, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "German Club", + "Language", + "Cultural Exchange" + ], + "logo":"https://se-images.campuslabs.com/clink/images/02e7ed61-31b7-4b8c-8ad2-71f613781b65d4d00552-24f8-49c4-ab7c-288852eb570e.PNG" + }, + { + "id":"d3703e0a-9a44-463b-9f4e-ed6d99608f50", + "name":"Give a Hand", + "preview":"Give a Hand is a Northeastern University Club made up of a diverse student body. Our goal is to design, fabricate and build affordable 3D printed prosthetic hands and transform a prosthesis from a luxury item to an affordable device. ", + "description":"Give a Hand is a Northeastern University Club made up of a diverse student body from Engineers, Designers, Business Majors, etc. Our goal is to design, fabricate and build affordable 3D printed prosthetic hands for people near the bay area who were born with a hand malformation or got an amputee. The exorbitant prices of bionic hands can go from $15,000 to $70,000 USD making them inaccessible for the wider population. As members of https://enablingthefuture.org/, a global network of volunteers, we hope to expand their impact. The Innovation in design and manufacturing could transform a prosthesis from a luxury item to an affordable device. The process of fabricating the hands is complex but not extremely difficult to learn and teach. The goal is to gather as many students as possible and find people in need of a prosthetic and build them one. These devices are extremely affordable costing under 50 dollars each. We hope to fundraise money so that the patient will get a device under no cost. Furthermore since most of the receivers are children the design is extremely flexible and they get to pick the colors, design and themes. The idea is to create a local network of volunteers and transform how medical devices are viewed. We currently have our own website where we go more in depth about our mission and the devices we fabricate (\u200b\u200bhttps://www.giveahandclub.org/). ", + "num_members":759, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Engineering", + "Design", + "Volunteerism", + "Community Outreach", + "Innovation", + "Healthcare", + "Medical Devices" + ], + "logo":"https://se-images.campuslabs.com/clink/images/be4a9132-7daf-4030-98f2-dd651ec7934bd8b0f253-13e7-4462-8437-5d4557583155.png" + }, + { + "id":"0422f50e-08f9-4942-85d0-0affe10c4a03", + "name":"Global Dental Brigades", + "preview":"Global Dental Brigades aims to promote oral health via education and through volunteering in communities abroad by helping provide oral health services. ", + "description":"Global Dental Brigades is a branch off of the larger organization, Global Brigades, whose focus is on promoting oral health. Global Dental Brigades aims to provide care and education to communities abroad in a sustainable fashion so that these communities can carry out this care on their own after our trips. Global Dental Brigades is aimed at pre-dental students as well as other students interested in the healthcare field or those interested in humanitarian work abroad. As a chapter on campus, our goal is to recruit students who are interested in global volunteer work and to hopefully raise money to hold a brigade in the future. The chapter would likely hold fundraisers for future brigades, work closely with other Global Brigades on campus, and raise awareness about the importance of oral health. The chapter would also provide oral health education to the community via flyers, virtual presentations, and collaborations with other healthcare clubs on campus. ", + "num_members":34, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Global Health", + "Community Outreach", + "Healthcare", + "Humanitarian Work" + ], + "logo":"https://se-images.campuslabs.com/clink/images/20d6610b-5920-4ad4-99ed-751c7dda9ca6636bf1b6-fa4d-4202-8056-f64c4f25e2d5.png" + }, + { + "id":"35b1e873-7a5b-4010-97ad-a247f0b19fb7", + "name":"Global Journal for International Affairs", + "preview":"The Global Journal for International Affairs is both an online and print publication. The Global Journal will allow students, faculty, alumni and Co-Op employers to share their International Affairs experience with the Northeastern community. The G", + "description":"The Global Journal for International Affairs is both an online and print publication. The Global Journal will allow students, faculty, alumni and Co-Op employers to share their International Affairs experience with the Northeastern community. The Global Journal is not limited to International Affairs students; it welcomes all students of the Northeastern community who have gone abroad through NU.in, Dialogue, or international Co-Op. We want to hear your stories and experiences, gather your tips and tricks, and share this information with students and staff campus wide.", + "num_members":821, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Journalism", + "Global Affairs", + "International Relations", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e2c1694f-e896-4b1c-a9c1-d95c7c59748c57e27022-a74a-42a7-84b3-c530d8e97917.jpg" + }, + { + "id":"4e9c3911-42e9-41f5-8537-1218851aecf4", + "name":"Global Markets Association", + "preview":"Providing opportunities for students to engage with and further their knowledge & understanding of existing and emerging markets in China.", + "description":"The Global Markets Association provides Northeastern students with opportunities to engage with and further their knowledge & understanding of existing and emerging markets all over the globe.\r\n \r\nWe have weekly meetings in which we analyze the current state of a specific global market (such as Real Estate, Foreign Exchange, Private Equity, etc.), and discuss the potential implications that current events may have on the future outlook of that market. Meeting formats include presentations on the current state/relevance of a particular market, Q&A sessions with guest speakers, case study analyses, and educational workshops that are tailored to our members' more specific interests in a particular market. Additionally, we provide opportunities for students to join our research team and get involved in researching various global markets and publishing research reports.\r\n \r\nAt GMA, we strongly believe that understanding the world's economy is key to understanding our current world. Through providing opportunities to analyze and explore global markets through multiple lenses, we strive to help students gain a holistic perspective of various countries and their relevance in our world.", + "num_members":343, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Global Markets", + "Economics", + "Finance", + "Research", + "Education", + "International Relations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f72295b2-504b-4bd2-80a8-87d95489753458a03803-a8b8-4219-b862-e0285e0e6d23.png" + }, + { + "id":"065b6eef-40a0-4052-a097-6fd6ca9d804f", + "name":"Global Medical Brigades", + "preview":"The mission of Medical Brigades is to work with licensed medical professionals and community health workers to provide comprehensive health services in rural communities with limited access to healthcare in Greece and Honduras. ", + "description":"The mission of Medical Brigades is to work with licensed medical professionals and community health workers to provide comprehensive health services in rural communities with limited access to healthcare. Our current partners are Greece, Honduras, Ghana, and Panama where Medical Brigade volunteers have the opportunity to shadow licensed doctors in medical consultations and assist in a pharmacy under the direction of licensed pharmacists. Members also get the opportunity to develop interpersonal connections by triaging patients and taking vitals (blood pressure, heart rate, respiratory rate etc.). Our Chapter's focus is to raise funds and supplies needed for Northeastern students to engage with communities abroad, while also gaining valuable insight into global development and building sustainable solutions abroad.\r\n ", + "num_members":307, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Premed", + "Volunteerism", + "Global Medical Brigades", + "Community Outreach", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5105401d-fcf8-4938-9926-1af969181f599cf204c8-92ac-4ec8-a34a-9d78ba6ca0c1.jpg" + }, + { + "id":"82e04557-b7bc-4d93-ba45-db72123825e0", + "name":"Global Research and Consulting Group - Northeastern Branch", + "preview":"GRC is a community of passionate students from a variety of cultural and academic backgrounds who collaborate with non-profits from around the world to complete pro bono consulting and research projects. ", + "description":"The Global Research & Consulting Group \"GRC\" is a community of passionate students from a variety of cultural and academic backgrounds who collaborate with non-profits from around the world to complete pro bono consulting and research projects. Our mission is to help global NGOs and social impact startups achieve their goals while simultaneously empowering students to give back to the global community.\r\n \r\nIn total, GRC has over 1,000 members and alumni across 20 chapters in top universities (Harvard, Stanford, Oxford, Wharton) in North America, Europe, and Asia. We are officially registered as a 501(c)3 non-profit organization and complete several experiential strategic advisory and insights projects every semester. \r\n \r\nFollow us on Instagram @grcnortheastern or email us for more information! Visit our website and learn more about GRC.", + "num_members":459, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Global Research", + "Consulting", + "NGOs", + "Social Impact", + "Non-profit", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a9137d8c-e001-4f51-a7f9-1a9b8ec9f45faf2598ab-7fe9-4add-b0ea-17ebdaece8ee.jpg" + }, + { + "id":"3dee8ee1-28f6-4716-a8c5-6ec21fcf5855", + "name":"Global Student Success (Campus Resource)", + "preview":"GSS provides English-language, academic, and cultural support to Northeastern's international and non-native English-speaking students, scholars, faculty and staff though the International Tutoring Center and numerous workshop series and classes.", + "description":"GSS provides English-language, academic, and cultural support to Northeastern's international and non-native English-speaking students, scholars, faculty and staff though the International Tutoring Center. GSS provides one-on-one English-language tutoring focusing on: Reading, Pronunciation, Presentations, TOEFL, Career preparation, Conversation, Writing- Planning, Writing- Grammar, Writing- Organization, and Writing- Citations. GSS also offers Reading Workshops, Writing Workshops, Language and Culture Workshop series, as well as a non-credit Listening and Speaking course. GSS and ITC services are open to all international and non-native English-speakers in all programs, colleges, and campuses.", + "num_members":863, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "English Language", + "Academic Support", + "Cultural Support", + "International Students" + ], + "logo":"https://se-images.campuslabs.com/clink/images/50ff5d26-69d3-4f44-ba05-b5702468b45c751adff7-5965-49d5-88b4-aa4d97fec2c1.png" + }, + { + "id":"a80c4522-446c-4c56-80e5-98ef85e4c733", + "name":"GlobeMed", + "preview":"We are the Northeastern chapter of GlobeMed! Our 3 main functions are:\u2022 Fundraise for our hygiene and sanitation project in Masaka, Uganda to alleviate poor health caused by unclean water.\u2022 Organize on-campus events to educate students", + "description":"We are the Northeastern chapter of GlobeMed! Our 3 main functions are:\r\n• Fundraise for our hygiene and sanitation project in Masaka, Uganda to alleviate poor health caused by unclean water.\r\n• Organize on-campus events to educate students about our projects and related global health issues.\r\n• Serve internationally alongside our partner organization, Kitovu Mobile LTD, and locally in the community.\r\nEmail us at northeastern@globemed.org if you're interested in joining! Here is the link to view the recording of our information session https://drive.google.com/file/d/1nMVcBqGW6hDI74Lmj2NhYLFB80U3ULMP/view?usp=sharing", + "num_members":696, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "HumanRights", + "Volunteerism", + "Community Outreach", + "Global Health", + "African American", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6129a70c-e074-472d-be1f-2de13d1aed2a6183852c-e1b8-43a7-ab03-312dda289779.png" + }, + { + "id":"89c125ea-28da-48e5-8e95-664ec9c41195", + "name":"Goldies Dance Team", + "preview":"Goldies is a Northeastern University based dance team focused on exposing students in the Boston area to open style dance culture and opportunities", + "description":"Goldies is a Northeastern University based dance team focused on exposing students in the Boston area to open style dance culture and opportunities. Our main goal is to provide opportunities for students to perform and grow as dancers in a productive but judgment-free environment. Ultimately, we hope to inspire dancers to involve themselves in the greater East Coast dance community.", + "num_members":318, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach", + "Dance" + ], + "logo":"https://se-images.campuslabs.com/clink/images/84496f02-46a1-43dc-953c-8f86fdf106309f0aaa93-159f-47b7-b44c-5f6a9e55d5f0.JPG" + }, + { + "id":"ca154231-a8f7-4367-9b21-ad93c3779a67", + "name":"Graduate Consulting Club", + "preview":"Graduate Consulting Club aims to provide education and mentorship to graduate students who are interested in consulting, and help create meaningful connections with professionals in the industry. ", + "description":"Graduate Consulting Club aims to provide education and mentor-ship to business students who are interested in consulting, and help create meaningful connections with professionals in the industry. The club will provide a platform to practice and promote skills needed in the consulting sphere and foster leadership and expertise.", + "num_members":269, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Business", + "Leadership", + "Networking", + "Mentorship", + "Consulting", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/21493437-dad3-4b29-9121-b1cb0067da7777d6df8f-d655-4107-a3c6-b8f62204b357.png" + }, + { + "id":"19212260-f06f-41a4-84ac-ef0f3435910f", + "name":"Graduate Student Education Research Association", + "preview":"GSERA facilitates and promotes the transition from graduate student to practitioner, educator, and/or researcher. GSERA is Northeastern's campus chapter of the American Education Research Association (AERA), a national community of education research", + "description":" \r\nNortheastern University's Graduate Student Education Research Association (GSERA) facilitates and promotes the transition from graduate student to practitioner, educator, and/or researcher by providing opportunities within Northeastern, the American Educational Research Association (AERA), and associated regional organizations for growth, development, and advancement.\r\n \r\n \r\nIn addition, GSERA seeks to help the Northeastern Graduate School of Education students navigate the obstacles, rewards, challenges, and support networks of academic life.\r\n \r\n \r\nThrough AERA and in conjunction with the Northeastern Graduate School of Education faculty, GSERA offers students a rich array of programs and services through the AERA divisions, special interest groups, and the AERA Graduate Student Council. Students interested in exploring opportunities in professional development, mentoring, and networking can engage with scholars around the world and other graduate students across the country.\r\n \r\n \r\nGSERA embraces its five major responsibilities:\r\n1. Community building, experiential learning, and networking\r\n2. Student advocacy\r\n3. Self-governance\r\n4. Information and research dissemination\r\n5. Meeting and event planning", + "num_members":565, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Student advocacy", + "Community building, experiential learning, and networking", + "Information and research dissemination", + "Meeting and event planning", + "Academic life", + "Professional development", + "Networking", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/684c04fd-e333-47b2-b98e-e4b54cc44d66a377481f-e5cd-45d8-bcae-45465873c633.png" + }, + { + "id":"7c890c38-a29e-4117-9681-6775388e7c2b", + "name":"Graduate Student Government", + "preview":"The Graduate Student Government (GSG) is the official voice for graduate students at Northeastern University. GSG addresses concerns, raise awareness, and promotes graduate student life on Huntington Avenue and abroad. Our primary goal is to enrich t", + "description":"The Graduate Student Government (GSG) is the official voice for graduate students at Northeastern University. GSG addresses concerns, raises awareness, and promotes graduate student life on Huntington Avenue and abroad. Our primary goal is to enrich the graduate experience at Northeastern and we do so through funding and research support, sponsoring social and networking events, and providing a forum for graduate students to present concerns, issues, and ideas to Northeastern University administration, faculty, and staff. Please visit our website for meeting location and additional information at http://www.northeastern.edu/gsg/.\r\n ", + "num_members":271, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Student Government", + "Leadership", + "Volunteerism", + "Networking", + "Higher Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6031949f-75e3-4a49-ad32-6a2ae6feee3a812c7d0f-bdb6-440a-af56-1c0cd004b35e.png" + }, + { + "id":"1a5ddac2-5dc5-40f6-a510-4f2789cd0344", + "name":"Graduate Students of Color Collective", + "preview":"The purpose of the GSCC is to build community for graduate students of color at Northeastern University by promoting education, professionalism, and civic duty. The GSCC fosters student, staff, and faculty relationships to establish a campus home for", + "description":"The purpose of the GSCC is to build a community for domestic and international graduate students within the Black, Indigenous, and People of Color (BIPOC) on all Northeastern University Campuses by promoting education, professionalism, and civic duty. The GSCC fosters BIPOC student, staff, faculty, and alumni relationships to establish a campus home for higher education at Northeastern. Through civic engagement with surrounding communities, the GSCC recognizes the continued struggles of marginalized populations, and the need for those who have succeeded in giving back.", + "num_members":107, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "HumanRights", + "Graduate Students", + "BIPOC" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c9aa937d-f0dc-41ce-9e04-e8fd23f6adc1b5f529ac-550d-43a5-8208-0a74ec0008ae.png" + }, + { + "id":"f7a5e10b-c26b-4b10-8458-56c1e6ffa0ac", + "name":"Graduate Women in Science and Engineering", + "preview":"GWISE is a group of graduate students and postdocs designed to assist in the professional and personal advancement of women in science and engineering at Northeastern University. GWISE strives to provide women with the support and resources necessar", + "description":"GWISE is a group of graduate students and postdocs designed to assist in the professional and personal advancement of women in science and engineering at Northeastern University. GWISE strives to provide women and other underrepresented groups with the support and resources necessary to be successful, as well as to create a sense of community. To achieve this, GWISE will sponsor events covering a wide variety of topics including networking, career options, balancing work and personal life, and other issues affecting womxn in the sciences. Become a member by subscribing to our mailing list by emailing gwise.neu@gmail.com with the subject line \"Subscribe.\" Check out our linktree to stay up to date https://linktr.ee/NortheasternGWISE! \r\nOur mission: To identify and break down the barriers limiting the representation of women of all backgrounds in STEM careers and empower their participation and advancement.\r\nOur vision: equitable STEM fields for women of all backgrounds.", + "num_members":551, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Women in STEM", + "Community Outreach", + "Empowerment", + "Networking", + "Career Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fb269bc4-8a7b-47fe-a1ea-1311f9b016c3b9ba90bd-d63c-4934-9e72-26a8f5a7207a.png" + }, + { + "id":"e6caa6c3-9054-4b24-9035-77dc689d4a24", + "name":"Green Line Records", + "preview":"Northeastern University's student-run record label", + "description":"Green Line Records is Northeastern University's student-driven record label. Based in Boston, Massachusetts, our label aims to accelerate the careers of emerging artists. We offer our diverse lineup of artists a full range of services including studio and live recording, marketing, merchandising, booking, and management. For more than two decades, Green Line Records has served as the hub where learning and local arts collide.", + "num_members":347, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music", + "Visual Arts", + "Creative Writing", + "Broadcasting" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c7acd3cd-7977-42bc-8be2-895511185f97e498d43a-71fa-4624-bcf6-d7456ac9b284.png" + }, + { + "id":"b634e734-37c5-4341-8e53-9d89d3542bd1", + "name":"Habitat for Humanity Northeastern", + "preview":"Habitat for Humanity Northeastern is a student-run chapter that works under the Greater Boston Habitat for Humanity Organization. We work to build affordable housing in Greater Boston for people suffering from housing instability.", + "description":"Habitat for Humanity is a non-profit organization with a global mission to address the critical issue of affordable housing. Founded on the belief that everyone deserves a safe, decent place to live, Habitat for Humanity mobilizes communities, volunteers, and resources to build and repair homes for families in need. This organization operates on the principle of \"sweat equity,\" where homeowners actively contribute their own labor alongside volunteers, fostering a sense of ownership and empowerment. Through partnerships with individuals, corporations, and governments, Habitat for Humanity strives to break the cycle of poverty and improve lives by providing stable housing solutions. Student chapters work under their greater affiliate to meet the needs of their organization.", + "num_members":565, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Environmental Advocacy", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c1b72e05-f86c-480f-9aee-692f7baabdd4013de80d-3bbe-45f6-aa56-af72eb586640.png" + }, + { + "id":"82dd18f7-b370-418e-8573-4690ef52c25d", + "name":"Haitian Student Unity (HSU)", + "preview":"Haitian Student Unity (HSU) strives to promote the Haitian culture throughout Northeastern University and its surrounding communities. It is our goal to be a vessel for Haitians and Non-Haitians to foster collaboration & share in Haiti's rich culture", + "description":"Haitian Student Unity (HSU) is a vibrant community at Northeastern University dedicated to celebrating and sharing the beauty of Haitian culture. Our mission is to bring together both Haitians and Non-Haitians to unite, learn, and appreciate the rich heritage of Haiti. Through cultural events, educational programs, and meaningful collaborations, HSU works tirelessly to create an inclusive and welcoming space where everyone can come together to explore and embrace the essence of Haiti.", + "num_members":373, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Haitian Student Unity", + "Latin America", + "Community Outreach", + "Cultural Heritage", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/40359805-c806-48a6-a61d-ce2f00c722f78397d341-da0c-47d8-998c-fd1ece7e9dd6.PNG" + }, + { + "id":"dca375dd-00d9-41a5-86f9-a2c0ec774524", + "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":718, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Asian American", + "LGBTQ", + "Creative Writing", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6d9e1418-c52a-414e-82b2-32e03a144b2fcfa18666-6274-45e9-8d11-1fda30027d36.png" + }, + { + "id":"cc6ef32d-290d-4bf6-b0c2-93c1b1fe6218", + "name":"Hawaii Ohana at Northeastern University", + "preview":"HONU accepts people of all different backgrounds who have an interest in Hawaii\u2019s culture. Our organization is here to be a hanai 'ohana (adoptive family) to students at Northeastern who want to keep connected with home and share our local culture!", + "description":"With Northeastern expanding its reach around the world, an increasing number of students from Hawai'i are enrolling at the university. The growing population of Hawai'i students in the Boston area can benefit from connecting to each other through our shared background. Thus, the Hawai'i Ohana at Northeastern University (HONU) was formed to bring together people who the share the Aloha spirit. Not restricted to those originating from Hawaii, HONU accepts people of all different backgrounds who have an interest in Hawaii’s culture. Our organization is here to be a hanai 'ohana (adoptive family) to students at Northeastern who want to keep connected with home. We also want to share our state’s unique traditions through fun activities and events. On a broader scale, we hope to connect with other students in the area to build the Boston/Hawaii network.", + "num_members":515, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "Asian American", + "Cultural Exchange" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3423aa79-0225-4c9a-8116-c519b2cef4eeb3eef9c7-43c8-402f-b569-22e2bb596d5a.png" + }, + { + "id":"392db338-5ba2-44a2-bc3b-7d1f9678e3f7", + "name":"Health Disparities Student Collaborative", + "preview":"The Health Disparities Student Collaborative (HDSC) is a group of students committed to building partnerships between schools, local organizations and communities in Boston aimed at addressing local health disparities.Born out of the Health Dispariti", + "description":"The Health Disparities Student Collaborative (HDSC) is a group of students committed to building partnerships between schools, local organizations and communities in Boston aimed at addressing local health disparities. Born out of the Health Disparities and Higher Education Symposium in November 2007, the HDSC was founded by students who are alarmed that, despite its prestigious reputation as a hotbed of cutting-edge medical training, treatment, and research, Massachusetts is home to some of the most serious and shocking health disparities – particularly those affecting racial and ethnic minorities. Driven by a sense of responsibility and community, these students believe in utilizing the tremendous academic institutions and resources in Massachusetts in order to work with communities to close this gap. The HDSC is led by a central Leadership Committee that meets regularly to plan support, and publicize university-community collaborations, events, and activities. Mission: The Health Disparities Student Collaborative is a collaboration of students and community members who believe that together we can achieve health equity through education, advocacy and service.", + "num_members":652, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Health Disparities", + "Community Outreach", + "Volunteerism", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0d7ff916-1809-49f1-9544-fec383ff0883b734bc08-1f0e-4476-8f22-abdcec722070.jpg" + }, + { + "id":"ff77d21c-fec1-444d-9bef-212a714c1d46", + "name":"Health Humanities Club", + "preview":"Are you interested in looking at healthcare in a new way? Or do you want to learn about interesting NUpath courses? Are you a health, humanities, and society minor and looking for a community within the minor? Come to our meetings to learn more!", + "description":"Our organization provides students interested in the health humanities an outlet to explore this interest. The health humanities is an academic field that sheds light on how the different tools of the humanities can be integrated into medical practice as well as be used to analyze health as a whole. Many pre-health students have limited spaces in their schedule to take coursework related to this subject though. This is a void that we hope to alleviate! We will both enrich coursework as well as introduce the subject to members who have not taken health humanities coursework. ", + "num_members":895, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "HumanRights", + "Creative Writing", + "Psychology", + "Health Humanities" + ], + "logo":"https://se-images.campuslabs.com/clink/images/cd917377-da2f-46e8-b663-a72819981c876f0d93d0-9858-4ce4-a1c0-1d71d3e1e78c.png" + }, + { + "id":"9b8877f5-500a-44b1-9a85-5c34651e73c7", + "name":"Healthcare Management and Consulting Club", + "preview":"Healthcare Management and Consulting Club", + "description":"Are you passionate about changing the healthcare industry?\r\nDo you want to see lower costs, better access, and more equity? \r\nHCMC is the first club of its kind, solely dedicated to preparing, networking, and guiding Northeastern undergraduates interested in the Healthcare Management & Consulting concentration.\r\nWe strive to equip students with the skills for a successive post-academic career in one of today's most innovative and expanding fields within the healthcare industry through the fostering of both a diverse and cohesive academic community. ", + "num_members":379, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Healthcare Management", + "Consulting", + "Business", + "Networking", + "Innovation", + "Community", + "Leadership", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/981f21b9-b38b-407c-9f23-516123c3382f2961bb9a-1930-41b1-a2ba-c2ccb8c7a5e2.png" + }, + { + "id":"a5afabca-239d-4d2a-a89c-c16ebc9e806e", + "name":"Hearts For The Homeless NEU", + "preview":"The mission of H4H NEU is to contribute to the health and well-being of one of the most vulnerable populations in our nation through free blood pressure screenings, education, and outreach opportunities for students who wish to contribute to our effo", + "description":"Hearts for the Homeless NEU is an organization that provides free and informative heart health education events. The organization’s members provide electronic blood pressure machines and heart health information approved by the American Heart Association to the homeless in boston.", + "num_members":170, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "HumanRights", + "Community Outreach", + "Medical", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6eb8dd54-e709-4a52-8c0f-7e34ebac730ae98e4225-6c6d-489f-8b64-0a3427730b67.png" + }, + { + "id":"42649175-4d89-4bdc-bf48-cb04e03d801e", + "name":"Hellenic Society of Northeastern University", + "preview":"Northeastern University's Hellenic Society created for fellow Greek students to mingle and network with each other. This group will focus on educating students about Hellenic culture, participating in Hellenic events throughout Boston, and spreading ", + "description":"Northeastern University's Hellenic Society created for fellow Greek students to mingle and network with each other. This group will focus on educating students about Hellenic culture, participating in Hellenic events throughout Boston, and spreading the idea of \"philotimo\",\"friendship among members\", to everyone who joins.", + "num_members":982, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Hellenic", + "Community Outreach", + "Cultural Education", + "Friendship", + "Networking", + "Northeastern University" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"53eb49f4-4b81-47a9-9e5d-f75224db5bbd", + "name":"Her Campus Northeastern", + "preview":"Her Campus at Northeastern\u00a0is our chapter of Her Campus Media, the #1 digital publication run and curated entirely by female-identifying college students. We create and share articles and social media content daily.", + "description":"Her Campus at Northeastern is our chapter of Her Campus Media, the #1 digital publication run and curated entirely by female-identifying college students. We create social media content and articles around mental health, news, pop culture, career, culture, style, and beauty content. Founded in 2009 by three Harvard grads, HC's roots are close to home and we are proud to be one of Boston's local chapters. We meet weekly on Mondays from 6:15-7pm in East Village 002. Find our Slack through our Instagram bio and learn how to join us!", + "num_members":452, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Journalism", + "Community Outreach", + "Women Empowerment", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e056dc57-0d77-4e89-88dc-6bb95ee35067d4ce5538-859f-4039-8eed-160bf8f73443.png" + }, + { + "id":"e30d0b5e-cffe-42a7-a300-fce96fed413a", + "name":"Hillel Club", + "preview":"Hillel Club's mission is to enrich the lives of Jewish undergraduate and graduate students so that they may enrich the Jewish people and the world. Hillel student leaders and professionals are dedicated to creating a pluralistic and welcoming environ", + "description":"The mission of Hillel at Northeastern University is to enrich the lives of all Jewish students on the Northeastern campuses so that they may enrich the Jewish people and the world, inspire our students to make an enduring commitment to Jewish life, learning, and Israel education, and ensure a safe space on campus for all Jewish students.", + "num_members":383, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Judaism", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1de3c89f-a617-4c9a-bfc4-1d2b47461a984fd339e9-52a8-4288-909c-891dee18e207.png" + }, + { + "id":"49a4ac69-cf9f-4e60-8593-4c11e8652509", + "name":"Hindu Community of Northeastern University", + "preview":"The Hindu Communities at Northeastern University, founded on the sacred principles of the Vedas (timeless wisdom from Eastern tradition), promote the physical, mental, emotional and spiritual well-being of everyone through thought-provoking discussio", + "description":"The Hindu Communities at Northeastern University, founded on the sacred principles of the Vedas (timeless wisdom from Eastern tradition), promotes the physical, mental, emotional and spiritual well-being of everyone through thought-provoking discussions, healing yoga/meditation practices, and healthy cultural demonstrations.", + "num_members":496, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Hinduism", + "Yoga/Meditation", + "Cultural Demonstrations", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"db2a27eb-edaa-4220-af2f-1a9c679a16d9", + "name":"Hindu Undergraduate Student Organization", + "preview":"HUSO\u2019s mission is to help students cultivate strength and peace by connecting with the Hindu faith and wellness techniques while also fostering meaningful connections with their peers.", + "description":"HUSO’s mission is to help students cultivate strength and peace by connecting with Hindu culture and wellness techniques while also fostering meaningful connections with peers. We come together to build a supportive, welcoming community on campus.\r\nOur events include:\r\n\r\nPujas and Festival Celebrations\r\nMeditation and Wellness workshops\r\nSocial Mixers\r\n\r\nALL undergraduate students (regardless of race, gender, nationality, faith or no faith) are welcome.", + "num_members":371, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Hinduism", + "Meditation and Wellness workshops", + "Social Mixers", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e0b5023e-a9ab-45b1-b3e2-61f22e4bf716b42873ec-5f6e-422c-9c93-77e4a4efacf1.png" + }, + { + "id":"d66419f0-03d5-48e3-8987-d6537976657d", + "name":"Historical Review", + "preview":"The purpose of this club is to provide a historical research outlet for students outside of classes. NHR will allow students to research historical topics that they are interested in, receive editing advice from peers, and publish their research.", + "description":"The purpose of this club will be to provide a historical research outlet for students outside of classes. Too often students have no avenue for research if a class is not offered on the subject. The goal of this club will be to create that avenue. NHR will allow both undergraduate and graduate students of any background to research historical topics that they are interested in, receive guidance and editing advice from peers, and publish their research to the public. NHR will publish a review once a year in print and online in a continuous manner.", + "num_members":516, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "History", + "Creative Writing", + "Journalism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/33396d7e-eb33-4185-961d-6669e0119e43a6001cd8-48b9-4c21-8a7d-c31dafedc9f6.JPG" + }, + { + "id":"d7f5f3a4-383e-4145-b403-8741e9203f79", + "name":"History Graduate Student Association", + "preview":"The History Graduate Student Association will provide an official social network for incoming graduate students, will facilitate communication between History graduate students, faculty in the History Department, and the College of Arts & Sciences. T", + "description":"The History Graduate Student Association provides an official social network for incoming graduate students and facilitates communication between History graduate students, faculty in the History Department, and the College of Arts & Sciences. The organization organizes academic events, conferences, and seminars on behalf of Northeastern's History Department.", + "num_members":827, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Academic Events", + "History", + "Graduate Students" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5a2f4943-6c3d-4d7a-8d53-e4abd213b1920f2911b5-864d-4ca7-bff0-bc0ffbe4a102.png" + }, + { + "id":"a43eb52c-e6b8-49db-8bbe-2aa49771f043", + "name":"Hong Kong Student Association", + "preview":"The Hong Kong Student Association is a student organization in Northeastern University that aims to promote the unique Hong Kong culture and provide a taste of home to Hong Kong students.", + "description":"The Hong Kong Student Association is a dynamic student organization that brings together students from Hong Kong or those interested in Cantonese culture, society, and current affairs. Through a combination of social gatherings, collaborative events, and food outings, the Hong Kong Student Association aims to provide a welcoming environment where students can connect and share new experiences.", + "num_members":117, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/bb42f1b9-bd50-4bf5-af4f-a9d77c854e243193d8b3-f20b-4ed8-9b50-c7f485f669ed.png" + }, + { + "id":"dc25e0b6-f13f-43df-b182-4444a5ab4ebd", + "name":"Human Services Organization", + "preview":"The Human Services Organization strives to foster an inclusive community of students who are interested in the Human Services major or are passionate about social change by developing and hosting academic and social events. ", + "description":"The Human Services Organization strives to foster an inclusive community of students who are interested in the Human Services major or are passionate about social change by developing and hosting academic and social events.", + "num_members":706, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "HumanRights", + "Social Change" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"72dc25e9-3bef-44fc-8401-ab7c92420ec2", + "name":"Huntington Angels Network", + "preview":"Our organization connects Northeastern affiliated startups to strategic partners and investors in the Venture Capital ecosystem. ", + "description":"Huntington Angels’ mission is to grow the University venture community by connecting startups with a global investor network and venture capital firms to fill the known gap of $25,000-$2,000,000 of angel funding and pave the way to the next round of VC investment. Made up of a dedicated team of students passionate about the Venture Capital industry, our team is dedicated to finding the right investors for the selected startups we vet out that suit our pipeline. \r\nHuntington Angels does not take equity positions in any ventures but serves as a vehicle to connect ventures with investors and help their growth.", + "num_members":649, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Entrepreneurship", + "Venture Capital", + "Angel Investing", + "Technology", + "Startups", + "Networking", + "Investment", + "Student Organizations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"47facb0a-44c0-48c1-bdcb-d0827da28bf1", + "name":"Huntington United Ski Nordic Club", + "preview":"Opportunity for cross country skiers and interested beginners to get on snow together. Works towards training for Dec-Feb intercollegiate racing league with beginner opportunities. Dryland on campus and on snow nearby. Come ski with us!\r\n", + "description":"\r\n\r\n\r\n\r\n\r\n\r\n\r\nHUski Nordic is a new collegiate Nordic ski club created last spring to create an opportunity for cross country skiers and students interested in learning to get on snow together. We have tentative status under Northeastern's \"club\" department (Center for Student Involvement, CSI), but are not a part of the \"Club Sports Department\". \r\nThe team works towards training skiers for a Dec-Feb intercollegiate racing league, but also offers opportunities for beginners. We have weekly dryland practices on Northeastern's campus and get on snow nearby. We're open to grad students and tentatively open to students from nearby colleges.\r\nThis is the first year the club has been running, so bear with us as we work on getting things organized! Also, please check out our main website here https://sites.google.com/view/huskinordic/home or by clicking the globe icon below!\r\n\r\n\r\n\r\n\r\n\r\n\r\n", + "num_members":428, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Outdoor Recreation", + "Student Organization", + "Community Engagement", + "New Club", + "Cross Country Skiing", + "Winter Sports" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c4dc2647-f91d-4cc1-abdc-043ff761dd6d3d300cd2-470b-43b7-a59a-dedec8ae6da2.png" + }, + { + "id":"3b59d74c-b33c-4aae-b51f-3e298f2f6109", + "name":"Huskick\u2018s Sneakers Club", + "preview":"Huskick\u2019s Sneakers Club is a non-profit organization that promotes sneaker history and culture, delves into current market trends of footwear in the fashion world, and hosts sneaker-oriented activities on and off campus for all students and sneakerhe", + "description":"Sneakers, a common footwear of the youth, are almost an indispensable part of many students' childhood and even current daily life. They are more than just objects that we wear on our feet since they tell important stories and evoke certain emotions. Our goal and purpose here at Huskick’s Sneakers Club is to bring these unique, emotional and entertaining stories behind every sneakers together on campus and share them with as many huskies as possible. Through that process, Huskick’s Sneakers Club is committed to building our very own sneakers community for Northeastern University because we believe that every husky who is walking on the Huntington Avenue deserves his or her own sneaker story to tell. As we share our sneaker culture here at Northeastern, every husky is presented with various new opportunities to learn more about each other, as well as discover and dive deep into the sneaker world. Through sneakers, mentorships and friendships happened, history learning of footwear is promised, and most importantly, a vibrant cultural/special interest community is formed for generations to come. Thanks to the power of the internet and the influences of social media today, the exposure of sneaker culture is beyond overwhelming as it is covered in some of the hottest spots online aside from sneakerheads around us in real life.For more information, please feel free to join Huskick's Discord server: https://discord.gg/ujjvyRAWAr\r\n ", + "num_members":968, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Visual Arts", + "Creative Writing", + "Music", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e4bf1502-8d1d-48c4-aab0-1bf2ebd2e56d77d7fb86-08ed-4a96-9d75-c5b53e4d79f2.jpeg" + }, + { + "id":"f8f5adcc-83c9-46c0-89b5-81b6f3591d59", + "name":"Huskies Club Ultimate Frisbee", + "preview":"The Huskies's Club Ultimate Frisbee team has a place for everyone, fielding a nationally competitive A team in addition to developmental B and C teams. Whether you've played Ultimate for years or have never picked up a disc, we'd love to have you!", + "description":"Want to join the program in the fall? Fill out this Google Form to get on our email list and stay updated: https://forms.gle/uNGW2ueL9PWQfV9N8\r\n \r\nAlso check out our 2019 & 2020 highlight video here: https://youtu.be/ufan6g4GLs4\r\n \r\nThe Northeastern University Ultimate Frisbee team was founded in 1998. Although we are a relatively young program, we are constantly improving ourselves on and off the field. Led by a passionate core, Northeastern Ultimate strives to transform itself from \"team\" to \"program\". Our A Team is nationally ranked and competes around the country, finishing T-13 at College Nationals in 2019. Our developmental B and C teams focus on the growth of our players, allowing players to hone their skills and move up to A team or simply find a relaxed and enjoyable team environment. Whether you've played Ultimate for years or have never picked up a disc, we'd love to have you!", + "num_members":535, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Soccer", + "Community Outreach", + "Volunteerism", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"795ee5f4-46bd-4f18-8627-8651b29c29e3", + "name":"Huskies for Israel", + "preview":"Northeastern's Israel education, culture, and advocacy student club!", + "description":"We are Northeastern University's Israel education and advocacy student group. It is a non-religious affiliated club and throughout the year we host a host of a variety of fun events, thought-provoking lectures, and general body meetings about Israel's history, culture, current events, and innovation. If you go to Northeastern and have an interest in Israel, then this is the club for you! Check our Instagram and Facebook and subscribe to our email list to stay up to date.", + "num_members":211, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Israel", + "Education", + "Advocacy", + "Community Outreach", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1f563557-98f2-4572-a2da-12d934b511acee273ff0-0187-4123-a98f-d6ed79ce5b59.png" + }, + { + "id":"40466c85-4003-4f9f-a1fc-ec8a9cdc7122", + "name":"Husky Ambassadors (Campus Resource)", + "preview":"Husky Ambassadors are a distinguished group of undergraduate student leaders dedicated to providing campus visitors a glimpse into the power of a Northeastern education. We do this through a number of means including, but not limited to, leading cam", + "description":"Husky Ambassadors are a distinguished group of undergraduate student leaders dedicated to providing campus visitors a glimpse into the power of a Northeastern education. We do this through a number of means including, but not limited to, leading campus tours, staffing NU Preview Day and Welcome Day events, serving as lunch hosts and panelists, and consistently acting as a positive reflection of the University in our everyday lives. Additionally, there are many paid opportunities within Undergraduate Admissions that Husky Ambassadors are prime candidates for. Through the professional volunteer opportunities that Husky Ambassadors are involved in, we support admissions initiatives, which in turn support University initiatives. Our slogan is \"We all have stories to tell. What will yours be?\" With each visitor that we speak with, it is our goal to have shared all of our personal stories surrounding global experiential education, research, intellectual life, campus involvement, and Boston pride. By skillfully highlighting what has made Northeastern the correct fit for us, we hope to allow prospective students to see themselves in our shoes in the future. In addition to gaining important professional and leadership experience in one of the most impactful offices at Northeastern, you will be welcomed into one of the premiere student communities on campus, have the ability to participate in awesome on and off campus programs, and get the inside scoop on University wide initiatives and plans. With that in mind, we look for dedicated, professional, talented, organized, energetic students who are excited to share their Northeastern story.", + "num_members":75, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "Leadership", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"7076ba6c-0efe-40af-936e-2d26aef603c9", + "name":"Husky Communicators", + "preview":"We are a collaborative graduate student group that promotes experiential learning projects from around the College of Professional Studies. ", + "description":"Husky Communicators is a student-led organization that focuses on helping students with a passion for communication thrive and connect. In addition, as an organization, we also focus on fostering community by strengthening knowledge and professional experience and providing peer support.\r\nWhile at Husky Communicators, students will have an opportunity to explore and tune in their skills through various teams.\r\nWebsite Management – Students learn the ins and outs of website management tools to create and develop website content for the following websites: Husky Communications and Inspire & Influence.\r\nSocial Media – Students focus on creating and promoting content across various channels: Instagram, LinkedIn, YouTube, and TikTok. \r\nEvent Planning – Students focus on developing & executing all the organization’s events.\r\nWriting – Students enhance their writing skills and have an opportunity to publish their unique pieces on our Husky Communications and Inspire & Influence website.", + "num_members":9, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Creative Writing", + "Social Media", + "Event Planning", + "Website Management" + ], + "logo":"https://se-images.campuslabs.com/clink/images/eb7f57dc-bf84-49cf-b052-c0d513671772884cc568-f7b8-46cd-ba7b-b1be37b77f3c.png" + }, + { + "id":"64e0975c-9715-4825-baee-a2aef6a33790", + "name":"Husky Competitive Programming Club", + "preview":"Whether you want to sharpen your technical interview skills, compete among hundreds of collegiate teams worldwide, or simply just chill and make friends while you solve Leetcode-style problems, the Husky Competitive Programming Club welcomes you!", + "description":"The Husky Competitive Programming Club seeks to be a group for students interested in the competitive side of computer programming. Whether you want to sharpen your technical interview skills, compete among hundreds of collegiate teams worldwide, or simply just chill and make friends while you solve Leetcode-style problems, HCPC welcomes coders of all skill levels!\r\n \r\nThe gist of competitive programming is basically solving problems fast. \"Fast\" is both in the sense of algorithmic efficiency (big O) and in the sense of problem solving speed. That may sounds daunting but don't worry. We aim to provide an iterative learning process via informative workshops and practical contests to teach you the skills and techniques needed to succeed.\r\n \r\nIf competitions are your jam, we send several teams each year to compete in ICPC - the International Collegiate Programming Contest, where competitions are held at a qualifying, regional, divisional, national, and international level. Each contest consists of teams of 3 working together to solve a set of challenging problems in a set amount of time. Overall, it's an intense time but a fantastic experience. If you're looking for more competitions, websites such as CodeForces, USACO, and Hackerrank provide contests that we may occasionally take an interest in as well.\r\n \r\nIf you aren't interested in competitions, that's fine too! The skills you learn through our contests and workshops is not only applicable to competitions, but also technical interviews and coding challenges. We invite you to come to our internal contests where you can make friends and brainstorm with others to solve challenging problems. In addition, our workshops aim to provide knowledge on various CP topics such as prefix sums, graph traversal, and dynamic programming.\r\n \r\n\r\nSo come through to HCPC! We meet every week on Mondays 6:00 PM - 7:30 PM Eastern Time. Every meeting will be held in East Village 002. Hope to see yall there!\r\n\r\n\r\n \r\n\r\n\r\nIf you're interested, we invite you to sign up for our newsletter so you can be updated on what we're up to and when/where we're meeting. Also be sure to join our hub of communication via Discord, where we chat, bond, and post contest links so you can participate in our club, wherever you are.\r\n", + "num_members":466, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Software Engineering", + "Mathematics", + "Competitive Programming", + "Coding Challenges", + "Workshops", + "Contests", + "Technical Interviews" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b1aa7c8d-9c17-4536-8106-c6cc7ee168e7044e5cb4-c022-4e21-9646-385d51614a97.png" + }, + { + "id":"16bdf987-571c-4ab0-8df2-aa25eb32771d", + "name":"Husky Environmental Action Team", + "preview":"Husky Environmental Action Team (HEAT) is a student group working towards environmental sustainability and carbon neutrality at Northeastern University. We target issues such as food, waste, energy, divestment from fossil fuels, and recycling.", + "description":"Husky Environmental Action Team (HEAT) is a student group working towards environmental sustainability and carbon neutrality at Northeastern University. HEAT raises awareness about sustainability issues at Northeastern University, works with the Administration of the University to establish and advance sustainability initiatives, and hosts events that promote responsible use of energy and waste. We target issues such as food, waste, energy, product life cycles, divestment from the fossil fuel industry, and recycling.", + "num_members":817, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Environmental Science", + "Community Outreach", + "Environmental Advocacy", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/67a5d8b2-bab3-4ba2-9deb-2d3ace7b045a421c55db-d17d-4d49-bc85-9e4ffdfa5ecc.png" + }, + { + "id":"7d24b7b8-ee70-4c51-ae92-25e577a91646", + "name":"Husky Systers Code", + "preview":"Coming together to build a Graduate Women community over a broad spectrum, right from building strong fundamental technical skills to confidently articulating and expressing our ideas and beliefs \u2013 enabling students to tap into their potential", + "description":"As women in the graduate school, we realized the need for a platform for all our female students to come together, share, learn and grow. A platform that is a safe space for us to overcome our inhibitions and at the same time a space that challenges us to be better versions of ourselves\r\nWhen one woman helps another, amazing things can happen. Our aim is to Encourage and Build a strong community for our fellow women, over a broad spectrum, right from building strong fundamental technical skills to being articulate and confident about expressing their ideas and beliefs – enabling them to tap into their potential, their wisdom and apply it to real-world problem solving.\r\nWe welcome every graduate woman in technical domain looking for a place to start or connect with her peers through the technical and skill shaping workshops, and personality tuning events organized by the club. ", + "num_members":492, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Software Engineering", + "Women in Tech", + "Community Outreach", + "Empowerment", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/023c7e79-31d3-4222-9f0d-a66de79b98eb6ba29a34-7fb1-4168-b89f-2d21c59067aa.png" + }, + { + "id":"f28a56ce-bff4-438f-b798-be75b4c7f1df", + "name":"iGEM", + "preview":"iGEM is a worldwide annual competition that allows high-schoolers, undergraduates, graduates and postgraduates to design and create innovative approaches for a better future through synthetic biology. ", + "description":"https://www.youtube.com/watch?v=WXy7ifxYRgw", + "num_members":167, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Biology", + "Environmental Science", + "Neuroscience", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/921f86a4-1a3d-4291-8b8e-2f13c17d8fba3f23034c-c083-4890-8f29-de5d408be1ee.png" + }, + { + "id":"c4c071ce-2b52-4048-8309-f57b55268153", + "name":"inCrease", + "preview":"inCrease is an origami-focused organization where anyone can learn to fold paper! Join to pick up a new hobby, get help folding models, or work on designing your own!", + "description":"Join inCrease to learn more about origami!\r\n \r\nWe are a group of students that share the hobby of paperfolding, from a mix of all skill levels. No experience is necessary to leave your first meeting having folded something! \r\n \r\nWhether you have been folding for years, want to pick this up as a hobby, or are just curious to see what is possible through paperfolding, come check us out!\r\n \r\nWe are planning our activities for next semester and will update this page when they are finalized! In the meantime, follow us on our social media to stay updated!\r\n \r\nWe are also planning on hosting and planning special events and topics such as:\r\n\u25aa A workshop on making your own double tissue paper\r\n\u25aa Collaborating with other origami clubs at other schools\r\n\u25aa Working on collaborative models with parts folded by all members\r\n\u25aa Showcasing the work of our members at the end of each semester", + "num_members":784, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Collaboration", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e5a42a3e-3679-42c3-a6f0-0490620efa09ed47d93d-763b-46e4-a28d-1d68d0d19099.jpg" + }, + { + "id":"e77f04d9-7394-4f8a-8f86-018d923781bf", + "name":"Indonesian Student Association", + "preview":"Indonesian Student Association at Northeastern University is a cultural student organization. Our mission is to unite and strengthen the Indonesian community as well as to promote Indonesian culture and tradition to the Northeastern community", + "description":"Indonesian Student Association of Northeastern University is a cultural student organization. Our mission is to unite and strengthen the Indonesian community at Northeastern University as well as to promote Indonesian culture and tradition to the Northeastern Community.", + "num_members":23, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Cultural", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/687742d5-519f-4250-a1f0-9d438312f4e171088dbe-49a3-40cd-9f22-1e7b21510e36.jpeg" + }, + { + "id":"697fcc26-7284-4b45-84fe-080ff689600f", + "name":"Industry Pharmacists Organization", + "preview":"IPhO is the organization whose pharmacist members are universally recognized within the pharmaceutical industry as being the most professionally equipped to contribute to the development, commercialization, promotion, and optimal use of medicines.", + "description":"IPhO is the organization whose pharmacist members are universally recognized within the pharmaceutical industry as being the most professionally equipped to contribute to the development, commercialization, promotion, and optimal use of medicines. IPhO Student Chapters are dedicated to enhancing student pharmacists’ understanding of the pharmaceutical industry by raising awareness of the roles that industry pharmacists play in drug development, drug safety, drug regulations and other aspects of industry.", + "num_members":758, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Biology", + "Chemistry", + "Pharmacology", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8e60c178-4a59-4454-ade2-e184f55da287a3936dcf-857b-40fd-8c98-e2a0cc689684.png" + }, + { + "id":"c757a9e5-2bf1-4570-9d3a-10896dc833b3", + "name":"Innovators for Global Health", + "preview":"Innovators for Global Health is dedicated to improving global access to healthcare through medical device design and innovation. Through IGH, students develop the skills and knowledge to tackle technical and design challenges with a global mindset.", + "description":"NU IGH is composed of different groups that work together to promote global health through medical device access, including our Design Group and Campus to Country group. We maintain long-term global partnerships with hospitals and universities, including three medical facilities in Ghana, the University of Ghana, and Academic City University. With our partners, we work to develop low-cost medical devices and increase awareness of global health issues. We also lead yearly international trips to complete in-person needs-assessments at our partner facilities. \r\nOur Design Group is dedicated to designing and prototyping low-cost, sustainable medical devices tailored to the needs of low-resource hospitals. Recent design projects have included a surgical lamp, EKG electrodes, and a pulse oximeter. Currently, our projects include an oxygen regulator splitter, a medical suction pump valve/alarm, a low-cost hospital bed, and an infant incubator. Each of these projects was chosen based on in-person needs assessments at our partner hospitals. Design group is a great place to research medical device needs and problems, come up with creative solutions, and build engineering skills. This is the truly \"engineering\" portion of IGH, but you don't need to have experience or even be an engineering student to contribute!\r\nOur Campus to Country group is dedicated to educating our members about global health issues and researching the commercialization of medical devices in low-resource nations. Thus, they seek to identify gaps in medical care faced by low-resouce nations and look for ways that these gaps can be sustainably addressed by the work of organizations like IGH and others. In addition, we work with local students and technicians to help them build engineering, design, and needs assessment skills.\r\nIn addition to our main groups, we also often feature speakers in the global health field and conduct fundraising for our yearly international trips and design projects. \r\nHere is the video recording of our info session from spring 2023!", + "num_members":367, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Global Health", + "Medical Devices", + "Engineering", + "Low-cost Solutions", + "Research", + "Design", + "Global Partnerships", + "Needs Assessment" + ], + "logo":"https://se-images.campuslabs.com/clink/images/78d3f53f-3a67-4721-a777-b3fa7f4e23e516d43d00-a3a0-45ac-afc5-ae6e1abe1637.png" + }, + { + "id":"02471f2e-9740-4ddb-86c3-c5c3f1f1ce2c", + "name":"inSIGHT", + "preview":"Are you considering a career in the health sciences or would like to pursue a niche in the medical field? If so, inSIGHT may be for you! This is a club that will introduce potential members to the wonderful field of eye-health and what it consists of", + "description":"inSIGHT is an organization that provides a foundation for students interested in an eye-health-related field. We provide a network of professionals in the field including inviting optometrists, ophthalmologists, eye researchers, and optometry school representatives to share their insight into the eye care world. We also hold biweekly meetings to share scientific articles about the most recent advances in the \"eye world,” talk about upcoming application due dates and testing strategies, and network with graduate programs to learn more about educational opportunities in this field. Overall, we aim to provide an inclusive, welcoming environment for all to figure out their career path!", + "num_members":679, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Biology", + "Neuroscience", + "Medical", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/dce344a7-692e-42fc-a31e-f1b3cfbe9751bf8c3183-07ae-48b2-9547-ce2fb1ea5ce8.png" + }, + { + "id":"f6195722-9043-4b45-b4ae-4192f3b68c1c", + "name":"Institute for Operations Research and Management Sciences at Northeastern University", + "preview":"The Institute for Operations Research and the Management Sciences at Northeastern University", + "description":"INFORMS serves the scientific and professional needs of Analytics Professionals and Operations Researchers including educators, scientists, students, managers, analysts, and consultants. The Institute serves as a focal point for analytics and O.R. professionals, permitting them to communicate with each other and reach out to other professional societies, as well as the varied clientele of the profession's research and practice.", + "num_members":314, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Data Science", + "Mathematics", + "Operations Research", + "Analytics", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9950eba6-6484-4380-90ed-0c748edf5efd7f726961-1123-417e-bd86-dde619593505.png" + }, + { + "id":"c1c09e50-346c-42df-bb84-8a5efa74632b", + "name":"Institute of Electrical and Electronics Engineers", + "preview":"IEEE is the professional society for electrical and computer engineers at Northeastern! We have weekly chapter meetings with guest speakers from industry, advice sessions, or chances to meet professors. We run workshops and do community outreach too!", + "description":"As a student branch of the IEEE (Region 1), IEEE at Northeastern University is the third largest student branch in the Boston Area. With an active membership of over 90 students and several IEEE technical societies, IEEE at Northeastern University strives to \"promote the engineering process of creating, developing, integrating, sharing, and applying knowledge about electro and information technologies and sciences for the benefit of humanity and the profession\". We at IEEE at Northeastern University believe this can be accomplished by enabling students with access to both the latest technological tools, as well as access to industry leaders who have been and/or are the vanguard of their engineering fields.", + "num_members":793, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Electrical Engineering", + "Software Engineering", + "Community Outreach", + "Industrial Engineering" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5c073c02-eb22-4c11-8f36-3f029714ad34b109dede-2263-4f52-a6fe-0ac982626e2b.png" + }, + { + "id":"967ddf95-dbab-4f43-93e5-7be161d0b6a5", + "name":"Institute of Industrial and Systems Engineers", + "preview":"We are Northeastern University's chapter of the Institute of Industrial & Systems Engineers. NU IISE gives students the chance to learn more about Industrial Engineering through different industries and encounters with professionals. We provide oppor", + "description":"We are Northeastern University's chapter of the Institute of Industrial & Systems Engineers. NU IISE gives students the chance to learn more about Industrial Engineering through different industries and encounters with professionals. We provide opportunities for students to meet and discuss current issues in IE, gain valuable leadership skills in their field, and actively participate in community service, among other things. NU IISE creates an environment where IE students can grow professionally and academically while having fun, bonding with classmates, and networking with industry professionals. \r\n \r\nSubscribe to Our Mailing List for meeting updates.\r\nJoin Our Slack to discuss job opportunities, meeting logistics, and more.", + "num_members":861, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Industrial Engineering", + "Leadership Skills", + "Community Service", + "Professional Growth", + "Networking", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aea02399-5231-470d-900a-e85789288efa35f13496-30a0-44d5-a560-c983bc4560bf.png" + }, + { + "id":"cffed400-1850-4165-97d0-b7923e1cc130", + "name":"Interfraternity Council", + "preview":"Register for the IFC recruitment process: https://ifcnu.mycampusdirector2.com/landing/", + "description":"Our 12 recognized member and associate member chapters are:\r\n\r\nAlpha Epsilon Pi: Website | Instagram\r\nAlpha Kappa Sigma: Website | Instagram\r\nBeta Gamma Epsilon: Website | Instagram\r\nBeta Theta Pi: Website | Instagram\r\nDelta Kappa Epsilon: Instagram\r\nDelta Tau Delta: Instagram\r\nKappa Sigma: Website | Instagram\r\nPhi Delta Theta: Website | Instagram\r\nPhi Gamma Delta (FIJI): Website | Instagram\r\nPi Kappa Phi: Instagram\r\nSigma Phi Epsilon: Website | Instagram\r\nZeta Beta Tau (Associate Member): Instagram\r\n", + "num_members":421, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "LGBTQ", + "Social Justice" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6eb0301a-1e37-47b9-9ed9-f3158c98540626a2dfb6-5720-4086-9cf5-0bcb3537b9e1.png" + }, + { + "id":"850264be-52d7-49dd-a31d-c8301fb0cec3", + "name":"International Business Club", + "preview":"The International Business Club is designed to provide members with a structured environment that's conducive to gaining an understanding of international business topics through the opportunity to present semester-long research at semi annual confer", + "description":"The International Business Club is designed to provide members with a structured environment that is conducive to conducting research and gaining an advanced understanding of modern international business practices and solutions. \r\nIBC provides members with the resources to conduct a semester-long international business study, and present their solutions to real-world international business problems at a semi-annual conference. This includes assisting members in reaching out to business professionals and interpreting complex geopolitical issues.\r\nAlong the way, members will attain a high degree of confidence in topics relating to: \r\nGlobalization, Conflict Resolution, Trade Compliance, Global Management, Strategy, and Ethical Reasoning\r\nWe encourage students of all majors who are interested in international business to participate in order to learn about the global business machine and build a diverse network of aspiring global professionals.", + "num_members":1007, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Global Management", + "Strategy", + "Ethical Reasoning", + "Globalization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"9115baef-4f41-41ed-8496-18770f3c1405", + "name":"International Relations Council", + "preview":"The International Relations Council is the most interactive and integrated student group for Northeastern Students interested in foreign policy, international relations and the finer points of global politics.", + "description":"The International Relations Council is the most interactive and integrated student group for Northeastern Students interested in foreign policy, international relations and the finer points of global politics. Weekly meetings are complemented by collaboration with the Model UN, Model NATO, and Model Arab League courses offered by the Political Science Department as part of NU's experiential education. The team attends numerous prestigious collegiate simulated conferences each semester in locations like Washington D.C. and Montreal and hosts our own various conferences for middle school, high school, and college students. There is simply no better way for students to engage in and discuss the most prominent international current events while perfecting debate and public speaking skills. If you are interested in joining us, feel free to send us an email at northeastern.irc@gmail.com for information about our current meetings and events.\r\nIf you want to know more about what we do, check out this video from our info session for the Virtual Summer Involvement Fair a few years ago!\r\nhttps://www.youtube.com/watch?v=jf2BXvzJ3rg", + "num_members":870, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "International Relations", + "Model UN", + "Model NATO", + "Debate", + "Public Speaking", + "Global Politics", + "Middle School Conferences", + "High School Conferences" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6c962aaf-8c88-41de-babc-b02bcdcd1df7f36f13a2-4cb7-4fa9-91ed-0fa13ffebc08.jpg" + }, + { + "id":"8093bb0b-f1bb-4203-b033-d8843d619c0d", + "name":"International Students in Business", + "preview":"ISIB hopes to assist international students integrate in the US workforce by helping find companies willing to sponsor international students and help develop members into global business leaders. Overall, we aim to build a safe community here.", + "description":"Vision: ISIB hopes to be a resource in a club form that offers to primarily assist international students integrate in the US workforce and become global business leaders.\r\nOne major setback that international students face when coming to study in the US, is the uncertainty of having viable job prospects in the US after graduation due to the Visa/Work Permit issue. Currently, US college graduates without a STEM major get 12 months of OPT and STEM students a total of 29 months. After this period, students must hope that companies will sponsor them for an H-1B visa, which very few companies do and these companies are also difficult to find.\r\nAdditionally, the club also hopes to offer guidance to international student on how to be successful as internationals in the professional world, and how they should be able to utilize their skills to their advantage.\r\n \r\nStrategy: We hope to have our club consist of two components. The first component would be to have a research division to the club. The researchers would have the responsibility of researching & contacting companies for positions that offer sponsorship or offer to hire international students. In the long run we would hopefully be able to build relationships with these companies where we can hopefully send an international student every year to work there. The findings of our research will be available to all our members and we would also encourage members to have a genuine crowdsourcing mentality, where if they find a position that does not require sponsorship, that they share it with the rest of the group members.\r\nAlternatively, we would also like to bring in guest speakers, in a group discussion setting, to give members the opportunity to talk and discuss on how to be successful international professionals. Researchers and Eboard members in our club would also be responsible for reach out to potential guest speakers.\r\n \r\nObjectives: The three objectives we have are Place & Educate & Serve. We want to place as much of our international members into secure jobs after graduation. We want to educate the international student body on how they are able to be global leaders by bringing in proven professionals in an array of fields to offer advice and guidance. Lastly, it is also important to serve. This is done by researchers in the club and general members sharing jobs that they have found that do not require sponsorships to all other members of the club. We would highly encourage researchers to be non-international students that want to ensure that their peers have as many opportunity possibilities as possible after graduation.\r\n ", + "num_members":370, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Global Business", + "Networking", + "Professional Development", + "International Networking", + "Research", + "Guest Speakers" + ], + "logo":"https://se-images.campuslabs.com/clink/images/773e77dc-6bd7-4ff1-b77e-e6fdda6fd936fc88ff36-f150-4308-b429-d8c606565ec9.jpg" + }, + { + "id":"c512a3c2-7bc2-49e6-a60b-4efc17496589", + "name":"InterVarsity Multiethnic Christian Fellowship", + "preview":"Our vision is to foster a community that gives every corner of Northeastern an opportunity to explore Jesus, be transformed, and change the world! We want to see all \u2013cynics, seekers, followers, leaders\u2013 welcomed, loved, challenged, and changed toget", + "description":"Hey there! Wondering how to get connected? Come on over to NUIV! We’re a community that loves to open up conversations about life and Jesus. There are always difficult, yet totally fair questions about the Christian faith and the world that surrounds us... and that’s where the fun begins! We always try to create inclusive spaces for real conversations and build genuine relationships that reflect the love of Jesus. From fun and lighthearted games to deeper, candid conversations, we hope to experience the full depths of life and live out the reality of a loving God.\r\nWe are a dynamic group of students who want to:\r\n1. Be a diverse community growing together in love, faith, and knowledge of Jesus Christ.\r\n2. See the power of Christ transform the lives of students at Northeastern holistically, spiritually, emotionally, intellectually.\r\n3. Promote dialogue and be a safe and open place for all wanting to grow deeper in the knowledge and understanding of Jesus Christ and his teachings, regardless of one's spiritual background.\r\n4. Promote the biblical basis for ethnic and racial reconciliation.\r\n5. Engage in issues surrounding poverty through local and global outreach and service opportunities.\r\n \r\nJoin our Slack: https://join.slack.com/t/nuintervarsity/signup", + "num_members":46, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Christianity", + "Multiculturalism", + "Ethnic Reconciliation", + "Community Outreach", + "Bible Study", + "Spiritual Growth", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/15842643-71fe-43e4-9da5-5719eab48cc5dfda400f-8bdb-4c39-8f19-a98d1c9dd364.png" + }, + { + "id":"8d0108bd-450b-4aeb-8314-2b75a89946be", + "name":"IoT Connect of Northeastern University", + "preview":"Run by students in Computer Systems Engineering (concentration in the Internet of Things), NU IoT connect is a common platform for all things IoT, at Northeastern. Through this student organization, we hope to foster a community for students, faculty", + "description":"Run by students in Cyber Physical Systems (concentration in the Internet of Things), NU IoT connect is a common platform for all things IoT, at Northeastern. Through this student organization, we hope to foster a community for students, faculty, alumni, and industrial establishments that are enthusiastic about the endless opportunities this field has to offer. To do this, we regularly conduct workshops, work on real-world projects, and organize meet-ups with companies that are into IoT. It’s an amazing opportunity to stay informed about the latest trends in the field and find a potential career prospect. Attend any of our biweekly meetings to become a member and stay connected. Whether you are a newbie or a professional, all enthusiasts are welcome to join. Let’s strive to maintain a human connection in this increasingly connected world of smart devices.", + "num_members":246, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Software Engineering", + "Data Science", + "Electrical Engineering", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/39c30779-1da2-43f0-b3a6-270566706393ccf09822-b125-4c01-93b7-2f8b40c71c42.jpg" + }, + { + "id":"cc293b25-978d-4084-9fd1-416120e874dd", + "name":"Iranian Student Association of Northeastern University", + "preview":"The Iranian Student Association of Northeastern University (ISAN), which was founded by NEU students in 2007, creates a sense of community among students and faculty interested in Iranian culture by means of music, language, food, ideals, and traditi", + "description":"Iranian Student Association of Northeastern University (ISAN) is a cultural organization founded by the students of NEU in 2007. The purpose of this group is to foster a sense of community amongst Persian students and faculty, as well as any members of the university community who exhibit interest in our culture. Our music, language, food, ideals, and traditions bring us together and create a bond that is strengthened through the community, and we hope you will join us and share in our cultural heritage!", + "num_members":164, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Cultural Organization", + "Music", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aad4139a-c1cf-44da-99ab-bc75e01ea43fad641023-2462-485f-a721-e086cb3959ea.jpg" + }, + { + "id":"6802ce71-0014-48c2-8222-d82178a735d9", + "name":"Irish Dance Club of Northeastern University", + "preview":"Irish Dance Club of Northeastern University is an organization for Irish dancers of all levels to come together to dance, choreograph, workshop, perform, and develop their skills. ", + "description":"Northeastern University Irish Dance Club (NUIDC) is an organization for Irish dancers of all levels to come together to dance, choreograph, workshop, perform, and develop their skills. We hold practices every week for beginners and championship dancers. We also attend the Villanova Intercollegiate Irish Dance Festival each year in November with our competition team, and perform at various events around St. Patrick's Day. This year, NUIDC will be competing at the first annual National Collegiate Irish Dance Championships at Iona College in April.", + "num_members":824, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/520776ae-2983-4765-8fdb-d883dcea99eb8457ddbb-3871-4259-a7ff-768c0231d966.jpg" + }, + { + "id":"795eec0b-1da3-4833-9b48-66ec50052765", + "name":"Islamic Society of Northeastern University", + "preview":"ISNU is an organization that strives to build bonds with Muslim-identifying students across campus through weekly programming and university-wide events. Though we aim focus towards Muslim students, our doors are open to all backgrounds.", + "description":"ISNU is an organization that strives to build bonds with Muslim-identifying students across campus through weekly programming and various university-wide events. Our most popular event is our annual Fall Dinner commemorating and celebrating Eid Al-Adha and Eid Ul-Fitr. Here, students and community members dress in their best gowns and come together to enjoy a catered dinner, along with performance(s). Our regular weekly programming usually takes place on Monday evenings, including snacks and/or dinner. On these occasions, we offer community building exercises, religious programming, and thought-provoking discussions.\r\nISNU actively provides essential Islamic services and resources fostering spiritual development, planning social functions, investing time and energy in community service, participating in interfaith dialogue and partnerships, and creating a forum for healthy intellectual discourse.\r\nThough we are focused on Muslim students, our doors are open to all backgrounds.\r\n \r\nPlease fill out this google form to be added to our email list; we do not use engage much, if at all, so getting on our email list is the best way to be in the loop with all ISNU events and offerings! Thanks!\r\nhttps://docs.google.com/forms/d/e/1FAIpQLSdtL1txYVS1Ez1fwR2vETiSOJpF46peKj4idTAh4eCXERqcTw/viewform?usp=sf_link", + "num_members":954, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Islam", + "Community Outreach", + "Volunteerism", + "Interfaith Dialogue", + "Performing Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7d07a1f4-2a97-4d46-9294-b3d255e58cac50e3d263-5e4e-45b4-baa5-a514f82979e4.JPG" + }, + { + "id":"3c31a16b-eaf6-426d-9d77-cf52aaa6980e", + "name":"Japanese Culture Club", + "preview":"The Japanese Culture Club (JCC)\u00a0holds meetings every other Friday in Curry Student Center 342 at 6:00 PM. We have casual meetings that cycle between cooking sessions, movie nights, game nights, and general meetings about Japanese culture and language", + "description":"The Japanese Culture Club (JCC) holds meetings every other Friday in Curry Student Center 342 at 6:00 PM. We have casual meetings that cycle between cooking sessions, movie nights, game nights, and general meetings about Japanese culture and language. In the spring, we host a Harumatsuri (Spring Festival) featuring Japanese food and performances. If Northeastern ever decides to give us a looot of funding we will bring you on an aesthetic trip like this:\r\nhttps://www.youtube.com/watch?v=gqYzEv_AqYM\r\nPlease see attached video for more important information:\r\nhttps://www.youtube.com/watch?v=miomuSGoPzI\r\nYou can join our mailing list by going to our website:\r\nhttps://neujcc.com/\r\nAnd join our community by joining our discord:\r\nhttps://discord.gg/pGJzq257dd\r\nWe also have an Instagram:\r\nhttps://www.instagram.com/neujcc/ ", + "num_members":915, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Performing Arts", + "Creative Writing", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/851fb98b-ed2c-429d-b13c-a585a85b73c88bdede7f-a3ea-4c99-8493-067b96dc3f06.png" + }, + { + "id":"239d298b-6215-4a55-ace1-e6fbab14cb7f", + "name":"Japanese National Honor Society", + "preview":"The Japanese National Honor Society recognizes and encourages achievement and excellence in the study of the Japanese language.", + "description":"The Japanese National Honor Society is a vibrant community dedicated to celebrating and promoting the study of the Japanese language. Our club brings together students who have shown exceptional dedication and skill in learning Japanese, offering them a platform to further their passion and knowledge. Through various activities, events, and initiatives, we aim to recognize and encourage excellence, fostering a supportive environment where members can connect, learn, and grow together. Whether you are a seasoned Japanese language enthusiast or just starting your journey, our inclusive and welcoming club provides a place for all to thrive and embrace the beauty of Japanese culture.", + "num_members":49, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Visual Arts", + "Japanese National Honor Society", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"ae592f38-2b44-4b07-a122-89e276368ad7", + "name":"Japanese Student Association", + "preview":"We are welcoming all Japanese students and students who are interested in Japan, Japanese culture, or Japanese language to come our events! You can get notified about our events by our Instagram page. (https://www.instagram.com/neujsa/", + "description":"Welcome to JSA!\u2728 We invite all Japanese students and those who are interested in Japan, Japanese culture, or Japanese language to our events! Stay in touch with us by following our Instagram @neujsa or Join Our Newsletter \ud83d\udcd1 \u3088\u3046\u3053\u305d\u301c\ud83c\udf38\r\nFor inquiries, please email jsahusky@gmail.com. We look forward to hearing from you!", + "num_members":352, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Japanese Student Association", + "Creative Writing", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/92cf3399-df94-4780-9bc9-2d653e5c01fc78f4edf6-69ad-4500-a0a4-1f96f05e16bf.png" + }, + { + "id":"4b7db588-aeac-434d-bb43-a3302f39787a", + "name":"Jewish Student Union", + "preview":"Northeastern Jewish Student Union is the independent voice of Jewish students on campus. Northeastern JSU empowers Jewish students to make a difference in their community and the world. JSU student leaders are dedicated to creating a pluralistic, wel", + "description":"Northeastern Jewish Student Union is the independent voice of Jewish students on campus. Northeastern JSU empowers Jewish students to make a difference in their community and the world. JSU student leaders are dedicated to creating a pluralistic, welcoming and inclusive environment for Jewish college students, where they are encouraged to grow intellectually, spiritually, and socially.", + "num_members":12, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Judaism", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/50c2549c-d948-4a95-a1fd-42c756887523c51cd692-3240-4379-ab87-560b2db19650.png" + }, + { + "id":"ff702d8a-a629-48e9-aa07-3c34e3163741", + "name":"John D. O'Bryant African-American Institute (Campus Resource)", + "preview":"To become a national model for African-American and African-Diaspora cultural and research centers that effectively provides service, programs, and engages the community and builds toward becoming self-supporting through research, development and alu", + "description":"To become a national model for African-American and African-Diaspora cultural and research centers that effectively provides service, programs, and engages the community and builds toward becoming self-supporting through research, development and alumni participation.", + "num_members":132, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "African American", + "Community Outreach", + "HumanRights", + "Creative Writing", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"08c4d1aa-27d9-481c-ad36-be7e89c6d6ab", + "name":"Journalism Graduate Caucus of Northeastern University", + "preview":"The purpose of the Graduate Caucus is to provide all current graduate students attending the School of Journalism and Media Innovation at Northeastern University a community and space for social and academic achievement. ", + "description":"\r\n\r\n\r\nThe purpose of the Graduate Caucus is to provide all current graduate students attending the School of Journalism and Media Innovation at Northeastern University a community and space for social and academic achievement. In doing so, the Graduate Caucus provides a means for students to meet and interact, and to provide a forum for discussion and appreciation of our general interest.\r\n\r\n\r\n", + "num_members":82, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Journalism", + "Community Outreach", + "Media Innovation", + "Public Relations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"1fe60ee6-a910-4e60-9c31-db397e393129", + "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":385, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Asian American", + "Dance", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e22dab4e-3534-4317-af6b-e02d83be310e61b1482f-9830-47ef-b50c-063368becb76.png" + }, + { + "id":"dd530d00-1164-4c1b-ac09-2fd060a74f07", + "name":"Kaliente Dance Group", + "preview":"Kaliente is the Latin dance team of Northeastern University that was founded in 2009. The group is comprised of various students of diverse backgrounds, but that are all connected by one single commonality: the love for dance and Latin culture. ", + "description":"Kaliente is Northeastern's original Latin dance team. Founded in 2009, we are students from diverse backgrounds, connected by one single commonality: the love for dance and Latin culture. We work to promote Latin American heritage through our dance performances, which include salsa linear, merengue, and bachata, and our community service . Our goal is to share our team's passion with the Northeastern and greater Boston communities, and to encourage others to incorporate some Latin flavor into their lives.", + "num_members":287, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Latin America", + "Performing Arts", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/557ba6d8-aaee-4d94-bf54-4979765290b53bb30f6a-3327-4f7c-a1a8-a740dbc7d7a1.jpeg" + }, + { + "id":"ffb652ea-4087-4744-8501-11cdacc284bc", + "name":"Kappa Alpha Psi Fraternity, Incorporated", + "preview":"Kappa Alpha Psi Fraternity, Inc. was founded on January 5th 1911 at\r\nIndiana University, Bloomington. ", + "description":"Kappa Alpha Psi Fraternity, Incorporated, a college Fraternity, now comprised of functioning Undergraduate and Alumni Chapters on major campuses and in cities throughout the country, is the crystallization of a dream. It is the beautiful realization of a vision shared commonly by the 10 Revered Founders at Indiana University at Bloomington, Indiana on January 5th, 1911 by ten revered men. It was the vision of these astute men that enabled them in the school year 1910 - 11, more specifically the night of January 5, 1911, on the campus of Indiana University at Bloomington, Indiana, to sow the seed of a fraternal tree whose fruit is available to, and now enjoyed by, college men everywhere, regardless of their color, religion or national origin. It is a fact of which KAPPA ALPHA PSI is justly proud that the Constitution has never contained any clause which either excluded or suggested the exclusion of a man from membership merely because of his color, creed, or national origin. The Constitution of KAPPA ALPHA PSI is predicated upon and dedicated to the principles of achievement through a truly democratic Fraternity.", + "num_members":529, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "African American", + "Community Outreach", + "HumanRights", + "Volunteerism", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"a443baa6-a2ca-4022-aeb7-46e8ce620d86", + "name":"Kappa Delta Sorority", + "preview":"Eta Kappa chapter of Kappa Delta Sorority at Northeastern University, Boston, MA. We pride ourselves on being confident, independent, and strong women who are constantly striving for that which is honorable, beautiful, and highest.Kappa Delta Sororit", + "description":"We are the Eta Kappa chapter of Kappa Delta Sorority at Northeastern University! We pride ourselves on being confident, independent, and strong women who are constantly striving for that which is honorable, beautiful, and highest. Kappa Delta Sorority is dedicated to four national philanthropies: Girl Scouts of the USA, Prevent Child Abuse America, Children's Hospital of Richmond, Virginia and the Orthopedic Research Awards If you want to learn more: Facebook: https://www.facebook.com/kappadeltaneu Twitter: @KappaDeltaNU Instagram: @KappaDeltaNU Website: www.neukappadelta.com Or email our President, Jada, at nukdpresident@gmail.com!\r\n ", + "num_members":820, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "HumanRights", + "Environmental Advocacy", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/63d24d0e-d025-4201-a2fd-5b245bdf57ffd368d527-6884-4d16-9545-29676887b79f.PNG" + }, + { + "id":"51c1251d-fdc1-4187-838c-423bee8fdcfc", + "name":"Kappa Kappa Gamma - Eta Omicron Chapter", + "preview":"Kappa Kappa Gamma is an organization of women which seeks for every member, throughout her life, bonds of friendship, mutual support, opportunities for self-growth, respect for intellectual development, and sisterhood.", + "description":"Kappa Kappa Gamma is an organization of women which seeks for every member throughout her life bonds of friendship, mutual support, opportunities for self-growth, respect for intellectual development, and an understanding of and an allegiance to positive ethical principles.", + "num_members":928, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "Women Empowerment", + "Leadership Development", + "Sisterhood" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"d7725273-cf7a-4e92-8a72-ff4e05312edf", + "name":"Kappa Phi Lambda", + "preview":"Sisterhood, Service, Cultural Diversity.Kappa Phi Lambda is an Asian-interest, not Asian-exclusive sorority. Xi Chapter of Kappa Phi Lambda was established on June 15, 2002 and is located in the heart of Boston.", + "description":"Sisterhood, Service, Cultural Diversity. Kappa Phi Lambda is an Asian-interest, not Asian-exclusive sorority. Xi Chapter of Kappa Phi Lambda was established on June 15, 2002 and is located in the heart of Boston.", + "num_members":433, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Sisterhood", + "Service", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e073e0a4-445c-49ce-ab6c-37a3a7c9cfe11224e922-c02a-4e57-9910-61ee3864af2c.png" + }, + { + "id":"66751dfe-5cdb-4f44-9b94-58e608eb1980", + "name":"Kappa Psi Pharmaceutical Fraternity, Inc.", + "preview":"Kappa Psi Pharmaceutical Fraternity is the oldest and largest professional pharmaceutical fraternity in the world. There are over 155 chapters and 87,000 graduate member across the United States. ", + "description":"Kappa Psi Pharmaceutical Fraternity is the oldest and largest professional pharmaceutical fraternity in the world. There are over 155 chapters and 87,000 graduate member across the United States. Kappa Psi values high ideals, sobriety, industry, and fellowship. We aim to support and participate in all projects that advance the profession of pharmacy. The Gamma Lambda chapter was reactivated in the summer of 2013 after being dormant for over 30 years. We plan to help advance the profession of pharmacy at Northeastern and the surrounding communities through professional events, community service, and philanthropy.", + "num_members":459, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Pharmacy", + "Professional Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fdf5eb78-d905-4509-93b8-ae2771bd3260b1f37d9a-5925-40ff-8707-4a175402b03d.jpg" + }, + { + "id":"aabff649-a373-4810-b1c9-ce7d8936ae00", + "name":"Kappa Sigma", + "preview":"About Kappa Sigma Xi-Beta:The Xi-Beta Chapter of the Kappa Sigma Fraternity was founded at Northeastern University in 1992 and with over 120 active men, is the largest chapter in the university's fraternity system. Xi-Beta prides itself in its activ", + "description":"About Kappa Sigma Xi-Beta: The Xi-Beta Chapter of the Kappa Sigma Fraternity was founded at Northeastern University in 1992 and with over 120 active men, is the largest chapter in the university's fraternity system. Xi-Beta prides itself in its active social life with Fraternities and Sororities on Campus, commitment to academic excellence, dedication to Community Service and Philanthropic events, and its unmatched strength in Brotherhood and Fellowship. Xi-Beta has Brothers involved in all aspects of Northeastern University, ranging from participation in Intramurals to leadership roles in Student Government, IDEA, Finance and Investment Club, TBP, and a Mishelanu Chapter. Xi-Beta has been the recipient of multiple Northeastern University Chapter of the Year Awards since its inception and the National Kappa Sigma Founder's Circle award for chapter excellence, the highest honor throughout Kappa Sigma. About Kappa Sigma: Founded in 1869 at the University of Virginia, the Kappa Sigma Fraternity is currently one of the largest men's college organizations in North America, having initiated more than 230,000 members. With more than 250 undergraduate and alumni chapters throughout the U.S. and Canada, the Fraternity teaches its core standards and values through educational programming related to the four cornerstones of Fellowship, Leadership, Scholarship, and Service", + "num_members":908, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "Leadership", + "Service" + ], + "logo":"https://se-images.campuslabs.com/clink/images/360f0256-9482-47ab-a915-88b4bdc958924d22269d-a392-4080-a2b8-0ef5d63a50ad.JPG" + }, + { + "id":"683fb0cd-d65f-47aa-8327-4226d48bb657", + "name":"Khoury Graduate Student Association", + "preview":"The KGSA's mission is to support and maintain a community among graduate students in the Khoury College of Computer Sciences. We serve as both a social space and as a democratic body that advocates for the interests of Khoury graduate students.", + "description":"The Khoury Graduate Student Association (KGSA)’s mission is to support and maintain a community among graduate students in the Khoury College of Computer Sciences at Northeastern University. We aim to collaboratively create a more welcoming and supportive environment for all graduate students. Just like other GSA organizations in other departments, we serve as both a social space and as a democratic body that will advocate for the interests of Khoury graduate students with the college administration.\r\nTo learn more about the Khoury GSA, check out this presentation of our agenda as of Summer 2021. There is also a short description of our activities.", + "num_members":19, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "Software Engineering", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"f07222b1-bc7e-457f-855d-4808025e0bba", + "name":"Khoury Masters Student Council", + "preview":"The Northeastern University Khoury Masters Student Council serves as an official liaison between Khoury masters students and the administration.", + "description":"The Northeastern University Khoury's Masters Student Council serves as an official liaison between Khoury masters students and the administration. We strive to promote student interests within Khoury, to enrich academics, student life, and overall success in the masters program.", + "num_members":282, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "Student Council", + "Leadership", + "Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0fe66723-12af-4c03-96af-f5faf8a9c364ff89900f-f43a-43bf-b6be-c03bc1f2dac4.png" + }, + { + "id":"a823d831-7cfa-4a59-ae78-502134086c85", + "name":"Kids in Nutrition", + "preview":"Kids in Nutrition (KIN) aims to empower youth to lead healthy lives through nutrition education. To achieve this goal, we connect college students with local elementary students and engage the kids in fun, interactive activities about healthy eating.", + "description":"Kids in Nutrition (KIN) aims to empower youth to lead healthy lives through nutrition education. To achieve this goal, we connect college students with local elementary students and engage the kids in fun, interactive activities about healthy eating. We believe in the power of encouraging kids to think about how their individual dietary choices impact both themselves and the world around them. ", + "num_members":959, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Nutrition Education", + "Community Outreach", + "Volunteerism", + "Kids Health" + ], + "logo":"https://se-images.campuslabs.com/clink/images/78b83bbb-24e0-415e-a37e-fa480d51bcb412322f25-236d-4986-81d7-435bbb72a69d.png" + }, + { + "id":"b6b11dd2-52e9-46e6-8c65-95f749581376", + "name":"Kinematix Dance Troupe", + "preview":"Founded in 2006, Kinematix is a Northeastern University dance troupe. The team recognizes dance as a powerful, evolving culture and provides a channel for students to grow in that richness.", + "description":"Founded in 2006, Kinematix is a Northeastern University dance troupe. The team recognizes dance as a powerful, evolving culture and provides a channel for students to grow in that richness. Kinematix strives to deepen the talents of its members, promote social collaboration within Northeastern and the Boston community, and create a supportive and nurturing environment. Through performances and choreography Kinematix aspires to extend its horizons and to inspire others through music and “bodies in motion.\"", + "num_members":513, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"e964060f-44cc-44cd-b793-f844bdbc43fd", + "name":"Korea Campus Crusade for Christ", + "preview":"Korea Campus Crusade for Christ (KCCC) is a non-denominational movement committed to helping fulfill the Great Commission in our generation (Matthew 28:18-20) by winning, building, and sending in the power of the Holy Spirit! ", + "description":"Korea Campus Crusade for Christ (KCCC), is a non-denominational movement committed to helping fulfill the Great Commission in our generation (Matt. 28:18-20) by winning, building and sending in the power of the Holy Spirit!\r\n \r\nIt is our desire that we would be used by God to help reach students and faculty of Northeastern University with the Gospel so that every person on campus will know someone who truly follows Jesus Christ.\r\n \r\nWeekly Meetings\r\n \r\nLarge Group: Wednesdays @ 7:30-9:30 PM @ Robinson 109\r\n \r\nSmall Group: If you are interested in joining a small group, please contact any of the leaders below (contact info below). There are various ones that meet throughout the week.\r\n \r\nMorning Prayer: Tuesday - Thursday 7 AM\r\n \r\nIf you are interested in our organization, please fill out this form so we know how to best contact you!", + "num_members":430, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Christianity", + "Asian American", + "Community Outreach", + "Volunteerism", + "Morning Prayer" + ], + "logo":"https://se-images.campuslabs.com/clink/images/facb1bcb-7c9b-4a2b-993f-7ed068352d3e272d80f7-51a0-4a41-845c-7bc9f8d7a93d.jpeg" + }, + { + "id":"6fe9e742-2c88-4d09-a687-519a67128e5d", + "name":"Korean American Student Association", + "preview":"The Northeastern University Korean American Student Association is an organization that serves to promote cultural awareness at Northeastern University and the surrounding Boston area. We strive to bring together students of both Korean and non-Korea", + "description":"The Northeastern University Korean American Student Association is an organization that serves to promote cultural awareness at Northeastern University and the surrounding Boston area. We strive to bring together students of both Korean and non-Korean backgrounds to establish a sense of community within the university. By creating and strengthening bonds, NEU KASA serves to unite students by showcasing Korea's rich heritage and the immense potential and talent that we possess. Open to all students of all backgrounds, race, ethnicity, color and religion, NEU KASA serves to enrich, educate, and exemplify the Korean culture.\r\nPlease like our Facebook page @NEU Korean American Student Association and Instagram @neukasa for further updates!", + "num_members":1002, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Community Outreach", + "Cultural Awareness", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/bbc29104-4bbe-4bcf-b41a-e2077b4c7251df9845bf-5c1a-4f8f-8970-b7352761eecf.png" + }, + { + "id":"5d87dcde-908a-4146-91d5-da5ea0a8014d", + "name":"Korean International Student Association", + "preview":"KISA\u00a0strives for general well-being of Korean international students and provide better career opportunities and alumni connection. As a nature of the organization, KISA takes responsibility in representing Korea and Korean organizations to the publi", + "description":"KISA strives for general well-being of Korean international students and provide better career opportunities and alumni connection through a variety of events including new student orientation, movie nights, and seasonal events. KISA provides a community in which students can support each other at times of trouble and act as a family during special days such as Korean traditional holidays. As a nature of the organization, KISA takes serious responsibility in representing Korea and Korean organizations to the public. ", + "num_members":437, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6c70ebe3-cc0b-40aa-babe-1439adb7cf9778db2f8e-bf4d-48c8-b3ac-afe936578d5f.jpg" + }, + { + "id":"a81b831b-f940-4eeb-a2e6-8bbec50dc062", + "name":"Korean Investment Society at D\u2019Amore-McKim School of Business", + "preview":"Korean Investment Society at D\u2019Amore-McKim School of Business (McKIS), is committed to producing its members turn great ideas into scalable and sustainable business models through various types of business-related experiential projects. ", + "description":"Korean Investment Society at D’Amore-McKim School of Business (McKIS), is committed to producing its members turn great ideas into scalable and sustainable business models. \r\nWe have achieved numerous successes through various types of experiential projects every semester, ranging from marketing strategy competition, stock investment competition, to business plan development, collaborative projects with innovative start-ups and non-governmental organizations. Being part of the McKIS network is the most significant investment that our members will inherit with our successful alumni in various industries. We provide a platform that enables students, future leading business professionals, to meet not only with each other but also with leading business professionals in various sectors in Korea.\r\nFor our new vision plan for 2023, McKIS aims to expand the vision of synergism between thriving Korean economies and the future of businesses. To be more specific, McKIS is willing to provide opportunities to apply their academic knowledge to actions, based on rigorous analysis, responsible leadership, and realistic projects, primarily focusing on South Korea’s entrepreneurial market. McKIS will continue to educate, contribute, and foster to make members get a step closer to being successful future of businesses, and expand that vision for all students in Northeastern University who are seeking interest in Korean enterprises.", + "num_members":6, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Business", + "Entrepreneurship", + "South Korea", + "Networking", + "Career Development", + "Finance" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7f456300-ef2e-4f7e-9921-f276ed47e9c16d4a7dc0-1b26-4e8a-a481-8c71d7c2761f.png" + }, + { + "id":"062093da-7f55-4344-9a8e-75767df51067", + "name":"Korean-American Scientists and Engineers Association", + "preview":"Korean-American Scientists and Engineers Association at Northeastern University. We are a non-profit professional organization that promotes the application of science and technology for the general welfare of society, fosters international cooperati", + "description":"Korean-American Scientists and Engineers Association at Northeastern University. We are a non-profit professional organization that promotes the application of science and technology for the general welfare of society, fosters international cooperation especially between the U.S. and Korea, and helps Korean-American Scientists and Engineers develop their full career potential.", + "num_members":538, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Professional Organization", + "Science", + "Technology", + "International Cooperation", + "Career Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d66a7982-2a41-4e13-8423-68d622cc984c8acdd744-1d0c-4c30-b1c7-1ac16d51f571.png" + }, + { + "id":"cf378988-4240-4fb9-91d3-cd773990f05a", + "name":"Lambda Kappa Sigma", + "preview":"Lambda Kappa Sigma, a professional pharmacy fraternity, strives to lead with integrity, inspire excellence, and professional excellence amongst our members to \"provide lifelong opportunities for women in pharmacy.", + "description":"Lambda Kappa Sigma, one of three co-ed pharmacy fraternities at Northeastern, strives to provide lifelong opportunities for women in pharmacy through professional excellence and personal growth. Founded in 1913 by Ethel J. Heath at the Massachusetts College of Pharmacy, we now have 49 collegiate and 38 alumni chapters and have initiated more than 24,000 members. \r\n \r\nWe strive to lead with integrity, where we stay true to our values and encourage and empower our members. We inspire excellence and instill passion, confidence, and professional excellence within our members. We also impact our communities by demonstrating compassion and advocating for women's health issues. \r\n \r\n ", + "num_members":326, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Women's Health Advocacy", + "Community Service", + "Professional Excellence", + "Pharmacy", + "Lifelong Learning" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e05206e9-ff3e-45f6-9b79-55b57b7760bf0c7466ce-f37d-4d55-8ab1-56d13e45dd65.png" + }, + { + "id":"84e93e9b-61b2-411c-a55d-8e9b89ad0ccb", + "name":"Lambda Phi Epsilon, Inc.", + "preview":"Lambda Phi Epsilon was founded on February 25, 1981 by a group of nineteen dedicated men led by principal founder Mr. Craig Ishigo. Hoping to transcend the traditional boundaries of national origins, the founders aimed to create an organization that ", + "description":"Lambda Phi Epsilon was founded on February 25, 1981 by a group of nineteen dedicated men led by principal founder Mr. Craig Ishigo. Hoping to transcend the traditional boundaries of national origins, the founders aimed to create an organization that would set new standards of excellence within the Asian American community, develop leaders within each of the member’s respective community, and bridge the gaps between those communities. While the initial charter was comprised of Asian Pacific Americans, the brotherhood was open to all who were interested in supporting these goals. Mr. Craig Ishigo and Mr. Darryl L. Mu signed the charter as President and Vice President, respectively. Lambda Phi Epsilon’s vision is to become the preeminent international Asian interest fraternal organization, providing outstanding leadership, philanthropy, and advocacy in the community. The mission of the organization is to promote Lambda Phi Epsilon and its brothers by: - Developing active members to become leaders through training and hands-on experience, to advance personal growth, and to achieve academic excellence. - Perpetuating leadership of our alumni members in the community, creating opportunities, and encouraging the spirit of fellowship. - Promoting positive Asian American awareness and providing the highest level of philanthropy in the community.", + "num_members":1008, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Leadership Development", + "Philanthropy", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/853a73fc-3639-434d-8e49-e57420dcf99a0aea1d1c-f493-43ca-92e8-38b8fed1b86d.png" + }, + { + "id":"32cc663e-832b-4a8c-93dd-1d35cb5bb399", + "name":"Latin American Law Student Association", + "preview":"The Purpose of the Association is to articulate and to promote the needs and goals of Latin@ Law Students and all its members through support, advocacy, and professional development", + "description":"Northeastern LALSA's mission is to provide a safe space to bring, build, and share Latinx culture and experiences to NUSL and beyond.", + "num_members":470, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Latin America", + "Community Outreach", + "HumanRights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a9c183ee-ec91-4dec-812f-46d63bea63689a4903b4-0416-4db7-af7c-fe3742e01e55.png" + }, + { + "id":"dc818941-04af-4700-8fc0-8a915accdee6", + "name":"Latin American Student Organization", + "preview":"Mission Statement: \"Dedicated to the Advancement of Our Culture and the Preservation of Our Identity.\"Since its inception, LASO's goals have been to promote a positive image of Latin American culture, to inspire, develop, and promote leadership withi", + "description":"Mission Statement: \"Dedicated to the Advancement of Our Culture and the Preservation of Our Identity.\" Since its inception, LASO's goals have been to promote a positive image of Latin American culture, to inspire, develop, and promote leadership within the membership, to improve the college experience for Northeastern University's Latin American students and the overall student body, and to contribute to the progress of the Latin American population beyond Northeastern University through various outreach programs.", + "num_members":623, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Latin America", + "Community Outreach", + "Leadership", + "Cultural Identity" + ], + "logo":"https://se-images.campuslabs.com/clink/images/dac379cf-61af-4143-b6fd-94679b1c0a80c6b560ed-b7d0-4722-adce-66d236aa64ab.png" + }, + { + "id":"01b0617b-b5a4-4d3f-807a-8599ffe5a743", + "name":"Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc.", + "preview":"Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc. (LPC) is a nationally recognized sorority under the National Association of Latino Fraternal Organizations.", + "description":"Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc. (LPC) is a nationally recognized sorority under the National Association of Latino Fraternal Organizations. Our vision is to create a lifetime network of Hermanas dedicated to empowering themselves and their communities. Our mission is to empower women by providing a supportive network dedicated to their personal and professional advancement. Our Hermandad is further advanced by our shared dedication and promotion of public service and cultural awareness, with an emphasis on Latino history, contributions, and experiences. Our ideals as an organization are La Comunidad (the community), La Cultura Latina (the latin culture), and La Hermandad (the sisterhood).\r\nNu Chapter has had its charter since 1999, founded on the campus of Harvard University. Nu Chapter is currently a city-wide chapter, with Hermanas at Northeastern University, Tufts University, Bentley University and UMASS Lowell. While we are a Latina-based sorority, we are not a Latina-exclusive sorority. Therefore the events and goals we set always keep the Latin community and culture in mind, but the women who set to accomplish those goals do not always identify as Latina. These events range from socials where people can gather over Latin food or a fun activity while engaging with one another to professional development workshops where attendees leave with tangible results. We also host philanthropic events based on, but not exclusive to, the philanthropic pursuits of our national organization, which are Project L.E.A.A.P., which works on increasing HIV/AIDS awareness and education or Proyecto H.A.C.E.R., where we help younger generations fulfill their higher education goals.", + "num_members":647, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Latin America", + "LGBTQ", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/14251716-bf1d-4b2d-b458-740cd0628a83c8b1128a-9977-4277-92a7-03a6f7788007.png" + }, + { + "id":"62df416b-bc1c-46a8-b7f2-6c2b4af52671", + "name":"Latinx Student Cultural Center (Campus Resource)", + "preview":"The Latinx Student Cultural Center (LSCC) engages Northeastern's global Network in academic, personal and professional development by providing an inclusive space for self-care, Latinx education and celebration, and experiential opportunities", + "description":"The Latinx Student Cultural Center (LSCC) engages, supports and empowers Northeastern's global Network in academic, personal and professional development by providing an inclusive space - a home away from home - for self-care, Latinx education and celebration, and experiential opportunities", + "num_members":708, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Latin America", + "LGBTQ", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/22daf65a-0203-4560-be3b-ecd27f576593368468b1-9981-4e4d-a8fe-0d2edacf4a32.png" + }, + { + "id":"bb8ee6d9-a5e3-4aa9-a185-1bf9e877c6e3", + "name":"LEAD360 (Campus Resource)", + "preview":"LEAD360 is a collection of FREE leadership programs designed to teach students the vital skills they need to become more socially responsible and well-rounded leaders on campus and beyond.", + "description":"LEAD360 is a collection of FREE leadership programs designed to teach students the vital skills they need to become more socially responsible and well-rounded leaders on campus and beyond. Building upon the values of interdependence, accessibility, justice, and experiential learning, LEAD360 will help you learn more about yourself, evaluate the ways you collaborate and interact with others, and identify the causes and topics that you are most passionate about.", + "num_members":606, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Leadership", + "Social Responsibility", + "Team Collaboration", + "Community Engagement", + "Interpersonal Skills", + "Experiential Learning" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d7a337c1-0ee1-4666-b7c6-87a30825aeb434593ba5-4a0f-4326-adf4-47d18350f74e.png" + }, + { + "id":"941ae879-259c-4514-86e9-eb71006e285b", + "name":"Lean Endeavors at Northeastern Club", + "preview":"Our mission is to provide students with resources that help them improve their knowledge and exposure to LEAN concepts and get to delve deeper into the industrial practices. We believe lean is a philosophy, a way of thinking and that can be applied i", + "description":"Our mission is to provide students with resources that help them improve their knowledge and exposure to LEAN concepts and get to delve deeper into the industrial practices. We believe lean is a philosophy, a way of thinking and that can be applied in a wide variety of domains. We as a lean club will be undertaking activities and projects that will help improve current standards as well as increase efficiency of a process at Northeastern or any other industrial problem. Lean is a versatile concept in itself that can be applied to various functional areas within an organization like operations, sales and supply chain, manufacturing and project management departments, etc. We at lean club will assist students to apply these concepts, use them as a tool to improve themselves as well as organization they are associated with. Lean helps in reducing waste and increasing efficiency be it time, processes or cost and we help students develop that mindset and have a leaner approach to problem solving guiding companies and non-profit organizations to grow sustainably. We aim to provide resources and oppotunities for students to participate in lectures, workshops by experienced professionals in lean operations, envisioning to create an opportunity for students to work on projects with them. We would like to make learning about lean to be a fun activity for example working in a team consisting of students from various streams and competing in process improvement, case presentations, training simulation games. Proactive involvement in such tasks will provide an experience and enhance their soft skills along with clearing fundamental concepts. We also believe that Lean is not just a concept, it is a way of life. Like Peter Drucker concisely said, \"There is nothing as useless as doing efficiently, that which should not be done at all\" further pointing out adaptability and dynamically improving each and everyday. Join our team to encounter new challenges and gain an enriching experience.", + "num_members":41, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Industrial Engineering", + "Project Management", + "Supply Chain", + "Operations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7c01b2d1-41ed-47a0-a8f6-a008f872a802065b0738-628f-4e18-acd4-c9e10a55cb3e.jpeg" + }, + { + "id":"c293c036-847c-4b48-8df4-afbba9f135e8", + "name":"Lean On Me", + "preview":"Lean On Me is a student-run text support hotline that anonymously connects students with our Peer Supporters to create conversations. Our mission is to be a listening ear for Northeastern students.", + "description":"Lean On Me is a text support hotline that anonymously connects students with their peers to create conversations where they can be unconditionally supported.\r\nLean On Me is composed of Users and Supporters. Our Users are the Northeastern students who utilize the hotline and text in about their problems. Our Supporters are the trained students who operate the hotline and anonymously respond to the Users. Our Supporters are trained in empathetic listening and communication, so that they are prepared for any situation that they may come across. We emphasize that our hotline is not to be used as a substitute for professional help. We are a non-crisis hotline meant for peer-to-peer support. \r\nLean On Me envisions a world where everybody has somebody to lean on.\r\n", + "num_members":344, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Psychology", + "HumanRights", + "Volunteerism", + "Communication" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6882f95e-501c-4ba3-b0fd-f54d7e71e974733bff6d-edfb-4134-b1ea-596a959f5d50.png" + }, + { + "id":"5762055f-b99d-47b3-abdd-79e9b5decaf5", + "name":"Legacy Mentoring Program (Campus Resource)", + "preview":"The Legacy Mentoring Program is a joint effort of undergraduates, upperclass and graduate students, NU faculty, staff, alumni, professionals and the community at large.We actively promote and support academic excellence, access to professional and ed", + "description":"The Legacy Mentoring Program is a joint effort of undergraduates, upperclass and graduate students, NU faculty, staff, alumni, professionals and the community at large. We actively promote and support academic excellence, access to professional and educational resources with the goal of increasing the retention and graduation rates of students of color and NU undergraduates. Our academic, social, professional, and cultural mission creates a unique community of personal growth, development,success and academic achievement.", + "num_members":515, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "African American", + "Community Outreach", + "Academic Excellence", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"18daf79b-9398-4447-8267-4f4617619a31", + "name":"Letters of Love Northeastern", + "preview":"LOL NEU is a chapter of Letters of Love and its mission is to let every child facing health concerns know they are loved, supported and never alone. Letters of Love makes and distributes cards to children\u2019s hospitals across the country.", + "description":"LOL NEU is a chapter of Letters of Love and its mission is to let every child facing health concerns know they are loved, supported and never alone. Letters of Love makes and distributes cards and other support items to children’s hospitals across the country. ", + "num_members":698, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Creative Writing", + "Visual Arts", + "Music", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4d6f4cce-5450-40fc-ac64-e48bc875b114f6fe63a8-edbc-4178-959a-ca80a2c0b3fc.png" + }, + { + "id":"d5d37d54-18d4-4f20-af7a-2a5b4fce45d8", + "name":"LGBTQA Resource Center (Campus Resource)", + "preview":"Welcome to the Northeastern University LGBTQA Resource Center Orgsync page. Here we provide information for the Northeastern Lesbian, Gay, Bisexual, Transgendered, Questioning, and Ally community as well as provide support for those that may have qu", + "description":"Welcome to the Northeastern University LGBTQA Resource Center Orgsync page. Here we provide information for the Northeastern Lesbian, Gay, Bisexual, Transgendered, Questioning, and Ally community as well as provide support for those that may have questions about the living in this community. The LGBTQA Resource Center is located on the 3rd floor of the Curry Student Center, in room 328. The LGBTQA Resource Center is a place students can come to socialize, relax between classes, study, and learn more about opportunities for students who identify as LGBTQA within the Northeastern Community. There is also a LGBTQA resource library students can use for research or entertainment. Simply put, the LGBTQA Resource Center is the information hub for all that is LGBTQA on the Northeastern Campus. Mission: The LGBTQA Resource Center aspires to create a community that is free from societal issues such as heterosexism and transphobia, by instilling a culture of appreciation, respect and empowerment throughout Northeastern. We initiate and sustain co-curricular programs and services that enrich the holistic development of our lesbian, gay, bisexual, transgender, queer, questioning and ally students. Through dialogue and support services, we strive to increase the visibility of and enhance LGBTQA student life on campus.Sign up here to hear more from our orgs and our newsletter! https://docs.google.com/forms/d/e/1FAIpQLSdkJd-tDklKeTVsFW0bZCvmw0Vp6rGw_GEAblrTv-LxVh73Fg/viewform", + "num_members":573, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"1bae0934-fe5a-4e58-b6bc-85058fc7b3c3", + "name":"Live Music Association", + "preview":"Live Music Association is a completely student-run group that is your one stop shop for live music on campus. Our club largely consists of non-music industry majors by chance, so it allows students who have an extracurricular interest get hands on ex", + "description":"Live Music Association is a completely student-run group that is your one-stop shop for live music on campus.\r\nOur club is not exclusive to music industry majors by design, so it allows students who have an extracurricular interest in live music to get hands-on experience running a show in Northeastern University venues and meet peers that have the same interests. We aim to bring the music community of Northeastern closer together with every meeting and event - such as but not limited to concerts, music festivals, open mic nights, DJ nights, drag shows, music industry panels, music trivia nights, and so much more. \r\nWe aim to promote social justice through a diverse array of artists and a dedicated portion of events that advocate for marginalized communities, fundraise for charities, and push for equity on and off campus.\r\nPast concerts we have brought to campus in our LMA Presents series include Still Woozy, Duckwrth, Beach Bunny, Sidney Gish, Noname, Poppy, Ashe, Phoebe Bridgers, Louis the Child, Maude Latour, Hippo Campus, UMI, Faye Webster and more. Past drag artists we've hosted include Sasha Colby, Kennedy Davenport, Olivia Lux, Neon Calypso, Arabella the Goddess, Kori King, and so many more. \r\nLMA also hosts open mic nights where Northeastern students can take the stage and perform their own music. We also plan and host other special events including DJ nights, drag shows, music industry panels and more.\r\nAt our general meetings, we discuss the latest in live music and divide into teams (Events and Marketing/Media) to work towards organizing upcoming events. Follow us on Instagram & Tiktok (@livemusicneu) and join our slack to keep up with what we're up to! For general inquiries, feel free to DM us on instagram or email at livemusicneu@gmail.com.", + "num_members":62, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "LGBTQ", + "Community Outreach", + "Social Justice" + ], + "logo":"https://se-images.campuslabs.com/clink/images/626cfd97-52c0-436e-af34-fc0bcdbd0933a7bf730a-1ec0-4cf0-ad43-c70d48742901.jpg" + }, + { + "id":"e0a1009a-ed57-45e5-8b88-2f3bd55f4ac0", + "name":"Lutheran-Episcopal Campus Ministry", + "preview":"Lutheran-Episcopal Campus Ministry at Northeastern is a Christian ministry to students, faculty, and staff on campus. We worship and pray, talk and reflect, and reach out to our neighbors. Our group includes Lutherans, Episcopalians, and students fro", + "description":"Lutheran-Episcopal Campus Ministry (aka Open Table) at Northeastern is a Christian ministry to students, faculty, and staff on campus. We worship and pray, talk and reflect, and reach out to our neighbors. Our group includes Lutherans, Episcopalians, and students from many other backgrounds. All are welcome, and we are an open and affirming community! Every Thursday from fall through spring, we gather at 5:45 pm for worship and programs that help us explore questions about faith and life together. Held in Northeastern's beautiful Spiritual Life Center (201 Ell), these events give us the chance to build relationships with one another and to hear about the many ways in which God is at work in our lives. ", + "num_members":474, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Christianity", + "Community Outreach", + "Volunteerism", + "LGBTQ", + "Music" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"a039ddac-f85d-425e-a954-f3ee04527887", + "name":"Malaysian-Singaporean Student Association", + "preview":"A vibrant and inclusive community for Malaysian and Singaporean students (or individuals interested in either culture) that provides a comforting sense of home away from home.", + "description":"The Malaysian-Singaporean Student Association is a welcoming and vibrant community designed for Malaysian and Singaporean students, as well as individuals interested in immersing themselves in these rich cultures. Our association offers a comforting sense of home away from home, where members come together to share experiences, traditions, and build lasting friendships. Through a variety of events, activities, and gatherings, we aim to celebrate the diverse heritage of Malaysia and Singapore while creating a supportive and inclusive environment for all who join us.", + "num_members":464, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism", + "Cultural Exchange", + "Social Events", + "Multiculturalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f155ff85-b649-4d3f-b578-af4a7ef0b59e5eedf1b0-b2ca-456e-9dfc-272812f9097c.png" + }, + { + "id":"5db9cc73-d619-4020-bbb9-810e3e26f0b0", + "name":"Malhar", + "preview":"Malhar is an undergraduate Indian classical dance team that hopes to spread awareness of Indian culture and traditions through the art of dance and provide a platform for dancers to perform for the community. ", + "description":"Malhar is an undergraduate Indian classical dance team that hopes to spread awareness of Indian culture and traditions through showcasing these ancient art forms. We represent several different Indian classical dance styles including Bharatanatyam, Kuchipudi, and Kathak, and are open to the various other classical forms as well. Malhar stays true to the traditions of classical Indian dance while also incorporating modern elements to create engaging performances. \r\nWe hold tryouts each semester and perform at a variety of events and venues both on and off campus. ", + "num_members":464, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Asian American", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4d88e3fe-164b-466b-8a1b-6967fa13aaf172cf6585-5aeb-4e5e-a362-6e90d61a84ec.JPEG" + }, + { + "id":"5d46162d-fd99-4758-84ea-382f7ceb1336", + "name":"Marine Science Center Graduate Student Association", + "preview":"The purpose of the MSCGSA is to encourage scientific and social networking among graduate students at the Marine Science Center and to provide support and opportunity during their graduate tenure.", + "description":"The purpose of the MSCGSA is to encourage scientific and social networking among graduate students at the Marine Science Center and to provide support and opportunity during their graduate tenure.", + "num_members":851, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Community Outreach", + "Volunteerism", + "Marine Science" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"c1d31e86-2300-4efd-b98d-fa8546fc659f", + "name":"Math Club of Northeastern University", + "preview":"Math Club offers an environment for Northeastern undergraduate and graduate students of all years, majors, and experience levels an opportunity to meet other interested students and learn, discuss, and do math.", + "description":"Math Club provides a setting for students interested in mathematics to meet other students sharing common interests. We regularly host guest speakers for invited talks on interesting mathematical topics. Otherwise, meetings feature problem-solving, networking, research, and industry opportunities. Food (typically pizza, including vegan and gluten-free pizza) is provided at each meeting.\r\nPlease join our Discord! https://discord.gg/S4xkPJ3Jcd", + "num_members":811, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Mathematics", + "Networking", + "Problem-Solving", + "Education", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fc0d775f-aaee-477e-9a18-dd8c7a107f20fde949a6-b555-4354-b4d0-e025ba075f73.jpg" + }, + { + "id":"d5e731d8-6e15-4a06-b37d-df33b0cf5871", + "name":"Mathematics Engagement and Mentorship Association", + "preview":"Mathematics Engagement and Mentorship Association", + "description":"MathEMA is a student-run mentorship program at Northeastern University that aims to help incoming students feel more welcome and aware of the opportunities available in the math department. We connect experienced upperclassmen with young students to discuss topics like co-op, choosing classes and professors, and acclimating to college life. We also host events like virtual movie nights, coffee chats, and study halls.", + "num_members":259, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Mathematics", + "Community Outreach", + "Mentorship", + "Education", + "Student-run" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"4769b78e-b773-4b78-a49e-70fcb2fb42c4", + "name":"Mathematics Graduate Students Association", + "preview":"The MGSA is the official voice and representative of the graduate student body in the Department of Mathematics of Northeastern University.", + "description":"The MGSA is the official voice and representative of the graduate student body in the Department of Mathematics of Northeastern University.", + "num_members":613, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Mathematics", + "Student Association", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"a8883ab8-4e54-4497-86d4-85e3977fb51d", + "name":"MEDLIFE Northeastern", + "preview":"MEDLIFE NEU provides the opportunity for all students interested in global health to participate in in-person Service Learning Trips to partnering communities in South America or East Africa, where they experience extreme health disparities first-han", + "description":"MEDLIFE Northeastern provides the opportunity for all students interested in global health to participate in in-person Service Learning Trips every semester to partnering communities in Peru, Ecuador, Tanzania, and Costa Rica, where they are introduced to the health disparities that impoverished communities face every day. On a Service Learning Trip, students work in mobile service clinics with local physicians to provide healthcare and work with local and MEDLIFE engineers to build sustainable development projects for the community. Throughout the semester, MEDLIFE NEU offers pre-health students at Northeastern the opportunity to volunteer both locally and internationally, while holding fundraising events for our partnered communities or informational events such as the Healthcare Professional Panel. Our intended audience is any student interested in humanitarianism and/or medicine (pre-med, pre-nursing, pre-dental, i.e. pre-health). Our club holds volunteer events, healthcare workshops, humanitarianism speaker events, and Power Hour fundraising events. Since its establishment, MEDLIFE NEU has raised over $2800 for communities in Peru and Ecuador, which fed over 1,800 people. MEDLIFE Northeastern is a chapter of the national MEDLIFE organization, which is a 501(c)(3) non-profit organization that partners with low-income communities in Latin America and Africa to improve their access to medicine, education, and community development projects.", + "num_members":233, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "Volunteerism", + "HumanRights", + "Community Outreach", + "Healthcare", + "Fundraising", + "Global Health" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fcda8e7e-ff56-4a3b-bbe3-6b9ab31ba3e102bfb874-2712-4fd7-84fa-0284ca696527.png" + }, + { + "id":"ccd7502e-9122-4492-9c78-d03d073d2ff0", + "name":"Men's Club Basketball Team", + "preview":"The Northeastern Men\u2019s Club Basketball team is a competitive, student-run organization that is active throughout the year. We are a member of the NCBBA league in which we play schools from across the New England region and in national tournaments.", + "description":"Welcome to the Men's Club Basketball Team at Northeastern University! We are a dedicated and competitive group of students who love the game of basketball. As a member of the NCBBA league, we actively participate in games against schools from all over New England. Our team is student-run, providing a great opportunity for players to develop their skills both on and off the court. Throughout the year, we come together to practice, bond, and compete in exciting national tournaments. Whether you're a seasoned player or new to the sport, our club offers a supportive and fun environment to enjoy the game we all love.", + "num_members":92, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Basketball", + "Student-Run", + "Competitive", + "Northeastern University", + "NCBBA", + "Tournaments" + ], + "logo":"https://se-images.campuslabs.com/clink/images/97a6918c-9791-4d0f-939b-6c5add1a091d70b3283f-be89-4c06-b6d0-df6746d0ca29.png" + }, + { + "id":"03724f8b-8ae7-41bb-945b-25898d0dfb86", + "name":"Men's Squash Team", + "preview":"We are a competitive squash team that practices 5 times a week and competes against club and varsity programs in the New England area. We travel to nationals every year to vie for the title of the #1 club team in the nation.", + "description":"Welcome to the Men's Squash Team! We are a dedicated and passionate group of individuals who come together to form a competitive squash team. With rigorous practice sessions held 5 times a week, we hone our skills and strategies to take on club and varsity programs across the New England area. Our ultimate goal is to compete at the national level, where we showcase our talents and determination to claim the coveted title of the #1 club team in the nation. Join us on this exciting journey as we aim for greatness both on and off the court!", + "num_members":472, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Soccer", + "Competitive Sports", + "Training", + "Dedication" + ], + "logo":"https://se-images.campuslabs.com/clink/images/02574ff4-861e-46e3-968d-88faa3f6dd59358dd9bb-ddce-4db4-a96c-39767ccd51d6.png" + }, + { + "id":"8f39d470-7f63-405c-a2c5-31c5207315ad", + "name":"Menstrual Equity at Northeastern", + "preview":"Our club has three pillars: education, advocacy, and service. We aim to help decrease period poverty in the Greater Boston area by running menstrual product drives, workshops, and destigmatizing menstruation.", + "description":"Our proposed organization will be called the “Menstrual Equity Club,” which will work to address period poverty in Boston, and beyond through spreading awareness and spearheading menstrual health-related events. This is pertinent as one in seven menstruators in Boston face period poverty, meaning they are unable to afford menstrual products. This is very dangerous as it could have severe adverse health consequences including reproductive issues, urinary tract infections, and mental health impacts. We must address this issue and engage the Northeastern community to create a sustainable impact on our campus, our community, and on a global scale. Our organization will have three pillars: service, education, and advocacy (SEA). We plan to do this by holding drives that allow community members to donate period products to distribute in the Roxbury community. The organization will hold informative workshops to teach students about the importance of menstrual equity in the community and how we can best support the menstrual health of our community members, especially those of low socioeconomic status who face heightened risks of period poverty, people who face homelessness, and in prison systems. The goal of this is to decrease the stigma that is associated with discussing menstruation. We also will hold events that will empower students to share their own experiences with menstrual equity and brainstorm potential ways to decrease period poverty within the community. This organization will also join the Massachusetts Menstrual Equity Coalition (MME), allowing a greater network of resources aimed at decreasing period poverty along with showing student support for the “I AM Bill.” The I AM Bill will ensure “access to free menstrual products, without stigma, to all menstruating individuals in all public schools, homeless shelters, prisons, and county jails”(MME) Furthermore, the MME has worked with various Boston-based universities, including Boston University, and has vast experience empowering student organizations focused on combating period poverty. The intended audience for this organization is individuals who are passionate about menstrual equity and want to be involved in increasing education and reducing period poverty in our community. ", + "num_members":476, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "HumanRights", + "SocialJustice", + "Advocacy", + "Education", + "PublicHealth" + ], + "logo":"https://se-images.campuslabs.com/clink/images/cfb9d4df-a505-4f2a-b82e-174825199d547c0d14dd-97b3-40eb-8cf6-978c1f03762a.png" + }, + { + "id":"93d9186e-36c8-401f-b9c1-e1aef2ad9914", + "name":"Mexican Student Association", + "preview":"We are a vibrant and dynamic Mexican club organization that celebrates the spirit of Mexico. Join us to experience the colorful traditions and warm camaraderie, whether you're Mexican or simply passionate about Mexican culture. ", + "description":"Our mission as the Mexican Student Association (MEXSA) is to provide a welcoming and familiar environment for Mexican students at Northeastern University. ", + "num_members":394, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Latin America", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3d002b4c-64db-4fed-8c0b-3431c276a6a5cd5d3f29-a272-495a-87f8-569be344e9dd.png" + }, + { + "id":"04f1d98c-875d-4188-83ff-6e2e6678c01d", + "name":"Minority Association of Pre-health Students", + "preview":"MAPS exists to support current and future underrepresented medical students, address the needs of underserved communities, and increase the number of clinically, culturally, and socially competent healthcare providers. All are welcome to join!", + "description":"The Northeastern University Chapter of the Minority Association of Pre-Health Students (MAPS) exists to support current and future underrepresented pre-medical, pre-PA, pre-dental, etc. students, address the needs of under served communities, and increase the number of clinically excellent, culturally competent and socially conscious healthcare providers. MAPS is a free organization in which all students from all backgrounds are encouraged to join!\r\nCheck out our pamphlet for additional information about MAPS: https://issuu.com/nsahli98/docs/mapspamphletissuu.docx", + "num_members":654, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "Biology", + "Neuroscience", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/55242ff1-afad-47a1-8494-8ef2735ac0bfbd8e8b8d-9346-4abe-9777-9b60edeb6130.png" + }, + { + "id":"363852ba-0e62-4222-a36f-615f3f89de47", + "name":"Mixed Student Union", + "preview":"A cultural based student group whose purpose is to foster a sense of identity and community for Northeastern University students who identify as biracial, multiracial, multiethnic, and multicultural. ", + "description":"A cultural-based student group whose purpose is to foster a sense of identity and community for Northeastern University students who identify as biracial, multiracial, multiethnic, and multicultural. Furthermore, our association desires to promote dialogue, advocacy, education, and awareness for the diverse and unique issues relevant to students from multiracial backgrounds on NU's campus.", + "num_members":372, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Multicultural", + "Community Outreach", + "Education", + "Dialogue", + "Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7dc366ba-bd1a-467f-9aa1-7df242a46146c5e0d5c3-7d51-42c3-8414-f709947a9b74.JPG" + }, + { + "id":"bddbc3d5-10bd-4614-9839-4366293b3373", + "name":"Multi-diverse Unified Leaders in Technology Industry", + "preview":"MULTI aims to promote diversity and inclusion in the technology field, and to uplift and empower students from all backgrounds pursuing a career in the industry.MULTI fosters an inclusive learning community by hosting a variety of events, including g", + "description":"MULTI aims to promote diversity and inclusion in the technology field, and to uplift and empower students from all backgrounds pursuing a career in the industry. MULTI fosters an inclusive learning community by hosting a variety of events, including group discussions, career talks, and workshops. MULTI also provides a platform for discussing student affairs and engaging with Khoury’s diversity and inclusion initiatives.", + "num_members":158, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Diversity & Inclusion", + "Technology", + "Community Outreach", + "Leadership", + "Inclusive Learning", + "Career Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ca025240-a2f9-436b-ac10-96207c0257c002cb3d19-c5b2-4ef9-b501-c3ff76224af5.png" + }, + { + "id":"74d8313d-2423-4605-a018-410d06bd572f", + "name":"Multicultural Greek Council", + "preview":"The Multicultural Greek Council is a co-educational governing council serving its fraternity and sorority affiliated members, the University, and local communities as well as our cultural community, campus, and multicultural groups and clubs.", + "description":"The Multicultural Greek Council is a co-educational governing council serving its fraternity and sorority affiliated members, the University, and local communities as well as our cultural community, campus, and multicultural groups and clubs. The purpose of the Multicultural Greek Council (MGC) is to increase awareness of various cultures and ethnicities to the recognized organizations and the community as well as promote a positive image of these organizations through cooperation, communication, and participation. The MGC serves as a body to unite and promote growth among our own organizations as well as to other fraternities and sororities on campus. Below are the current active organizations recognized within MGC:\r\nActive Member Organizations\r\n\r\nBeta Chi Theta Fraternity, Inc.\r\nKappa Phi Lambda Sorority, Inc. \r\nLambda Phi Epsilon Fraternity, Inc.\r\nOmega Phi Beta Sorority, Inc.\r\nPi Delta Psi Fraternity, Inc. \r\nSigma Beta Rho Fraternity, Inc.\r\nSigma Psi Zeta Sorority, Inc.\r\n\r\nAssociate Member Organizations\r\n\r\nLambda Pi Chi Sorority, Inc.\r\n\r\n ", + "num_members":391, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Multicultural Greek Council", + "Community Outreach", + "Cultural Awareness", + "Diversity", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/961d1e54-f5a0-4d81-ae6a-96dde96f4ca750c3d219-ae6e-4089-804e-39bd1a9ec13c.png" + }, + { + "id":"3a8763de-04db-48f0-958a-47946e6843c2", + "name":"Multicultural International Student Association", + "preview":"MISA is a community for international students and interested undergraduate students that unites, promotes, and explores cultural diversity and identity. We hold weekly meetings in order to provide cultural celebration and career development. \r\n", + "description":"We at MISA aim to bring Northeastern students from various cultures and backgrounds together, creating a space for international students to unite, promote and explore diversity and identity. \r\n \r\nDid you know that Northeastern University is home to one of the largest international student communities in the United States, with over 20,000 international students coming from over 147 countries? MISA is a community that celebrates these students and their unique international upbringing. Despite this club catering to international students, we find that by welcoming all undergraduate students it will also give students space to understand cultural differences further and close the cultural gap. \r\n \r\nEvents we plan to host include personal development and small sessions that are often not advertised broadly at Northeastern (eg. how-to sessions for co-op processes, visa status, travel records, social security numbers, etc). These events will invite various Northeastern offices and specialists as special speakers to ensure we are providing the most up-to-date and accurate resources. MISA also plans to host food fairs featuring cuisines from around the world, speaker series featuring global professionals, open forums on relevant cultural issues, and inter-club collaboration to celebrate cultural holidays.", + "num_members":902, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Cultural Diversity", + "International Relations", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9a145ab9-d5f7-4868-a8f1-58e19fb7f0fad3d52a34-6172-4e25-b0ea-fd67e60de303.png" + }, + { + "id":"e7493e39-6c96-42e1-bfd9-1b376fb936ba", + "name":"Music In Hospitals and Nursing Homes Using Entertainment As Therapy", + "preview":"MIHNUET brings uplifting music to patients and residents of hospitals and nursing homes, harnessing the power of music to enrich quality-of-life and connect communities.", + "description":"MIHNUET is a NEU student-led initiative that brings student musicians together to perform uplifting music for residents and patients in nursing homes and hospitals in the local Boston community. Members perform in concerts at local nursing homes and hospitals, bringing comfort and joy to patients through music. Northeastern members of MIHNUET may choose to perform solo or in small groups. These small groups are a great opportunity to make connections with other Northeastern students. Students that are passionate about performing, playing music with others, or giving back to the community are encouraged to perform!", + "num_members":451, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f75616f0-65c5-4978-af58-ca9560ec0b25a7a216d0-9218-473c-86a3-e667c40f08df.jpg" + }, + { + "id":"34ff9e99-8840-4530-a0f4-4da490e93c27", + "name":"Music Production Club", + "preview":"A club for beginner and advanced music producers to share their music, get feedback, and learn about music production.", + "description":"The music production club is a place for students producing any genre of music to meet, share their music and techniques, and learn from other students. We hold two weekly meetings. The first is more oriented towards beginners (although also completely open to advanced members), and focuses on teaching the basics of music production and answering production questions. The second type of meeting is more oriented towards advanced members, and consists mainly of WIP (work in progress) share and feedback exchange. We also hold various music production contests, such as sample flip contests and holiday themed contests. If you are interested, please join our organization right here on engage and reach out via email!\r\nFeel free to join our Discord server as well!", + "num_members":840, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Music", + "Performing Arts", + "Creative Writing", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/32d1473d-361c-4e09-b3b6-13465258fea2bc55e961-c536-4b55-964d-bd11e91addf6.png" + }, + { + "id":"e8d9865a-c2ca-4876-8570-0944248ab1e8", + "name":"Mutual Aid", + "preview":"NU Mutual Aid is a student network dedicated to the well-being of all Northeastern students, staff, and community members during the COVID-19 pandemic and beyond. We aim to work with all members of our community to share and provide necessary resourc", + "description":"NU Mutual Aid is a student network dedicated to the well-being of all Northeastern students, staff, and community members during the COVID-19 pandemic and beyond. We aim to work with all members of our community to organize and alleviate difficulties faced during these times. Our past and current projects include weekly mobile food pantries, a community fridge, winter clothing drive, textbook reimbursement, sexual health product distribution, and menstrual hygiene distribution. We are always looking for students dedicated to working on new projects for our community and volunteers to help with existing projects. You can learn more at numutualaid.org and @numutualaid. *Please note that the positions listed on Engage do not reflect an e-board as we do not have formal leadership positions. All members of NU Mutual Aid are equal. *", + "num_members":358, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "HumanRights", + "Environmental Advocacy", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f2ae6356-0f2a-4496-9db0-780d45a31c889f9e94d7-fd52-4c3e-89d2-f9885a6d3e61.png" + }, + { + "id":"24353a05-a9a2-40b9-8a93-4f9c05a3baa1", + "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":673, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Music", + "Performing Arts", + "Asian American", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f2a8ae11-9562-478f-ae65-664d5fede5c448858747-f78f-4f68-a255-fd54d0546301.png" + }, + { + "id":"8170aa47-a44e-4486-a01c-391745eabbe3", + "name":"NakhRAAS", + "preview":"NakhRAAS aims to be Northeastern's premiere competitive garba and raas team. The group's primary goals are to educate Northeastern students about the traditional dance forms of garba and raas and compete in the national competitive raas circuit.", + "description":"NakhRAAS aims to be Northeastern's premiere competitive garba and raas team. The group's primary goals are to educate Northeastern students about the traditional dance forms of garba and raas, compete in the nationally competitive raas circuit, and to just simply get together and have fun!", + "num_members":850, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music", + "Dance", + "Asian American" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"6d24aeb1-e3bb-4fc4-b852-a7225b556bc5", + "name":"National Community Pharmacists Association", + "preview":"The National Community Pharmacists Association (NCPA) is an organization focused on the growth and prosperity of independent pharmacists across the United States. NCPA has student chapters at many schools of pharmacy. ", + "description":"The National Community Pharmacists Association (NCPA) is an organization focused on the growth and prosperity of independent pharmacists across the United States. NCPA has student chapters at many schools of pharmacy. NCPA should pique your interest if you have worked in an independent pharmacy, aspire to work in an independent pharmacy, or perhaps are pursuing a business minor. NCPA Student Affairs offers pharmacy students a wide array of opportunities to broaden and enrich their educational experience, gain valuable real world skills, earn scholarships, and have fun in the process. Our mission is to encourage, foster, and recognize an interest in community pharmacy ownership and entrepreneurship among the future leaders of their profession. Becoming a member of the NU chapter of NCPA will allow you to participate in the Business Plan Competition and provide you access to resources to further your career in pharmacy. NCPA Student Affairs provides great resources for students to hold Prescription Disposal Programs, plan a Health Fair, and many other activities to benefit the public. NCPA membership is open to all pharmacy students (years 1-6) and for non-pharmacy students interested in participating in the Business Plan Competition.", + "num_members":571, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Pharmacy", + "Business", + "Entrepreneurship", + "Student Affairs", + "Health Fair", + "Community Pharmacy", + "Networking", + "Career Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7c98ca9b-ee70-4ff2-8f87-85dd20bb0f3aa0642c8b-617f-4970-a423-5d74b70abcaa.png" + }, + { + "id":"0605fed8-e30a-4f2b-adb2-fc693828db9d", + "name":"National Marrow Donor Program", + "preview":"NMDP is a nonprofit organization dedicated to saving through blood stem cell transplants. The organization matches blood disease patients to potential donors, and the chapter on campus strives to expand the donor registry by hosting swabbing events.", + "description":"NMDP (formerly Be The Match) is a nonprofit organization dedicated to saving lives through blood stem cell transplants. The organization’s mission is to advocate for patients with blood cancers by matching them to potential donors. The chapter on campus strives to expand and diversify the donor registry by hosting swabbing events both on and off campus. In the 2022-23 school year, the chapter added 957 swabs to the registry. Our commitment to fighting for better outcomes and more lives saved continues. ", + "num_members":710, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Healthcare", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/45a333aa-bcd5-4047-9d9b-adcac4d45dde51db2005-d356-4506-bbf9-5807bb71c046.png" + }, + { + "id":"0495ed56-e0c7-4d67-a32b-1d3f44d6ba9b", + "name":"National Organization of Minority Architecture Students", + "preview":"NOMAS is dedicated to providing healing and supportive spaces for architecture students of various minority groups to express their creativity and identities. We serve as advocates for various social identity groups within the School of Architecture.", + "description":"The Northeastern University Chapter of the National Organization of Minority Architecture Students (NOMAS) was initiated in order to create a community of students who support the advances of minority students in architecture and embrace differences of all kinds within the field. Additionally, this chapter was established to help provide these students with opportunities to get involved with the architecture community, especially with other minority architects. The organization will hold numerous activities for students and will also work towards sending students to other events both in and out of the Boston area. This organization also provides students with an opportunity to become informed and act on social justice issues, as well as to give back with community service projects.", + "num_members":500, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "MinorityStudents", + "Architecture", + "CommunityService", + "SocialJustice", + "Art", + "CommunityOutreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5a0ed055-b7ec-45ca-8714-9409b554af72624ac6ee-be38-4f97-acee-95ead5feabb2.png" + }, + { + "id":"e149e93d-d461-4f54-856c-19d60a8d9a45", + "name":"National Pan-Hellenic Council - Northeastern University Chapter", + "preview":"Northeastern University's National Pan-Hellenic Council comprises of the historically African-American fraternities and sororities in the Boston area. ", + "description":"Northeastern University's National Pan-Hellenic Council is currently comprised of the following Divine 9 organizations: Alpha Phi Alpha Fraternity, Incorporated, Alpha Kappa Alpha Sorority, Incorporated, Kappa Alpha Psi Fraternity, Incorporated, Omega Psi Phi Fraternity, Incorporated, Delta Sigma Theta Sorority, Incorporated, Phi Beta Sigma Fraternity, Incorporated, Zeta Phi Beta Sorority, Incorporated, Sigma Gamma Rho Sorority*, Incorporated, Iota Phi Theta Fraternity, Incorporated* *Denotes inactive, unrecognized D9 organizations on campus.\r\nThe mission statement of the National Pan-Hellenic Council is \"unanimity of thought and action as far as possible in the conduct of Greek letter collegiate fraternities and sororities, and to consider problems of mutual interest to its member organizations.\"", + "num_members":843, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "African American", + "Community Outreach", + "HumanRights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/04493c9c-f3a0-45e9-b15a-306ebed083f3d224f48c-3945-4e2a-b507-38722308c05b.jpg" + }, + { + "id":"675bdfd4-05be-4dbe-87d2-40e2800d3de4", + "name":"National Society of Leadership and Success", + "preview":"As the largest collegiate leadership honor society in the United States, there are 700+ NSLS chapters nationwide and nearly 2 million inducted members. We build leaders, support students in achieving their goals, and improve the world in the process.", + "description":"Welcome to the National Society of Leadership and Success, the largest collegiate leadership honor society in the United States! With over 700 NSLS chapters nationwide and nearly 2 million inducted members, we are a community dedicated to empowering leaders and supporting students in reaching their full potential. At NSLS, we believe in the power of leadership to drive positive change, both on campus and in the world. Join us as we build a network of passionate individuals, inspire growth and success, and make a meaningful impact together!", + "num_members":48, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Leadership", + "Community Outreach", + "Volunteerism", + "HumanRights", + "Empowerment" + ], + "logo":"https://se-images.campuslabs.com/clink/images/129d2ffd-4f13-4789-9f59-d3b75ed6ec13fbdda212-e5c8-4cda-bcad-4f653c636c7e.png" + }, + { + "id":"92d0f232-b9b7-4ff6-8883-288e8a20d9e6", + "name":"Net Impact of Northeastern University", + "preview":"Net Impact is teaching students how to act now and become the leaders of the social and environmental revolutions of the 21st century.", + "description":"From sustainable fashion and food systems to environmental justice and green policy, Net Impact is an interdisciplinary community eager to put the planet and social justice at the center of every discussion. Comprised of a variety of backgrounds and majors, our members come together at engaging weekly meetings, fun social activities, professional networking opportunities and community service events in a shared effort to put sustainability at the forefront of the community's consciousness.\r\nFollow us on Instagram to stay up to date with Net Impact Northeastern:\r\nhttps://www.instagram.com/netimpactnu/\r\n ", + "num_members":300, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Environmental Advocacy", + "Community Outreach", + "Social Justice" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f9a11c2a-b69d-44c5-b60a-b91d8320727fa7cee0e5-392b-47a2-816f-5eccf9e86fba.jpg" + }, + { + "id":"9bf62f50-e055-4f96-a383-004e66f6329b", + "name":"Network Science Institute Graduate Student Association", + "preview":"We are the Graduate Student Association for students in or affiliated with the Network Science Institute. ", + "description":"We are the Graduate Student Association for students in or affiliated with the Network Science Institute.", + "num_members":834, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Environmental Advocacy", + "HumanRights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/18d01ae2-4884-4639-a240-8f6848933348dc77fd03-9906-487c-96f4-cca828b2b0c0.jpg" + }, + { + "id":"bd6e535a-bd57-4943-a47e-1b42c74bb4c8", + "name":"NEU Chinese Language Table", + "preview":"NEU Chinese Language Table allows students studying or familiar with Mandarin to socialize through the language. Our events offer a casual learning environment and various activities to engage with Chinese culture.", + "description":"NEU Chinese Language Table is a place for students learning or familiar with Mandarin to socialize through the language. Our events offer a casual learning environment and various activities to engage with Chinese culture. Our weekly meetings alternate between conversational table meetings and basics meetings, through which beginners can learn from and practice Chinese with native and advanced speakers. Our Mentorship program connects beginner and intermediate Mandarin speakers with advanced or Native speakers. We organize outings and on-campus events to supplement our weekly meetings and encourage everyone to use Mandarin in real-world settings. Students studying formally in classes, heritage speakers, native/fluent speakers, those self-studying the language, and anyone interested in learning more about Mandarin and Chinese culture are all invited to attend!\r\nConnect with us to stay updated on upcoming meetings/events here: https://linktr.ee/neuclt", + "num_members":550, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Language Learning", + "Mentorship", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/487728c2-b53a-4fc5-afed-029c1a0df1adb17784ad-f8a0-43b2-b57b-c93575bd2baa.png" + }, + { + "id":"6686f477-c19d-43c0-9136-b3b9508de73c", + "name":"New Renaissance Theatre Company", + "preview":"New Renaissance Theatre Company is centered on producing plays with a focus on representation, especially for students of color. Our goal is to diversify the theatre community at Northeastern in a collaborative and friendly environment.", + "description":"New Renaissance Theatre Company is centered on producing plays with a focus on representation, especially for students of marginalized communities. Our goal is to diversify the theatre community at Northeastern in a collaborative and friendly environment. This club will help bridge different artists and their communities into theatre at Northeastern regardless of experience level. Everyone has a voice, and everyone's voice should be heard.", + "num_members":486, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Creative Writing", + "Community Outreach", + "Diversity", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0ea6a49b-08d9-4285-a241-6946cd9cf23cac63e33c-5844-4bf0-97b4-e2dcdf53c6e4.png" + }, + { + "id":"9b295b01-9ecb-45d6-b07c-4075b6f9c3a6", + "name":"No Jokes", + "preview":"No Jokes is an improv comedy troupe consisting of two groups. Our auditioned troupe performs on campus and in the Boston area. Our 2nd group is our Jams community. Jams are an open no commitment no pressure space to try out improv comedy. Come try it", + "description":"No Jokes is an improv troupe that serves as an outlet for people wanting to do comedic improv. Our group is twofold: an auditioned performance troupe that holds monthly shows on campus as well as other shows around the city and our Jams community. Jams are a no commitment weekly opportunity to try improv and learn the artform. Jams are held every Thursday from 8:00-9:30pm ", + "num_members":232, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Creative Writing", + "LGBTQ", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"4a155ccb-10a4-4aa2-acf2-62f45b72e8c7", + "name":"No Limits Dance Crew", + "preview":"NLDC is a diverse group made up of students who share a passion for dance. Our organization welcomes all levels and styles and we pride ourselves on our \"self-audition\" process. We hold a recital at the end of each semester showcasing our members' wo", + "description":"NLDC is a diverse group made up of students who share a passion for dance. Our organization welcomes all levels and styles and we pride ourselves on our \"self-audition\" process. We hold a recital at the end of each semester showcasing our members' work!", + "num_members":424, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Dance", + "Creative Writing", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c5ef440c-9678-456b-9b4a-458e55ae868932cffdb9-2b33-41d3-9145-d181bac416c5.jpg" + }, + { + "id":"d8bce5b1-2a3b-4744-be1a-fa9b2da85c0f", + "name":"Nor'easters A Cappella", + "preview":"Northeastern's premier co-ed a cappella group", + "description":"Northeastern's premier co-ed a cappella group", + "num_members":1007, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2acf0db4-948e-4f65-adce-35a69329cc56747460d4-4f00-4e82-8784-a96d09fd51da.jpg" + }, + { + "id":"1261277d-1096-4906-bb85-7114b5d81e83", + "name":"Noreste Ballet Company", + "preview":"Noreste Ballet Company (NBC) is Northeastern University's only ballet-focused organization for dancers of all levels and backgrounds. Our members participate in weekly classes and classic ballet performances such as The Nutcracker, Swan Lake, and mor", + "description":"Noreste Ballet Company’s motto is “A Classical Ballet Company Without Barriers.” Everyone at all experience levels is welcome to join NBC. We are a resource for anyone interested in Classical Ballet who wants a way to perfect their technique and perform. NBC makes Classical Ballet accessible to those who could not continue or have never begun.\r\nWe hold no-cut auditions for performances at the end of each semester. These performances are derived from Ballet pieces such as The Nutcracker, Swan Lake, Aurora, Giselle, and more. \r\nOur dancers perform en pointe and en flat depending on previous experience. ", + "num_members":962, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Ballet", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/231f8395-3c71-462f-b1b4-9d86b506e046f8bde1e0-64cd-464c-9218-ab1d1b857f28.png" + }, + { + "id":"38477463-4295-4b0f-83fb-d64186c37370", + "name":"Northeastern African Student Organization", + "preview":"For many years NASO (Northeastern University African Student Org) has served as a home away from home for African Students and students interested in Africa and African issues.", + "description":"For many years NASO (Northeastern University African Student Organization) has served as a home away from home for African Students and students interested in Africa and African issues. Through our many events, and weekly discussions we have created a haven where African students can talk about issues concerning them and learn from each other, and have fun. Africa is the second largest continent in the world consisting of over 44 countries, hundreds of languages and much more.\r\nNASO Meetings: Every Thursday at 6PM", + "num_members":726, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "African American", + "Community Outreach", + "HumanRights", + "Education", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b0f0bea6-53ba-4517-bfa0-8ac5f2713d84c2ac5b4a-1151-49f2-a368-1599b2cfc705.png" + }, + { + "id":"1020e791-02ce-48d8-bcee-bc4a5f49f64f", + "name":"Northeastern Association for Women in Math Student Chapter", + "preview":"The goal of NEU AWM is to empower women and other underrepresented gender identities by providing academic and professional resources while creating a communal environment with an awareness to the unique features of underrepresentation in STEM. ", + "description":"The formation of the chapter was speareheaded with the goal of creating awareness to the underrepresentation of women in STEM, and more specifically, in mathematics. The chapter’s mission coincides with AWM’s community mission statement, “We hope our AWM Student chapters will become communities with an awareness of and sensitivity to the unique features – both positive and negative – of promoting gender equity in the mathematical community. Our aim is in reducing barriers for historically under-represented gender identities and gender expressions. To this end, the AWM community strongly stands by its nondiscrimination statement to create a supportive environment for all.\" \r\nThe core of the NEU AWM Student Chapter’s work involves the development of events/workshops that aim to support chapter members in fulfilling their academic and professional goals. The chapter hopes to foster a communal environment within the math department that empowers women and other underrepresented gender identities in STEM to conduct research, experience co-op, study abroad, and more. Another portion of the Chapter’s duties is to offer resources to students via email and social media about potential opportunities in the mathematical sciences. Finally, the Chapter hopes to create spaces that allow students to network – whether on campus or through the AWM Student Chapter network – by facilitation of chapter gatherings.\r\n \r\n", + "num_members":45, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Mathematics", + "STEM", + "Women in STEM", + "Community Building", + "Professional Development", + "Gender Equity" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2ee3b8a5-3ac4-45be-8081-a33fe4feeb33be209f17-6837-4910-a6c3-8bb7c137ca09.jpg" + }, + { + "id":"2ce346ac-5025-4d61-b1cb-81ae9e066851", + "name":"Northeastern Bhangra Team", + "preview":"The Northeastern Bhangra Team is a dance team that performs the Indian cultural folk dance of bhangra, originating from the state of Punjab. We have performed at numerous on-campus events and also compete around the country, primarily in the Northea", + "description":"Northeastern Bhangra is a competitive dance team that performs the Indian cultural folk dance of Bhangra, originating from the state of Punjab. We have performed at numerous on-campus events and also compete around the country, primarily in the Northeast. Our members consist of students who are passionate about dance and cultural appreciation. We usually run tryouts in the beginning of the fall and spring semesters. Feel free to contact us through our email newenglandbhangraclub@gmail.com or our Instagram @newenglandbhangraclub for more information!\r\nVirtual Involvement Fair: https://youtu.be/TGevvpqhjkY ", + "num_members":638, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Cultural Appreciation", + "Dance", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a5453c1b-0f06-4177-ab7d-bbc92c9edc41965760ab-61a4-485f-8eeb-8a0275e27706.png" + }, + { + "id":"ce83597d-f0d0-48dc-aef3-e2e6f2c2dcc3", + "name":"Northeastern Black Student Association", + "preview":"Founded in 1976, The Northeastern Black Student Association serves as the umbrella organization for all Black Student Organizations on campus. We were originally founded in 1976 to be political organization dedicated to the advancement of Black stude", + "description":"Originally founded as a political organization in 1976, the Northeastern Black Student Association serves as the umbrella organization for Black students on campus, acting as a medium between Black students at large and officials of higher authority at Northeastern University. NBSA seeks to establish a dominant presence both on campus and in the surrounding community as an organization focused on the political, historical, and socio-cultural well being of our fellow Black students. ", + "num_members":713, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "African American", + "Community Outreach", + "HumanRights", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/cc6bebc4-52bd-4724-ba94-45d4b670d650fd9979a2-35f9-416c-8428-8eb1f28c52ac.png" + }, + { + "id":"3c98a2b6-6240-4f15-b49d-3106a1096834", + "name":"Northeastern Chapter of Kappa Kappa Psi", + "preview":"A band service fraternity that seeks to support the band programs of the university through service projects, musical leadership, and other means.", + "description":"A co-ed band service fraternity that seeks to support the band programs of the university through service, musical projects and leadership. Members from the Concert Band, Pep Band, Symphony Orchestra, and Wind Ensemble serve the whole of NU Bands in a national effort to provide support for our college and university bands while fostering lasting bonds of brotherhood. Our chapter sponsor is Assistant Director of Bands, Allison Betsold.", + "num_members":839, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c7332b6d-184a-45d5-b65a-47c565d003307b3bff40-98ba-453b-8010-f657246770be.png" + }, + { + "id":"32d76cec-54c0-4eef-8f09-ba01b379225e", + "name":"Northeastern Cheerleading", + "preview":"The Northeastern University cheerleading team is a talented group of student athletes brought together by their passion for cheerleading and the University. The team takes pride in representing Northeastern on and off campus. The Cheerleading team\u2019s ", + "description":"The Northeastern University cheerleading team is a talented group of student athletes brought together by their passion for cheerleading and the University. The team takes pride in representing Northeastern on and off campus. The cheer team is a competitive squad that travels to the NCA College Nationals in Daytona, Florida in April to compete Division 1. In the history of the team, NU has competed Large Coed, All-Girl, and Small Coed and even captured the title of Grand National Champions in 2002. Most recently, the team placed 8th in All-Girl Intermediate, and will be returning this year in hopes of placing in the top 5. Along with their passion for competing, the cheerleading team’s mission is to promote school spirit throughout the year at different events around campus. The cheerleaders perform at all men’s and women’s home basketball games and have a dynamic presence at a variety of campus events including new student welcome days, Convocation, Winter Fest, Beanpot, and championship games for other varsity teams. At the end of the basketball season, the team travels to cheer at the CAA Conference Championships and the NCAA tournament if applicable. During the 9 month season, the team practices at least twice a week and is expected to go to the gym independently as well to prepare for nationals. Tryouts for all students, new or returning, is typically held in September. A spring video tryout is required for incoming freshmen and those who cannot attend tryouts on campus in order to travel to NCA summer camp. Please reach out with any questions or contact us at NortheasternCheerleading@gmail.com.", + "num_members":469, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Sports", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8b8be660-0eb2-4514-b656-9b45a88c763554381d3b-39ce-4d29-a807-7f1df0e71324.jpg" + }, + { + "id":"e76bcfd4-f9fa-44be-afc4-faed89ccb022", + "name":"Northeastern Club Archery", + "preview":"A club sport that teaches members of all levels how to shoot and compete with recurve bows. Our practices are Wednesdays and Thursdays from 7pm to 11pm, and our range is Ace Archers in Foxborough, MA. Team vans are provided, and coaches are available", + "description":"A club sport that teaches members of all levels how to shoot and compete with recurve bows. Our practices are Wednesdays and Thursdays from 7 pm to 11 pm, and our range is Ace Archers in Foxborough, MA. Team vans are provided, and coaches are available to help with any and all questions. If interested, contact us through our email neuarchery@gmail.com or message us on Instagram @theofficialnortheasternarchery.\r\n \r\n ", + "num_members":194, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Volunteerism", + "Community Outreach", + "Outdoor Activities", + "Coaching", + "Team Sports" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b166a70e-fc93-47f8-9d5b-5b2447299faba2f4833e-fdee-4491-b6d6-501e66493ab9.jpg" + }, + { + "id":"4d792d24-3a98-4c9d-a4ff-866b441cf043", + "name":"Northeastern Club Badminton", + "preview":"We are the competitive badminton team here at Northeastern! We compete in collegiate tournaments at both a Regional and National level, and have qualified for D1 the past two consecutive years. We host intensive practices twice a week.", + "description":"Welcome to Northeastern Club Badminton! We are a dedicated and competitive team representing Northeastern University in collegiate tournaments at the Regional and National level. With the honor of qualifying for D1 in the past two consecutive years, our club has a strong track record of success. Join us for intensive practices held twice a week, where we focus on honing our skills and fostering a welcoming team environment. Whether you're a seasoned player or new to the sport, there's a place for you here to enjoy the thrill of badminton and form lasting friendships!", + "num_members":321, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Competitive Sports", + "College Athletics", + "Community Building", + "Teamwork" + ], + "logo":"https://se-images.campuslabs.com/clink/images/445fab3d-3d0b-479d-9f1b-09c4cd831e16943bdc41-55ed-422b-aa21-1ba9f159b6f8.jpg" + }, + { + "id":"01cdbfc4-c832-4302-9b8c-aba19ab21214", + "name":"Northeastern Club Cycling", + "preview":"The NU Cycling Club consists of riders of all abilities, from Beginner to Pro, and welcomes anyone with a love for cycling, whether it\u2019s Road, Mountain, Cyclocross, or Track. We have a comprehensive race team that competes all across New England.", + "description":"The Northeastern University Cycling Club consists of riders of all levels and abilities, from Beginner to Pro, and welcomes anyone with a love for cycling, whether it’s Road, Mountain, Cyclocross, or Track. We have a comprehensive race team that competes in the Eastern Collegiate Cycling Conference. We consistently have one of the most successful race teams in our conference, and we are always striving to improve on our results. Our racers have competent support from team experts and a close network of friends and affiliates. At the core of our team is a dedicated group of riders who love to be on their bikes no matter what the reason. Whether you’re looking to spin around the city, find some new trails, or race in the collegiate national championship, we have a place for you.", + "num_members":263, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Cycling", + "Road Racing", + "Mountain Biking", + "Cyclocross", + "Track Cycling", + "Competitive", + "Community", + "Outdoor Adventure" + ], + "logo":"https://se-images.campuslabs.com/clink/images/66750e8b-441c-475b-94d6-f62b8c863fec3bafa061-e41a-4ca0-a8fc-9747996e8ba7.jpg" + }, + { + "id":"2a0e20b4-c2e3-4788-809a-179c270a5e63", + "name":"Northeastern Club Field Hockey", + "preview":"Competitive Co-ed Club Field Hockey Team", + "description":"Competitive Co-ed Club Field Hockey Team\r\nThe past 17 years we have qualified for the national tournament. We are the current National Champions after winning the tournament in 2019 and 2021. Additionally, we made it to the finals in the national tournament in Fall 2017 and Spring 2019. The team consists of about 20 players.\u200bWe hold a tryout every Fall Semester, and our season runs from September to about the third week in November. We participate in a few Spring tournaments with the team that we have from the Fall. There is not a second try out, but there may be a few open practices. Please email us if this is something you might be interested in.Fall practices are 2-3 times a week, and we travel to games on Saturdays and Sundays almost every weekend. There may be a few games at night during the week, but most games are on the weekends. Some games are day trips but we also travel to Maryland and Virginia Beach.\u200bIt is a commitment, but completely worth it!", + "num_members":748, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Soccer", + "Team Sports", + "Competitive", + "Athletics", + "Travel", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"935edebe-8c5d-4fdf-bf40-511a56041763", + "name":"Northeastern Club Softball", + "preview":"Northeastern Club Softball is a fun and competitive team of dedicated players. We are a part of the New England South conference, along with UConn, UMass Amherst, Stonehill, URI, and Providence. Contact nusoftball10@gmail.com for more info!", + "description":"Established in 2010, Northeastern University Club Softball continues to grow and develop every season. In the past few years, we have been New England Regional Champions twice and competed in the NCSA in Columbus, Georgia three times. We are a member of the National Club Softball Association as part of the New England South conference, along with UConn, UMass Amherst, Stonehill, URI, and Providence. We practice two or three times a week with games on weekends in the fall and spring. Games are in triple or double-header format with both home and away games. We play official NCSA games within our conference as well as non-conference games against other clubs or community college teams. Practices are typically held on Carter field, inside Cabot Cage and at Extra Innings batting cage in Watertown. Home games are typically played on Carter field. Tryouts are held at the beginning of each semester. Please contact the e-board at nusoftball10@gmail.com to learn more about NU Club Softball!", + "num_members":552, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Softball", + "College Sports", + "Student Organization", + "Athletics", + "Competition", + "Community Engagement" + ], + "logo":"https://se-images.campuslabs.com/clink/images/477e8466-6761-4eac-97db-1fa3e77b47060e55d114-0660-42a6-abe6-ee2728b177d1.jpg" + }, + { + "id":"1ce4d577-20b6-4580-abaf-6c08df81df7b", + "name":"Northeastern Club Tennis", + "preview":"An organization united by our love for the wonderful sport of tennis. Our team is a great balance of competitive and just-for-fun players. Tryouts are twice a year, in the fall and in the spring. Contact us if you're interested or have questions!", + "description":"An organization united by our love for the wonderful sport of tennis. Our team is a great balance of competitive players, and players who just want to hit for fun. Tryouts are twice a year, once in the fall and once in the spring.\r\nContact us if you're interested or have any questions!", + "num_members":1011, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Tennis", + "Sports", + "Competitive", + "Fun", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"69d62aed-50f0-49bd-8a3c-f757554768ee", + "name":"Northeastern DIY Craft Club", + "preview":"The purpose of the Northeastern DIY Craft Club is to provide students with a creative, comfortable atmosphere to learn and create crafts that can be worn, useful, and decorative. We will cater to club members\u2019 artistic and creative interests by gath", + "description":"The purpose of the Northeastern DIY Craft Club is to provide students with a creative, comfortable atmosphere to learn and create crafts that can be worn, useful, and decorative. We will cater to club members’ artistic and creative interests by gathering their feedback and requests for future crafts. The Northeastern DIY Craft Club will reach out to the Northeastern community through holding campus events where students can view, purchase, and learn about our crafts.", + "num_members":925, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Community Outreach", + "Volunteerism", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/15ce2aa0-e757-4fee-8192-866a6c1257622d786a88-d18d-4613-8374-f60764f6ed8f.png" + }, + { + "id":"94dc11f3-d629-46f3-a040-68d9be2b7580", + "name":"Northeastern Entertainment System", + "preview":"Northeastern's game club! We meet weekly and play casual multiplayer games as well as whatever games or systems our members feel like bringing. Join our Discord here: https://discord.gg/vNEShfn", + "description":"Northeastern's game club! We meet weekly and play casual multiplayer games as well as whatever games or systems our members feel like bringing. We plan to be in person this semester if possible. Join our Discord here: https://discord.gg/vNEShfn", + "num_members":154, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Visual Arts", + "Music", + "Creative Writing", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"2b880a95-1bb0-4d14-9c66-5c612e8b28aa", + "name":"Northeastern Game Development Club", + "preview":"The Northeastern University Game Development Club offers students the chance to explore their passion for making games with fellow students and the community beyond! Events include lectures by students and professionals, tutorials, game jams, and mor", + "description":"The Northeastern Game Development Club offers students a space to express their passion for game development in a multitude of ways. We host weekly meetings in which we lecture students on a topic in game design and participate in short design focused activities. Our club also hosts at least 2 game jams a semester, which gives students a great opportunity to explore new roles, connect with like-minded peers, create potential portfolio pieces, and have fun along the way. We welcome all students, majors, and skill levels who are passionate about game development!\r\n \r\nIf you have any questions about our club feel free to email the club at NUGDC-officers@lists.ccs.neu.edu or our President Austin at szema.a@northeastern.edu! We also have other social media linked below, feel free to follow us and interact/dm any questions you might have.\r\nDiscord: https://discord.gg/TannubHvey\r\nInstagram: https://www.instagram.com/nugamedevclub/\r\nTwitter: https://twitter.com/neu_gdc", + "num_members":742, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Artificial Intelligence", + "Creative Writing", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/30bdd5f9-016e-4934-91cc-4bb1b6bee451200249a1-7522-4cb5-b4cf-990541a2290b.png" + }, + { + "id":"8b08f333-df3a-4ea0-96c5-41268f2c9621", + "name":"Northeastern Lady Maddogs", + "preview":"Northeastern University Women's Rugby Football Club is a Division I club sport team. New recruits are always welcome! Contact Milia Chamas at NortheasternWomensRugby@gmail.com for more information. No experience necessary!", + "description":"Northeastern University Women's Rugby Football Club is a Division I club sport team. New recruits are always welcome! Contact Milia Chamas at NortheasternWomensRugby@gmail.com for more information. No experience necessary!", + "num_members":551, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Rugby", + "Women's Sports", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2f5ab143-e070-45db-af6d-21019a9e63810c2c7158-60de-465d-bed9-89adcca526b9.png" + }, + { + "id":"6cf89031-f180-4cce-b1ec-7672758eebbc", + "name":"Northeastern Men's Club Ice Hockey", + "preview":"Northeastern Men's Club Hockey is a member of the ACHA D2 Northeast Region and the NECHA. The team has made appearances at the ACHA National Tournament in '18, '19, '20, and '22 with a Final Four finish and one trip to the National Championship game.", + "description":"Northeastern Men's Club Hockey is a member of the ACHA D2 Northeast Region and the NECHA Patriot East Division. With four trips to the ACHA D2 National Tournament in the last five years, Northeastern Men's Club Hockey has had the most national success of any team in the Northeast over the last few seasons. Northeastern Men's Club Hockey appeared in the Final Four in 2018 and the National Championship game in 2019. The team practices twice a week at Matthews Arena during the Fall and Spring semesters along with an off-ice team workout. The season begins in mid/late September and ends in late March. #HowlinHuskies ", + "num_members":365, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Ice Hockey", + "Athletics", + "LGBTQ", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f3dfde61-2f86-4233-b3ef-0528a782d74edbe2fcb3-eb9f-412e-868f-228e767aae75.jpg" + }, + { + "id":"a056bdea-8f6a-4ca4-9658-53a05478cae0", + "name":"Northeastern Men's Club Volleyball", + "preview":"Men's Club Volleyball is a member of the New England Collegiate Volleyball League (NECVL) and National Collegiate Volleyball Federation (NCVF). We participate in a variety of tournaments in the Fall, with our regional league being in the Spring.", + "description":"Welcome to the Northeastern Men's Club Volleyball! As a proud member of the New England Collegiate Volleyball League (NECVL) and National Collegiate Volleyball Federation (NCVF), we are dedicated to promoting teamwork, sportsmanship, and passion for the game. Our club thrives on the camaraderie and competitive spirit that comes with participating in a variety of tournaments in the Fall season. In the Spring, we focus on our regional league where we face off against other talented teams. Whether you're a seasoned player or new to the sport, our club offers a welcoming and supportive environment for all volleyball enthusiasts to improve their skills, make lasting friendships, and compete with heart. Join us and spike your way to success on and off the court!", + "num_members":759, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Soccer", + "Community Outreach", + "Competitive Sports", + "Teamwork" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"b211bb59-b22f-4ae9-9496-8d4d83b21d3b", + "name":"Northeastern Mens Lacrosse", + "preview":"Founded in 1983, the Northeastern Mens Lacrosse Team has a long history of tradition and success. As a member of the Continental Lacrosse Conference and the Men's Collegiate Lacrosse Association, we are dedicated towards the goal of winning Nationals", + "description":"Founded in 1983, the Northeastern Men's Lacrosse Team has a long history of success. We are a member of the Continental Lacrosse Conference and Men's Collegiate Lacrosse Association, or MCLA.\r\nOur team offers a very competitive lacrosse experience on a national scale without the overwhelming pressures and time commitment of a DI NCAA lacrosse program. Our student-athletes are expected to maintain a full dedication to the program and team commitments but are provided the latitude to focus on academics. Players are encouraged to take part in various activities beyond lacrosse and we are proud of the diversity of experiences our players graduate from the University having participated in.\r\nAll members of our organization are committed to winning a National Championship and we prepare, practice, and work towards that goal on a daily basis.", + "num_members":1008, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Lacrosse", + "Student-Athletes", + "National Championship", + "Diversity of Experiences" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"24a83830-b115-41bc-a939-3c8d297dcf53", + "name":"Northeastern Powerlifting", + "preview":"Powerlifting is a strength sport that consists of three lifts at maximal weight. Founded in 2007, Northeastern's Club Powerlifting provides a motivating, safe, and fun environment to learn how to perform these lifts with proper technique", + "description":"Powerlifting is a strength sport that consists of three lifts at maximal weight- squats, bench press, and deadlifts. Founded in 2007, NUPL has both men's and women's teams, and we strive to promote an environment where all of our teammates can grow stronger, create friendships, and compete against some of the best collegiate powerlifting teams in the country.\r\nWe train raw in the fall semester and train equipped in the spring semester. Tryouts occur once a year in the beginning of Fall semester, and membership is a commitment for the full school year.\r\nWe hold a competitive tryout and are looking for athletes that are eager to learn, coachable, ask good questions, and contribute positively to the team environment! You do not have to be the strongest in the room to make the team.", + "num_members":552, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Strength Training", + "Competitive Sports", + "Team Sports", + "Athletics", + "Community", + "Positive Environment" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e2f9ebb5-b199-4ee2-b02a-18861b8debc4cf3b2515-1719-490f-995f-17228bff8793.png" + }, + { + "id":"e57dec0d-cfc7-4dac-9df2-ce37dc49bd73", + "name":"Northeastern Recreational Climbing Club", + "preview":"The Northeastern Recreational Climbing Club (NRC) is an inclusive student organization dedicated to the growth of the climbing community on campus at the recreational level, open to all students regardless of grade, gender, skill level, or experience", + "description":"The Northeastern Recreational Climbing Club (NRC) is an inclusive student organization dedicated to the growth of the climbing community on campus at the recreational level. It is open to all students regardless of grade, gender, skill level, or experience. The club meets on Mondays and Wednesdays inside Ruggles at 6:20pm. We then take the T over to Rock Spot Climbing Gym by 6:30 (https://goo.gl/maps/G5Ns5DYtapo) to climb from 7-9pm. NRC also hosts meetings on campus once per month to discuss climbing, watch climbing movies, and plan outdoor climbing trips! NRC is dedicated to maintaining a great community of climbers at Northeastern. New to climbing or want to improve your technique? Want to get stronger through climbing-based workouts? Our training coordinator and e-board are committed to helping you improve your skills. Keep an eye out as we start workouts and training sessions for the year. NRC also provides many resources to the climbing community at Northeastern, including safety gear that all club members can borrow, discounts at local gyms, and discounts to select online retailers. If you’re interested in joining NRC, send us an email at nurecclimbing@gmail.com or join our Slack here: https://join.slack.com/t/nurecclimbing/shared_invite/zt-3rk41bsj-Vds9ItNlZbv_SFV~xVfE7w. You can also follow the club on Instagram @nurecclimbing for updates and community highlights. We look forward to climbing with you soon! Climb on.", + "num_members":402, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Climbing", + "Outdoor Recreation", + "Community Building", + "Fitness", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b9efe58b-4a6f-4214-8636-d768dd6a38f3128c9ca0-92b2-476d-93cb-ba47772445e6.png" + }, + { + "id":"cb4ceb15-18ba-41b6-9b1b-4e519b4bbf3c", + "name":"Northeastern Shakespeare Society", + "preview":"The Northeastern Shakespeare Society is a student-run, classical theatre group. Focusing on making Shakespeare accessible, we produce two productions a year free to the Northeastern community and general.", + "description":"The Northeastern Shakespeare Society is a student-run, classical theatre group. Focusing on making Shakespeare accessible, we produce two productions a year free to the Northeastern community and general public.", + "num_members":795, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Creative Writing", + "Community Outreach", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/09fbd188-50c9-445b-99ca-fa9d2b68a0389feb9161-67ea-4611-9f0e-3fea62d0f053.png" + }, + { + "id":"a95be5a5-5205-44f2-bb66-a839dd3cca80", + "name":"Northeastern Table Tennis Club", + "preview":"Founded in 2001, the Northeastern Table Tennis Club is a member of the National Collegiate Table Tennis Association. We compete in the Upper New England Division along with Dartmouth, Harvard, MIT, Boston College, UMass, and Stonehill College. Our Co", + "description":"Founded in 2001, the Northeastern Table Tennis Club is a member of the National Collegiate Table Tennis Association. We compete in the Upper New England Division along with Dartmouth, Harvard, MIT, Boston College, UMass, and Stonehill College.\r\nOur Coed A team is currently ranked #1 in the division and continues to improve its national standing every year. Each year, our club sends its Coed A, Coed B, and Women’s teams to compete in the fall and spring divisionals. Depending on standings, the teams/individual players are invited to compete in the Northeast Regional Championships and National Championships.\r\nTryouts to join these teams are usually held in the fall semester. We usually practice in the lobby of the Matthews Arena or at the Boston Table Tennis Center. While we are a competitive club, we welcome players of all levels to come play for fun. If you have any questions, please email us at northeasternttc@gmail.com, and don’t forget to follow us on Facebook for the latest announcements. Before you can participate in club activities, you must register for the club at: https://neu.dserec.com/online/clubsports_widget?fbclid=IwAR1HSljHWLbsv9LS6DWI5yrLR97WbwQHLgcbia43HuNP4VXzKC42jsvlGXs", + "num_members":214, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Sports", + "Competitive", + "Collegiate Athletics", + "Community", + "Social", + "Fun" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"d870af96-5fb2-4244-b204-87fd16da0f1d", + "name":"Northeastern Tabletop Roleplaying Society", + "preview":"We are Northeastern's tabletop roleplaying gaming group! Our goals are to bring together people who are passionate about tabletop gaming, and to provide opportunities to play them. We run a variety of games at our weekly meetings. Come join us!", + "description":"We are Northeastern's tabletop roleplaying gaming group! Our goals are to bring together people who are passionate about tabletop gaming, and to provide opportunities to play them. We do that by maintaining an active discord server where people can talk about the hobby, hosting one-shots at our weekly meetings, and connecting DMs to players.\r\n \r\nWe welcome newbies and veterans! We have many friendly, experienced players who would love to teach or discuss various systems.\r\n \r\n\r\nEverything happens on our Discord. We run weekly one-shot games exploring various TTRPG systems. You can check our Google calendar for details about our weekly meetings, or turn on Discord notifications for reminders. The Discord invite code is DhTjRUU. Link is https://discord.gg/9FQRkpGTjt\r\n", + "num_members":160, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Creative Writing", + "Performing Arts", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4e9794fa-8af9-4050-bf61-c75516d354e60074fc08-62c7-4c3a-9af3-d43353a9c71b.png" + }, + { + "id":"67ff6ca3-7d68-4272-b876-ad94b09c261a", + "name":"Northeastern Television", + "preview":"NUTV is Northeastern University's only student-run video production club. Made up of three departments (Entertainment, Sports, and News), we strive to entertain and inform the campus community. From writing to filming to acting to editing, we do it a", + "description":"NUTV is your source for campus news, sports, and entertainment programming! As Northeastern's only student-run film production club, NUTV is your opportunity to make whatever videos you want while making great friends! Whether you want to report stories for the News department, interview athletes for the Sports department, or make comedy sketches and drama short films with the Entertainment department, NUTV has the equipment and the know-how to help you create whatever you can imagine!\r\nhttps://www.youtube.com/watch?v=Xpj1Lw8IIo0\r\nSound fun? Sign up for our mailing list here, or feel free to come to any of our weekly meetings: News: Tuesday at 6pm EDT Cargill 097| Entertainment: Tuesdays at 7pm EDT 097 Cargill Hall| Sports: Mondays at 7:00pm EDT 243 Richards Hall. No experience necessary!\r\n \r\nLearn more about us on our website here! Check out our YouTube Channel to see all our videos here! ", + "num_members":418, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Broadcasting", + "Film", + "Journalism", + "Entertainment", + "Student-Run" + ], + "logo":"https://se-images.campuslabs.com/clink/images/989499fd-1bcc-4318-9efa-6945c9b4f955272af960-d07e-48f9-8838-ede701c6206c.png" + }, + { + "id":"282d7ded-4b21-4972-8a7e-f008771749bf", + "name":"Northeastern University Alpine Ski Team", + "preview":"The Northeastern Huskies alpine ski racing team is a United States Collegiate Ski and Snowboard Association (USCSA) alpine skiing program that represents the Northeastern University. The Huskies are a member of the Thompson Division in the East Confe", + "description":"The Northeastern Huskies alpine ski racing team is a United States Collegiate Ski and Snowboard Association (USCSA) alpine skiing program that represents the Northeastern University. The Huskies are a member of the Thompson Division in the East Conference.", + "num_members":732, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Skiing", + "Education", + "Sports", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"4c3c734b-5a60-450b-8297-1cf680a2230c", + "name":"Northeastern University American Medical Student Association", + "preview":"NU AMSA offers students from all backgrounds a chance to join a community of pre-medical focused individuals like themselves. We provide helpful seminars and activities, invite speakers, mentorship, and collaborate with other student-run organization", + "description":"\r\nNEU AMSA is the premier pre-medical student association at Northeastern and a chapter of the National AMSA organization, the largest and oldest independent association of physicians-in-training in the United States. We host informative meetings for all pre-med students at Northeastern, from 1st years unsure of how to navigate being at pre-med at Northeastern to 5th years needing personalized advice for their pre-med path. We also offer the AMSA Mentor program, where underclassmen pre-meds are paired with an upperclassman pre-med mentor who can offer insight into how to succeed as a pre-med at Northeastern.\r\n \r\n\r\n\r\nIf you are a pre-med student at Northeastern, we highly encourage you to join! We look forward to working with you all to make this a great year!\r\n", + "num_members":992, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "Volunteerism", + "Community Outreach", + "Mentorship" + ], + "logo":"https://se-images.campuslabs.com/clink/images/91f92d34-088a-458f-b641-eafb9caa552c853b9285-e19d-4851-b044-18e362221966.png" + }, + { + "id":"42fe2ae7-e7e2-4b1b-a77c-747345d93280", + "name":"Northeastern University American Medical Women's Association", + "preview":"The American Medical Women's Association is an organization which functions at the local, national, and international level to advance women in medicine and improve women's health. We achieve this by providing and developing leadership, advocacy, edu", + "description":"The American Medical Women's Association is an organization which functions at the local, national, and international level to advance women in medicine and improve women's health. We achieve this by providing and developing leadership, advocacy, education, expertise, mentoring, and strategic alliances.", + "num_members":151, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "Women in Medicine", + "Leadership", + "Advocacy", + "Mentoring" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d00ca470-9526-420d-b854-f58de4bb8ecbfc5d387d-3988-4b37-846d-f13b16110e8e.jpeg" + }, + { + "id":"e6f03d07-7bc3-4bad-adde-c7b586df8678", + "name":"Northeastern University Animation Club", + "preview":"An organization sponsored by the Chair of the Northeastern Animation/ Digital Arts department, this club is both for students enrolled in the major and also any students interested in learning more about animation. Our goal is to facilitate interest.", + "description":"An organization sponsored by the Chair of the Northeastern Animation/ Digital Arts department, this club is both for students enrolled in the major and also any students interested in learning more about animation. Our goal is to facilitate interest in and host activities for students interested in Digital Art and Animation of all kinds including traditional, 2D and 3D, narrative, abstract, and visual effects related. It is an education and industry-geared organization, whose goal is to provide relevant lectures and technical skill-building exercises to the Northeastern University student body in the field of animation.", + "num_members":1, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Performing Arts", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6c384ef3-cf4c-44f5-a221-a9673a008ba7957c4649-27cc-4581-bb7e-64890c474d34.png" + }, + { + "id":"404733fb-9f55-42f3-9b1d-8103dd91b939", + "name":"Northeastern University Association of Gaming Enthusiasts", + "preview":"Join Northeastern's board game club for casual events every Friday and Saturday at 7pm in 201 Forsyth! We have plenty of games for all levels of experience and interest. Make new friends, learn new games, and find your new favorite hobby.", + "description":"Northeastern University Association of Gaming Enthusiasts (NUAGE) is Northeastern's official tabletop gaming club. Come and enjoy our collection of 200+ board games! We hold Casual Game Night and other events every Friday and Saturday night starting at 7PM in 201 Forsyth. We've got tons of board games for everyone to enjoy, so don't hesitate to come out to meet some new people and learn some new games. Never heard of any of our games? No problem! We at NUAGE love teaching games almost as much as we love playing them!Join our community Discord to keep in touch with the club!https://discord.gg/GFWxYDS\r\nOr hear about our upcoming events from our Instagram! (@gamingnu)\r\nhttps://www.instagram.com/gamingnu/", + "num_members":243, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Board Games", + "Community Outreach", + "Volunteerism", + "Social Events" + ], + "logo":"https://se-images.campuslabs.com/clink/images/93d87041-9e83-40b2-8d54-15f240816c6c1827b6a2-15d0-497d-9249-c38e681131db.png" + }, + { + "id":"4f53d476-1e2a-416d-8510-670571018cff", + "name":"Northeastern University Association of Public Policy Students", + "preview":"NAPPS is a graduate student group founded by students in the School of Public Policy and Urban Affairs. NAPPS aims to provide a forum for students to come together, exchange ideas, and collaborate on professional development and myriad projects in a ", + "description":"NAPPS is a graduate student group founded by students in the School of Public Policy and Urban Affairs. NAPPS aims to provide a forum for students to come together, exchange ideas, and collaborate on professional development and myriad projects in a range of policy fields. One of NAPPS’ strengths is its interdisciplinary nature, promoting shared interests and ambitions. NAPPS is heavily involved with career and networking development and helps students apply the skills acquired at Northeastern University to reach their goals.", + "num_members":920, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "PublicRelations", + "Community Outreach", + "Public Policy", + "Networking", + "Career Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"6f849356-bfe1-4d20-84ae-c6111dd63779", + "name":"Northeastern University Chapter of the New England Water Environment Association", + "preview":"NEWEA is an organization dedicated to connecting students and professionals involved in the water environment profession. ", + "description":"NEWEA is an organization dedicated to connecting students and professionals involved in the water and environment professions. Join us every other Thursday at 6:30pm for an enriching lecture on local projects and technologies!", + "num_members":359, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Engineering", + "Volunteerism", + "Community Outreach", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5d4adbc2-2835-4d18-b3ed-3a39a9ab9d321abf61fe-0d6b-43e3-96e1-e65b0f12944a.jpg" + }, + { + "id":"c6169646-3ffb-4fd0-a286-67bd2d172b50", + "name":"Northeastern University Chess Club", + "preview":"The Chess Club at Northeastern University serves as an avenue for all students to learn the ancient game of chess. We hold regularly scheduled meetings for the purpose of playing chess both formally and informally, on competitive and friendly levels.", + "description":"Our meetings are held weekly on Wednesday in Curry 344 (7:00PM - 9:00 PM EST). Communications take place on our discord channel so please join this channel if interested in joining the chess club: https://discord.gg/sR3DRrQBP9\r\nThe Chess Club at Northeastern University serves as an avenue for all students to learn the ancient game of chess. We hold regularly scheduled meetings for the purpose of playing chess both formally and informally, on competitive and friendly levels. We also hold workshops introducing chess at the most basic levels to anyone interested. Don't get checkmated on the way to play! ", + "num_members":914, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Chess", + "Educational", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7936698b-b82f-4103-b09c-5338f57ba3d806faff7e-d2bf-48bd-ba4e-03884af5efd4.png" + }, + { + "id":"f786f371-e042-442c-90be-3d41c4f47c82", + "name":"Northeastern University Choral Society", + "preview":"The NU Choral Society welcomes all Northeastern students, faculty, and staff who love to sing! Check out our website (nuchorus.org) for information about our choirs, auditions, performances, and more.", + "description":"The NU Choral Society welcomes all Northeastern students, faculty, and staff who love to sing! Check out our website (nuchorus.org) for information about our choirs, auditions, performances, and more.", + "num_members":382, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music" + ], + "logo":"https://se-images.campuslabs.com/clink/images/754a5533-1f3a-40d3-9f17-c7cfbfab548d65df69e0-75b4-498e-a4b9-4e334eb0f6e0.png" + }, + { + "id":"50db56c6-10ef-422a-af9a-073274c31bb1", + "name":"Northeastern University Club Fencing Team ", + "preview":"The Northeastern University Club Fencing Team (NUCF) is a competitive club sports team and an active member of the New England Intercollegiate Fencing Conference. Although most of us are experienced fencers, we welcome new fencers to join practices.", + "description":"The Northeastern University Club Fencing Team (NUCF) is a competitive club sports team and an active member of the New England Intercollegiate Fencing Conference, the United States Association of Collegiate Fencing Clubs, and the Northeast Fencing Conference.", + "num_members":744, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Fencing", + "College Sports", + "Competitive Sports", + "Northeast Region", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"8e4d69ca-fce4-4a7c-b30f-7064a25dd996", + "name":"Northeastern University Club Gymnastics Team", + "preview":"NU Club Gymnastics is a club sports team at Northeastern. We are a member of NAIGC and compete against other universities in the area and at Nationals in April. Our practices are held at Winthrop Gymnastics Academy in Winthrop, MA under head coach P", + "description":"NU Club Gymnastics is a club sports team at Northeastern. We are a member of NAIGC and compete against other universities in the area and at Nationals in April. Our practices are held at Winthrop Gymnastics Academy in Winthrop, MA under head coach Peter Gobiel. NU Club Gymnastics consists of dedicated and passionate gymnasts who truly love the sport and are ready to show off all their hard work this year!\r\n \r\nIf you are interested in learning more about the team, reach out to our email, nuclubgymnastics@gmail.com, and look for us at Fall Fest!", + "num_members":692, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Creative Writing", + "Community Outreach", + "Volunteerism", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/edb8a340-129f-4d94-8eb3-a545406d4aa09931dad1-6d2c-4893-acc6-30a2834cc773.JPG" + }, + { + "id":"872dda0c-f540-42c4-b66c-3aaa53f1d78c", + "name":"Northeastern University Club Roller Hockey", + "preview":"Club Roller Hockey offers students the opportunity to continue their competitive hockey careers. We competes against schools from across the country as part of the NCRHA & ECRHA. Practices are twice a week on campus and travel to NY, NJ and PA for ga", + "description":"Welcome to Northeastern University Club Roller Hockey! Our club offers students the exciting opportunity to continue their competitive hockey careers while representing our university with pride. As a member, you'll have the chance to compete against schools from across the country as part of the NCRHA & ECRHA leagues. Join us for twice-weekly practices on campus where we hone our skills and team spirit. Get ready to travel to vibrant locations like New York, New Jersey, and Pennsylvania for exhilarating games, making memories and friendships that will last a lifetime. Whether you're a seasoned player or new to the sport, our club is the perfect place to embrace the thrill of roller hockey and be a part of a tight-knit community of passionate athletes!", + "num_members":280, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Soccer", + "Lacrosse", + "Travel", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"4264194e-8da6-445a-b1f7-9a73f96da438", + "name":"Northeastern University Club Running", + "preview":"NU Club Running welcomes runners of many levels and experience, whether you want to compete or just have a place to run with others. As a member of NIRCA and USATF, we compete in cross country & track invitationals against fellow collegiate teams.", + "description":"** We don't currently manage our roster through this page. If you want more info, feel free to reach out to us at nuclubrunning@gmail.com. You can also fill out our interest form to be on the list to receive info about our info session at the start of the spring semester: https://forms.gle/Z7SgXN5PZ9TEQXt69\r\n....\r\nThe NU Club Running team welcomes runners of many levels and experience. As a member of NIRCA (National Intercollegiate Running Club Association) and USATF (USA Track & Field), we compete in cross country and track invitationals against fellow college athletes across the Northeast. We also participate in local, community-sponsored road races. Generally, the races we compete in the fall span from 5K all the way up to 8K and 10K. In the spring, we compete in intercollegiate track meets in numerous sprinting, mid/long-distance, and relay events. If you are a former cross-country and/or track athlete and are looking to experience the sense of team unity, the club team is right for you. It is an excellent opportunity to stay in shape, compete and test your progress, and meet a friendly group of people!\r\nhttps://clubrunning.sites.northeastern.edu/\r\n \r\n ", + "num_members":335, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Running", + "Athletics", + "Fitness", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f42fd9c5-ed92-446d-93ac-b85d69021b45791bb8fd-4322-4fbd-b099-1f41736d5147.PNG" + }, + { + "id":"d9abe091-ffec-488e-941f-3197f3057631", + "name":"Northeastern University Club Spikeball", + "preview":"Club Spikeball is a student run organization founded in 2017 that is interested in promoting the sport of Roundnet. The club provides a place for students of all levels of experience to improve their skills and compete on a collegiate level.", + "description":"Welcome to Northeastern University Club Spikeball! Founded in 2017, Club Spikeball is a passionate student-led organization dedicated to spreading the love for Roundnet. Whether you're a seasoned pro or a complete beginner, our club offers a supportive community where you can hone your skills and enjoy friendly competition at a collegiate level. Join us for fun, camaraderie, and the thrill of Spikeball!", + "num_members":584, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Sports", + "Collegiate", + "Community Outreach", + "Competitive", + "Teamwork" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c1f3e609-df3e-4af9-89ab-f350b91d386f7af087fd-cb8b-4062-b942-a5456f48e83a.jpg" + }, + { + "id":"fa707311-6b33-4b57-b342-6d477861ab36", + "name":"Northeastern University Club Taekwondo", + "preview":"Northeastern Club Taekwondo practices under the organization World Taekwondo, focusing primarily on Sparring and Poomsae elements of the martial art. We foster community among our experienced and inexperienced athletes alike. We are a family. ", + "description":"We are a LEGION, we are a FAMILY, we are Northeastern University Taekwondo.\r\nAs our motto states, the NEU Club Taekwondo team is proud to support and strengthen our members in and out of competition. We strive to provide opportunities for our members to grow as athletes, students, and friends. NU TKD is currently the Division I champion of the Eastern Collegiate Taekwondo Conference, and we hope to continue to achieve and expand our family.", + "num_members":887, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Athletics", + "Martial Arts", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a67b062c-efc7-4fd0-a991-7e82b5a5bf00de805979-8956-4d0a-b9cd-95f1580e05a5.jpg" + }, + { + "id":"411deefc-5487-422c-a60f-99d0ff120fd8", + "name":"Northeastern University Club Weightlifting Team", + "preview":"Olympic Weightlifting is a sport which tests strength, power and technique. Athletes lift barbells loaded with weights through two movements: (a) the snatch and (b) the clean and jerk. NUWL is a Club Sport which competes at a national level.", + "description":"Olympic Weightlifting is a sport where athletes lift barbells loaded with weights. Weightlifting tests the strength, power and technique of athletes. There are two competitive movements - the snatch and the clean and jerk. Founded in 2021, NUWL has a men's and women's team which compete at a national level. We create a very welcoming and friendly environment. NUWL’s mission is to create an environment to teach weightlifting to anyone who is willing to dedicate themselves to the sport and competition.", + "num_members":549, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Physical Education", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/cb24a023-637b-4d5e-add4-f69d35051e23e2f3825f-3602-4ca5-9a90-2317fa6373ef.jpg" + }, + { + "id":"24ca5e47-b8b8-4db3-b39b-8a215abc7531", + "name":"Northeastern University College Democrats", + "preview":"The Northeastern University College Democrats promotes civic engagement through\u00a0discussing our favorite political issues, promoting progressive policy, and working to elect choice Democrats on local, state, and national levels.\u00a0", + "description":"The Northeastern University College Democrats promotes civic engagement through discussing our favorite political issues, promoting progressive policy, and working to elect choice Democrats on local, state, and national levels. \r\nWe stand for healthcare access, a just transition to a zero-carbon economy, high-quality public education, and equity on all levels. \r\nJoin us in our fight to pass meaningful, life-changing policies on the federal, state, local, and campus levels this spring! \r\n ", + "num_members":506, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Political Science", + "Environmental Advocacy", + "Community Outreach", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8bf8b4f2-6c7c-48b5-a162-43725f27f779fae0a599-ba8d-43d8-95bd-10b36ef3c8f8.png" + }, + { + "id":"cb6ffd2a-1b48-4f35-b3ae-2e8d9f29f55e", + "name":"Northeastern University College Republicans", + "preview":"The Best Party On Campus at Northeastern University! We are a place where you can openly discuss politics from a conservative perspective.", + "description":"\"The Best Party On Campus\" The Northeastern University College Republicans meets every week to discuss the latest news, stories, and political issues from a conservative perspective, while having a few laughs along the way! Outside of weekly meetings, we also participate in other political events, including debates, watch parties, hosting speakers, campaigning, voter registration drives, and community service activities. In the past, we have hosted a trip to the Conservative Political Action Conference in Washington DC. \r\nIf you want to openly discuss free market ideas and conservative values, join the Northeastern University College Republicans!", + "num_members":407, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Conservative Values", + "Political Events", + "Debates", + "Community Service Activities", + "Voter Registration", + "Conservative Political Action Conference", + "Free Market Ideas" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9acdbdad-ab64-44ae-83f7-57738b11982d6b93ecbd-5be4-490b-bbaa-efeadf400621.png" + }, + { + "id":"0d071b67-acf6-49aa-aeba-303ce5ca4de4", + "name":"Northeastern University Community Liaisons for Education Using STEM", + "preview":"We are a group of graduate students from a broad range of disciplines who share a passion for science communication and educational engagement. Our goal is to bring enriching educational experiences to K-12 students in the Boston area.\r\n", + "description":"NUCLEUS connects Northeastern’s STEM graduate students with K-12 students in the Boston area, bringing unique topics to the classroom through accessible presentations. Our program aims to create a platform for graduate students to share their research and discuss their personal journeys in STEM with the overarching goal of promoting diversity in STEM fields. Our Thesis Pieces presentations are bite-sized versions of graduate student thesis projects targeted towards junior and senior high school students. Journeys in STEM presentations highlight our personal paths to where we are today, including challenges and triumphs we've faced along the way. We hope to bring these two sides of the research experience to K-12 students to provide accessible, supportive resources and encourage pursuit of STEM careers.", + "num_members":375, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "STEM", + "Education", + "Diversity", + "Research", + "Thesis", + "Journeys", + "High School", + "Presentations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2435b8ec-0f76-4576-899c-20c32859ff198af63895-9be8-446a-be1a-b88079ac5d18.jpg" + }, + { + "id":"aa417e77-93b1-4f3c-b2c4-1c29a6827fbd", + "name":"Northeastern University Cricket Club", + "preview":"Northeastern University Cricket Club is the fastest rising cricket club in New England! At NUCC we strive to promote, encourage, foster and develop interest in the game of cricket at Northeastern University.", + "description":"We are Northeastern University Cricket Club - the fastest rising cricket club in New England! At NUCC we strive to promote, encourage, foster and develop interest in the game of cricket at Northeastern University. Members of our club span from undergraduate to graduate students. Proud member of National College Cricket Association (NCCA).", + "num_members":556, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Soccer", + "Community Outreach", + "Volunteerism", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b874323c-77c7-47b6-aaaa-cc78dde943b26b16c0af-4db7-4dc6-99f7-ad404d3d3263.JPG" + }, + { + "id":"eae60a11-fa61-4935-b53c-4b4093e07b05", + "name":"Northeastern University Cultural and Language Learning Society", + "preview":"NUCALLS is a student-run organization that provides student-ambassador language sessions to the Northeastern community. Our sessions are community-oriented, relaxed, and fun! Additionally, we host cultural events and activities throughout the semeste", + "description":"NUCALLS is a student-run organization that provides student-ambassador language sessions to the Northeastern community. If you're looking to pick up a new language this semester, this is the club for you! Our sessions are community-oriented, relaxed, and fun! Additionally, we host cultural events and activities throughout the semester. Check out our instagram @nucalls and our LinkTree to learn more.", + "num_members":864, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Language Learning", + "Cultural Events", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6639b154-50af-476b-9c21-d2bda2fd7c2c808da623-47c6-41f9-85fc-ab40cfff0bc1.png" + }, + { + "id":"05d4c98c-604a-4c30-bf28-e22e97e40604", + "name":"Northeastern University Dance Company", + "preview":"Founded in 2002, the Northeastern University Dance Company (NUDANCO) provides an artistic outlet and performance opportunities for NU students with a passion and commitment to dance. ", + "description":"Founded in 2002, the Northeastern University Dance Company (NUDANCO) provides an artistic outlet and performance opportunities for NU students with a passion and commitment to dance. Our biannual showcases feature talented dancers and choreographers, who collaborate for months to produce artistic works that will entertain the NU community, dance enthusiasts, and our supportive fans. Company members contribute choreography in the genres of modern, jazz, ballet, lyrical, tap, Irish step, and other interpretive and classical dance styles.\r\n \r\n \r\n ", + "num_members":907, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Creative Writing", + "Music", + "Community Outreach", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/130bb03d-a6f9-4e7c-a554-ce759188252d569ca96e-5954-4583-a550-2203c1202185.jpg" + }, + { + "id":"be8c21f8-58e8-4f9a-87de-d8435cf98946", + "name":"Northeastern University Dance Team", + "preview":"The Northeastern University Dance Team was founded in 2003 by a group of Northeastern students passionate about dance and interested in supporting their school at a higher level. Since then, we have grown to be a spirit team staple in the athletic de", + "description":"The Northeastern University Dance Team was founded in 2003 by a group of Northeastern students passionate about dance and interested in supporting their school at a higher level. Since then, we have grown to be a spirit team staple in the athletic department. Our styles typically include hip-hop, jazz, and pom, with a strong underpinning of technique in all routines. The mission of the team is to provide an avenue of performance for experienced dancers at various sporting events, as well as regional and nationally recognized competitions. We are dedicated to representing Northeastern University Athletics in a positive and energetic manner. Typically, performances consist of Men and Women's home basketball games, as well as their respective CAA tournaments in the spring. We have also made appearances at Boston Celtics games and city-wide events. In the spring, we compete in either the Northeast Regional UDA Competition at Westfield, Massachusetts or the NDA Collegiate National Championship at Daytona Beach, Florida. NUDT is an official club sport, however, we practice, compete, and operate similarly to a collegiate varsity team. We practice 3 days a week, and work hard toward our prospective goals. We are a team of 15-20 dancers from all majors, class years, and dance backgrounds. As members, we are committed to dance and the mission of the team.", + "num_members":444, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Community Outreach", + "LGBTQ", + "Sports", + "Competition", + "Dance", + "Athletics" + ], + "logo":"https://se-images.campuslabs.com/clink/images/51274950-9387-4c2b-8e92-3999285b54e55a73628a-52f2-4fae-81b9-5da0608f896b.JPG" + }, + { + "id":"5429819e-1ad0-484d-be80-55a1c67b8b0f", + "name":"Northeastern University Economics Society", + "preview":"The Economics Society is an academically based organization closely incorporated with the Department of Economics which serves to discuss relevant economic issues, both in the world and in the department, and develop our members professionally.", + "description":"The Economics Society is an academically based organization closely incorporated with the Department of Economics which serves to discuss relevant economic issues, both in the world and in the department, and shall focus on promoting both social and professional economic information and networking for economics majors and any student interested in the field of economics. This will be achieved through various speakers, diffusion of information pertaining to employment and further education, and any other means which benefit the members of the society.\r\n \r\nAnyone who submits a membership request online will be added to the NUES email list to receive meeting newsletters and annoucements.", + "num_members":226, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Economics", + "Networking", + "Employment", + "Social Issues" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5032122b-862b-48c0-8524-b8582657cdbbe9c1db8d-aab0-43e0-a5b7-067581a83e72.png" + }, + { + "id":"47589147-8b8d-413a-8c80-05c29538596a", + "name":"Northeastern University Emergency Medical Services", + "preview":"NUEMS is a campus-based Emergency Medical Service organization that exists to contribute to the safety of Northeastern University as well as to provide a supportive community for students full of leadership, experiential, and educational opportunitie", + "description":"NUEMS is a campus-based Emergency Medical Service organization that exists to contribute to the safety of Northeastern University as well as to provide a supportive community for students full of leadership, experiential, and educational opportunities. TO JOIN: Please visit www.nuems.org and fill out the membership application after requesting to join on Engage. You will not be accepted into Engage without an application. TO RECEIVE EMAILS: https://nuems.us9.list-manage.com/subscribe?u=3059fc86231fd5308b02c975e&id=cef475bb61 The group is currently discussing ways to expand our current clinical opportunities with the Northeastern University Police Department and University Health and Counseling Services (UHCS) to provide emergency services in cooperation with NUPD Officers at University Sanctioned events, similar to MIT EMS, Boston University EMS, Boston College Eagle EMS, and many other universities throughout the country. NUEMS has potential to provide an outstanding standard of care and quality medical services to the Northeastern University Community.", + "num_members":485, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Premed", + "Volunteerism", + "Community Outreach", + "Neuroscience" + ], + "logo":"https://se-images.campuslabs.com/clink/images/abd43762-4367-4c9f-aa11-63048fa131490000acfd-d2d0-45ea-80d5-4b2c16b5cfa3.jpg" + }, + { + "id":"8f849066-08c3-4045-993a-8231b043e1b8", + "name":"Northeastern University Energy Systems Society", + "preview":"The mission of ESS is to bridge the gap between industry and academia, as well as development and sustainability. Associated with the Energy Systems Graduate Program, the group aims to align with the interdisciplinary pillars of sustainability: Engin", + "description":"The mission of ESS is to bridge the gap between industry and academia and encourage dialogue on sustainable development. Associated with the Energy Systems Graduate Program, the group aims to align with the interdisciplinary pillars of sustainability: Engineering, Business, and Policy. This is done by organizing seminars, educational visits to R&D, commercial and industrial facilities, workshops, the annual Energy Conference, and other activities that allow students an opportunity to extend their knowledge and out-of-classroom experience. These activities allow members to remain connected with one another, gain knowledge of the latest energy and sustainability trends and promote continued education within the energy community.\r\n ", + "num_members":150, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Environmental Science", + "Environmental Advocacy", + "Engineering", + "Sustainability", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9d4d3ea3-41e5-4350-9940-92a493c73ca85ecb5922-54bf-4bdd-b9e0-7003f79aa3ea.PNG" + }, + { + "id":"8aa4a6c2-727f-44a9-84bc-de3182595d26", + "name":"Northeastern University Equestrian Team", + "preview":"The Northeastern University Equestrian Team (NUEQ) is a competitive club sport competing in Zone 1, Region 2 of the Intercollegiate Horse Show Association (IHSA). The team competes in Hunt Seat Equitation classes on the flat and over fences.", + "description":"The Northeastern University Equestrian Team (NUEQ) is a competitive club sport competing in Zone 1, Region 2 of the Intercollegiate Horse Show Association (IHSA). The club competes in Hunt Seat Equitation classes on the flat and over fences coached by Kate Roncarati at Cranberry Acres Farm in Marshfield, Massachusetts. NUEQ is open to undergraduate students of all years, experience levels, and academic backgrounds – the club encourages all riders to try out. If you are a current or prospective Northeastern University student who is interested in joining the team, please browse our website and do not hesitate to contact us at nueqteam@gmail.com.", + "num_members":222, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Equestrian", + "Competitive Club Sport", + "Undergraduate Students", + "Hunt Seat Equitation", + "Coached", + "Club Team", + "Marshfield Massachusetts", + "Intercollegiate Horse Show Association" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4681bdb1-9028-447f-843f-4e0a0a010feb86fc9511-1ac8-4c0e-a245-9e2af822d400.png" + }, + { + "id":"981e6de9-69dd-4d7d-9930-fe42ab94452b", + "name":"Northeastern University Figure Skating Club", + "preview":"We are the Northeastern Figure Skating Team, and we are comprised of skaters of many levels who love to skate, improve their skills, meet new friends, and compete on behalf of Northeastern at intercollegiate competitions!", + "description":"Welcome to our Engage page! Our team is comprised of primarily individual skaters and solo dancers who come from a wide variety of skating backgrounds. Some of our skaters have been competitive for many years and others are just returning to the ice after having skated when they were younger. NUFSC brings together a diverse group of students through their shared love of skating. With the help and support of two wonderful coaches, the NUFSC team has given our members a way to grow as skaters while also managing their academic responsibilities. In addition to competing at the US Figure Skating Northeast Intercollegiate competitions with the goal of qualifying for the Intercollegiate National Final and performing for peers at our annual Holiday Show, we enjoy spending time together on the ice and off; team bonding and volunteering are very important to us. For even more information, you can check out our FAQs on our website. You can also browse pictures from past seasons on this page or on our website, and feel free to reach out via email, our website 'Contact Us,' or Instagram DM. If you are interested in joining, reach out anytime! We hold application processes at the beginning of the fall and spring semesters.", + "num_members":273, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Community Outreach", + "Volunteerism", + "Figure Skating", + "Northeastern University", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/66fc047c-7637-4d36-82e7-5613785ea31d9bc65fde-472c-428b-96a1-7dd67dc6bf5a.jpg" + }, + { + "id":"e318d5ad-ab52-4fdf-9db8-a9243daa00d2", + "name":"Northeastern University Graduate Asian Baptist Student Koinonia", + "preview":"Christian fellowship group for Graduate Asian Baptist students.", + "description":"Christian fellowship group for Graduate Asian Baptist students.", + "num_members":212, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Christianity", + "Asian American", + "Graduate", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"69c1781c-a658-427d-9263-af7a1a47f53a", + "name":"Northeastern University Graduate Structural Engineering Association", + "preview":"The Northeastern University Graduate Structural Engineering Association (NGSEA) is founded to provide many opportunities for the enrichment of all graduate structural engineering students in addition to any students who are interested in topics relat", + "description":"The Northeastern University Graduate Structural Engineering Association (NGSEA) is founded to provide many opportunities for the enrichment of all graduate structural engineering students in addition to any students who are interested in topics related to structural engineering. Students will find the chance of learning about current structural engineering projects and research from invited speakers. They will also have the opportunity to present their own research in addition to more general structural engineering topics of interest. This groups aims to provide a unique opportunity for the exchange of ideas among students and faculty. The opportunities for interaction both within and outside the university allow for the students to be further prepared for professional life. This group will be in contact with professional organizations such as such as American Society of Civil Engineers, Structural Engineers Association of Massachusetts, and Boston Society of Civil Engineers Section.", + "num_members":887, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Engineering", + "Professional Development", + "Community Outreach", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"c1f0ee48-2534-4a92-8977-ea32ae339af3", + "name":"Northeastern University Graduate Women Coders", + "preview":"NU Grad Women Coders aims to create a conducive environment for women in tech to help each other further their ambitions and take on leadership roles in the tech world. We host weekly tech sessions presented by members of the community or inspiring ", + "description":"NU Grad Women Coders aims to create a conducive environment for women in tech to help each other further their ambitions and take on leadership roles in the tech world. We host weekly tech sessions presented by members of the community or inspiring external guests. One of our primary motives is to encourage members to step outside the curricular boundaries and take up projects with social impact. We also encourage participation in Hackathons and tech meet ups happening around town. The group is open to all women in tech and supporters of women in tech.", + "num_members":172, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Data Science", + "Artificial Intelligence", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2afb936b-a3ab-40d3-94c3-226cc9edd2b72ea7454a-5dc3-4a2e-b572-7a004454fdbe.png" + }, + { + "id":"2aa72069-82ab-4e57-9d5c-140b5197e116", + "name":"Northeastern University History Association", + "preview":"The Northeastern University History Association is an organization dedicated to enriching the study of history through trips to local historic sites, museums, and more. We are open to ALL majors, just looking for those with an interest in history.", + "description":"The Northeastern University History Association (NUHA) is the main student organization of our History Department, though we are open to ALL majors and many of our members come from other departments! We meet every week to listen to play fun history-themed games, watch student and faculty presentations, and more! We also go on monthly trips to historical sites in the Boston area, including Gloucester, Salem, and Plymouth (and they're the best!) If you're interested in joining or just learning more, click sign-up right here on Engage and join our distribution list here: https://lp.constantcontactpages.com/su/3yooixL/join.", + "num_members":241, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "History", + "Community Outreach", + "Student Organization", + "Boston", + "Monthly Trips", + "Student Presentations", + "Fun Games" + ], + "logo":"https://se-images.campuslabs.com/clink/images/07ebd7a7-f337-4975-a476-2939996f31bb1d4fe6ac-8786-400a-8437-65765b9e3db0.png" + }, + { + "id":"92f2a841-93bf-47ff-b05d-88e642d8dabf", + "name":"Northeastern University Huskiers and Outing Club", + "preview":"We are the outdoors club for Northeastern University. Please visit our website (nuhoc.com) and join our slack (https://bit.ly/nuhocslack) to learn more about the club.\r\n\r\nLet's get outside!", + "description":"We are the Outdoors Club for Northeastern University. Please visit our website and join our Slack to learn more about our club!", + "num_members":861, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Hiking", + "Climbing", + "Environmental Science", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ae196291-c9e8-4ac9-94ed-3d952755b89f5e8d1409-d990-4221-9245-0e7e03eb9612.png" + }, + { + "id":"4dedadc0-919a-4fd9-9f70-95c9a2261a19", + "name":"Northeastern University Italian Club", + "preview":"NUIC's goal is to create a solid, collaborative and worldwide network between past, present and future Northeastern Alumni.", + "description":"NUIC's goal is to create a supportive, united and worldwide network between past, present and future Northeastern students interested in the Italian lifestyle. Our community aims to involve people from all backgrounds, from International and domestic students who would like to bridge their experiences to Italian culture, to Italy's natives who necessitate a home away from home.\r\n \r\nIn our meetings, we often brainstorm ideas for future activities while eating snacks from Eataly (it's tradition). Our club's structure has adapted to the current Covid situation, however, we hope that, in the coming semester, our members can resume the in-person events we love so much, including discovering Boston's best Italian restaurants, participating in the infamous Pasta Night, and organizing fun and informative discussions with other clubs, guest speakers, and faculty to foster effective communication between Northeastern's diverse community and ensure that everyone, whether Italian or not, receives the warm and welcoming NUIC experience.", + "num_members":492, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Cultural", + "International", + "Food", + "Networking", + "Event Planning" + ], + "logo":"https://se-images.campuslabs.com/clink/images/31f4d496-5462-47c0-b958-25b615a1abcc11fee677-6d9d-43dd-af43-85bbdee52fa6.jpeg" + }, + { + "id":"ee12a943-f121-485f-93d1-faf498d61b51", + "name":"Northeastern University Knits", + "preview":"NU Knits has two main goals. First, to provide a place where people can learn to knit and where people who already knit can gather and learn more about the craft. Second, to give back to our community by providing knitted items (hats, baby items, etc", + "description":"NU Knits has two main goals. First, to provide a place where people can learn to knit and where people who already knit can gather and learn more about the craft. Second, to give back to our community by providing knitted objects (such as hats, baby booties, and scarves) to various charities around Boston. If you have any questions about our club or would like to be added to our mailing list, please send an email to nuknits@gmail.com!\r\nWe meet on Thursdays from 8:00-9:00pm in Curry room #346!", + "num_members":408, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Visual Arts", + "Community Outreach", + "Volunteerism", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c7e2b8cf-03ca-47cc-82f9-15011720fb70376a10da-e17d-44b0-b0eb-8b0aef624285.jpg" + }, + { + "id":"a95ada2e-c6b8-444b-bdf1-7dfca6e1889a", + "name":"Northeastern University League of Legends", + "preview":"The Northeastern University League of Legends (NEU LoL) is a group dedicated to students who play League of Legends (LoL), the most played video game in the world. With over 12 million players everyday, we strive to expand the connections between Nor", + "description":"The Northeastern University League of Legends (NEU LoL) is a group dedicated to students who play League of Legends (LoL) and Team Fight Tacticts, the most played video game in the world. With over 12 million players everyday, we strive to expand the connections between Northeastern students in order to create a tight-knit community of players and an opportunity for fellow players to socialize at our meetings and events. We hold events weekly which range from casual to competitive and every skill level is welcome!", + "num_members":745, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Gaming", + "Community Outreach", + "Socializing", + "Events" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"20129767-25a2-4925-915a-605d71836ab8", + "name":"Northeastern University Maddog Rugby", + "preview":"Our aim is to build our team to become the division\u2019s premier rugby club.No experience is necessary; all of us learned the game from scratch at some point, so we are very understanding of brand new players.Our coaching staff and team is committed to ", + "description":"Our aim is to build our team to become the division’s premier rugby club. No experience is necessary; all of us learned the game from scratch at some point, so we are very understanding of brand new players. Our coaching staff and team is committed to teaching the basic skills necessary for learning the game, and will introduce new players to live action in a safe and appropriate manner.", + "num_members":475, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Outdoor", + "Sports", + "Coaching", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fb21e695-8e6c-41d5-939a-96dec1f37df17e2ef8cb-14ac-4c55-a907-8412286e1d8e.png" + }, + { + "id":"fd2bc0f8-74f7-44ec-afa0-899c3f9eaa5f", + "name":"Northeastern University Madrigal Singers", + "preview":"The NU Madrigal Singers are a group of student musicians who rehearse and perform a capella choral music. Check us out on Facebook (NU Madrigal Singers), and Instagram (@numadrigalsingers) for more info!", + "description":"The NU Madrigal Singers are a group of student musicians who rehearse and perform a cappella choral music. Founded in 2014 by Music Director Elijah Botkin, the group performs music from a variety of time periods and composers, including Eric Whitacre, Jake Runestad, Thomas LaVoy, and more. In rehearsing challenging music, NUMadS hopes to foster an environment that supports both musical excellence and lifelong friendship. Check us out on Facebook (NU Madrigal Singers) and Instagram (@numadrigalsingers), for information about auditions, performances, and more!", + "num_members":148, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach", + "Friendship" + ], + "logo":"https://se-images.campuslabs.com/clink/images/52f6990d-55ed-412a-af52-3e26059e9d75ddbb39d6-6f93-4cf0-a86e-4c55904eacc7.png" + }, + { + "id":"c4ac2bd1-bb9a-48fb-b1db-0c98b6318558", + "name":"Northeastern University Marine Biology Club", + "preview":"The Marine Biology Club strives to foster and engage students with interests in marine biology, environmental science, ecology, evolution, and behavior by providing educational, recreational, and professional opportunities in correlation with the MSC", + "description":"The Northeastern University Marine Biology Club strives to foster and engage students with interests relating to the Marine and Environmental Science Department by providing educational, recreational, and professional opportunities in conjunction with the Marine Science Center.\r\nWe have meetings every other Thursday from 7-8pm EST. You can find our socials and info on our linktree at linktr.ee/numarinebio.", + "num_members":478, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Environmental Science", + "Marine Biology", + "Biology", + "Environmental Advocacy", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b757b392-4509-459c-8794-0893016f6c68dab7ec6e-08f8-41ee-b719-837fe1b854fb.jpg" + }, + { + "id":"488bda3d-5d30-45ef-ac6d-2f822605a291", + "name":"Northeastern University Marketing Association", + "preview":"NUMA is Northeastern\u2019s premier marketing club. We foster a community of driven students (of various majors and backgrounds) to explore and grow in the field of marketing.", + "description":"Welcome!\r\nNUMA is Northeastern’s premier marketing club. We foster a community of driven students (of various majors and backgrounds) to explore and grow in the field of marketing. \r\nWe provide students with opportunities to connect with employers, learn from industry experts, explore the world of marketing, and grow professionally. \r\nNote: Any student in any majors and years are welcome to join! (Ie. You don't need to be a marketing major to join).\r\nHow to get information about our events: We always post events on our social media accounts (please see the links under the social media header).\r\nPlease reach out to us at contactnuma@gmail.com if you have any questions! ", + "num_members":312, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Marketing", + "Community", + "Professional Development", + "Networking", + "Students", + "Employers", + "Industry Experts", + "Social Media" + ], + "logo":"https://se-images.campuslabs.com/clink/images/713a857c-6a99-4cd7-b657-dabfcab8f20d3fda200d-6c60-455f-a65e-62ac455616ec.jpg" + }, + { + "id":"f4587aa3-cbe4-4403-b9d4-b6b7fa0e4eb0", + "name":"Northeastern University Men's Club Soccer", + "preview":"Northeastern University Men\u2019s Club Soccer is a student-led, year-round soccer program that offers undergraduate and graduate students the opportunity to compete at a collegiate level.", + "description":"Northeastern University Men’s Club Soccer is a student-led, year-round soccer program that offers undergraduate and graduate students the opportunity to compete nationally. While team members study a wide range of subjects, all express the same desire and commitment to continue playing soccer competitively at the collegiate level.", + "num_members":286, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Soccer", + "Community Outreach", + "Volunteerism", + "Broadcasting" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"13863b42-e9f1-4a66-8d89-75254f760b96", + "name":"Northeastern University Men's Club Water Polo", + "preview":"We are a team that encourages new and experienced water polo players to join and learn how to play or improve on their skills. We compete in regular tournaments throughout New England and hold regular practices.", + "description":"We are a team that encourages new and experienced water polo players to join and learn how to play or improve on their skills. We compete in regular tournaments throughout New England and hold regular practices.", + "num_members":71, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Soccer", + "Volunteerism", + "Community Outreach", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"38d3539f-adb8-458a-a2e0-dae865f5b3fa", + "name":"Northeastern University Mock Trial", + "preview":"Northeastern Mock Trial is a competition-based club that participates year round in simulated trials. We have three teams that develop legal cases and compete and present against different schools. Our club is open to all majors!", + "description":"At the beginning of the school year, teams get a case involving a legal issue and have the whole year to develop arguments and compete against other schools. Members perform as both attorneys and witnesses and go through all the steps of a real trial: opening and closing arguments, witness examinations, and objections.\r\nTrials are a chance to gain hands-on legal experience while gaining skills in public speaking, acting, and debate.", + "num_members":673, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Prelaw", + "Performing Arts", + "Debate", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c6ca2f57-0fae-4688-bca2-f8efc8a3ac3d92b03eb6-e881-4a08-a016-17311451a25d.jpg" + }, + { + "id":"7fa94633-254d-4ed8-a99e-2d11830f9ff6", + "name":"Northeastern University Pharmacy Alliance", + "preview":"The mission of the Northeastern Pharmacy Alliance is to encourage all student pharmacists to become more knowledgable about the pharmacy profession and provide professional and social opportunities for advancement of student leadership.", + "description":"NUPSA is affiliated with the Northeastern University School of Pharmacy, the American Society of Health-System Pharmacists (APhA-ASP), the national American Pharmacist’s Association - Academy of Pharmacists (ASHP), and the National Community Oncology Dispensing Association (NCODA).", + "num_members":658, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Premed", + "Biology", + "Chemistry", + "Pharmacy", + "Healthcare", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/75f946f1-483e-4e89-a815-3957d30608e150956be1-a897-4891-9413-417da7f10bfa.png" + }, + { + "id":"18b7e592-dea5-49b4-973a-1cdd1d8f0bc2", + "name":"Northeastern University Photography Club", + "preview":"NUPiC offers students an opportunity to explore the art of photography via tutorials, workshops, and outings among other photographers. All undergraduates are welcome to take photos with us and no experience is required! ", + "description":"NUPiC offers students an opportunity to explore the art of photography for both novices and experienced hobbyists. From tutorial sessions, demonstrations, and guest speakers on the technicalities of photography, in addition to group outings and creative projects, the student-led club aims to promote a culture of collaboration and to cultivate a space for students to harness and develop their creativity. No prior knowledge or experience in photography is required.\r\nAll important and current links can be found in our linktree below!\r\nhttps://linktr.ee/nupicofficial ", + "num_members":376, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Visual Arts", + "Creative Writing", + "Community Outreach", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/574b9bf2-b299-439c-84b6-a22e4cc39e2cd061c4f5-8e70-4653-aafb-6cb53ac82d7d.jpg" + }, + { + "id":"e49c55b3-fcaf-47c5-9e6a-09a40bb393f2", + "name":"Northeastern University Planeswalkers", + "preview":"NUMTG is the premier space for the Magic: The Gathering at Northeastern. We provide a space to play all MTG formats, including EDH, Modern, Cube, Draft, Pauper, and more. We welcome new players and will assist anyone in learning how to play! ", + "description":"NUMTG is the premier space for the Magic: The Gathering at Northeastern. We provide a space to play all MTG formats, including EDH, Modern, Cube, Draft, Pauper, and more. We welcome new players and will assist anyone in learning how to play!\r\nIf you are looking to find people to organize trips to Pandemonium Books & Games (Boston's premier MTG game store) or to set up games outside of club meeting times, we also facilitate that as well. The club also boasts a proxied vintage power cube.\r\nFor more info about meeting times, drafts, other events, and MTG discussion, be sure to join the Discord server below! All meetings are announced in the Discord. \r\nDiscord Link: https://discord.gg/c2uXHCK \r\nWe have weekly meetings on Tuesdays and Thursdays at 6:15pm where you can attend as much or as little as you wish! Check the Discord server for weekly meeting locations. \r\n ", + "num_members":441, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Gaming", + "Community Outreach", + "Club", + "Discord", + "Social", + "Trips" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b2552424-c4cc-4a6e-bcfe-ea9aaaba693d1fb04f17-bdfe-48a8-855c-51c4b28ce17b.png" + }, + { + "id":"3fe7b957-6aa5-4a3c-bc15-0c1f46b35431", + "name":"Northeastern University Political Review", + "preview":"The Northeastern University Political Review seeks to be a non-affiliated platform for students to publish essays and articles of the highest possible caliber on contemporary domestic and international politics, and is a weekly-meeting club. Email us", + "description":"The Northeastern University Political Review seeks to be a non-affiliated platform for students to publish essays and articles of the highest possible caliber on contemporary domestic and international politics, as well as critical reviews of political books, film, and events. The Political Review aspires to foster a culture of intelligent political discourse among interested individuals while promoting awareness of political issues in the campus community. The organization envisions itself as a place where students with a common interest in politics and world affairs may come together to discuss and develop their views and refine their opinions. The Political Review hopes to reflect the diversity of thought and spirit at Northeastern, including the dual ethic of academic and experiential education our school embodies.\r\nIf you would like to sign up for our email list, please do so here.\r\nIf you would like to view our Interest Meeting and learn more about our club, you can do so here!", + "num_members":303, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Journalism", + "Political", + "Academic", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/73c6eba1-b072-4394-a205-8f6747bebab4b63763c2-0d82-495c-a0ef-384218b3befd.png" + }, + { + "id":"4af7f482-82df-4b24-85a1-7a2182832bbb", + "name":"Northeastern University Pre-Dental Association", + "preview":"Welcome to the NEU Pre-Dental Association!The Pre-Dental Association is a student organization at Northeastern University comprised of students aspiring to pursue a career in the dental profession. We meet monthly to discuss the application process,", + "description":"Welcome to the NEU Pre-Dental Association! The Pre-Dental Association is a student organization at Northeastern University comprised of students aspiring to pursue a career in the dental profession. We meet once a month to discuss the application process, examine strategies for facing the Dental Admissions Test and engage in activities that broaden our understanding of dentistry. Reach out to us here or at neupredental@gmail.com!\r\n ", + "num_members":482, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "Biology", + "Neuroscience", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"3130135e-a1e6-4ad5-b051-eb4fd1502504", + "name":"Northeastern University Pre-Veterinary Club", + "preview":"Northeastern University Pre-Veterinary Club is a group for students who are considering applying to veterinary school, and students with an interest in any field of veterinary medicine. Please email us at NUASPVC@gmail.com if you have any questions.", + "description":"Northeastern University Pre-Veterinary Club (NUPVC) is a group for students who are considering applying to veterinary school, and students with an interest in any field of veterinary medicine. Please email us at NUASPVC@gmail.com if you have any questions!", + "num_members":21, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Biology", + "Environmental Science", + "Animal Science", + "pre-veterinary", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/479398cb-7f6d-4c0e-9d6f-874478280dacd750d456-e7ae-431f-acd9-25591dbf16d9.png" + }, + { + "id":"d3a568cc-682e-4c56-afe2-8f098cda3bc2", + "name":"Northeastern University Project Management Student Organization", + "preview":"Northeastern University Project Management Student Organization is a student-run organization founded in 2017 to advance the discipline of project management and provide students with an unmatched opportunity to gain real-life experience in the field", + "description":"Northeastern University Project Management (NUPM) Organization is a student-run organization founded in 2018 to advance the discipline of project management and provide students with an unmatched opportunity to gain real-life insights & professional experience.\r\nNUPM is the largest College of Professional Studies club, with 800+ members, including alums.\r\n\u2714\ufe0fNUPM aims to cultivate a vibrant community and propel the professional development of our diverse, multinational student body by actively championing our peers' academic and career advancement.\r\n\u2714\ufe0fNUPM encourages and facilitates sharing knowledge and personal experiences, fostering a collaborative and transformative environment. We inspire and invigorate our community members by hosting dynamic, impactful programming and events.\r\n\u2714\ufe0fNUPM provides robust peer support and mentorship opportunities that empower individuals to excel professionally. Through these proactive measures, we fortify our community and propel the remarkable professional growth of our diverse student body.", + "num_members":67, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Professional Development", + "Peer Support", + "Event Hosting" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c614f587-9b6b-4b79-8fb4-ff27c21bce66f19f6271-ed16-495b-b75e-ca867206c24c.jpg" + }, + { + "id":"e3b459a0-52a3-4a51-880c-657d2b0f8ceb", + "name":"Northeastern University Real Estate Club", + "preview":"The Northeastern University Real Estate Club (NURE) is a community of students, professionals, faculty, and alumni who have a shared interest in Real Estate and want to learn about different aspects of the industry as well as ways to enter the field.", + "description":"\r\n\r\nThe Northeastern University Real Estate Club (NURE) is a community of Northeastern students, faculty, alumni, and professionals who are engaged in real estate, including but not limited to brokerage, development, investments, policy, and more (data science, law, etc.). The club regularly hosts educational events (such as a speaker series and panels), development site tours, and professional networking opportunities with industry employer professionals and students from other universities within Boston who share a passion for the Real Estate Field. Since 2010, NURE has created interactive extracurricular programs sponsored by top corporate partners, where community members can create and share professional experiences. We will continue to advocate for and host top-tier real estate programs regarding subject-matter interest demonstrated by NURE members, faculty and student alumnus. The topics NURE covers reflect the all-inclusive nature of the field and the wide-ranging disciplines of our members. \r\n\r\n", + "num_members":963, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Real Estate", + "Community", + "Networking", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8486ddbd-3f6b-4bff-9058-80d051419a79119160d4-23e6-4bff-a3b4-84baf30cb9b6.jpeg" + }, + { + "id":"9fb109f0-b81f-44ef-9947-0c2e5210359a", + "name":"Northeastern University Researchers of Neuroscience", + "preview":"Northeastern University Researchers of Neuroscience (NEURONS) is a student group for those interested in neuroscience, be it as a career or a hobby. We have speakers, panels, and group discussions about co-op, career, research, and academics.", + "description":"Northeastern University Researchers of Neuroscience (NEURONS) is a student group for anyone interested in neuroscience. Members from all different majors are encouraged to join!\r\nJoin the 2023-24 email list\r\nWe meet every other Thursday from 7-8pm in IV 019\r\nOur meetings from last year (2022-2023):\r\n1. Speaker Riley Catenacci, a neuroscience PhD student at Johns Hopkins University and a Northeastern & NEURONS alumna, spoke to us about her path to research and grad school\r\n2. a PhD panel (access the recording here) consisting of:\r\n\r\n\r\nKieran McVeigh (he/him): 3rd-year Psych PhD Candidate from Dr. Ajay Satpute's lab, looking at brain states of emotions using fMRI and physiological data. Lab site\r\nJulia Mitchell (she/her): Final-year Psych PhD Candidate from Dr. Becca Shansky's lab, looking at DREADDs manipulation of neural circuits. Lab site \r\nWilliam Li (he/him): MS4 MD-PhD Candidate from Dr. Ziv Williams' lab, using DREADDs to identify neural circuits controlling social behavior, including compassion and competition, in mice. Lab site\r\n\r\n3. a Halloween-themed social event for those in our mentorship program, the Neuron Network!\r\n4. Northeastern professor Dr. Jon Matthis, who studies the neural control of movement in natural environments, gave a demo of his open-source, free motion capture software FreeMoCap. Here is a recording of the meeting; here is a short video of the software in action; and here is a folder of the data collected during the demo.\r\n5. An eboard panel for members to ask the eboard about classes, professors, co-op, study abroad, etc.\r\n6. A destress event with neuroanatomy coloring pages, cookies & milk, and tunes!\r\n7. Speaker Dr. Tim Morris, a computational neuroscientist, professor in Bouve, and researcher at the Center for Cognitive & Brain Health. Recording here.\r\n8. A Valentine's Day-themed collab with the Psychedelic Club about \"Love, Drugs, and the Brain.\"\r\n9. A \"Journey into Research\" panel in which eboard members and club members shared their experiences & advice getting volunteer research assistant positions in labs and applying for the PEAK research award.\r\n10. Brain Awareness Week! This year's theme: The Art of Neuroimaging. On Monday, 3/14, we had guest speaker Dr. Craig Ferris, professor of psychology and pharmaceutical sciences at NEU and head of the Center for Translational Neuroimaging. On Wednesday, 3/16, we had guest speaker Dr. Bruce Rosen, MD, PhD, Director of the Athinoula A. Martinos Center for Biomedical Imaging at MGH, who oversaw development of functional magnetic resonance imaging (fMRI). Recording here. That night, we also had a neuroimaging-themed scavenger hunt based on information presented in the incredible (and accessible/prior knowledge not necessary) book Portraits of the Mind by Carl Schoonover. Highly recommend!\r\n11. Medical Career Panel (recording here):\r\n\r\nFae Kayarian, 2nd year medical student at Rush University in Chicago and NEURONS alumna\r\nDr. Walid Yassin, D.M.Sc, a staff scientist in the Department of Psychiatry at Beth Israel Deaconess Medical Center, Research Associate at McLean Hospital, and Instructor at Harvard Medical School\r\nDr. Justin Jordan, MD, MPH, Clinical Director of the MGHH Pappas Center for Neuro-Oncology and the Director of the Family Center for Neurofibromatosis at Massachusetts General Hospital.\r\n\r\n \r\n\r\nJoin our Slack (a direct messaging/group chat app) with your Northeastern email to get reminders about meetings, interact directly with other club members, and enjoy prime neuroscience memes.\r\nWe meet every other Thursday at 7pm in International Village room 019. If you would like us to set up a zoom to accommodate your needs, please reach out.\r\nIf you have any questions, email us at northeasternneurons@gmail.com or message one of the eboard members or post in the #general channel on Slack, or whichever channel best fits your question. Also feel free to let us know your recommendations for the club!", + "num_members":314, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Neuroscience", + "Psychology", + "Volunteerism", + "Community Outreach", + "Biology", + "PublicRelations", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7f4d33a5-282d-437f-bde4-ae5ffb8fdb07013453b0-6926-4d6a-a3c6-4fb0cfdf6d80.png" + }, + { + "id":"2a53af50-b324-4597-923d-b11240404514", + "name":"Northeastern University School of Law", + "preview":"Northeastern University School of Law", + "description":"Welcome to the Northeastern University School of Law Club! Our club serves as a hub for students passionate about law, legal advocacy, and social justice. Through a mix of engaging events, workshops, and networking opportunities, we aim to enhance students' understanding of the legal field and provide a supportive community to grow and thrive in. Whether you're a seasoned law enthusiast or just starting your journey in the world of jurisprudence, join us to connect with like-minded individuals, gain valuable insights, and contribute to shaping a more just society through law.", + "num_members":556, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Prelaw", + "HumanRights", + "Community Outreach", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"7d519861-e3f0-48fd-921d-f3b0edc9ae0e", + "name":"Northeastern University Songwriting Club", + "preview":"The Northeastern University Songwriting Club is a group for songwriters and musicians of all styles and experience levels to share their music and meet peers to collaborate with! We aim for a very casual atmosphere, so anyone is welcome to join any t", + "description":"The Northeastern University Songwriting Club is a group for songwriters and musicians of all styles and experience levels to share their music and meet peers to collaborate with! It doesn't matter if you've never written a song in your life or you write every day. We welcome all who are interested, even if you just want to hang out and listen. Our goal is to make each other better musicians. We try to host open mics, jam sessions, and other performance opportunities throughout the year, and provide our club members with ways to get involved in music both on and off-campus. NUSC is a family, and all are welcome to join!", + "num_members":349, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Music", + "Performing Arts", + "Creative Writing", + "Community Outreach", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d95072c4-a9ca-47d5-a7b6-2f912a577754a7b4e260-6f9e-4bbd-8da8-d29b3ec7e50e.jpg" + }, + { + "id":"7ae450fe-5e08-4130-bccf-3c7c2d076708", + "name":"Northeastern University Speech Language and Hearing Association", + "preview":"The Northeastern University Student Speech-Language-Hearing Association is a chapter of the National Student Speech-Language-Hearing Association (NSSLHA) which is recognized by American Speech-Language-Hearing Association (ASHA). This is an organizat", + "description":"The Northeastern University Student Speech-Language-Hearing Association is a chapter of the National Student Speech-Language-Hearing Association (NSSLHA) which is recognized by American Speech-Language-Hearing Association (ASHA). This is an organization for graduate students studying both Speech-Language Pathology and Audiology.", + "num_members":455, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Psychology", + "Volunteerism", + "Community Outreach", + "Neuroscience" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"b2351d4c-88e6-480c-8e12-faa3ac741445", + "name":"Northeastern University Student Nurses Association", + "preview":"An organization and resource for all nursing students at Northeastern.\r\n\r\n", + "description":"We aim to provide opportunities for student nurses to become more involved with the Northeastern community, the medical community in Boston, and nursing students all over the country. Our mission is to transition nursing students into the professional role of nursing through mentoring programs, contributing to nursing education, and promoting participation in healthcare focused causes as well as interdisciplinary activities.\r\nWe love to have fun by doing activities related to our nursing interests and getting to know each other! NUSNA welcomes undergrad/BSN students, ABSN students, and grad students -- we plan to encourage participation from nursing students at all campuses through additional online events. \r\nPlease email us at nustudentnurses@gmail.com for more info or request membership on Engage and we ill add you to our email list :) Follow us on instagram @nustudentnurses for updates!", + "num_members":878, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "Healthcare", + "Nursing", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9f11cd09-69f0-47bf-bcf9-cd197c3eba36ee1ed6f3-5983-44a9-aa8c-d309d0cf0bc6.jpg" + }, + { + "id":"40a8d47b-6e87-4ed7-b694-468e00a14881", + "name":"Northeastern University Supply Chain Management Club", + "preview":"Established with the mission to foster learning, networking, and professional development, NUSCM brings together students who share a common interest in supply chain management.", + "description":"Established with the mission to foster learning, networking, and professional development, NUSCM brings together students who share a common interest in supply chain management. \r\n \r\nSign up for our mailing list to stay up to date on our latest events!", + "num_members":689, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Networking", + "Professional Development", + "Management", + "Leadership" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0514ad52-a7d5-4452-8aa5-c60868274f952cae4698-a709-4577-9424-dc1abc2253b9.png" + }, + { + "id":"9acf1d2c-8b7e-435d-880d-8f8c2ca1d4ed", + "name":"Northeastern University Sustainable Building Organization", + "preview":"NUSBO seeks to engage and connect members interested in the field of sustainable building. Through meetings, events, and the SBSY Speaker Series, NUSBO fosters multi-disciplinary relationships between students on campus and professionals in the indus", + "description":"NUSBO (Northeastern University Sustainable Building Organization) seeks to engage and connect members interested in the fields of sustainable building design, building science, building energy performance and simulation, sustainable architecture, and building life-cycle assessment, among other similar topics. Through meetings, on-campus and off-campus events, and the SBSY Speaker Series, NUSBO fosters multi-disciplinary relationships between students on campus and professionals in the industry. NUSBO is open to graduate and undergraduate students from any field.\r\nPlease check out our website to learn more about our organization and what we have to offer you this year. ", + "num_members":226, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Sustainable Building Design", + "Building Energy Performance", + "Sustainable Architecture", + "Building Life-Cycle Assessment", + "Community Outreach", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4063c7e5-d1c7-4910-8820-ceac0796c257012185b2-d442-4dc0-9e1a-09c418808e7b.png" + }, + { + "id":"547e5453-f5e1-47c5-895e-d11bd2c40761", + "name":"Northeastern University Swim Club", + "preview":"NUSC is a Northeastern University club sport that competes on both regional and national levels while providing members with fun and rewarding experiences.", + "description":"NUSC is a Northeastern University club sport that competes on both regional and national levels while providing members with fun and rewarding experiences.\r\nIn 2023, we competed at the College Club Swimming Nationals Meet at The Ohio State University. We competed against over 50 teams from around the U.S. and our Women's team placed 11th, and we placed 19th overall.", + "num_members":843, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Soccer", + "Lacrosse", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d5ca7b02-7684-4b34-a8c5-af52a7a0ec19de5caf59-ef43-47b9-a0a9-5615187908e2.jpg" + }, + { + "id":"1a170165-5aff-4017-adc9-2c215e6de1d4", + "name":"Northeastern University Symphony Orchestra", + "preview":"The Northeastern University Orchestra is a full symphonicensemble open to students, staff, and faculty from allbackgrounds and majors. It performs music from thebaroque to the present day. Its past repertoire includes full symphonies, film scores, r", + "description":"The Northeastern University Orchestra is a full symphonic ensemble open to students, staff, and faculty from all backgrounds and majors. It performs music from the baroque to the present day. Its past repertoire includes full symphonies, film scores, romantic and contemporary music, and premieres of new works. Concerts are at the end of the fall and spring semesters. NUSO is open to all currently enrolled students, staff, and faculty. Rehearsals are Wednesdays from 6:15 to 8:45pm at the Fenway Center. Auditions are held for seating only, though cuts may be made at the discretion of the conductor. Auditions begin BEFORE and after the first rehearsal of the fall and spring semesters, with additional times announced at the beginning of each semester. Orchestra is an extracurricular activity, but Membership in NUSO requires enrollment in a free, one-credit elective by registering for MUSC 1906. This course may be repeated for credit. For more information, please contact us at the email nuso.secretary@gmail.com.", + "num_members":111, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Creative Writing", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d511e44c-9edb-4a0a-92d3-5a5f76d8a0238070d332-7a34-4a18-a3c2-3ec93637c592.jpg" + }, + { + "id":"920f56d4-bb37-4264-8244-d2cdca20c69a", + "name":"Northeastern University Taiwanese Student Association", + "preview":"The purpose of NTSA is to create a warm & welcoming place for whoever is interested in Taiwanese culture!\r\n\r\n**For inquiries & E-board recruitment info, contact us through:\r\nInstagram: @northeastern.tsa\r\nEmail: northeastern.tsa@gmail.com", + "description":"The purpose of NTSA is to create a warm & welcoming place for all Taiwanese students and whoever is interested in Taiwanese culture! We seek to promote a friendly atmosphere for all of our event attendees. We hope to accomplish this through fun and entertaining programs; engaging all participants in activities; efficiently and effectively resolving conflicts; and maintaining a safe environment for our events.\r\n**For inquiries & E-board recruitment info, contact us through:Instagram: @northeastern.tsaEmail: northeastern.tsa@gmail.com", + "num_members":528, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism", + "Multiculturalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e948ab40-e551-43a0-8984-51ad8473397ea2b5bad5-21c3-4840-a579-0ba4246e996d.png" + }, + { + "id":"ce1a7e14-2931-438a-bcc5-4ea90a81a43e", + "name":"Northeastern University Teaching English Language and Literacy Skills", + "preview":"Northeastern University Teaching English Language and Literacy Skills (NUtells) is a student group that conducts one-on-one English as a Second Language (ESL) classes for campus employees and connects students with other external ESL opportunities.", + "description":"We are NUtells, Northeastern University Teaching English Language and Literacy Skills. We are a fully virtual student group that provides English as a Second Language (ESL) tutoring to campus employees and the Boston community. Our goal is not only to serve learners in need of language assistance but also to build a stronger sense of community between Northeastern students and the Boston community. NUtells requires a time commitment of about an hour and a half per class, and we host many classes throughout the week, both daytime and nighttime. Tutors generally work one-on-one or with small groups of students. You don't need any tutoring experience to join--just a friendly attitude and a desire to make a difference in our community.\r\n. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . \r\nIf you would like to sign up or get on our email list, please email us at nutells@gmail.com. You're welcome to join at any time during the semester.\r\n. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . \r\nFor more information, see the gallery page of this site to watch a video of our first meeting for Fall 2020!", + "num_members":886, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "English Language Learning", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e6d1ed62-ab8e-49d3-9d47-def96d59e76aa9e56a62-5223-4483-9057-bdec3ee3e82a.jpg" + }, + { + "id":"1c268b6f-18af-4249-af04-3c9daf8cf97a", + "name":"Northeastern University Toastmasters", + "preview":"Toastmasters International is a world leader in communication and leadership development. Our membership is 270,000 strong. These members improve their speaking and leadership skills by attending one of the 13,000 clubs that make up our global networ", + "description":"Do you want to develop, improve, and practice public speaking, communication, and leadership skills? Toastmasters International is a world leader in communication and leadership development. Our club strives to provide a mutually supportive and positive learning environment in which every individual member has the opportunity to develop oral communication and leadership skills, which in turn foster self-confidence and personal growth. To stay up to date on club meetings, events, and news, join our Slack here. Sign up for our mailing list here! Learn more about our club here! ", + "num_members":40, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "PublicRelations", + "Leadership", + "Communication", + "Community Outreach", + "Self-confidence" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1795f186-a17e-4734-8006-55362da5896ea549d6de-fd7d-4080-933c-c7a55d8440c9.jpg" + }, + { + "id":"ad560238-433a-4766-98c6-a9e101960a9d", + "name":"Northeastern University Trap and Skeet Club Team", + "preview":"Nationally competitive clay target shooting team focusing on Trap, Skeet and Sporting Clays.", + "description":"The Northeastern Trap and Skeet team competes and practices the shotgun sport disciplines of Trap, Skeet and Sporting Clays. We hold local practices once a week at Minuteman Sportsman's Club in Burlington MA and travel to competitions held in the surrounding states.", + "num_members":462, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Hiking", + "Community Outreach", + "Environmental Advocacy", + "Travel" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3b33c1f1-56e6-487a-b458-aad5fc45243349f6c55e-d53e-4d7d-9c6d-5c172283e40b.jpg" + }, + { + "id":"d19c4b2c-39c6-4a2d-a7de-53ac9dd376ff", + "name":"Northeastern University Triathlon Team", + "preview":"As a member of the Northeast Collegiate Triathlon Conference (NECTC) and a sanctioned collegiate triathlon team by USA Triathlon, we have exposure to all of the other established collegiate triathlon teams in the northeast and across the nation", + "description":"As a member of the Northeast Collegiate Triathlon Conference (NECTC) and a sanctioned collegiate triathlon team by USA Triathlon, we compete with collegiate triathlon teams in the northeast and across the nation. \r\nNo experience required to join! We practice throughout the entire school year in swimming, biking, and running. The main season is August/September and USAT Nationals in April.\r\n**Please note that the e-board does not currently use OrgSync for announcements or notifications of ANY TYPE. If you would like to receive information about the team please email us at NUTriathlonTeam@gmail.com \r\n ", + "num_members":845, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Swimming", + "Biking", + "Running", + "Athletics" + ], + "logo":"https://se-images.campuslabs.com/clink/images/98bce28c-08c1-4b11-8050-572a2fe460adc6e58bab-7163-4346-8058-a51e30cda535.png" + }, + { + "id":"91145622-5bea-4f55-8e9e-32cd44ee87fd", + "name":"Northeastern University Undergraduate Speech and Hearing Club", + "preview":"The NU Speech and Hearing Club is made up of undergraduate students who have an interest in speech-language pathology, audiology, and/or communication disorders. We strive to create a community that is committed to learning and helping others. ", + "description":"The Northeastern University Speech and Hearing Club is made up of undergraduate students who have an interest in speech-language pathology, audiology, and/or communication disorders. We strive to create a community that is committed to learning together, community service, and changing the lives of others.", + "num_members":907, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "Neuroscience", + "Psychology" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0e549d90-bf0c-4494-b6e1-2e72c03afb58bf3ac299-36e1-42d0-9a08-f1b987675cad.png" + }, + { + "id":"61da5547-f2b9-40ed-9562-8d7e38e3c7f3", + "name":"Northeastern University Unisons A Cappella", + "preview":"We are a TTBB contemporary a cappella group that performs today's top songs, classic hits, holiday music, and more!", + "description":"We are a tenor, bari-bass contemporary a cappella group that performs today's top songs, classic hits, holiday music, and more! In recent years, the Unisons have competed in several events (including the ICCA and Boston Sings), as well as released several tracks on streaming platforms! You'll find us performing at a variety of venues, from Boston's Symphony Hall to our own campus' dorm lobbies.", + "num_members":111, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c0a3ce9a-c55a-43e7-8918-245ce9f0894f04475c51-96a7-4d22-9902-9e60ac842a37.png" + }, + { + "id":"f217e415-9498-4963-ba2d-eb775f554ebb", + "name":"Northeastern University West Coast Swing Club", + "preview":"A club focused on learning, teaching, and enjoying the west coast swing style of dance. The club wishes to provide beginner and intermediate level dance lessons, while connecting students to the larger Boston swing dance community.", + "description":"A club focused on learning, teaching, and enjoying the west coast swing style of dance. The club provides beginner and intermediate level dance lessons, while connecting students to the larger Boston swing dance community.\r\nLessons will be held weekly on Tuesday's in CSC 348, with the first lesson of the semester starting on 9/12/2023. The beginner lesson is at 8:30pm, and it's 100% beginner friendly with no partner necessary. Intermediate lessons are at 7:30pm. Hope to see you there! \r\nJoin our Discord! This is often where our announcements get posted first!", + "num_members":399, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Community Outreach", + "Music" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3394ad8f-3e29-487e-96f7-c8c044861afecdae4ee2-1f37-453d-9c81-1706bbbcf4cd.jpg" + }, + { + "id":"2fcf5142-7177-4121-8c5e-2d36e0f126cd", + "name":"Northeastern University Wind Ensemble", + "preview":"The Wind Ensemble is a select group that approaches advanced repertoire and often participates in multi-media concerts. NUWE members of all majors study and perform music at a high level, coming together socially as part of the broader NUBands commun", + "description":"The Wind Ensemble is a select group that approaches advanced repertoire and often participates in multi-media concerts. The ensemble has accompanied silent movies in original scores by student composers, accompanied live dance performance, and collaborated with guest soloists and actors, in addition to playing the great works in wind repertoire. The ensemble rehearses and performs during the fall and spring semesters, usually performing two to four concerts each term. Each year the group participates in a festival with the wind ensembles of Harvard University, Boston College, and Boston University. At the end of each term the ensemble usually shares a concert program with the Concert Band. Auditions are held at the beginning of the term, usually during the first few rehearsals and by appointment. Wind Ensemble is an extracurricular activity for many, but can also be taken as a free one-credit elective by registering for MUSC 1907. The course may be repeated for credit. The members of the Wind Ensemble come from all backgrounds and majors, and any interested member of the NU community is eligible to join.\r\nTo inquire about auditions for the Spring 2023 semester, please email the ensemble director Allen Feinstein at a.feinstein@northeastern.edu!", + "num_members":329, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Music", + "Performing Arts", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fb3881b5-e090-4b8a-82ff-822e11d10a90487136c4-2d3c-498a-b79e-5261128fc268.png" + }, + { + "id":"a40357c4-2c72-4715-9baa-7c75e8f1ec68", + "name":"Northeastern University Women in Technology", + "preview":"A special interest group that supports women who study or are interested in Computer and Information Science at Northeastern University", + "description":"NUWIT is a special interest group supporting women studying or interested in Computer and Information Science at Northeastern University! We host tech talks and workshops with tech companies, social events, mentorship events, student panels, and more. \r\nCheck out our website to learn more about NUWIT and what we have to offer you this year!\r\nJoin the NUWIT Slack: https://bit.ly/nuwit-join-slack\r\nJoin our mailing list for email updates: http://eepurl.com/cqlrZz", + "num_members":440, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Software Engineering", + "Data Science", + "Women in Technology", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d230a083-04d0-4b46-ab93-1ca63c7e479a6a19dc53-2103-4e11-8ffb-e8618535ea04.png" + }, + { + "id":"b5abf02c-faed-4937-9270-4b024b412bff", + "name":"Northeastern University Women's Squash Team", + "preview":"Interested in playing or learning squash? Wanna de-stress? Come play squash!Our home courts are in the Badger and Rosen SquashBusters Center right on campus, down the street from Ruggles. We practice four times a week from 7-9pm. The regular season r", + "description":"Interested in playing or learning squash? Wanna de-stress? Come play squash! Our home courts are in the Badger and Rosen SquashBusters Center right on campus, down the street from Ruggles. We practice four times a week from 7-9 pm. The regular season runs from October until Nationals in late February. The courts remain open year-round. Tryouts begin once classes resume in the fall! NO EXPERIENCE IS NECESSARY, just a positive attitude and willingness to learn!! (Hand-eye coordination is a bonus, of course). Background: The Northeastern squash program is a club team founded by students in the fall of 2004. The Huskies have competed in the College Squash Association against other club and varsity programs throughout the nation in the annual quest for the National Championship. Head Coach: Sabrina Gribbel Audience: Undergraduate Facebook Page: facebook.com/northeasternsquash Email: neuwomensquash@gmail.com Instagram: gonusquash", + "num_members":891, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Sports", + "Women's Sports", + "Fitness", + "College Athletics" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1e928d02-71fb-4a73-90fa-637cf01e6b919008879f-ce99-4fed-b409-2cbab604b467.png" + }, + { + "id":"c9ae7bff-2f32-4df6-a23c-f22a8ad25fd0", + "name":"Northeastern University Wrestling Club", + "preview":"The Northeastern University Wrestling Club is dedicated to sharpening the technique of wrestlers, whether new or experienced, and honing their physical fitness. We are dedicated to fostering an atmosphere of camaraderie and pushing each other to impr", + "description":"Northeastern University Club Wrestling is comprised of wrestlers of all experience levels. We compete in tournaments and dual meets around the northeast with a chance to wrestle at the NCWA national championships. If you have never wrestled before, we have other members who are new to the sport for you to train with, and our more experienced members are happy to coach you through the sport. Please register with us on DoSportsEasy if you plan on attending at Register (U) (northeastern.edu).\r\nPractice Schedule:\r\nMonday 6-8pm\r\nWednesday 6-8pm\r\nFriday 6-8pm\r\nSunday 11am-1pm\r\nPractice takes place in Marino (second floor sports court). We also volunteer regularly with Beat The Streets New England.", + "num_members":14, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Wrestling", + "Volunteerism", + "Community Outreach", + "Physical Fitness", + "Athletics" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d70557f5-10ed-4a07-b0c9-6165abc83d7ed6bd3486-0c8a-4173-8d22-40178f1d4a06.jpg" + }, + { + "id":"9bfc8d7d-3677-4945-9f04-e54ed3d9ff28", + "name":"Northeastern University's Film Enthusiast's Club", + "preview":"Northeastern University Film Enthusiast Club (NUFEC) meets weekly to discuss films chosen democratically by our members, mixing in film based lectures and other special events. We also run a website dedicated to reviewing newly-released films.", + "description":"Northeastern University's Film Enthusiast's Club (NUFEC) meets weekly to discuss films chosen democratically by our members, mixing in film-based lectures and other special events. We also organize weekend outings to support local theaters in our community, and run a website dedicated to reviewing newly-released films.", + "num_members":989, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Film", + "Visual Arts", + "Creative Writing", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9b436379-8579-4be8-bcee-cd5709cd5434146b1aa3-c7e1-4251-a215-e8d3228a3b20.jpg" + }, + { + "id":"21d7afbe-5747-4b43-9ba4-c81123c01e41", + "name":"Northeastern Women's Club Soccer", + "preview":"NUWCS is a competitive club soccer team competing in the South Boston / Rhode Island division of the NIRSA Region I Club Soccer League.", + "description":"The Northeastern Women’s Club Soccer team competes in the South Boston/Rhode Island division of the NIRSA Region I Club Soccer League during the regular season (September-November). Our primary competition is comprised of local teams, though our schedule often includes matches against teams from neighboring states in the New England area. Each season we aspire not only for status as the premier team in our division, but also as one of the more elite programs across the entire region. Our ultimate goal is to win the Region I Tournament that marks the culmination of each season, and subsequently secure the privilege of competing in the Championship Division of the annual National Soccer Championships. In October 2017, we achieved a regional title for the first time in NUWCS history. In 2018 and 2021, we competed in the National Soccer Championships. \r\n \r\nIMPORTANT UPDATE: The Fall 2020 season has been canceled. For latest updates on the return of women's club soccer, email us at @nuwomensclubsoccer@gmail.com to be added to our prospective player email list.", + "num_members":516, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Soccer", + "Student Athletics", + "Community Outreach", + "Leadership", + "Competition" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2415be3e-410c-4432-9cd0-a025d8da09effac0756a-3b9c-4abc-a97e-4d8206d5041c.jpg" + }, + { + "id":"29fa9e81-111e-41fa-9a9f-320c7211c450", + "name":"Northeastern Women's Club Volleyball", + "preview":"The Northeastern Women\u2019s Club Volleyball team is a member of the Northeast Women\u2019s Volleyball Club League (NWVCL) and National Collegiate Volleyball Federation (NCVF). Our season runs in the Fall and Spring Semesters.", + "description":"The Northeastern Women’s Club Volleyball team is a member of the Northeast Women’s Volleyball Club League (NWVCL) and National Collegiate Volleyball Federation (NCVF). Our season runs in the Fall and Spring Semesters. Please email neuwomensclubvball@gmail.com to be added to our email list", + "num_members":189, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Volunteerism", + "Community Outreach", + "Sports", + "Diversity" + ], + "logo":"https://se-images.campuslabs.com/clink/images/31696950-af1f-4604-81aa-5f8d769dd46398401cda-3e9e-4f4a-b7b0-110b93b72510.jpg" + }, + { + "id":"a65b5589-37ad-4aaa-96a1-7a18c1e55b2f", + "name":"Northeastern's All-Female Semi Professional A Cappella Group, Pitch, Please!", + "preview":"Pitch, Please! is a premier women-centered treble a cappella group at Northeastern University. They are a passionate and dynamic group that aims to push boundaries and challenges the standards of traditional collegiate a cappella.", + "description":"Pitch, Please! is a Northeastern University women-centered treble a cappella group. Since they were founded in 2012, they have continued to push the boundaries and challenge the standards of traditional collegiate a cappella. As a competitive group, they have placed 3rd overall at ICCA Finals in 2023, performed at ICCA Finals in 2019, ICCA Semifinals in 2020 and 2021, and earned first place in the collegiate championship on the PBS show Sing that Thing! in 2019. Additionally, Pitch, Please! placed first at Haunted Harmonies in 2019, won the 22nd Annual Faneuil Hall Competition, performed on The Today Show in New York City for International Women’s Day in 2020, and sang the national anthem at the Red Sox's inaugural Women's Celebration game this past April. Their full-length album, Obsidian, won the 2020 Contemporary A Cappella Recording Award for Best Female Collegiate Album, and their most recent EP, Indigo, won the same award in 2023-- one of five CARAs that the group received this year. Today, you can find them performing at various venues at Northeastern University and across New England! Pitch, Please! encourages their followers to continue streaming their recent EP, Indigo, as well as their most recent single, Titivating, and to watch their most recent music video series on their YouTube channel. Keep an eye on their social media @NUpitchplease for more content!", + "num_members":610, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Creative Writing", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"326d07c1-a314-4d28-bd96-6fcb2560d7b6", + "name":"NU & Improv'd", + "preview":"NU & Improv'd is Northeastern's premier improvisational comedy troupe. \r\n\r\nWe are an audition based group that performs once a month in afterHours. We host both an improv jam and auditions at the beginning of each semester. ", + "description":"NU & Improv'd is Northeastern's premier improvisational comedy troupe. We focus on the spontaneity of theater, creating environments, characters, and scenes on the spot based on audience participation. We are an audition based group that performs once a month in After Hours, along with performing in improv competitions around New England. \r\nWe host a big improv jam and auditions at the beginning of each semester. \r\nIf you enjoy laughing, relaxing, and fun, NU & Improv'd is the student group for you.", + "num_members":947, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "LGBTQ", + "Community Outreach", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/81c10f95-22b5-4eb6-816a-fceb0acbc86d598acbd7-2c9b-46b6-bb28-7e33114f5216.jpeg" + }, + { + "id":"64e160af-0455-4f0c-a28e-0f9a998b0902", + "name":"NU American Society of Engineering Management", + "preview":"The purpose of NU ASEM is to provide education and mentorship in the area of Engineering Management to the Northeastern University community. The organization seeks to advance Engineering Management in theory and in practice and promote the developme", + "description":"The purpose of NU ASEM is to provide education and mentorship in the area of Engineering Management to the Northeastern University community. The organization seeks to advance Engineering Management in theory and in practice and promote the development of the profession of Engineering Management for our members. We will accomplish these goals through professional development and networking opportunities with industry professionals, faculty, and fellow students during meetings on campus, through site visits, and by participating in regional opportunities related to our field. Student members will gain a broader perspective of Engineering Management and applicable fields through discussion, study, and research. Lastly, we aim to foster and maintain a high professional standard amongst our members.", + "num_members":95, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Mechanical Engineering", + "Industrial Engineering", + "Professional Development", + "Networking", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"b4d71980-6685-4e33-a0e3-d8348a4ce577", + "name":"NU Ballroom Dance Club", + "preview":"NU Ballroom Dance Club provides free lessons in ballroom dancing at all levels. We compete at collegiate dance competitions across the Boston area, and we host fun, free socials for the Northeastern community.", + "description":"NU Ballroom Dance Club provides free lessons in ballroom dancing at all levels. We compete at collegiate dance competitions across the Boston area, and we host fun, free socials for the Northeastern community. We pride ourselves in our accessible newcomer program that leverages our friendly community to coach new dancers and introduce them to competing at the collegiate level with our team. In addition, we bring in professional coaches to teach advanced technique classes, at no cost to attendees. We hope to provide an experience that continues to be accessible to all members of the Northeastern Community, worthwhile and fulfilling to new club members, and helpful and engaging to current members.", + "num_members":644, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Community Outreach", + "Music", + "Dance" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2673d8cd-4092-429e-be33-74b2788c7e8174db35cc-44e6-41c4-9106-5405ee1095bd.jpg" + }, + { + "id":"2108da7b-08ed-4c21-ab48-1bb80a57ba3b", + "name":"NU Breakers", + "preview":"NU Breakers is a student dance group on campus aimed at practicing, preserving, and promoting Hip Hop culture. Founded in April 2011, NU Breakers is the first official student group of its kind on Northeastern\u2019s campus.", + "description":"NU Breakers is a student dance group on campus aimed at practicing, preserving, and promoting Hip Hop culture. Founded in April 2011, NU Breakers is the first official student group of its kind on Northeastern’s campus and has acted as a bridge between Northeastern and the larger breaking community for over a decade. Please follow us on Instagram (@nubreakers) and join our Facebook Group: NU Breakers (https://www.facebook.com/groups/NUBreakers/) for more information about practice time/beginner's class. ", + "num_members":807, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Visual Arts", + "Music", + "Dance", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aee6144e-e0c7-4753-b991-d6dbc16f375270d3e8fc-13f2-42c6-a798-ffc112fba700.png" + }, + { + "id":"5da22ee4-e6cd-4983-b69c-658e4063a3d7", + "name":"NU Buddhist Group", + "preview":"The NU Buddhist Group meets weekly for meditation and discussion based on Buddhist teachings. We foster emotional, spiritual and mental well-being through both personal practice and our vibrant, curious community.", + "description":"The NU Buddhist Group meets weekly for meditation and discussion based on Buddhist teachings. We foster emotional, spiritual and mental well-being through both personal practice and our vibrant, curious community. We are Buddhists of different traditions as well as non-Buddhists exploring together. Please join us as we cultivate mindfulness and love!", + "num_members":368, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Mindfulness", + "Spirituality", + "Community", + "Buddhism", + "Meditation", + "Wellness" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8f60b3ab-207b-4b48-8592-c156c7bc86ecb2663517-3ff9-4730-ab6f-8697f32f7990.png" + }, + { + "id":"2bf99cdf-021b-4d7d-93f9-bab9f9d7184b", + "name":"NU Club Golf", + "preview":"We are current members of the National Collegiate Club Golf Association (NCCGA). We compete in approximately 5 to 10 tournaments in both the fall and the spring semesters. Any student at Northeastern is allowed (and encouraged!) to try out regardless", + "description":"We are current members of the National Collegiate Club Golf Association (NCCGA). We compete in approximately 5 to 10 tournaments in both the fall and the spring semesters. Any student at Northeastern is allowed (and encouraged!) to try out regardless of skill level. We normally hold try-outs during the first weekend of the fall following a quick informational meeting for all interested golfers. You can find up-to-date information regarding the team at our Facebook page at www.facebook.com/neugolf", + "num_members":624, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Soccer", + "Volunteerism", + "Community Outreach", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"b38b233a-4340-4c9a-b9a4-4b0ec10d08a9", + "name":"NU COE CommLab (Campus Resource)", + "preview":"NU COE CommLab", + "description":"The Northeastern Communication LabA Resource for Graduate Engineering Students\r\nThe CommLab offers in-person, peer-to-peer coaching and workshopsfor graduate-level writing and communication tasks.We bring a discipline-specific perspective to assisting you with the taskat hand—whether you’re working on a manuscript, poster, presentation,or other project!", + "num_members":358, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Creative Writing", + "Journalism", + "Community Outreach", + "Peer Coaching" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d55b9d69-289a-4c75-83fa-3caa3595cf77c86c50d7-b3d2-482b-961d-78126524a6a8.png" + }, + { + "id":"796e8bc3-25b4-4487-ae24-d70710f97865", + "name":"NU Concert Band", + "preview":"The Northeastern University Concert Band offers a welcoming environment in which to rehearse and perform music, and promotes musical learning and expression for Northeastern students of all abilities.", + "description":"The Northeastern University Concert Band offers a welcoming environment in which to rehearse and perform music, and promotes musical learning and expression for Northeastern students of all abilities. Please email nucbvicepresident@gmail.com if you are interested in joining or have questions about if your instrument is typically in the concert band. Auditions are held at the beginning of each semester.", + "num_members":253, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Music", + "Performing Arts", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/48829e66-243a-43bc-88c1-9e449a73b782f449970e-110e-4c41-9849-1a36be874084.png" + }, + { + "id":"a11eee05-178f-40ef-9315-e506b1899013", + "name":"NU Hacks", + "preview":"NU Hacks is a social club for hackers and makers. We meet up weekly to discuss technology, social culture in software engineering, or just anything really (even non-tech!), as well as let members demo projects they have made. ", + "description":"NU Hacks is a social club for hackers and makers. We meet up weekly to discuss technology, social culture in software engineering, and let members demo projects they have made.", + "num_members":296, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Artificial Intelligence", + "Data Science", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"ec4c4eac-b898-47df-be31-ff3c4b7ff194", + "name":"NU Mural Club", + "preview":"Northeastern Mural Club aims to merge community service with art. We provide service to the Boston and greater Boston community through the organization, planning, and development of mural projects, canvas painting donations, paint nights, and more!\u00a0", + "description":"\r\nNortheastern Mural Club aims to merge community service with art. We provide service to the Boston and greater Boston community through the organization, planning, and development of mural projects, canvas painting donations, paint nights, and more! Founded in 2010, Mural Club is a growing nonprofit organization consisting of undergraduate students united in a love for art and creating art for the community within and beyond Northeastern. Over the years, the club has participated in numerous collaborations with other on campus clubs and off campus organizations to contribute to larger conversations through art. \r\nSign up for emails and check out our projects on our new website!\r\n", + "num_members":713, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Visual Arts", + "Community Outreach", + "Volunteerism", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/70ad0703-75a6-4383-8f1a-7710c523db8f3884d41a-488a-4873-8300-9039c3f30c4b.png" + }, + { + "id":"e692efe2-f10b-4c5e-82b3-c9a785f9163b", + "name":"NU Pep Band", + "preview":"The Northeastern University Pep Band plays at men's and women's hockey, basketball, and volleyball home games along with other special events on campus and in the surrounding community.", + "description":"The Northeastern University Pep Band plays at women's and men's hockey, basketball, and volleyball home games, along with other special events on campus and in the surrounding community.", + "num_members":1008, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"277a8b34-7770-4491-a4a1-aadecc1eef64", + "name":"NU Pride", + "preview":"NU Pride is a community and safe space for Lesbians, Gays, Bisexuals, Transgenders, Queers, Asexuals, and others (LGBTQ+) on and off campus. Events are geared towards education and connection between members of the dual spectrums of sexuality and gen", + "description":"NU Pride is a community and safe space for Lesbians, Gays, Bisexuals, Transgenders, Queers, Asexuals, and others (LGBTQ+) on and off the Northeastern Campus. Events are geared towards education and connection between members of the dual spectrums of sexuality and gender orientation. This alliance empowers all members of the LGBTQ+ community and their allies to thrive as individuals and to meet other students within the community.", + "num_members":493, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "Community Outreach", + "HumanRights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2f56abfc-6cc5-4f5a-8039-a39243a8318febad6aa1-1f43-437d-89fb-5a079c548a2e.png" + }, + { + "id":"74f277b3-e79d-445d-849d-f343752e8be6", + "name":"Nu Rho Psi National Honor Society in Neuroscience", + "preview":"National Honor Society open to Behavioral Neuroscience majors and minors.The purpose of Nu Rho Psi is to:(1) encourage professional interest and excellence in scholarship, particularly in neuroscience;(2) award recognition to students who have achiev", + "description":"National Honor Society open to Behavioral Neuroscience majors and minors. The purpose of Nu Rho Psi is to: (1) encourage professional interest and excellence in scholarship, particularly in neuroscience; (2) award recognition to students who have achieved such excellence in scholarship; (3) advance the discipline of neuroscience; encourage intellectual and social interaction between students, faculty, and professionals in neuroscience and related fields; (4) promote career development in neuroscience and related fields; (5) increase public awareness of neuroscience and its benefits for the individual and society; (6) encourage service to the community. Who may join? Membership is by invitation and is open to graduate and undergraduate men and women who are making the study of Neuroscience one of their major interests and who meet the other academic qualifications. Nu Rho Psi is also open to qualifying Neuroscience faculty and alumni of Neuroscience programs. Requirements for membership include: (a) Major or minor in Neuroscience (b) Completion of at least 3 semesters of the College course (c) Completion of at least 9 semester hours of Neuroscience-related courses (d) Undergraduate cumulative GPA of 3.5 and a minimum GPA of 3.5 in Neuroscience courses", + "num_members":723, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Neuroscience", + "Psychology", + "Academic Excellence", + "Community Service" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"47224c02-00bc-4f19-b35e-793deb8baec9", + "name":"NU Science Magazine", + "preview":"NUSci is Northeastern's student-run, student-written science magazine. We publish with the goal of informing our audience of the wonders of human discovery and progress in the world around us in an accessible, easily understood way.", + "description":"NUSci is Northeastern's student-run, student-written science magazine. We publish with the goal of informing our audience of the wonders of human discovery and progress in the world around us. Our magazine seeks to disseminate the latest information about science news, whether at the microscopic level or in the deepest reaches of space, in a simple and universally accessible format, bringing to our readers clear, high-quality, and well-researched journalism with an open mind and a sense of humor. We believe that when removed from a bland textbook format, science can be not only a field to discuss, but also something by which to be continually astounded and inspired.", + "num_members":750, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Journalism", + "Science", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c9c905cf-2b21-4b4d-a800-f253d84bd59c182687e6-bb1c-45fa-a166-c6bb3485eeda.png" + }, + { + "id":"e69f193e-d4da-46eb-b8dc-e14f08a852ac", + "name":"NU Sexual Health Advocacy, Resources and Education", + "preview":"Meetings are Mondays at 7pm in the CIE in Curry Student Center. Join us to learn more about reproductive justice and sexual health!", + "description":"Meetings are Mondays at 7pm in the Center for Intercultural Engagement in the Curry Student Center. Join us to learn more about reproductive justice and sexual health!\r\nWe are a Planned Parenthood Generation Action Group.", + "num_members":826, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "HumanRights", + "Community Outreach", + "Reproductive Justice" + ], + "logo":"https://se-images.campuslabs.com/clink/images/617ff532-5ae9-4daf-b704-fdebfa3628dba5e2c142-d380-4e01-85f4-8f656357f1ac.jpg" + }, + { + "id":"21ba8ce6-a841-434d-9aa5-c8b7602ed117", + "name":"NU Stage Musical Theater Company", + "preview":"NU Stage Musical Theater Company is Northeastern University's student-run musical theatre group. The organization provides any and all Northeastern students with the opportunity to be involved in musical theater productions regardless of their major.", + "description":"NU Stage Musical Theater Company is Northeastern University's premiere student run musical theater group. The organization provides any and all Northeastern students with the opportunity to be involved in musical theater productions, without regard to major or concentration. NU Stage’s standards are twofold: producing high-quality productions that both group members and patrons alike can be proud of, while maintaining a high level of interest and involvement from members of the student body. Lastly, NU Stage aims to be an active part of the community through volunteer efforts and monetary donations. Visit our website for more details!", + "num_members":527, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4f0ccfba-ef07-4a65-83cd-18408e50499fe9be6e6d-d0f1-4aa1-b852-5ff5f2b190f6.png" + }, + { + "id":"07553ca0-6f87-4156-8fc2-a609ef2218df", + "name":"NUImpact", + "preview":"Founded in 2016, NUImpact is Northeastern University\u2019s student-led impact investing initiative and investment fund.", + "description":"NUImpact serves as a unique resource and thought-exchange for the Northeastern community to understand purposeful capital, develop technical skills, and gain exposure to professional opportunities available in the field of impact investing. NUImpact fosters insightful discussion on campus through two complementary pillars: Educational Programming and the NUImpact Fund. Over the course of each semester, the educational wing of NUImpact hosts industry leaders and professional alumni for speaker events and workshops, leading to a robust professional network and the development of new co-op opportunities for engaged students interested in impact investing. The NUImpact Fund provides hands-on finance and social impact education through a rigorous semester-long four-step investment process undertaken by teams of student analysts. Students build technical skills through sourcing & diligence workshops and real-world assignments, developed with the council of faculty and alumni advisors alongside investment industry partners. The NUImpact Fund program culminates in final investment recommendations and capital deployment making it the premier way for Northeastern students to gain experience in impact investment and meaningful capital.", + "num_members":567, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Financial Literacy", + "Finance", + "Impact Investing", + "Professional Development", + "Education", + "Network Building" + ], + "logo":"https://se-images.campuslabs.com/clink/images/565c6893-ef44-45e3-b691-5ba4020f66f40a34d63b-78a1-4ba7-9138-7cfdba084b91.png" + }, + { + "id":"8d9a5b57-b038-4521-85a9-70ac694ac870", + "name":"NUSound: The Northeastern University Chapter of the Acoustical Society of America", + "preview":"NUSound aims to build a cross-disciplinary community for students who are interested in acoustics and audio to provide an environment that enables first hand experience and sharing of ideas. ", + "description":"NUSound is a club for those fascinated by acoustics and audio, enthusiasts of the physics and sciences of sound and how it interacts with us, and students looking for social and professional networking opportunities in these fields. On a week to week basis, we host workshops that give you hands on experience with audio technology, presentations that serve to deepen your understanding of sound and acoustics, and events that will allow you to interact and make connections with fellow audiophiles.", + "num_members":50, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Physics", + "Music", + "Engineering", + "Networking", + "Workshops" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f14b95a5-8453-4b38-b228-936e9c11ed3cef91c2ad-885e-4d6e-a39d-20c703864641.png" + }, + { + "id":"f79eebd8-ca36-40c7-9a06-632f64cbbb89", + "name":"Oasis", + "preview":"Oasis is a project development accelerator club serving Northeastern underclassmen with the primary goal\r\nto break down the barriers of entry into the computer science industry by pairing club members with experienced mentors. ", + "description":"In the simplest terms, Oasis is a full-fledged project accelerator where every semester, a new cohort of students build a software project with the support of upperclassmen mentors. They are introduced to and taken through the key stages of the software development life cycle. While many software-oriented clubs are looking to recruit students who already know how to program and build complex systems, Oasis is a beginner-focused club where any student can contribute to a project regardless of their experience. Through weekly workshops and assisted group work times called “Hack Sessions,” the ultimate goal of Oasis is that anyone with a vision for a project they have no idea how to create can bring it to life. The mission of Oasis is to create a space for all Northeastern students, whether they have a lot of programming experience or a little programming experience, and take them through the process of building their own projects. Our intended audience ranges from first- and second-year students who want to build projects to show off to potential co-op employers on their resumes, and also caters to third and fourth year who want to take their mentorship skills to the next level and help mold the next generation of Northeastern students.", + "num_members":153, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Software Engineering", + "Data Science", + "Community Outreach", + "Mentorship", + "Hack Sessions" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1347c325-c75a-408f-9bc0-70c1652445578374b0f0-417d-4388-84aa-38837662575f.png" + }, + { + "id":"c8acc0b2-6296-4910-a8a7-bc0e39146117", + "name":"Off Campus Student Services (Campus Resource)", + "preview":"Mission: Off Campus Engagement and Support at Northeastern provides support and education to students moving off campus. We provide expert knowledge and advice, student connection to Northeastern and their local community. ", + "description":"Off Campus Engagement and Support at Northeastern provides support and education related to off-campus housing, relocation services, renter’s rights knowledge, and community connection. We offer many resources, special programs and events to help you find off-campus housing in Boston, stay connected to campus, and serve as a link to your peers and community. We also help you understand your rights and responsibilities as a renter and how to navigate landlord issues. Peer Community Ambassadors plan programs and events for you, are here to answer all of your questions, and help you meet your neighbors. Call us, email us or stop in to see us today!", + "num_members":655, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "Renters Rights Knowledge", + "Housing", + "Peer Support" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"8ac32a8f-90f8-45aa-b2d7-fde37ae4e989", + "name":"Office of Alumni Relations (Campus Resource)", + "preview":"The Office of Alumni Relations is your catalyst to stay in touch with your lifelong Northeastern community, keep learning, access career strategies, engage with thought leaders and idea-generators, and find the resources you need to achieve what\u2019s ne", + "description":"Students Today. Alumni Forever. You are Northeastern.The alumni experience began when you enrolled at Northeastern. It's never too early to learn about how Alumni Relations can help you build a robust, lifelong network, that helps you achieve what's next now, and beyond your time at Northeastern. Stay connected with us to enrich your student experience, participate in events, and \u001end opportunities for leadership, career development, and networking. We're here to help you shape your Northeastern experience.Interested in becoming an integral part of the student-alumni experience? Join one of our student organizations.\r\nStudent Alumni Ambassadors (SAA)\r\n \r\nThe Student Alumni Ambassadors (SAA) is committed to creating and maintaining the unique bond between the students and alumni of Northeastern University; striving to offer educational, social, and character enriching activities and events for all past, present, and future Huskies.\r\nSAA is comprised of undergraduate students representing all class years, majors, programs, and experiences. Members exemplify Northeastern pride, commitment to the university community, and an eagerness to connect current students to alumni.\r\nAs ambassadors of the Office of Alumni Relations, SAA members are the conduit to connect students with alumni, bring awareness about opportunities students can access now and after graduation, and more importantly, make sure the Northeastern spirit lives on! Learn more about the Northeastern Student Alumni Ambassadors. Senior Year Experience Board (SYEB)The Senior Year Experience Board (SYEB) is a group of undergraduate senior volunteers charged with advising OAR the on programming, educating peers on philanthropy, and executing meetings and programming throughout the year. The SYEB works with theSenior Year Experience advisor on all aspects of the SYE to ensure that content and programming is relevant to the students and enhances their experience as seniors.", + "num_members":909, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Student Alumni Ambassadors", + "Senior Year Experience Board", + "Community Outreach", + "Leadership", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ff7d951c-881d-422e-99e6-07016ee12b15c27cc9e3-1e0a-4edf-a265-64df3527a394.png" + }, + { + "id":"57799e19-bf1e-4239-b7a1-db847cd6513f", + "name":"Office of Prevention & Education at Northeastern (Campus Resource)", + "preview":"OPEN provides education, programming, assessment and referral services for Northeastern students surrounding substance use. OPEN provides supportive, confidential, and non-judgmental services; we encourage students to make informed decisions about al", + "description":"The Office of Prevention and Education at Northeastern provides prevention and education services on the topics of alcohol and other drugs, sexual violence, and sexual health. We seek to provide supportive, accessible and non-judgmental services to students as well as to engage our community on wellness-related topics.", + "num_members":956, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "HumanRights", + "Community Outreach", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"d11001d8-a736-47b4-96b6-820c537bda74", + "name":"Office of Sustainability (Campus Resource)", + "preview":"Northeastern University's Office of Sustainability is tasked with many aspects of carbon reduction, campus awareness/engagement, and advancing a systematic approach to sustainability in all curriculum, operations, research and engagement. ", + "description":"Welcome to the Office of Sustainability (Campus Resource) at Northeastern University! Our dedicated team is committed to reducing our carbon footprint, raising campus awareness, and fostering a culture of sustainability across all areas of our university. We work tirelessly to integrate sustainable practices into curriculum, operations, research, and community engagement. Join us in our mission to create a greener, more sustainable future for our campus and beyond!", + "num_members":319, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Environmental Science", + "Environmental Advocacy", + "Sustainability", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"bf44ea4a-d611-45a0-a473-26e8944e6894", + "name":"Omega Chi Epsilon (Chemical Engineering Honor Society)", + "preview":"Xi Chapter of the National Chemical Engineering Honor Society", + "description":"The Northeastern chapter of the Omega Chi Epsilon Chemical Engineering Honor Society consists of highly motivated chemical engineering upperclassmen who have excelled in academics. The goal of the club is to foster academic and career success for underclassmen in the challenging major. OXE's flexible mentoring program allows underclassmen to access advice - whenever they require it - from accomplished upperclassmen chemical engineering students who may have encountered many of the same problems and big decisions in their own undergraduate careers.\r\n ", + "num_members":400, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Chemical Engineering", + "Mentoring", + "Academic Success", + "Engineering", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d31d5fca-99f2-49cf-a2e3-8a0527c2113990641f5c-d0d2-4237-aec3-952a0bdeb4a9.gif" + }, + { + "id":"b5392845-c6d5-4014-a30d-58169868c1b3", + "name":"Omega Phi Beta", + "preview":"Omega Phi Beta Sorority, Incorporated was founded on March 15, 1989 at the University at Albany, State University of New York. The historical marginalization of women, particularly women of color, has had a significant impact on the process by which ", + "description":"Omega Phi Beta Sorority, Incorporated was founded on March 15, 1989 at the University at Albany, State University of New York. The historical marginalization of women, particularly women of color, has had a significant impact on the process by which multi-cultural, multi-ethnic and multi-racial women ascertain educational, economic, social and political capital in American society. In response to this reality, seventeen women from various racial, ethnic, and cultural backgrounds synthesized their passion, commitment and motivation. They envisioned an organization that would unify women of color who were dedicated to correcting the injustices that have and continue to affect our communities.", + "num_members":867, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Women's Empowerment", + "Community Advocacy", + "Women of Color", + "Multiculturalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"91db15af-a6dc-4b77-bca6-b6b4b3164397", + "name":"One for the World Northeastern", + "preview":"One for the World (OFTW) is a nationwide organization dedicated to ending extreme poverty. Using the principles of effective altruism, we help students pledge 1% of their post-graduation income to the most effective charities in the world.", + "description":"One for the World (OFTW) is a nationwide organization that aims to revolutionize charitable giving to end extreme poverty. Our goal at OFTW Northeastern is to educate the Northeastern community about effective altruism and help students pledge 1% of their post-graduation income to the most effective charities. Our portfolio, developed in partnership with GiveWell, includes 16 efficacious charities to ensure every dollar donated has the most impact. Just a small percentage of our income can dramatically change people's lives across the world. ", + "num_members":328, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "HumanRights", + "Environmental Advocacy", + "Neuroscience" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f1b08a0c-c2d3-49b6-93c3-361e46bc617ad5202020-c14e-4ab1-ab82-0ad3040766ae.png" + }, + { + "id":"49dc694c-5314-421e-9a88-b717d415b8d6", + "name":"Operation Smile", + "preview":"Every three minutes a child is born with a cleft. A child with a cleft has twice the odds of dying before their first birthday. Operation Smile is an international children's charity that performs safe effective cleft lip and cleft palate in resource", + "description":"Every three minutes a child is born with a cleft. A child with a cleft has twice the odds of dying before their first birthday. Operation Smile is an international children's charity that performs safe effective cleft lip and cleft palate in resource poor countries. We are a mobilized force of international medical professionals and caring heart. Since 1982, Operation smile- through the help of dedicated medical volunteers- has provided free surgical procedures for children and young adults. With our presence in over 60 countries we are able to heal children's smiles and bring hope for a better future. For more information about the organization please visit www.operationsmile.org At Northeastern we work to rasie money and awareness to provide surgeries for children with cleft lip and/or palate in third world countries. We also support other community service efforts in Boston.\r\nPlease contact operationsmileneu@gmail.com for any inquires relating to our on-campus organization. ", + "num_members":828, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "HumanRights", + "PreMed", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/908963a8-538a-46ae-af8e-0949f8fe42c8d56f25d5-d523-4628-b1ed-c2552cc0c4aa.jpg" + }, + { + "id":"2b13200f-c375-4383-98f6-d8dc04e428ff", + "name":"Order of Omega", + "preview":"Honoring Greek leaders since 1959", + "description":"Welcome to the Order of Omega, a prestigious organization dedicated to honoring and empowering Greek leaders since 1959. Our mission is to recognize outstanding members of fraternity and sorority communities who exemplify excellence in scholarship, leadership, and service. By fostering a spirit of unity and collaboration, we provide a platform for members to network, grow professionally, and make a positive impact on their communities. Whether through educational programs, community service initiatives, or leadership development opportunities, the Order of Omega is committed to supporting and celebrating the remarkable achievements of Greek leaders across the nation.", + "num_members":62, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Leadership", + "Community Outreach", + "Volunteerism", + "Scholarship", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b3cafcc7-647d-4852-b831-c083fcbfe33a53e820ce-f089-4fad-bf4d-df341739dc9d.png" + }, + { + "id":"a3aba4a8-e4eb-45c3-9f84-d86cc1f91589", + "name":"Origin", + "preview":"Origin is a student-run organization that works to increase the quantity and quality of ventures in Northeastern\u2019s ecosystem that solve scientific & technological problems through outreach and speaker events that focus on STEM and business.", + "description":"Origin is a student-run organization that aims to increase the quantity and quality of ventures in Northeastern’s ecosystem that solve scientific & technological problems. As a student-oriented program focused on community, Origin presents the opportunity for you to learn by communicating with a diverse set of ambitious individuals in a tight-knit environment where work ethic and curiosity are most valued. If you’re ready to work hard in the space of discoveries, eager to learn from others, and excited to collaborate with equally enthusiastic students, you’ve found the right place.", + "num_members":912, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Engineering", + "Community Outreach", + "Volunteerism", + "Environmental Advocacy", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c401d770-6b8d-41f7-bead-023e2377c3867ed69c2a-054c-4a56-a586-86aa52f9d49e.jpg" + }, + { + "id":"81f6d23a-2382-4049-a378-4f8ede5d27ab", + "name":"Out in Business", + "preview":"Out in Business is a organization whose purpose is to create and maintain an inviting space for LGBTQ+ students of Northeastern University interested in the business field to organize, socialize, and form connections with one another.", + "description":"Out in Business is a organization whose purpose is to create and maintain an inviting space for LGBTQ+ students of Northeastern University interested in the business field to organize, socialize, and form connections with one another, all the while cultivating and promoting the personal and professional growth of its members through the study of business and its applications in the world. ", + "num_members":358, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Business", + "Networking", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/238c3475-cf50-491c-a78c-de3fee57d2042c96f235-0532-4492-91bd-3492e9be7fe6.jpg" + }, + { + "id":"99e05a64-082a-43c8-a861-736579e42936", + "name":"Out in STEM at Northeastern University", + "preview":"Out in Science, Technology, Engineering, and Mathematics (oSTEM) is a national society dedicated to LGBTQIA education, advancement, and leadership in the STEM fields.", + "description":"Out in Science, Technology, Engineering, and Mathematics (oSTEM) is a national society dedicated to LGBTQIA education, advancement, and leadership in the STEM fields.", + "num_members":201, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "STEM", + "Community Outreach", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"514fd351-3b3d-403f-a6c4-d5329f108e03", + "name":"Pakistani Student Association", + "preview":"Pakistani Student Association", + "description":"The Pakistani Students Association at Northeastern University (PakSA at NU) aims to embrace the unity, culture, and heritage of Pakistani students. Through this student organization, we seek to provide a space where Pakistani students at Northeastern can feel connected to their culture and language in the midst of their studies. We strive to cultivate an authentic understanding and celebration of Pakistani culture on campus. ", + "num_members":104, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Community Outreach", + "Cultural Celebration", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7524ca3b-8fd2-4d96-83fc-e5face4237b74c69bb59-8c0c-4c2d-b240-d3adc1336e58.jpg" + }, + { + "id":"6dda0688-ef9e-4b7f-95a0-237ddf6b52ab", + "name":"Pan Asian American Council (Campus Resource)", + "preview":"The Pan Asian American Council aims to provide support, training and resources for Asian American students, particularly those serving in leadership positions in their respective organizations.", + "description":"The Pan Asian American Council aims to provide support, training and resources for Asian American students, particularly those serving in leadership positions in their respective organizations.", + "num_members":125, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Leadership", + "Community Outreach", + "Support" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"ab92f7ab-7ae3-41fa-b35b-cc7427420895", + "name":"Panhellenic Council", + "preview":"Panhellenic Council is responsible for overseeing 11 Panhellenic chapters: Alpha Epsilon Phi, Alpha Chi Omega,Chi Omega, Delta Phi Epsilon, Delta Zeta, Kappa Delta, Kappa Kappa Gamma, Sigma Delta Tau, Sigma Kappa, Sigma Sigma Sigma, and Phi Sigma Rho", + "description":"The Northeastern University Panhellenic Council promotes shared values of friendship, leadership, scholarship, and philanthropy among women. The Panhellenic Council also strives to advance crucial relations with communities throughout Fraternity and Sorority Life, Northeastern University, and Boston.\r\nPanhellenic Council is responsible for overseeing the 11 chapters: Alpha Epsilon Phi, Alpha Chi Omega,Chi Omega, Delta Phi Epsilon, Delta Zeta, Kappa Delta, Kappa Kappa Gamma, Sigma Delta Tau, Sigma Kappa, Sigma Sigma Sigma, and Phi Sigma Rho*.\r\n \r\n*Phi Sigma Rho is an affiliated chapter of the Northeastern Panhellenic Council, but is not affiliated with NPC. For more information on this chapter please see their organization page on Engage. ", + "num_members":638, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Leadership", + "Scholarship", + "Philanthropy", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/c2bd5662-1316-454d-82ba-2dca87df92395504a35b-0c51-40f1-a773-f1ca9e19dc27.png" + }, + { + "id":"e897918a-a892-4488-a7dc-3f4a268045ce", + "name":"Peace Through Play", + "preview":"Peace Through Play is a student-run organization founded and based at Northeastern University. We create opportunities for the mutual empowerment of college students and Boston youth through educational games, crafts, and other learning mediums.", + "description":"Peace Through Play is a student-run organization founded and based at Northeastern University. We create opportunities for the mutual empowerment of college students and Boston youth through educational games, crafts, and other learning mediums.\r\nSince 2018, Peace Through Play has been partnered with the Northeastern University Human Services Program and our faculty advisor Dr. Emily Mann, a senior research associate and teaching professor with the program. Dr. Mann's \"Science of Play\" honors seminar students collaborate with our executive board each year to develop supplemental materials for our curriculum that promote the power of play with respect to child development.\r\nAs most people may guess, play is a critical part of child development. It allows children to problem solve; cultivate their imaginations; discover their interests and improve their language, motor, and executive function skills. Peace Through Play also works to emphasize the five core social emotional learning competencies as defined by the Collaborative for Academic, Social, and Emotional Learning (CASEL). These competencies lay the foundation for each child's success academically, socially, and otherwise. For a variety of reasons, ranging from public school budget cuts to an increasing emphasis on academic scores, play is one of the first aspects of the school day to be minimized or eliminated. Peace Through Play provides Boston youth with opportunities to reincorporate that play into their lives and development.\r\nPlease feel free to visit our website or social media to learn more, and don't hesitate to reach out with any questions! To hear from some of our volunteers, watch the video below.\r\n \r\nhttps://www.youtube.com/watch?v=Vx5eJHDoRJU\r\n \r\nWe have also been featured on Northeastern's Follow Friday series, which you can view below.\r\n \r\nhttps://www.youtube.com/watch?v=4xTnI7B9D-Q", + "num_members":734, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Education", + "Community Outreach", + "Volunteerism", + "Child Development", + "Social Emotional Learning" + ], + "logo":"https://se-images.campuslabs.com/clink/images/eaa971b1-2fc2-4260-9cda-92182706b5722615c470-c4aa-40b7-a62a-19f16d6a7907.PNG" + }, + { + "id":"52ddffcb-05fa-4b79-8d64-ce38770bb64e", + "name":"Perfect Pair at Northeastern University", + "preview":"NU Perfect Pair is a chapter of a national non-profit and it has a mission of fostering one-on-one, intergenerational connections between seniors and college students to combat experiences of social isolation and improve general well-being. ", + "description":"NU Perfect Pair fosters intergenerational connections between seniors and college students in the hopes of countering isolation and loneliness in assisted living communities around the local Boston area. This endeavor is grounded in a commitment to reinforce a profound sense of community and purpose for the pairings, while simultaneously enhancing the overall health and well-being of the local senior demographic.\r\n \r\nThe organization’s mission is accomplished through personalized matches between one older adult and one college student, taking into account shared backgrounds and mutual interests to ensure an authentic bond. Through weekly meetings and tailored programming, pairs engage in meaningful activities that provide mutual benefits, rekindling seniors’ passions and offering mentorship opportunities for students.\r\n NU Perfect Pair strives to raise awareness of the senior experience, challenge age-related stereotypes, and welcome new ideas that support the organization and the community it serves.", + "num_members":657, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "HumanRights", + "Mentorship", + "Interpersonal Relationships" + ], + "logo":"https://se-images.campuslabs.com/clink/images/da92b28f-7e2f-4c2b-b510-174a18fd225f9689d633-dbda-4374-9598-fba1d2d28442.png" + }, + { + "id":"7a2cb1da-148d-4c85-a8b5-a15d76315916", + "name":"Phi Alpha Delta: International Legal Fraternity of Northeastern University Frank Palmer Speare Chapter", + "preview":"With over 650 law, pre-law, and alumni chapters, Phi Alpha Delta (PAD) is the largest co-ed legal fraternity in the United States. Focused on promoting a deeper understanding of the law and the legal profession, PAD is open to students of all majors", + "description":"With over 650 law, pre-law, and alumni chapters, Phi Alpha Delta (PAD) is the largest co-ed legal fraternity in the United States. Focused on promoting a deeper understanding of the law and the legal profession, PAD supports is open to supporting students in all majors in their academic and professional pursuits related to law. PAD offers several resources to members, including LSAT seminars, guest speakers from the legal field, college and career fairs, discounts on prep materials, and law-related volunteer opportunities. In addition to being a professional fraternity, PAD also coordinates social events for members – both within the fraternity and with other student groups on campus. All Northeastern students are welcome to join, regardless of major or professional goals.", + "num_members":310, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Prelaw", + "Volunteerism", + "Community Outreach", + "HumanRights", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"b038d078-7653-4f0e-a1eb-1566e2a49f3d", + "name":"Phi Beta Sigma Fraternity Inc.", + "preview":"Phi Beta Sigma Fraternity was founded at Howard University in Washington, D.C., January 9, 1914, by three young African-American male students. The Founders, Honorable A. Langston Taylor, Honorable Leonard F. Morse, and Honorable Charles I. Brown, wa", + "description":"Phi Beta Sigma Fraternity was founded at Howard University in Washington, D.C., January 9, 1914, by three young African-American male students. The Founders, Honorable A. Langston Taylor, Honorable Leonard F. Morse, and Honorable Charles I. Brown, wanted to organize a Greek letter fraternity that would truly exemplify the ideals of brotherhood, scholarship, and service. The Founders deeply wished to create an organization that viewed itself as “a part of” the general community rather than “apart from” the general community. They believed that each potential member should be judged by his own merits, rather than his family background or affluence…without regard to race, nationality, skin tone or texture of hair. They desired for their fraternity to exist as part of an even greater brotherhood which would be devoted to the “inclusive we” rather than the “exclusive we”. From its inception, the Founders also conceived Phi Beta Sigma as a mechanism to deliver services to the general community. Rather than gaining skills to be utilized exclusively for themselves and their immediate families, they held a deep conviction that they should return their newly acquired skills to the communities from which they had come. This deep conviction was mirrored in the Fraternity’s motto, “Culture For Service and Service For Humanity”. Today, Phi Beta Sigma has blossomed into an international organization of leaders. No longer a single entity, members of the Fraternity have been instrumental in the establishment of the Phi Beta Sigma National Foundation, the Phi Beta Sigma Federal Credit Union and The Sigma Beta Club Foundation. Zeta Phi Beta Sorority, founded in 1920 with the assistance of Phi Beta Sigma, is the sister organization of the Fraternity.", + "num_members":652, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "African American", + "Community Outreach", + "Volunteerism", + "HumanRights", + "Service For Humanity" + ], + "logo":"https://se-images.campuslabs.com/clink/images/65f59214-5e28-4c2d-9a01-ede2d4473df28d0ee2d6-e752-40cb-a348-81cdeda77441.png" + }, + { + "id":"61479741-6f38-4cda-8894-c3272005cd0c", + "name":"Phi Delta Chi", + "preview":"Phi Delta Chi is a professional pharmacy fraternity whose objective is to advance the science of pharmacy and its allied interests, and to foster and promote a fraternal spirit among its brothers. We pride ourselves on being a fraternity that mixes a", + "description":"Phi Delta Chi is a co-ed professional pharmacy fraternity whose objective is to advance the science of pharmacy and its allied interests, and to foster and promote a fraternal spirit among its brothers. The Beta Chi Chapter at Northeastern University currently consists of 42 active Brothers and 138 alumni. Our chapter is nationally recognized for excelling in leadership, professionalism, service, scholarship, and brotherhood. In 2021, we ranked 2nd among 108 chapters of Phi Delta Chi in professionalism and service, 5th in our publication and 5th overall in the nation! \r\n \r\nEach year, we put on professional events including Bouve Health Fair, the Pharmacy Co-op and APPE Expos, fundraise for our official charity St. Jude, and attend national and regional conferences. The Beta Chi chapter focuses on leadership growth and professional development while encouraging brotherhood and academic excellence within the fraternity. We look forward to sharing our journey with you and watching your growth in the years to come. Learn more about us by visiting our website! www.phideltachibx.org\r\n \r\nIf you’re interested in joining our e-mail list for Fall 2024 Recruitment or have any questions, feel free to fill out this interest form or email Jason Ssentongo (ssentongo.j@northeastern.edu) or Ehrun Omuemu (omuemu.o@northeastern.edu).", + "num_members":248, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Pharmacy", + "Healthcare", + "Leadership", + "Professional Development", + "Service", + "Scholarship", + "Brotherhood" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8ac27185-d356-48b1-a216-7ffd5804c7b40239e36e-1163-4fc1-8d48-b96e1db77434.png" + }, + { + "id":"7fa1cb1c-ced2-453d-9247-415199e3026f", + "name":"Phi Delta Epsilon Medical Fraternity", + "preview":"Phi Delta Epsilon includes medical and premedical chapters worldwide, in which students are invited into an expansive network of physicians and students which embraces diversity and pushes its members towards achieving the highest standards in medici", + "description":"Phi Delta Epsilon was founded in 1904 at Cornell University Medical College and since then has amassed more than 150 medical and premedical chapters around the world. Students at Northeastern University could be potentially invited into an expansive network of physicians and students which embraces diversity and pushes its members towards achieving the highest standards in the medical community.", + "num_members":523, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Premed", + "Volunteerism", + "Neuroscience", + "Community Outreach", + "HumanRights", + "Biology" + ], + "logo":"https://se-images.campuslabs.com/clink/images/46fa14e1-aa6a-470f-8da7-dbc7f6e27fb4393ea35c-82f7-452e-8eec-6336c36a1b83.gif" + }, + { + "id":"ba3af640-1401-485e-b34a-5ce016261b33", + "name":"Phi Delta Theta", + "preview":"Phi Delta Theta is a recognized Northeastern fraternity composed of outstanding individuals. The fraternity operates under three guiding principles: friendship, sound learning, and moral rectitude.", + "description":"Phi Delta Theta was organized with three principle objectives: The cultivation of friendship among its members, the acquirement individually of a high degree of mental culture, and the attainment personally of a high standard of morality. These objectives, referred to as the \"Cardinal Principles,\" have guided over 235,000 men since 1848 when the Fraternity was founded at Miami University in Oxford, Ohio.", + "num_members":101, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Friendship", + "Mental Culture", + "Morality", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2b847f0d-c5a2-499b-8a65-abe68610cafc09590861-285c-470d-91ee-7a3a8326b11d.jpg" + }, + { + "id":"d0777ff0-ee4c-45cb-9bcf-17e4cf6df8ac", + "name":"Phi Gamma Delta", + "preview":"Phi Gamma Delta unites men in enduring friendships, stimulates the pursuit of knowledge, and builds courageous leaders who serve the world with the best that is in them.", + "description":"Phi Gamma Delta unites men in enduring friendships, stimulates the pursuit of knowledge, and builds courageous leaders who serve the world with the best that is in them.", + "num_members":817, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Leadership", + "Community Outreach", + "Volunteerism", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"babe1657-b7eb-40f2-b4da-036798db0c6a", + "name":"Phi Lambda Sigma", + "preview":"Phi Lambda Sigma is the National Pharmacy Leadership Society. Northeastern's chapter is called the Gamma Kappa chapter. We strive to foster, encourage, recognize, and promote leadership among pharmacy students.", + "description":"The purpose of Phi Lambda Sigma, also known as the national Pharmacy Leadership Society, is to promote the development of leadership qualities, especially among pharmacy students. By peer recognition, the Society encourages participation in all pharmacy activities. Since membership crosses fraternal and organizational lines, the Society does not compete with other pharmacy organizations.\r\nPhi Lambda Sigma honors leadership. Members are selected by peer recognition. No greater honor can be bestowed upon an individual than to be recognized as a leader by one’s peers. Such recognition instills and enhances self-confidence, encourages the less active student to a more active role and promotes greater effort toward the advancement of pharmacy.\r\nThe Gamma Kappa chapter at Northeastern University hosts numerous annual events for the greater School of Pharmacy community throughout the year, including the PLS Leadership Retreat, the PLS Leadership Series, and the School of Pharmacy 5K.", + "num_members":525, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Leadership", + "Pharmacy", + "Community Outreach", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d7cffd02-c20a-4d0a-bdb6-42f2fd288397b76f721e-6752-4cfa-aca3-5db0c65dd7be.png" + }, + { + "id":"307e9648-6615-4a32-a8d5-81cdf197b156", + "name":"Phi Sigma Rho", + "preview":"Phi Sigma Rho is a national social sorority for women and non-binary individuals in STEM. Our members develop the highest standard of personal integrity, strive for academic excellence, and build friendships that will last a lifetime.", + "description":"Phi Sigma Rho is a national social sorority for women and non-binary people in engineering technologies and technical/STEM studies. Our members develop the highest standard of personal integrity, strive for academic excellence, and build friendships that will last a lifetime. Together we build the future. \r\nIf you are interested in joining Phi Sigma Rho, we hold both Spring and Fall Recruitment. Please follow @phirhonu on Instagram to find out more and see announcements about our recruitment! \r\nIf you would like to receive more information about Fall 2023 Recruitment, please fill out our interest form!", + "num_members":666, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Women", + "STEM", + "Engineering", + "Sorority", + "Academic Excellence", + "Friendship", + "Future Building" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3c4af81f-eabc-4716-86f7-0ce3cba5e24e0eb56d22-7aae-4e63-9600-d28d894e0336.png" + }, + { + "id":"0153ab33-9e9f-4eac-b434-12962c899673", + "name":"Pi Delta Psi Fraternity, Inc.", + "preview":"Pi Delta Psi is an Asian interest fraternity founded on four pillars: Academic Achievement, Cultural Awareness, Righteousness, and Friendship/Loyalty. Our main mission is to spread Asian American culture and empower the Asian community.", + "description":"Pi Delta Psi was founded on February 20, 1994 in Binghamton University, State University of New York. The eleven men were responsible for architecting the guiding principles, which have now developed into one of the nation's largest Asian Cultural Interest Fraternities. Over the next three years (1994-1996), Pi Delta Psi had expanded into the University at Buffalo and Hofstra University. Every expansion resulted in positively impacting the school and surrounding community. By 2000, Pi Delta Psi had expanded to 11 prestigious campuses spanning four states, setting a record for the fastest growing organization of its kind since inception. With a fierce growth in the brotherhood and a strengthened alumni base, the fraternity rebuilt its National Council in 1999, standardizing Pi Delta Psi throughout all its chapters. Today, the Fraternity continues to grow in size and prestige. What began as a dream for the eleven founders, has become the work and dedication of thousands across the country and across seas.", + "num_members":1009, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism", + "HumanRights", + "Fraternity", + "Performing Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fe4c2ac5-68b0-49b4-a186-c25a19fb7ebbc5bda4e8-553f-4c08-85ef-ce0c515dfe2c.jpeg" + }, + { + "id":"8cb19ce2-83b5-4056-a9b6-a125346bc2e2", + "name":"Pi Kappa Phi", + "preview":"Since our inception we have forged a brotherhood of over 100 leaders unlike any other and raised awareness for our national organization's very own philanthropy, The Ability Experience.", + "description":"Since our inception, we have forged a brotherhood of over 100 leaders unlike any other and raised awareness for our national organization's very own philanthropy, The Ability Experience.", + "num_members":427, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "Leadership", + "Philanthropy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0e298231-f654-4a62-8b1d-37620c81a209118d53da-9fc0-4c2c-a47a-1d8272c4ea14.png" + }, + { + "id":"a9f21e6c-0414-473a-a508-942bf6382793", + "name":"PIH Engage", + "preview":"Partners In Health Engage Northeastern (PIH Engage NEU) is building the right to health movement\u00a0through advocacy, community building and fundraising. ", + "description":"Partners In Health Engage (PIHE) is building the right to health movement by recruiting and empowering teams of dedicated volunteer community organizers. These teams drive campaigns focused on building and directing power towards generating new resources, fostering public discourse, and advocating for effective policies.\r\nWe organize by building strong teams and by fostering alliances with like-minded groups to ensure that the right to health is highlighted in the democratic process.\r\nWe educate by hosting discussion groups and public lectures about the right to health.\r\nWe generate resources to fund high quality healthcare for people living in poverty.\r\nWe advocate for global and domestic policies that further the right to health.\r\nTogether, we demand the right to health be protected for all people, everywhere.", + "num_members":37, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "HumanRights", + "Community Outreach", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/86f89017-a454-44bb-853c-a67d75e88a8bfea1dd8e-0fe7-4160-812a-b35be1eea21b.png" + }, + { + "id":"de3dc6ac-72a3-414a-b6e9-a17a73736994", + "name":"Pinky Swear Pack", + "preview":"We are dedicated to lightening the burden that pediatric cancer places on both children and their families. We hold a variety of events to educate, support, and create impact in the lives of children battling cancer.", + "description":"If you would like to join our volunteer group, please email us!\r\n \r\nWe are a community of like-minded individuals who educate, support, and create an impact in the fight against pediatric cancer. We hold a wide variety of events, ranging in involvement levels from hospital visits to card making. We have previously met bi-weekly on Wednesday's and hold events regularly. ", + "num_members":634, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "HumanRights", + "Creative Writing", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f9a47ad7-f2b4-42e8-99a0-b37caf4c618774c468c2-f2f0-4acf-8d9d-fa373d7c7a66.png" + }, + { + "id":"938c8ebf-1e2c-46ae-a66f-ac343a73a047", + "name":"Pre-Physician Assistant Society", + "preview":"The purpose of the Pre-PA Society is to educate students about the PA profession and guide those interested in pursing this career. The Society will help students decipher required coursework and promote academic achievement, as well as aid in the pr", + "description":"The purpose of the Pre-PA Society is to educate students about the PA profession and guide those interested in pursing this career. The Society will help students decipher required coursework and promote academic achievement, as well as aid in the preparation for the graduate school admission process. Furthermore, interactions with health care professionals and graduate students will give undergraduates insight to this rapidly growing and competitive field. Society meetings will also help to facilitate communication among pre-PA students.", + "num_members":728, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "Biology", + "Neuroscience", + "Psychology", + "Healthcare", + "Student Organization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9f83535a-a1e1-4c56-a00d-16de5e04eebbe7277fc0-e886-4bd5-9c22-0436a08515e1.png" + }, + { + "id":"42a32185-1158-4cf2-bf04-43bba3d05c64", + "name":"Prehistoric Life Club", + "preview":"The PLC is a club dedicated to the cultivating of knowledge and passion for all things related to prehistory. Fans of paleontology, paleobotany, and those with just some interest in learning are all welcome at all of our meetings.", + "description":"The Prehistoric Life Club is primarily dedicated to the reignition of passion in learning about prehistory as well as providing a space for the education of prehistory on campus. Many of us once enjoyed learning about prehistory, but the education system and social pressures caused us to push it down, and lose our love for dinosaurs and other fascinating lifeforms. The PLC wants to draw that love out of those who have pushed it down and be a space for those who never lost it to gather too. We hold many kinds of events, ranging from trivia nights to educational presentations.", + "num_members":199, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Biology", + "Environmental Science", + "Education", + "History", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f91b9d01-97ea-4692-8207-9b3d1fb02aa822d97be6-7b0c-4b62-a194-d2fefd13f384.JPG" + }, + { + "id":"0083854c-8bf4-429f-a697-ef923a26fd66", + "name":"Private Equity & Venture Capital Club", + "preview":"We strive to allow students to create connections with their peers, faculty, and professionals within the private equity and venture capital industries through club activities and initiatives throughout the semester. ", + "description":"Welcome to the Private Equity & Venture Capital Club! Our club is dedicated to fostering connections among students, faculty, and professionals in the private equity and venture capital industries. Through engaging activities and initiatives held throughout the semester, we provide opportunities for members to learn, network, and grow in the dynamic world of private equity and venture capital. Whether you're a seasoned industry enthusiast or just starting to explore this field, our club is a supportive community where you can expand your knowledge and build meaningful relationships. Join us and be a part of an exciting journey in the realm of finance!", + "num_members":646, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Networking", + "Finance", + "Community Outreach", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/78339533-f7dc-48da-9229-d9f1a582b2ebd98e4e73-35f3-4a65-b5e4-508c7cd73366.jpg" + }, + { + "id":"f490935f-14aa-4294-a610-8c686690ac92", + "name":"Progressive Student Alliance", + "preview":"United Students Against Sweatshops Local 115", + "description":"Hello! We are Northeastern's Progressive Student Alliance (PSA), a local affiliate of United Students Against Sweatshops that organizes for student and worker power on our campus and beyond. \r\nCurrently, PSA is organizing an anti-militarism campaign, focused on Northeastern's relationship with the war industry (weapons manufacturers and other companies fueling violent conflict). \r\nWe've formed the Huskies Organizing with Labor (HOWL) in support of dining workers. In 2017, the dining workers' contract was up for renewal and their union was pushing for a minimum salary of $35,000 and comprehensive health benefits. HOWL was able to organize enough student support to pressure Northeastern to agree to demands a day before workers were planning to strike. In 2022, the dining workers' contract was up for renewal again, and we supported HOWL and the workers in their organizing. In the end, improved wages, healthcare benefits, and other conditions were won, just before a strike was likely to happen.\r\nWe have also organized with Full-Time Non-Tenure Track (FTNTT) Faculty. Northeastern administration has now twice denied their right to a free and fair election to unionize. Since the second occurrence in 2019, PSA has been gathering student support for their campaign with SEIU Local 509. \r\nPSA also stands in solidarity with international campaigns. In 2017, we were successful in pressuring Northeastern to cut ties with Nike. \r\nCollective Liberation is at the core of everything we do. We believe that no one can be truly free unless everyone is free. \r\nIf you're interested in learning more, you can sign up for our mailing list and check us out on Instagram (@neu.psa)! You can find important links at linktr.ee/neu.psa and contact us at neu.psa@gmail.com.", + "num_members":627, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Community Outreach", + "Environmental Advocacy", + "Volunteerism", + "Hiking", + "Journalism", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/089a00f9-c8d1-4dc9-8cd2-8399357bf2de2527f7d4-44ec-43c9-8006-2ef2adf75cc0.png" + }, + { + "id":"641f0662-a563-4961-89b9-29e2bc512d5a", + "name":"Project Sunshine", + "preview":"Project Sunshine seeks to have college volunteers positioned to serve as role models to children facing medical challenges. Trained volunteers engage in facilitating creative arts and crafts with patients and their families.", + "description":"Project Sunshine has active college chapters on over 60 campuses nationwide. College volunteers deliver two types of programs. The first program called TelePlay, is when small groups of patients and trained volunteers meet by video conference to engage in play and activities. The second program occurs in the medical facilities where volunteers facilitate creative arts and crafts with patients and their families. Given our close proximity in age and approachability, college volunteers are uniquely positioned to serve as role models to children facing medical challenges.\r\nThrough volunteering, college students develop leadership skills, engage in service opportunities, and raise awareness about Project Sunshine across the country. Chapters participate in both types of volunteer program activities, organize Sending Sunshine events, and fundraise on campus to support Project Sunshine’s mission.", + "num_members":589, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "Creative Arts", + "Leadership", + "Service Opportunities" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f2bc1ec7-b4cc-43fb-8ad8-92076322500aa80a2573-a2ea-4e46-af24-649fd935b9dc.png" + }, + { + "id":"325ae123-43a7-4433-be77-d82b17ab1daa", + "name":"Psychedelic Club of Northeastern", + "preview":"Our mission is to be a forum for the Northeastern community to discuss psychedelics and consciousness research through a myriad of perspectives such as psychology, culture, criminal justice, religion, and art.", + "description":"Our mission is to be a forum for the Northeastern community to discuss psychedelics and consciousness research through a myriad of perspectives such as psychology, culture, criminal justice, religion, and art. We hope to target current Northeastern students who may be interested in learning how psychedelics can positively help out the world. A typical meeting includes discussion around current psychedelic news, forums around specific types of psychedelics, and harm reduction and help for those struggling from a psychedelic trip.", + "num_members":658, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Psychology", + "Neuroscience", + "Community Outreach", + "Artistic Expression" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7b51d467-94c6-4ce7-8feb-8ebc15512f159ce12d8a-62b2-4ffe-bc62-2c7893ed1194.png" + }, + { + "id":"74a2ab59-c8eb-4265-9c7d-48407db94e82", + "name":"Puerto Rican Student Association", + "preview":"Our purpose is to serve as a space where Puerto Rican students can share their culture and socialize. ", + "description":"Welcome to the Puerto Rican Student Association! Our club is a vibrant community dedicated to celebrating Puerto Rican culture and fostering connections among students. We provide a supportive space where members can share their heritage, engage in cultural activities, and build lasting friendships. Whether you're looking to showcase your traditions, learn more about Puerto Rican culture, or simply socialize with like-minded peers, our association is the perfect place for you. Join us in embracing diversity, creating memorable experiences, and spreading joy within our campus community!", + "num_members":417, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Latin America", + "Community Outreach", + "Social Justice", + "Cultural Diversity" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9cd7bb42-929c-4c95-8f26-b459131223919e14c4e7-3b7b-4284-9f07-c8b62c8d5994.JPG" + }, + { + "id":"a5611769-a6d5-43f0-84f9-5a7d0657c987", + "name":"Rangila", + "preview":"Rangila is an empowering and vibrant all-girls dance team that fuses the best elements of traditional Indian and modern Western styles. Rangila means 'color', and like the word, we aspire to be as visually striking as possible.", + "description":"Rangila is Northeastern’s premier Bollywood fusion dance team that combines the bestelements of traditional Eastern and modern Western styles of dance. We compete acrossthe country in styles such as Bollywood, Hip Hop, Contemporary, Bhangra, and more, unitedby our love for dance. We strive to build an appreciation for dance and culture.\r\n \r\nNU Rangila Promo Video 2022-2023", + "num_members":219, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music", + "Dance", + "Asian American" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3d68f0ea-47ff-497e-9f70-745d0b74d5de0dbe69ba-9f86-4f93-b595-a28883517d7d.PNG" + }, + { + "id":"1ef0ee3f-293b-4ac0-8881-89460b015543", + "name":"Resident Student Association", + "preview":"The Resident Student Association is a student government body dedicated to representing students living on campus. Our three pillars are programming, leadership, and advocacy to make residence halls more serviceable and livable.", + "description":"The purpose of the RSA is to serve as the official liaison between the students living in Northeastern University (NU) residence halls and the staff and administration of the Department of Housing and Residential Life; to act as a programming organization to the students living in NU residence halls; to act as an advocacy body on behalf of the resident student population; to provide leadership development opportunities to resident students; to oversee residence hall councils; to strive to make NU residence halls a continually more serviceable and livable community; to aim for a membership that equally represents each of the residence halls on campus; to act in an advisory capacity to the resident students and the staff and administration of University offices in matters pertaining to NU residence halls; to be a means by which the Resident Activity Fee (RAF) is distributed; and to be the means by which the residence population affiliates itself with the National Association of College and University Residence Halls, Inc. (NACURH).", + "num_members":922, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Leadership Development", + "Advocacy", + "Volunteerism", + "Programming", + "Student Leadership" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e4ceee88-452a-441e-ac30-36bd5f3565809a546d1f-d48c-48ee-92e0-38ba40957154.JPG" + }, + { + "id":"a6715ece-a9fc-4b0e-b0ae-dba90293bd36", + "name":"Rethink Your Drink", + "preview":"Rethink Your Drink is an organization committed to promoting healthier beverage options and sustainability both within campus and in the greater Boston community through various outreach events.", + "description":"Rethink Your Drink is an organization committed to promoting healthier beverage options and sustainability both within campus and in the greater Boston community through various outreach events. We organize various events, panels, and tabling sessions to raise awareness regarding this mission.\r\nRethink Your Drink began as a collaboration with the Boston Public Health Commission to implement a component of the Commission’s ‘Let’s Get Healthy, Boston!’, a 3-year grant from the Centers for Disease Control (CDC) to reduce obesity in Boston. As the campus-based component of this project, Rethink Your Drink encouraged members of the NU community to “rethink” their consumption of sugary beverages to reduce caloric intake and ultimately obesity. In collaboration with Northeastern's Office of Sustainability and Energy, we have also promoted the addition of 190 filtered water stations on campus and lobbied for the inclusion of their locations on the NUGo app. Past events have included displays at Earth Day, Water Day, Sustainability Day, and the Bouve Health Fair to collect filtered water dispensers location suggestions. Our annual \"Hydration Station\" provides the opportunity for students and staff to try fruit-infused water recipes and distributed infuser water bottles.\r\n \r\nMeetings: every other Monday 630-7pm on Zoom\r\nSpring 2021 dates: 1/25, 2/8, 2/22, 3/8, 3/22, 4/5, 4/19\r\n ", + "num_members":86, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "PublicRelations", + "Health", + "Sustainability", + "Nutrition" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6f4e048c-0aeb-4e74-a89f-ec432ba0fdb9ff24cc48-76ed-421e-a855-fbc3e92b8d60.png" + }, + { + "id":"0db8ecf1-c6b1-435c-8c02-b37e1f8f8d90", + "name":"Revolve Dance Crew", + "preview":"Founded in 2009, Revolve Dance Crew is a hip-hop dance team at Northeastern University, consisting of dancers from a variety of backgrounds. Our dancers work to develop their own personal style and get involved in the Boston dance scene. ", + "description":"Founded in 2009, Revolve Dance Crew is a hip-hop dance team at Northeastern University, consisting of dancers from a variety of backgrounds. Revolve strives to provide an environment for dancers to develop their own personal dance style, express their artistic and creative vision through movement, and get involved in the local Boston dance scene. Revolve aims to support different charities and nonprofits in need, selecting a cause each semester to donate their proceeds to. Overall, Revolve works to have a positive impact on not only the dancers involved but also the world around them.\r\nRevolve's YouTube!", + "num_members":485, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Community Outreach", + "Volunteerism", + "Music" + ], + "logo":"https://se-images.campuslabs.com/clink/images/bdfcac20-6c65-462b-973b-2a3fdc099de061f6a096-8c24-4094-bf75-d076f8d7d0ca.png" + }, + { + "id":"1ea30e6e-d39b-40f8-a0d8-7bc8629b4833", + "name":"Rho Chi Beta Tau Chapter", + "preview":"Rho Chi is the official Pharmacy honor society and is recognized nationally.", + "description":"Rho Chi is the official Pharmacy honor society and is recognized nationally.", + "num_members":187, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Premed", + "Chemistry", + "Biology", + "Neuroscience", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"d7f967c1-85cc-4a61-a33f-86c35db2a807", + "name":"Robotics Club of Northeastern University", + "preview":"Our goal is to de-mystify robotics. We provide a launchpad for learning about robotics and self-starting projects. Check out our website for more information! https://www.nurobotics.org/", + "description":"Our goal is to demystify robotics! NURobotics provides a launch-pad for learning about robotics and self-starting projects. We are an umbrella organization that supports a variety of student-led robotics projects while fostering a passionate community through general meetings and events. We firmly believe that a commitment to learning matters more than accumulated knowledge ever could, and strive to equip our members with the resources they need. Our club's lab space is located in Richards 440 where we are equipped with 3D printers, tools, resources, and other manufacturing capabilities to support our student projects.Discord is our club's main source of communication. Once you get verified, pick the roles for the project you're interested in. \r\nClick here to join our Discord!\r\nAdditionally, check out our presentation from our Beginning of Semester Kickoff Meeting which will help you get a better understanding of what each of our 9 projects has to offer and meeting times: \r\nKickoff Presentation Slides\r\n \r\nAdvisors: Professor Rifat Sipahi & Professor Tom Consi", + "num_members":376, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Robotics", + "Engineering", + "Technology", + "STEM", + "Student Organization", + "Community", + "Innovation", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/dd9ddb3f-cf1e-439e-b337-e698f81477838c756470-c1e0-4f9e-95f6-54f224e34842.jpg" + }, + { + "id":"5c953562-86d6-4700-9667-07154a36e87a", + "name":"Roxbury Robotics of Northeastern University", + "preview":"Roxbury Robotics is a community outreach program for students driven to provide local Roxbury students with STEM education through service-learning.", + "description":"Roxbury Robotics is a community outreach program for students to connect with the community around the university. Students visit a local school or community center once a week for the length of the semester to teach middle school-aged children about engineering and how to build a LEGO Robot. The semester culminates in a showcase held at Northeastern University, where kids show off their hard work in front of parents, students, and partner organizations.", + "num_members":788, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Engineering", + "Community Outreach", + "Education", + "Robotics" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7cb48783-eb98-4036-9745-5806ecef8c967841ac48-74ce-4cdd-8bf5-bf905052ef77.png" + }, + { + "id":"339bcaa1-76ba-40ba-ba41-fa4de0049a1f", + "name":"Rural Health Initiatives", + "preview":"The purpose of the Rural Health Initiatives is to promote the health and well-being of rural citizens by counteracting the effects of social isolation and loneliness, improving rural health literacy, and raising donations for essential items.", + "description":"The purpose of the Rural Health Initiatives is to promote the health and well-being of rural citizens by counteracting the effects of social isolation and loneliness, improving rural health literacy, and raising donations for essential items. Our main initiative is the Tele-Friend program. \r\nTELEFRIEND - Pen-pal to older adults program: This program focuses on combating issues of loneliness and social isolation in rural older adult populations. By partnering college students with a “pen-pal” older adult partner, students can engage in virtual discussions and activities to help provide companionship to those who need it most. ", + "num_members":347, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "LGBTQ", + "Psychology" + ], + "logo":"https://se-images.campuslabs.com/clink/images/05b86ace-d8d8-488b-bbe7-5b883244fc529834d45e-06dc-47f2-a329-194cdc412924.png" + }, + { + "id":"3e19965f-f88f-41c2-a85d-fe457cb147db", + "name":"Russian-Speaking Club", + "preview":"The primary purpose of this club is to create a network of students and faculty at Northeastern University who share an interest in the language, history and cultures of Russia and other countries of Eastern Europe and Central Asia. Our goal is to ma", + "description":"The primary purpose of this club is to create a network of students and faculty at Northeastern University who share an interest in the language, history and cultures of Russia and other countries of Eastern Europe and Central Asia. Our goal is to make a positive impact on the Northeastern community by engaging Club members in events, actions, and debates both on campus and outside. The Club will create opportunities for intellectual discourse and meaningful action through our network of professors and external speakers, participation in community-related events organized by the Club, and through interaction with other Northeastern clubs and organizations. It will aim to elevate student cultural awareness through cultural exchange and sharing of international perspectives, student-faculty led educational seminars on real-world topics, and active support and involvement with other Russian organizations in the Boston area. In addition to the networking and leadership opportunities, the Russian-Speaking club will also host a variety of social gatherings to promote socialization and share elements of the culture and society of Russia and surrounding regions with the university community.", + "num_members":446, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Russian-Speaking", + "Cultural Exchange", + "Networking", + "Community Engagement", + "International Perspectives", + "Educational Seminars", + "Socialization" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5b075616-5b82-448d-addc-b8d17b83b04eff4aa97a-bac2-4819-a4f2-261d47c324a0.jpg" + }, + { + "id":"146a7c70-46eb-4a9c-a782-49a67bc732e1", + "name":"Sandbox", + "preview":"Sandbox is Northeastern's student-led software consultancy. We build software products for the Northeastern student body, nonprofits, and academic researchers.", + "description":"Sandbox is Northeastern's student-led software consultancy. Sandbox members work in teams on projects that typically last two semesters or longer. We've done work for clients within the academic research disciplines at Northeastern, building software products to aid researchers in various experiments on healthcare, language learning, artificial intelligence, and more. Sandbox also houses a few projects that benefit the Northeastern community (such as searchneu.com and Khoury Office Hours), providing them with development resources to keep them up, running, and improving.\r\n \r\nCheck out our Introduction video: https://www.youtube.com/watch?v=6h-77kEnbtI\r\nVisit our linktr.ee to join our Community Slack for event updates, sign up for our mailing list, see some of our past work, and more! https://linktr.ee/sandboxnu\r\nWe recruit new members and take new projects every fall and spring semester. Check out our website https://sandboxnu.com to learn more.", + "num_members":316, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Artificial Intelligence", + "Data Science", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e07636f5-d490-42de-b79b-d68f75f037bd1bdf4e3a-846b-4338-bcdd-3dccb9ec2ecc.png" + }, + { + "id":"6a700e69-9148-4d3d-8bc2-277e847e5a78", + "name":"Sanskriti", + "preview":"Indian Students' Association at Northeastern University.", + "description":"We are the Indian Students' Association at Northeastern University, Boston. We aim to keep the traditions radiant and flourishing, bridge gaps between students of diverse backgrounds, cater them to meet fellow students and provide a common platform them to showcase their talents in various art forms.\r\nNU Sanskriti is one of the biggest Indian Students' Associations in the United States catering to over 7900 active Indian students at Northeastern University.", + "num_members":62, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Hinduism", + "Asian American", + "Performing Arts", + "Community Outreach", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f3cff281-5158-47c7-8626-05bd3ed886c6a6fcacd6-ddac-497d-a1a4-c41b973f009e.JPG" + }, + { + "id":"4397e21f-107b-47a3-a5cf-a3d8eea0a29f", + "name":"Scandinavian Student Association", + "preview":"The Scandinavian Student Association aims to build a community of support for Scandinavian students. Through the provision of bonding and cultural activities, as well as community events we strive to create a home away from home. ", + "description":"The Scandinavian Student Association aims to build a community of support for Scandinavian students. Through the provision of bonding and cultural activities, as well as community events we strive to create a home away from home.", + "num_members":464, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Cultural Activities", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/952c69d8-4355-48c5-b399-06972bfc482d8e34a34b-3553-4c25-a80b-d35f47e050a8.png" + }, + { + "id":"12d0ebc7-0033-4ff0-92d5-a817aa46c94c", + "name":"Science Book Club", + "preview":"NEU Science Book Club's purpose is to spark conversation amongst students of all backgrounds by discussing and analyzing fun scientific novels. SBC aims to hold volunteering events and movie/activity nights to further connect our community!", + "description":"Science Book Club's purpose is to spark conversation amongst students by discussing and analyzing fun scientific novels. We will primarily read non-fiction books that have to do with the sciences. We will also have volunteering events and movie/ activity nights apart from reading discussions. Hope to see you there!\r\nVisit our LinkTree for the meeting calendar and other important links!", + "num_members":99, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Science Book Club", + "Creative Writing", + "Environmental Science", + "Neuroscience", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7ec713b7-6364-4cb6-a3d9-209b801967a7b1052d1d-2f47-429f-a4eb-fee298d4fc01.png" + }, + { + "id":"7fd97e78-efdc-43fc-8b15-c10c6d9bc641", + "name":"Science Club for Girls Mentor Chapter at Northeastern", + "preview":"Science Club for Girls (SCFG) is an organization in the Boston area serving underrepresented girls and gender expansive youth grades K-12. At Northeastern, our club would provide students with mentorship opportunities in partnership with SCFG.", + "description":"Science Club for Girls (SCFG) fosters excitement, confidence, and literacy in science, technology, engineering, and mathematics (STEM) for girls and gender-expansive youth from underrepresented communities by providing free, experiential programs and by maximizing meaningful interactions with women-in-STEM mentors. With chapters all over Boston, including Harvard and Northeastern, mentors can inspire young girls to foster a love for science. Applications open soon, so come see us during Fall Fest this upcoming year (2024). \r\nClick the link for more information on the parent organization! \r\n \r\n \r\n ", + "num_members":788, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "STEM", + "Women in STEM", + "Mentorship", + "Education", + "Community Outreach", + "Inclusivity", + "Empowerment" + ], + "logo":"https://se-images.campuslabs.com/clink/images/854d8670-af0e-4d0c-b060-5b609266dbbe0fbd179a-bc47-401f-8765-75a832803b83.jpeg" + }, + { + "id":"4f6c1858-000b-422a-94ce-9782664d52d7", + "name":"Secular Humanist Society", + "preview":"We are a group of mostly Atheist and Agnostic students, but we welcome an encourage engagement from all students! As a group we identify with humanism, and we take an interest in finding purpose and meaningful dialogue.", + "description":"We are a group of mostly Atheist and Agnostic students, but we welcome an encourage engagement from all students! As a group we identify with humanism, and we take an interest in finding purpose and meaningful dialogue. We examine and compare the scientific and spiritual, the rational and the openly strange sides of the universe. While we are founded as a safe and welcoming community for atheists, agnostics, humanists, and skeptics, we welcome all beliefs, peoples, and creeds and are proudly non-discriminatory.\r\nJoin our Mailchimp list! http://eepurl.com/gCj1yL", + "num_members":157, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Community Outreach", + "Environmental Advocacy", + "Philosophy", + "Psychology" + ], + "logo":"https://se-images.campuslabs.com/clink/images/36ebbe2f-bc41-4a7e-b19e-ecbe527aa31a451e9ab3-ad22-4885-94e2-24437804ad09.jpeg" + }, + { + "id":"0b423e17-74eb-490c-a306-ab8416b88124", + "name":"Security Club", + "preview":"We provide students with academic enrichment in security, through hosting workshops, talks, company events, and panels geared towards educating members about the industry and providing a supportive environment for learning and practicing security ski", + "description":"Security Club is a student-led group that provides students with academic enrichment, a close-knit support system, and a supportive community environment for learning about cybersecurity. We host interactive labs, workshops, tech talks, company events, and panels to educate members about the industry and provide a supportive environment for learning and practicing security skills.\r\n \r\nOur goal is to introduce students to cybersecurity in a holistic manner, enabling students to discover what specifically interests them in security early on, as well as giving them the chance to learn about the many different facets within the general field of security.\r\nPlease join our mailing list here and the NU Cybersecurity Discord Group here.", + "num_members":607, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Cybersecurity", + "Computer Science", + "Technology", + "Education", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/60164802-48a4-42e3-83b9-f3460e0b788d9f66b912-502d-4fbe-8c22-e38ddd050908.png" + }, + { + "id":"31aadc16-19fe-42c8-a414-2096ac788ebc", + "name":"Senior Legacy Committee (Campus Resource)", + "preview":"The Senior Legacy mission is to create a set of diverse opportunities for students to connect with one another in a meaningful way. The committee is committed to participating in a variety of events during the year to strengthen the bond between fel", + "description":"The Senior Legacy mission is to create a set of diverse opportunities for students to connect with one another in a meaningful way. The committee is committed to participating in a variety of events during the year to strengthen the bond between fellow seniors and encourage their peers to give back to the area of Northeastern that means the most to them. Most of all this group of seniors love Northeastern and have a lot of Husky Pride!", + "num_members":479, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "HumanRights", + "Senior Legacy", + "Husky Pride" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"4642b2f1-4271-4286-b4ee-63abdce37549", + "name":"Sewing Club", + "preview":"NUSews is Northeastern\u2019s all inclusive sewing club, dedicated to creating a welcoming environment for sewers of all levels! ", + "description":"NUSews is Northeastern’s all inclusive sewing club, dedicated to creating a welcoming environment for sewers of all levels! We aim to create a common space for sewers of all different abilities and skillsets. Throughout the year, we have several different meetings planned out, so you can learn to do things like basic embroidery, clothing alterations, making your own clothes, and more!\r\nJoin our Discord: https://discord.gg/dngrvhMt8f\r\nFollow us on Instagram: https://www.instagram.com/northeasternsews/", + "num_members":726, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Creative Writing", + "Visual Arts", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e816ef70-b334-4a79-8bec-2e3f0bd433ec179a63ee-182b-4d80-8c37-c91b172961ce.jpg" + }, + { + "id":"5b83b3f1-3753-4dfa-b60c-a3505a7aba85", + "name":"Sexual and Gender Based Harassment and Title IX Hearing Board", + "preview":"TBD", + "description":"TBD", + "num_members":377, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Community Outreach", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"4c2d1418-fa7f-4fcb-9ac3-39c788b231c6", + "name":"Sexual Assault Response Coalition", + "preview":" A student group dedicated to bringing better, survivor-centered resources to campus to ensure the complete safety and health of all Northeastern students. SARC seeks to make Northeastern University a safer space for survivors of sexual assault and ", + "description":"A student group dedicated to bringing better, survivor-centered resources to campus to ensure the complete safety and health of all Northeastern students. SARC seeks to make Northeastern University a safer space for survivors of sexual assault and intimate partner violence by defending and advocating for their rights. Also the parent organization to the NEUspeakout Instagram page. It provides a safe and supportive space for survivors to share their stories and raise awareness around the pervasiveness of sexual violence at Northeastern. All stories remain anonymous and confidential", + "num_members":500, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "LGBTQ", + "Community Outreach", + "Volunteerism", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/cecdd01a-7100-45ea-bdcd-2528a86a7b7b9fc033ad-78d0-46fa-821a-876a7739af86.png" + }, + { + "id":"dcfe4bca-c2f3-4703-a01f-5f47a6a52c57", + "name":"SGA Student Involvement", + "preview":"The SGA Student Involvement division represents the consensus of the Northeastern student organization community, and serves as the Student Government Association\u2019s official liaison to student organizations.", + "description":"The SGA Student Involvement division represents the consensus of the Northeastern student organization community, and serves as the Student Government Association’s official liaison to student organizations. This includes advising the Center for Student Involvement and other senior Northeastern administration in all matters pertaining to student organizations. SGA Student Involvement includes the Student Involvement Board.\r\nThe Student Involvement Board works in consultation with the Center for Student Involvement to approve changes in student organization constitutions and grant final recognition to new student organizations.\r\nSGA Student Involvement works to foster communication and collaboration among student organizations, resolve disputes within and between student organizations, serve as a student-to-student organizational resource, ensure student organizations are in compliance with SGA policies, and build support services to support student organization leaders in smooth and successful operations of their organizations.\r\nPlease apply here: https://forms.gle/BjshAfbtNRWVVRkz8", + "num_members":209, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "HumanRights", + "Journalism", + "Visual Arts" + ], + "logo":"https://se-images.campuslabs.com/clink/images/859d428b-91da-41b0-820f-e963ab2f10441a5e395b-02f9-43b2-bc90-b52d4fa99639.jpg" + }, + { + "id":"4c7a27fb-dfee-4267-b4c2-aa0643c4b073", + "name":"SHRM Student Chapter", + "preview":"NU\u00a0SHRM\u00a0Student Chapter\u00a0is a student-run organization based in Boston and virtually for undergraduates, graduates, and alumni. We will have guest speakers presenting on HR topics such as Resume Building, Digital HR, Global HR, etc. ", + "description":"NU SHRM Student Chapter is a student-run organization for undergraduates, graduates, and alumni. We are the FIRST-ever Northeastern organization to include undergraduates, graduates, and alumni!! Additionally, we are the FIRST organization to incorporate a hybrid model of in-person and virtual events at Northeastern University.\r\n\r\nWe encourage all students with any major or minor to join NU SHRM. Specifically if you are interested in learning more about HR-related topics. Our meetings will be held monthly via Zoom, providing students with essential workshops on specific HR Topics such as Resume Building, Employee Relations, Compensation Benefits, Digital HR, etc. Our leadership team and NU SHRM Committees will schedule guest speakers for panel discussions related to certain HR-related topics. We want every member to feel welcome and become knowledgeable about HR's benefits in the workplace. \r\n\r\n\r\n\r\n\r\nStudents can join the global SHRM Association for a yearly membership of $49 and receive:\r\n\r\n\r\n\r\n\r\nDigital HR Magazine subscription (student members do not receive the printed magazine with their membership)\r\nSHRM Student Focus Magazine (quarterly supplement to HR Magazine)\r\nAccess to SHRM Online (all resources except access to the Knowledge Center)\r\nMembership Directory Online search capability\r\nDiscounted rate for the first year of professional membership upon graduation\r\nDiscounted rate to attend SHRM Annual Student Conference and Regional Student Conference\r\nEligibility to apply for SHRM Foundation Scholarships\r\nDiscounts for HRM/business management publication and SHRM logo products at online SHRMStore \r\n\r\n\r\n\r\nIf you are interested in joining our NU SHRM Student Chapter, send us an email at shrm@northeastern.edu", + "num_members":636, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Community Outreach", + "Environmental Advocacy", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/612a9674-ba77-4a8b-9df5-202e51b6df2f29b3adf3-c6d4-4d13-a63e-360dc78d921a.jpeg" + }, + { + "id":"479af9ef-8d9e-47d6-aeab-84b48aae2110", + "name":"Sigma Beta Rho Fraternity Inc.", + "preview":"Through their leadership, our brothers serve as role models and mentors in their communities and break down barriers between different ethnic groups, thus contributing their time and effort to attaining a better and brighter future for all. ", + "description":"Sigma Beta Rho is the premier national multicultural fraternity in the United States. Founded in 1996 on the principles of duty to society, dedication to brotherhood, and the remembrance of cultural awareness, Sigma Beta Rho has since grown to share its goals with over 2,500 men on over 45 college campuses.\r\nThe Northeastern University Chapter was founded on April 14th, 2007 by 13 young gentlemen. These individuals were strangers to one another, coming from different cultures, backgrounds, and lifestyles. Through the principles of Sigma Beta Rho, these 13 men grew to understand and respect one another, and celebrate the differences which make them unique. Unified through diversity, these gentlemen became known as the Alpha Class of Northeastern University.\r\nIn the year that followed, the Alpha Class passed on the teachings of brotherhood beyond all barriers to ten additional gentlemen who were inducted as the Beta and Gamma classes of Sigma Beta Rho at Northeastern University. With the assistance of other multicultural Greeks, these 23 gentlemen pioneered the establishment of the Multicultural Greek Council at Northeastern University in the fall of 2008 and became an officially recognized multicultural Greek organization at Northeastern University. Their enthusiasm has fueled their success in the years following, and they continue to maintain an active presence in both the Northeastern and surrounding Boston communities.", + "num_members":376, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Multicultural Greek", + "Community Outreach", + "Volunteerism", + "Brotherhood" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5d3225db-07b2-48a5-8af9-6d0ecdae274822b82737-12f2-4b71-b195-2edd82e67203.jpg" + }, + { + "id":"b9bb71b2-adf9-412b-8cdc-7dbf457f51ee", + "name":"Sigma Delta Pi", + "preview":"National Hispanic Honor Society", + "description":"Sigma Delta Pi is the National Collegiate Hispanic Honors Society (more information here:https://sigmadeltapi.org/about/our-history-and-mission/).\r\n \r\nEstablished in 1919 at the University of California in Berkeley, Sigma Delta Pi was founded as a way to further and advance the teaching of Spanish language and culture in a collegiate environment. Over the past 100 years, the initial Sigma Delta Pi chapter has expanded to over 610 chapters in 49 states.\r\nOur chapter, Alpha Beta Gamma, was recently established in April 2019. Under the guidance of our faculty advisors, the Alpha Beta Gamma chapter of Sigma Delta Pi seeks to enrich and further a student's understanding of Spanish language and culture through a variety of immersive events and opportunities. \r\n \r\nApplication information is emailed each semester to Spanish majors and minors. For questions about eligibility please contact the advisor, Professor Agostinelli at c.agostinelli-fucile@northeastern.edu. \r\n \r\nCultural events hosted by our chapter are open to all Spanish students and the Northeastern community. To stay up to date on our events, please bookmark our website https://sigmadeltapiatneu.weebly.com/eventos.html and/or follow us on social media @nusigmadeltapi! ", + "num_members":98, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Latin America", + "Cultural Events", + "Spanish Language", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/eb406642-f9b1-4a2f-ab8e-e0ff6413d30f0bb77168-4ee5-428e-a68d-ae09a93e4546.png" + }, + { + "id":"b87e469f-18f8-4fa9-a007-bd69764ca603", + "name":"Sigma Delta Tau, Gamma Mu", + "preview":"The mission of Sigma Delta Tau is to enrich the lifetime experience of women of similar ideals, to build lasting friendships, and to foster personal growth.", + "description":"The mission of Sigma Delta Tau is to enrich the lifetime experience of women of similar ideals, to build lasting friendships, and to foster personal growth. Sigma Delta Tau shall encourage each member to reach her fullest potential by providing intellectual, philanthropic, leadership, and social opportunities within a framework of mutual respect and high ethical standards. We are the proud recipients of Northeastern's Chapter of the Year 2014 and Sigma Delta Tau's Outstanding Diamond Chapter 2015, 2016, and 2021.", + "num_members":717, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Women's Empowerment", + "Leadership", + "Philanthropy", + "Sisterhood", + "Community Service", + "Awards", + "Intellectual Growth" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ae54555a-a4e6-46d5-8a20-816b4c329653180dce39-a684-43fd-abec-5b2cdf007e4d.jpg" + }, + { + "id":"ccff6882-b883-4fba-8acd-15c368b3f721", + "name":"Sigma Kappa", + "preview":"Sigma Kappa sorority is comprised of a diverse collection of driven, involved, and outgoing women, bound by the values of the Sigma Kappa founders. Academically, socially, and culturally, the Kappa Omega chapter works to continuously improve the comm", + "description":"Sigma Kappa sorority is comprised of a diverse collection of driven, involved, and outgoing women, bound by the values of the Sigma Kappa founders. Academically, socially, and culturally, the Kappa Omega chapter works to continuously improve the community and each other, fostering a one-of-a-kind sisterhood in their collegiate years and beyond. From their philanthropic endeavors to study hours to sisterhood events, the Kappa Omega sisters of Sigma Kappa sorority are looking forward to beginning their journey of growth with each other, their university, their community, and their sisters all over the world.", + "num_members":99, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Community Outreach", + "Soccer", + "Performing Arts", + "Creative Writing", + "HumanRights", + "Volunteerism", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d02206aa-4c69-4d9d-a252-74f9db7c53e80deccffe-7c67-4303-b46b-8ec148c26384.png" + }, + { + "id":"00655d05-114b-460a-8cbd-bb614d8bbd09", + "name":"Sigma Phi Epsilon", + "preview":"Sigma Phi Epsilon is one of the nation's largest fraternities with over 15,000 current members and more than 300,000 total members. SigEp was founded in 1901 at University of Richmond, and has since become a leading fraternal organization at Northeas", + "description":"Sigma Phi Epsilon is one of the nation's largest fraternities with over 15,000 undergraduate members and more than 300,000 total members. SigEp was founded in 1901 at the University of Richmond, and has since become the leading fraternal organization in the country. At Northeastern, SigEp practices the Balanced Man Program, a no-hazing no-pledging approach to constantly bettering its members. We hold our core values of Virtue, Diligence, and Brotherly Love to heart in an effort to lead balanced and meaningful lives.", + "num_members":436, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "Balanced Man Program", + "Brotherly Love", + "Virtue" + ], + "logo":"https://se-images.campuslabs.com/clink/images/65448c1d-5217-474f-a536-62c1a5cd2b2ad15b1873-0dc2-4877-a4bb-e39ef6e52927.png" + }, + { + "id":"8cf35ed4-da83-41ab-aef1-33a41006c99a", + "name":"Sigma Psi Zeta Sorority, Inc.", + "preview":"We are the Alpha Upsilon Charter of Sigma Psi Zeta Sorority, Inc. at Northeastern University. We chartered on March 21st, 2021, becoming the 40th official membership of Sigma Psi Zeta.", + "description":"\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\nSigma Psi Zeta is a progressive, Asian-interest, multicultural sorority. Established on March 23, 1994 at the University at Albany, our SYZters have worked together with the goal of empowering women of color and combating violence against women in its varied forms.\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n \r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\nWe are the Alpha Upsilon Charter of Sigma Psi Zeta Sorority, Inc. at Northeastern University. We chartered on March 21st, 2021, becoming the 40th official membership of Sigma Psi Zeta.\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n", + "num_members":523, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Women Empowerment", + "HumanRights", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/534947ec-eb70-4d24-aceb-aa417bb4a0116a2143a9-ce5a-47c7-a354-313532f60b23.jpg" + }, + { + "id":"894790d8-39a5-4f10-be83-cf343fabd4b6", + "name":"Sigma Sigma Sigma", + "preview":"Sigma Sigma Sigma is a National Panhellenic Conference organization that seeks to establish sisterhood, a perpetual bond of friendship, to develop strong womanly character, and to promote high standards of conduct among its members.", + "description":"Sigma Sigma Sigma is a National Panhellenic Conference organization that seeks to establish sisterhood, to create perpetual bonds of friendship, to develop strong womanly character, and to promote high standards of conduct among its members. Tri Sigma believes in outreach within our community. Many efforts revolve around our commitment to the Tri Sigma Foundation, including a partnership with the March of Dimes which supports premature babies and their families. Our philanthropic motto is “Sigma Serves Children,” which includes partnerships with local hospitals including Boston's Franciscan Children's Hospital. The sisters of Tri Sigma are focused on advancement and success and take part in valuable leadership and personal development experiences at Northeastern and post-graduation, seeking to empower each other and women around the world. We will be participating in Panhellenic COB recruitment this spring and are looking forward to meeting all of you!", + "num_members":852, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "Philanthropy", + "Leadership", + "Women Empowerment", + "Community Service", + "Sisterhood" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0b1104d2-f9fa-49a8-a7f9-e98aa7ffe0fe63190931-098e-45f3-b3f7-66574b13ffc1.PNG" + }, + { + "id":"66c006f9-daf1-46df-8366-5ac10ab0b54a", + "name":"Sigma Xi", + "preview":"Sigma Xi is dedicated to the advancement of knowledge through research, service, and teaching. Our goal is to foster integrity in science and engineering and promote the public's understanding of science for the purpose of improving the human conditi", + "description":"The Northeastern University Chapter of Sigma Xi has two primary audiences: upperclass students with substantial independent research, and incoming students who want to become more involved in research but who have not yet done independent research. Students with substantial research may apply to become Affiliate or Associate Members Sigma Xi at the end of each Spring semester. Activities for Affiliate and Associate Members include: attending monthly chapter meetings, meetings to improve public speaking and slide creation, meetings about research awards, grants, and post-grad fellowships, executive board member-led gatherings, and meetings with research faculty and alumni to gain advice and insight.\r\nStudents with minimal research experience seeking mentorship are well suited to becoming part of the Research Immerse Program (please note that you do NOT need to be a member of the honor society to participate in the Research Immerse Program - welcome to all Northeastern Undergraduates). The Research Immerse Program is a year-long commitment that runs from each Fall to Spring semester. Activities for Immerse Program members include: attending bi-weekly workshops that learn them how to conduct a scientific literature review by mentorship of Sigma Xi Affiliate or Associate Members, completing monthly assignments on their proposed research topic, and presenting their research at a research symposium at the end of the Spring semester.\r\nWe also support the Think Like A Scientist program that is open to all Northeastern Undergraduates where students may mentor K-12 science experiments and projects in local Boston Public Schools. Activities for Think Like A Scientist mentors include: participating in weekly outreach programs, helping to develop curricula and lesson plans, and facilitating outreach within the Northeastern and Greater Boston communities. ", + "num_members":188, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Undergraduate Research", + "Mentorship", + "Scientific Literacy", + "Community Outreach", + "STEM Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fc98f922-6f26-41e0-8787-9bbb5209ea7b66ab1832-651c-4964-a1d9-ff1141ae82d4.png" + }, + { + "id":"060edc49-7e54-43de-a4d0-cb068fe3161a", + "name":"Signing Huskies at Northeastern University", + "preview":"Signing Huskies at NU (SHNU) is a space for students interested in ASL, interpretation, and Deaf culture/community to come together and learn. The club's goal is to cultivate a deep interest and appreciation for the Deaf community, culture, and ASL.", + "description":"Signing Huskies at Northeastern University (SHNU) seeks to create a space for those interested in ASL, the Deaf community, Deaf culture, and interpretation to come together and learn about the Deaf community and Deaf culture as a whole. The club offers students a safe, encouraging, space to practice their ASL and interpreting skills, as well as offering workshops and presentations from guest lecturers within the Deaf and interpreting communities. Ultimately, Signing Huskies at Northeastern University aims to bring students together and cultivate a deep interest and appreciation for the Deaf community, Deaf culture, and ASL. ", + "num_members":43, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Community Outreach", + "Volunteerism", + "ASL", + "Deaf Culture" + ], + "logo":"https://se-images.campuslabs.com/clink/images/09ec1b24-5d6b-4ccc-8755-7747f4ecaab2fbc9f9f7-9daf-4cf9-b2ea-1f2150653cf9.png" + }, + { + "id":"25675d82-c3dc-4b22-ae2c-67da6763eaf5", + "name":"Sikh Student Association at Northeastern", + "preview":"We seek to foster a connection with faith for Sikh students. We encourage intercommunity, interfaith, and intercultural relationships to create an inclusive space and further the Sikh identity on campus. Our three pillars are Sikhi, Seva, and Sangat.", + "description":"The Sikh Student Association at Northeastern seeks to foster a connection with faith for Sikh students on campus. The organization wants to encourage inter-community, inter-faith, and inter-cultural relationships to create a more inclusive space on campus. SSAN will participate in larger student body events in order to raise awareness of the presence of Sikhs on campus and deconstruct misconceptions about the Sikh faith, contributing to the safety of practicing Sikh students in the student body. \r\n \r\nThe three pillars—Sikhi, Seva, and Sangat (translating to: Sikhi or learning/faith, service, and community)—help meet the spiritual needs of students on campus through visits to the Gurudwara, a Sikh place of worship, Kirtan Darbars on campus (bringing a faith service to campus), community service in the greater Boston area through organizations that need volunteers, and community building events. There will never be restrictions on who can join the organization as it is one of the fundamental tenets of Sikhi that everyone is welcome, no matter their background. We seek to ensure those in our community feel more at ease and feel a sense of belonging on campus. ", + "num_members":785, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Sikhi", + "Seva", + "Sangat", + "Community Outreach", + "Volunteerism", + "InterFaith", + "LGBTQ", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e4bc4ecf-4646-492c-9855-143b96208a0248a189b3-a216-44ff-aa6e-177ef918c7b1.png" + }, + { + "id":"ef0be564-5250-4671-870e-5f6a64b40932", + "name":"Silver Masque", + "preview":"Silver Masque is a student run theatre company that is committed to fostering a safe, supportive, and creative environment where students can collaborate in workshopping and producing original student work. ", + "description":"Silver Masque is a student-run theatre company at Northeastern University, committed to fostering a safe, supportive, and creative environment in which students may collaborate in workshopping and producing original student work.\r\nSilver Masque offers opportunities in the following: acting, playwriting, directing, theatrical design, stage management, run crew, and more depending on programming.\r\nCore Values:\r\n\r\nFoster artistic innovation\r\nShare new stories and voices\r\nCultivate meaningful relationships between emerging artists\r\nEnsure a safe and respectful production environment\r\nBuild a welcoming creative community\r\n", + "num_members":739, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Creative Writing", + "Theatre", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/cad59b24-24d5-439e-9703-f46a3c712a0f76939e31-4f49-46e5-a57d-9c0d54afe9e6.png" + }, + { + "id":"52e1983b-7679-47b7-898c-e2e4ac73f3c4", + "name":"Sisters in Solidarity", + "preview":"Sisters in Solidarity is an affinity group for Black cisgender and transgender women. Through unity among Black students, SiS is a haven where dynamic stories and unique experiences are shared so that we can cultivate a meaningful bond between us.", + "description":"Sisters in Solidarity is an affinity group for Black cisgender and transgender women. Through unity among Black students, SiS is a haven where dynamic stories and unique experiences are shared so that we can cultivate a meaningful bond between us.", + "num_members":516, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "African American", + "LGBTQ", + "Community Outreach", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a96d93c3-a64c-436d-9c87-3402c928aa85dc87e0ec-69ad-41bc-8198-f56d18fc6396.png" + }, + { + "id":"07fcc222-8395-4002-8206-329ccc21d1c6", + "name":"Skateboarding Club", + "preview":"We are the official club on campus for all skateboarding enthusiasts!", + "description":"\r\nWe are Northeastern's official organization for all skateboarding enthusiasts!\r\n \r\n\r\n\r\nOur organization is open to skaters of all skill levels and backgrounds! Whether you are a pro or have never stepped on a board before, we are happy to have you join us. We aim to create a community on campus to teach and foster the activity, art, and culture of skateboarding.\r\n\r\n\r\n \r\nSome things that we do are weekly skate sessions, impromptu skate meetups, lessons, and design sessions for creating club videos, pictures, merchandise, and even skate equipment. We also have a Slack channel for all sorts of skating discussions!\r\n", + "num_members":273, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Visual Arts", + "Creative Writing", + "Music", + "Community Outreach", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/393915b0-35d5-449d-9d6f-a4a641a9c13df9494044-0f11-4315-b94c-2bf34f395953.png" + }, + { + "id":"48df80f7-b2bd-4838-ab65-39b9de173992", + "name":"Slow Food NU", + "preview":"We are Northeastern's food sustainability club! Our casual weekly meetings and occasional outings focus on the intersection of food, the environment, and human health. ", + "description":"Slow Food Northeastern University (Slow Food NU) is a part of the international Slow Food Movement: \"Slow Food believes food is tied to many other aspects of life, including culture, politics, agriculture and the environment. Through our food choices we can collectively influence how food is cultivated, produced and distributed, and change the world as a result.\"\r\nSlow Food NU promotes an increased awareness of the interconnectedness of food, the environment, and human health. Slow Food NU works to increase consciousness about the food system and its relation to social justice through deliberate and meaningful service projects, educational events, and transformative dialogue. These efforts establish and sustain lasting relationships with like-minded student groups, organizations, and initiatives throughout Northeastern’s campus and surrounding Boston neighborhoods. We value the belief that all people deserve food that is good for them, good for the people who grow it, and good for the planet. We are socially conscious learners, advocates, and eaters.We welcome people of all diets.", + "num_members":763, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/411ec362-f252-4282-af8d-37afb2d3531320c6dfc3-ce09-49d6-a6a6-b649223fb0e0.png" + }, + { + "id":"9e39995b-5647-4b8e-bb70-420559b22876", + "name":"Society of Asian Scientists and Engineers", + "preview":"SASE is dedicated to the advancement of Asian heritage scientists and engineers in education and employment so that they can achieve their full career potential.", + "description":"Are you looking for a community where you can make new friends, develop your professional skills, or embrace your interest in STEM? SASE may be the place for you! We offer an open environment for students to grow, learn, and have fun through themed general meetings, mentorship pairings, technical workshops, and conferences - we have something for everyone!\r\n \r\nSASE is dedicated to the advancement of Asian heritage scientists and engineers in education and employment so that they can achieve their full career potential. In addition to professional development, SASE also encourages members to contribute to the enhancement of the communities in which they live through community service.\r\n \r\nSASE’s mission is to:\r\n- Prepare Asian heritage scientists and engineers for success in the global business world\r\n- Celebrate diversity on campuses and in the workplace\r\n- Provide opportunities for members to make contributions to their local communities\r\n \r\nSASE membership is open to members of all genders, ethnic backgrounds, and majors. Please LIKE us on Facebook, follow us on Instagram, subscribe to our newsletter for the most up-to-date events! We're also on Discord! Join here to hang out and play games with us!", + "num_members":609, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "STEM", + "Community Service", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/07abfbfe-3517-4c1d-a6e0-3fb82ff91d72432e1cb1-3d24-4c0b-b027-5541582b7688.png" + }, + { + "id":"500f2438-7957-44a7-88e1-c98a4ba86827", + "name":"Society of Hispanic Professional Engineers", + "preview":"SHPE promotes the development and retention of Hispanic students in engineering, science, and other technical professions to achieve educational excellence, provide service to the community, and preserve and enhance our cultural identity.", + "description":"SHPE promotes the development and retention of Hispanic students in engineering, science, and other technical professions to achieve educational excellence, provide service to the community, and preserve and enhance our cultural identity. SHPE is dedicated to improving the overall academic, professional, and cultural experience of our Familia. Our Familia is open to anyone who believes in our mission. All of our seminars and workshops have always been open to anyone to attend. This way, we can emphasize how we strive to be beneficial to both the university and the community. It is our dream to continue the exponential growth of the organization and to graduate knowing we’ve made a difference for generations to come.", + "num_members":193, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Latin America", + "STEM", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/4317be07-f902-4497-b99d-64ff6d5fe93c58f920a5-5e7e-4130-a7a1-b7254c8b6c95.png" + }, + { + "id":"81493b30-61e1-49f8-adb1-23e3b9f07176", + "name":"Society of Physics Students", + "preview":"The Society of Physics Students (SPS) is a professional association open to all undergraduate students interested in physics.\u00a0Weekly meetings consist of co-op talks, professor talks, and more physics-related hijinks!", + "description":"The Society of Physics Students (SPS) is a professional association open to all undergraduate students interested in physics. Weekly meetings consist of co-op talks, professor talks, and more physics-related hijinks!\r\n \r\nIn the past, we've hosted workshops ranging from LaTeX to the physics GRE, and bonded over pumpkin carvings and bowling nights. We also run a mentorship program that connects new and seasoned physics students within the Northeastern Physics community.\r\n \r\nOur members are not uniquely physics majors: all who are interested in physics are welcome! Some members have majored in fields such as chemistry, computer science, engineering, geology, and mathematics.\r\n \r\nJoin us on Wednesdays @ 12 PM in 206 Egan!\r\n \r\nSign up for our email list here !", + "num_members":265, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Physics", + "Mathematics", + "Engineering", + "Mentorship", + "Workshops", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/131f1f76-e0f5-4ff5-ad89-3b1af5ea8890362122b4-47b9-4ef6-b5da-918782e752d1.jpg" + }, + { + "id":"28e06cdd-40dd-4f03-8ad5-ab61fbd17fcd", + "name":"Society of Women Engineers", + "preview":"SWE is an organization that serves to empower all women pursuing a degree in engineering with professional and academic support. SWE's core values are integrity, inclusive environment, mutual support, professional excellence, and trust.", + "description":"Meetings are weekly on Wednesdays from 8 to 9pm. ", + "num_members":494, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Women in STEM", + "Engineers", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/143ae03b-a603-49af-b886-0da9e416bd3a325ba134-1569-4c03-b28b-bc880b40e285.png" + }, + { + "id":"5f17df4f-1e7e-4d8b-9c19-1bd7592024f8", + "name":"Sojourn Christian Collegiate Ministry NEU", + "preview":"Sojourn NEU is a Christian organization on-campus. Our welcoming community meets weekly to discuss life issues and its intersection with Christian faith. Questions are always encouraged! Our core values are community, justice & faith. Join us!", + "description":"Sojourn NEU is a Christian organization on-campus. Our community meets as a small-group for college students to meet weekly to explore the Bible and Christian faith, as well as discuss current life issues. Questions are always welcomed and encouraged! Our leadership is also available for casual meetings throughout the week and spontaneous gatherings. Sojourn NEU operates as a faith-in-practice organization, encouraging and organizing activities in which students engage in our core values of community, justice, and faith.\r\n \r\nIf you're a student who's struggling with big questions surrounding faith and life, you are not alone and you are invited to join us. We can't promise to have all the answers, but we are committed to providing a welcoming space in which you are welcome to share your questions and sit alongside others who may have similar questions or doubts.\r\n \r\nJoin us for the adventure; it's going to be a great year!", + "num_members":234, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Christianity", + "Community Outreach", + "HumanRights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/521a82b8-5888-44b9-8efe-8338f921571986090624-2207-4008-9d9c-8dbd7506391b.png" + }, + { + "id":"5e007a31-9d22-4911-bc8b-5469d870694d", + "name":"Solar Decathlon", + "preview":"The Solar Decathlon is an annual competition held by the DoE which promotes innovative and efficient building design. Open to graduate & undergraduates, NUSD aims to give students hands-on experience working between majors on a large-scale project.", + "description":"Since 2002, the U.S. Department of Energy has hosted an annual collegiate competition that promotes sustainability, efficiency, and innovation in building design. The Solar Decathlon consists of two challenges: the Design Challenge, where students work to develop construction documentation which clearly depicts their novel ideas, and the Build Challenge, which allows students to see their designs come to fruition as they construct their project locally. Challenge submissions are evaluated based on their performance in ten distinct contests which can vary from year to year.\r\n\r\nThe Solar Decathlon competition is being introduced again to Northeastern University because of the breadth of the ten contests; since submission performance is dependent on a multitude of variables which can vary from architectural design and energy efficiency to financial viability and innovation, this club offers students the opportunity to gain experience working between disciplines to design an optimized project.\r\nOpen to both undergraduate and graduate students, the final goal of this club is to participate in the Solar Decathlon Competition Event that is hosted annually in Golden, Colorado. A group of students will get the opportunity to present the final design to a panel of industry leaders. The competition provides students the chance to showcase a holistic design as well as network with professionals in the industry.\r\n", + "num_members":915, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Environmental Science", + "Architecture", + "Sustainability", + "Engineering", + "Innovation" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b1f4a6fe-e1d5-4f64-a54b-61e87b300cfc758a779b-a23a-48fe-951f-c2246fe033c2.png" + }, + { + "id":"3623965d-3858-4b6a-988d-3c3656b07f67", + "name":"Somali Students Association", + "preview":"SSA\u2019s goal is to serve Northeastern University\u2019s Somali students and those in the NU community that are interested in Somalia. SSA is also formed with the intention of bringing to light Somalia\u2019s culture and ethnicity to the campus wide audience and ", + "description":"NEUSSA is a segway between institutions to promote uplift, and unite the Boston Somali community and work to foster connections between Somali college students. \r\n \r\nOur goal is to serve Northeastern University’s Somali students and those in the NEU community who are interested in Somalia. The organization is also formed to bring to light Somalia’s culture and ethnicity to the campus-wide audience and raise awareness about Somalia’s culture, politics, religion, and general history.\r\nIn addition to this better campus-wide representation, NEUSSA is also formed to connect Somali college Students and create a forum to interact about the current and future state of Somalia. NEUSSA intends to endeavor in critical areas to this aforementioned mission: The first area is mentorship, we intend to establish a mentorship program for current and future NEU Somali students, and would also like to play a role as a motivator and role model for Boston Area Students (Middle & High Schools). The second area of critical interest is academic enrichment for NEU Somali Students and the at-large NEU Community about Somalia by hosting discussions and forums on issues relating to Somalia and the third and final critical area of interest is to engage the local Somali community on relevant Local Somali causes/issues.", + "num_members":278, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "African American", + "Community Outreach", + "LGBTQ", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/73a27e8a-9718-40b6-8745-cadfa905cb3e4a73fe0a-6a3b-452d-8bad-bad409627c7d.jpg" + }, + { + "id":"beae59a7-92d9-4e83-b541-20387ad506a5", + "name":"Spark", + "preview":"Spark is a student-run contemporary art collective. Our mission is to connect people in Boston with creativity in all of its forms and encourage both artists and art appreciators to get involved! ", + "description":"spark is a unique organization that is dedicated to sharing art with the greater community. We seek to expose students to the artistic world of Boston by hosting exhibitions featuring student-made artwork, museum tours, artist talks, and other events. Our club is composed of people who are passionate about art and are seeking real-world experience in marketing, budgeting, exhibition management, design, and other fields of art appreciation. We welcome students from all majors and skill levels!", + "num_members":862, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Visual Arts", + "Creative Writing", + "Marketing", + "Design", + "Art Appreciation" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a610ebca-95eb-43d0-bcbc-1f6c699fbe0168e58cde-5a6e-46bc-bc3a-0d458e20539f.jpg" + }, + { + "id":"5fb4bb17-bb34-40d2-812d-8bfbcc657eee", + "name":"Spectrum Literary Arts Magazine", + "preview":"Spectrum Magazine is Northeastern University's longest lasting literary arts magazine, amplifying the creative community since 1957. Our publications showcase the exceptional poetry, prose, photography, and artwork created by the Northeastern communi", + "description":"Spectrum Magazine is Northeastern University's longest lasting literary arts magazine, established in 1957. Publishing issues triannually and accepting submissions year-round. Our publications showcase the exceptional poetry, prose, photography, and artwork created by Northeastern students, staff, and alumni. As an organization, we help members develop their ability to effectively critique writing and design. Our primary goal is to amplify the creative voices of the community.", + "num_members":12, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Creative Writing", + "Visual Arts", + "LGBTQ", + "Community Outreach", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/605ff182-ccfd-4f10-8f51-fcb2db0b65b96f64aee4-c2e6-495c-af96-7e1b9b4e6eb4.png" + }, + { + "id":"32e75721-5cfd-43e2-9bb9-f848647ee072", + "name":"Splash at Northeastern", + "preview":"The main purpose of this group is to implement a program that brings high school students onto campus to take free classes devised and taught by Northeastern students. The event is held once a semester.", + "description":"The main purpose of this group is to implement a program that brings high school students onto campus to take free classes devised and taught by Northeastern students. Northeastern students have the freedom to create and teach classes on whatever subject area or hobby they would like. Local high schoolers then have the opportunity to select which classes they'd like to take. This program is also an opportunity for mentorship and for high schoolers to learn about college life and the application process. \r\nA few of the responsibilities of this group include: organizing potential teachers, reviewing classes, running event day-of, and gathering feedback from high schoolers on the classes.", + "num_members":313, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Creative Writing", + "Music", + "Visual Arts", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"febed50f-02c1-4894-be58-a3810f53153f", + "name":"Spoon University - Northeastern", + "preview":"Spoon University is the everyday food resource for our generation, on a mission to make food make sense. On our site, you can find the simplest recipes, the most obvious hacks you can\u2019t believe you didn\u2019t know, and the best restaurants around campus.", + "description":"Spoon University is the everyday food resource for our generation, on a mission to make food make sense. On our site, you can find the simplest recipes, the most obvious hacks you can’t believe you didn’t know, and the best restaurants around campus that you haven’t found yet. For many of us, this is the first time we’re navigating our campuses or our kitchens on our own, and Spoon University is here to simplify and celebrate that. Behind the scenes, we’re helping teach the next generation of journalists, marketers and event planners the best practices in digital media. We empower a network of over 3,000 contributors at 100+ college campuses to write, photograph, create videos and throw events. Our program (called “Secret Sauce”) offers skills and training on how to be a leader, create incredible events and have your photos, videos and articles seen by millions. Our contributors get personalized analytics on what’s working and what’s not working, so they can learn and grow and launch into the real world ahead of the curve.\r\nIf you want to get involved, we accept members at the beginning of each semester! While we do not check Engage often, you can get in touch with us through our e-board's contact information listed on the site & through messaging our Instagram at @spoon_northeastern!", + "num_members":691, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Creative Writing", + "Journalism", + "Community Outreach", + "Visual Arts", + "Broadcasting" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7b3974d1-e5a5-4763-b80c-79c7063370a94c9f3791-a30f-4dfe-8054-75d210a86979.png" + }, + { + "id":"f66fa80f-2d40-4985-bc19-5b2c1a9257b5", + "name":"Sports Business & Innovation Network", + "preview":"Northeastern University's premier organization lying at the intersection of sports, business, and technology.", + "description":"Sports Business & Innovation Network strives to: \r\n- Educate the future leaders of our community \r\n- Connect with the industry professionals \r\n- Innovate towards the future of sports \r\n- Empower our peers to pursue opportunities \r\nJoin our mailing list to learn about opportunities within the club! https://tr.ee/MzsoaurA0k", + "num_members":42, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Sports Business & Innovation", + "Networking", + "Community Outreach", + "Empowerment" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7aa263f3-2c2f-4a68-bd8d-e3bdee12bfc992ca5339-62e7-4024-9a22-6dde0b823cac.png" + }, + { + "id":"1cee8135-740a-49e5-aad1-0d1a7e75122a", + "name":"STEMout", + "preview":"STEMout is a club for students who want to design or volunteer for outreach efforts in the Boston community. STEMout is a recognized Northeastern University student organization formed in 2016 with the help of the Center for STEM Education.", + "description":"STEMout is a club for students who want to design or volunteer for outreach efforts in the Boston community. STEMout is a recognized Northeastern University student organization formed in 2016 with the help of the Center for STEM Education. STEMout’s mission is multifaceted: (1) to unite students who want to design or volunteer for outreach efforts in the Boston community with partner organizations; (2) to serve as a resource for student organizations and faculty members hoping to participate in or develop their own STEM outreach efforts and (3) to assist these individuals in obtaining funds for their STEM education efforts with the help of the Center for STEM Education.", + "num_members":163, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "Volunteerism", + "STEMout", + "Software Engineering", + "Environmental Science" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"0febe0b5-2b0b-4d38-98bd-7805158af442", + "name":"Stepping On Another Level", + "preview":"Stepping On Another Level (S.O.A.L.) is Northeastern University's only performing arts step team. Step is a percussive form of dance with a long rich history rooted in African tradition. All are welcome and no experience is needed to tryout for the t", + "description":"Established in 2013, Stepping On Another Level (S.O.A.L.) is Northeastern University's only performing arts step team. Step is a form of dance that has a long, rich history rooted in African dance tradition; the origins of step trace back to African tribal cultures, but more notably gumboot dancing. It is a percussive form of dance in which one’s body is used as an instrument to make sound. S.O.A.L. performs at various events both on and off campus, as well as participates in competitions throughout the northeast. We also give back to the community through teaching step workshops to K-12 students in Massachusetts. No experience required! Be sure to try out for the team at the beginning of Fall or Spring semester and keep up with us on Instagram and TikTok @soalstepteam !", + "num_members":548, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9162ba28-7621-42b7-934a-25c2d285f8edbec233eb-c9a5-431f-abe8-735848f5625f.png" + }, + { + "id":"95ab416b-8ec3-4c9b-837c-efd439ee9a3d", + "name":"Strong Women, Strong Girls", + "preview":"Strong Women Strong Girls at Northeastern University is a group of college women committed to supporting positive social change by working to create cycles of mutual empowerment for girls and women.Through mentoring relationships and after-school pro", + "description":"Strong Women Strong Girls at Northeastern University is a group of college mentors committed to supporting positive social change through our mentoring sessions with mentees in 3rd-5th grade in the Boston Public School System. Our mission is to empower the mentees to imagine a broader future through a curriculum grounded on strong role models delivered by college mentors. Together, we aim to foster a welcoming environment that promotes growth and a cycle of mutual empowerment. SWSG also strives to support the professional and personal growth of our college mentors. Our chapter is overflowing with leadership opportunities, amazing events, and great friendships.", + "num_members":417, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Leadership", + "Empowerment", + "Women Empowerment", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ea7365dd-0ecb-4729-9206-a23337cd84b979aa231a-9513-48b9-8088-ea1cf83cab2f.png" + }, + { + "id":"f4202b64-fea3-4c86-81b6-f013fcf8368e", + "name":"Student Activities Business Office (Campus Resource)", + "preview":"SABO is the financial institution for all student organizations. We are here to help with anything pertaining to a student organization's finances. Office Hours: Monday to Friday 8:30am to 4:30pm.", + "description":"The office is the financial institution for all student organizations. The staff is there to help with anything pertaining to a student organization's finances. All student organizations are required to use the Student Activities Business Office for all money transactions. Office Hours: Monday to Friday 8:30am to 4:30pm.", + "num_members":792, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "Financial Management", + "Student Organizations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7d14ef26-2afb-4560-a2cc-1705f76d979c8cbacff6-398c-4bdf-ab8c-6aae63bb7840.PNG" + }, + { + "id":"786bc64f-772b-408b-8fb2-deec7a2d1614", + "name":"Student Affiliates of School Psychology", + "preview":"SASP is a graduate student organization open to all students enrolled in the school psychology program. SASP is affiliated with the national organization through Division 16 of the American Psychological Association. ", + "description":"SASP is a graduate student organization open to all students enrolled in the school psychology program. SASP is affiliated with the national organization through Division 16 of the American Psychological Association. SASP is mainly focused on 1) building a student community, 2) advocating for strong training, 3) committing to social justice, 4) fostering collaboration with students and faculty.", + "num_members":165, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Psychology", + "Community Outreach", + "Social Justice", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1bdc1ca0-3d5a-4c1e-bb36-36c676de0aec2d87475e-fe11-44d2-8261-662e53833f41.PNG" + }, + { + "id":"0e311fb4-ab90-44e1-ab21-5ad4710ecbc3", + "name":"Student Affiliates of the American Chemical Society", + "preview":"The Northeastern University Student Affiliates of the American Chemical Society is open to all students who show an interest in chemistry and the related fields. Our Chapter meets weekly and frequently hosts speakers from various areas of chemistry. ", + "description":"The Northeastern University Student Affiliates of the American Chemical Society is open to all students who show an interest in chemistry and the related fields. Our Chapter meets weekly and frequently hosts speakers from various areas of chemistry.", + "num_members":237, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Chemistry", + "Science", + "Volunteerism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"c643246d-e60e-4773-b63f-354ed017e633", + "name":"Student Alliance for Prison Reform", + "preview":"SAPR at Northeastern serves as a platform for people to educate themselves and others about the injustices of the current incarceration system. We host speaker events, demonstrations, movie nights, and more. New members are always welcome to attend!", + "description":"SAPR at Northeastern serves as a platform for people to educate themselves and others about the injustices of the current systems of incarceration. We work to educate each other on various prison related topics such as mass incarceration, school-to-prison pipelines, reproductive health in prisons, and other related topics. \r\n \r\nOur general body meetings are discussion and presentation based. Throughout the semester we work to provide engaging content and get others involved. We host a 7x9 Solitary Confinement demonstration every fall semester and Feminine Wellness Drive in the spring. Through weekly educational meetings, movie nights, speakers, and other special events, we work to keep college students informed about issues within the prison system. \r\n \r\nAs a group, we are always welcome to suggestions and new ideas. We love to grow and look forward to expanding our presence on campus and the greater Boston community. Please reach out to us with any thoughts, comments, or suggestions at any time!", + "num_members":363, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Community Outreach", + "Social Justice", + "Education", + "Prison Reform" + ], + "logo":"https://se-images.campuslabs.com/clink/images/adb58ea5-9bda-4e48-878f-68e538b904e21f8b0c6e-6f4e-4e15-acc5-41d664c36507.png" + }, + { + "id":"578b4cd1-1d50-4b3a-8099-28e7d743f540", + "name":"Student Bar Association", + "preview":"The SBA represents the interests of the entire NUSL student body through effective and dedicated student representation. ", + "description":"The SBA endeavors to advocate on behalf of the students at NUSL to the administration, work with NUSL administration to respond to student concerns and grievances, foster a more unified community through student-centered programming, serve as a resource for student organizations, and work with NUSL administration to facilitate the equitable distribution of available resources to recognized student organizations in the Law School. ", + "num_members":528, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Law", + "Community Outreach", + "Student Organization", + "Legal Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3aed7dee-1d6c-4623-b928-138168564da30c4ce531-d44b-43c3-8bf1-ffbc60f35852.png" + }, + { + "id":"07419d4f-5a15-4707-9b39-209018dd9c69", + "name":"Student Conduct Board (Campus Resource)", + "preview":"The Student Conduct Board hears cases involving undergraduate, graduate, Law, and Professional students who have allegedly violated the Code of Student Conduct.", + "description":"The Student Conduct Board hears cases involving undergraduate, graduate, Law, and Professional students who have allegedly violated the Code of Student Conduct. Hearings typically take place Monday through Thursday during the evenings and occasionally during business hours. A hearing administrator serves as a procedural advisor to the board while the student members hear the case, deliberate on alleged violations, and render sanctions, if applicable. Students who are interested in participating on the Student Conduct Board do not need prior experience. All majors, all levels (graduate, undergraduate, Law and Professional students), and both domestic and international students are welcome!", + "num_members":865, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Community Outreach", + "Law", + "Volunteerism", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"14b50f92-8eb2-4073-a0c0-b0cfb31b2d75", + "name":"Student Garden Club", + "preview":"Pending", + "description":"The Student Garden Club is a vibrant community of green thumbs and plant enthusiasts on campus. We are dedicated to creating a nurturing environment for both plants and our members. Our club offers a hands-on learning experience where students can get their hands dirty and cultivate a variety of plants together. From succulents to vegetables, we provide a space for students to learn about gardening, develop their skills, and share their love for all things botanical. Whether you're a seasoned gardener or a complete newbie, everyone is welcome to join us in our mission to grow, learn, and bloom together!", + "num_members":716, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Environmental Science", + "Community Outreach", + "Volunteerism", + "Gardening" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"753e4fdb-da08-4ebc-bdf9-0ebed8203d91", + "name":"Student Government Association", + "preview":"The Student Government Association serves as the voice of the undergraduate student body and exists to enhance your Northeastern Experience.", + "description":"The Student Government Association serves as the voice of the undergraduate student body and exists to enhance your Northeastern Experience. We strive to promote student interests within the University and its surrounding communities in order to enrich education, student life, and the overall Northeastern experience. The Student Government Association is comprised of the Student Senate, many committees covering the diverse student experience, the Finance Board, and the Student Involvement Board.\r\nFollow us on Instagram at @northeasternsga, @sgacampuslife, and @sgastudentlife", + "num_members":574, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Community Outreach", + "HumanRights", + "Volunteerism", + "Journalism", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b38c2b26-e8f7-46d3-af65-b25dad93a759a358034c-385e-445c-aaf8-f242f1ecbcd6.jpg" + }, + { + "id":"5125f4ee-51f1-4398-bb85-40b73fa463c0", + "name":"Student National Pharmaceutical Association", + "preview":"SNPhA is an educational service association of pharmacy students who are concerned about the profession of pharmacy, healthcare issues, and the poor minority representation in these areas. We aim to share knowledge and skills to serve the underserved", + "description":"SNPhA is an educational service association of pharmacy students who are concerned about the profession of pharmacy, healthcare issues, and the poor minority representation in these areas. The purpose of SNPhA is to plan, organize, coordinate, and execute programs geared toward the improvement of the health, educational, and social environment of minority communities, thereby serving the underserved. \r\nThe best way to stay updated is to check out our Instagram @nuspha.", + "num_members":670, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Healthcare Issues", + "Education", + "Minority Communities", + "Underserved" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e6d539cd-dd7c-40b4-9e5e-47c6d39f90637e9f7bf3-11fe-4427-8e67-12a330016a75.jpg" + }, + { + "id":"449d16d9-2b78-4ee0-a0af-e4e1b288ce74", + "name":"Student Nurse Anesthetist Association", + "preview":"The mission of the Student Nurse Anesthetist Association (SNAA) is to promote wellness and provide support, networking opportunities, and resources to all cohorts of Student Registered Nurse Anesthetists (SRNAs) at Northeastern. This organization aim", + "description":"The mission of the Student Nurse Anesthetist Association (SNAA) is to promote wellness and provide support, networking opportunities, and resources to all cohorts of Student Registered Nurse Anesthetists (SRNAs) at Northeastern. This organization aims to utilize student activities to promote communication through the various cohorts.", + "num_members":831, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "Healthcare", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/16cdb352-2a1d-4686-b98d-7e3a5ed7a29d954bbfd2-779e-4b99-a8e1-a781575de110.jpg" + }, + { + "id":"32cc4579-353f-409d-beff-6403774ce151", + "name":"Student Organ Donation Advocates at Northeastern", + "preview":"Soda Northeastern aims to help save lives by educating others on the critical need for organ and tissue donation and increasing donor registration within the Northeastern community.\u00a0", + "description":"Soda Northeastern aims to help save lives by educating others on the critical need for organ and tissue donation and increasing donor registration within the Northeastern community. ", + "num_members":714, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "Volunteerism", + "Community Outreach", + "HumanRights", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"b4d6d09c-1339-47dd-8dcd-392c4ed13901", + "name":"Student Value Fund", + "preview":"The Student Value Fund is Northeastern University\u2019s premier investments-focused organization. We strive to embody Northeastern\u2019s values of experiential learning through the application of theory into practice. ", + "description":"The Student Value Fund is Northeastern University’s premier investments-focused organization. We strive to embody Northeastern’s values of experiential learning through the application of theory into practice. \r\nAs a value-oriented fund, SVF strives to identify long-only investment opportunities that we perceive to be undervalued relative to our analysis of intrinsic value, with the objective of investing in equities that allow the fund to generate higher absolute returns than the S&P 500 (SPY). Additionally, as a student-run organization managing a portion of the university’s endowment, the fund aims to embody Northeastern’s values of experiential learning by helping students apply value investing theory to real-world investing.", + "num_members":774, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Finance", + "Student Organization", + "Investments", + "Value Investing", + "Experiential Learning", + "University Fund" + ], + "logo":"https://se-images.campuslabs.com/clink/images/9a88cc8d-a113-44df-92b4-6c18db96da9c2922df59-19e8-4100-a245-4d1b4b131fad.jpg" + }, + { + "id":"59e8ea90-f68d-49d1-91d5-585523f6aee7", + "name":"Student Veterans Organization", + "preview":"Our mission is to develop and foster a community for veterans, dependents, military, and supporters to ensure their academic, personal, and professional success. Check out our webpage and social media for more of the latest news: northeastern.edu/svo", + "description":"Our mission is to serve as advocates for the student veterans and service member students that attend Northeastern University by providing essential information and guidance that aid in student success, personal growth, and enduring bonds that will last a lifetime.\r\nCheck out our website at northeastern.edu/SVO and like us on Facebook @ https://www.facebook.com/NUStudentVets/ for the latest news, events, and initiatives!", + "num_members":1005, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Veterans", + "Community Outreach", + "LGBTQ", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d529d589-1dd0-4906-b0f3-845f174766c33e4a060f-4c95-4144-acf0-a83f9c0070a6.jpg" + }, + { + "id":"a4c0b5cb-d994-4d49-88c7-fb59ba5b2f20", + "name":"Students Demand Action at NEU", + "preview":"Students Demand Action at NEU works to combat gun violence by advocating for common-sense gun laws, endorsing gun-sense candidates, registering voters, educating the community on gun violence-related issues, and uplifting survivor voices.", + "description":"Students Demand Action (SDA) at NEU is one of SDA's 700+ chapters across the country working to end gun violence by advocating for common sense gun laws on local, state, and federal levels, endorsing gun sense political candidates, registering voters, educating the community on gun violence related issues, and uplifting survivor voices. SDA is part of the Everytown for Gun Safety and Mom Demand Action network, which has over 10 million supporters across the country. ", + "num_members":365, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "HumanRights", + "Community Outreach", + "Environmental Advocacy", + "Volunteerism", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6ea649b0-4994-4a24-8208-587517c5d698ba475e9b-9c25-491e-9aaf-caedb0c1cd19.png" + }, + { + "id":"5d99a388-9c07-4f64-8853-7782656de36c", + "name":"Students for Justice in Palestine", + "preview":"Northeastern University Students for Justice in Palestine will work to raise awareness about the plight of Palestinians in the West Bank and Gaza. We are dedicated to the struggle for Palestinian self-determination, an end to the illegal Israeli occ", + "description":"Northeastern University Students for Justice in Palestine will work to raise awareness about the plight of Palestinians in the West Bank and Gaza. We are dedicated to the struggle for Palestinian self-determination, an end to the illegal Israeli occupation of the West Bank, East Jerusalem, and Gaza, and for the right of the Palestinian refugees to return to their homeland. Our mission as students is to promote the cause of justice and speak out against oppression and occupation. We will raise awareness about this issue and provide students with alternative resources of information than the mainstream media. We will also work to provide a comfortable environment where students and faculty can discuss and debate their diverse views on the various aspects of Palestinian politics and society. We do not support violence in the region and will highlight the Palestinian's non-violent efforts for peace. We envision that one day Palestinians will be free from occupation and will be able to determine their own fate as an independent nation living peacefully with its neighbors. We oppose all forms of racism, discrimination, and oppression", + "num_members":348, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "HumanRights", + "Community Outreach", + "Journalism", + "SocialJustice" + ], + "logo":"https://se-images.campuslabs.com/clink/images/534f9b14-f233-47e8-be10-e091008cc2bad1912a7f-bcd9-446f-b3ac-0a0867ca5553.jpg" + }, + { + "id":"488aaaab-646f-47e3-84a9-31968b965376", + "name":"Students for the Exploration and Development of Space of Northeastern University", + "preview":"Our mission is to develop the network, skills, and opportunities of a diverse team of students interested in space, science, and astronomy by supporting competition based projects and providing casual events for those with busier schedules.", + "description":"At SEDS our mission is to give our members the opportunity to compete in prestigious academic competitions, become published, and learn more about space. Our teams get hands-on experience in our club workshop with 3D printers, hand tools, and electrical equipment. We host stargazing events and discussions where our members talk about their co-ops from aerospace companies and teach others about technical news and aerospace topics. At SEDS it is a priority to promote diversity in space-related fields and make space approachable for everyone. Our club goals as listed in our constitution are listed here:\r\nSection 1: To enable students to participate in research competitions that will make meaningful contributions to the fields of space exploration, science, and policy for the purpose of growing Northeastern's SEDS.\r\nSection 2: To create an organization that encourages the participation of students from all identities, backgrounds, and majors within the Northeastern community.\r\nSection 3: To develop a community of students researchers to facilitate the exchange of expertise and ideas, and provide support to student research teams.\r\nSection 4: To create a platform in which undergraduates can participate in space-related fields by creating networking opportunities with relevant organizations.\r\nVideos:\r\nSummer Involvement Fair Info Presentation:\r\nhttps://youtu.be/dWZhef9J_7U", + "num_members":856, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Space Exploration", + "Aerospace", + "STEM", + "Diversity", + "Research Competitions", + "Networking", + "Community", + "Student Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aa88b526-dd19-41b7-9ef2-1c781202fd6bc4ecceb9-60cb-4f50-b212-475b41c28d2c.png" + }, + { + "id":"10154c7f-7a54-44f2-b6aa-fe5c8d11b83a", + "name":"Students to Seniors", + "preview":"Students to Seniors believes that social interaction between students and the elderly is valuable to both generations, as members can learn from the experience of their elders while the aging population benefits from an opportunity to engage and conn", + "description":"Students to Seniors believes that social interaction between students and the elderly is valuable to both generations, as members can learn from the experience of their elders while the aging population benefits from an opportunity to engage and connect with others. Originally founded by a neuroscience-focused student, the idea of Students to Seniors was based upon a growing body of research suggesting that a lack of total environmental enrichment can lead to neurodegeneration. Despite the sustained efforts of leading researchers around the world, no current cure or treatment exists for Alzheimer’s Disease or any other forms of dementia. Thus, our best bet to decrease the burden of neurodegeneration and its other effects on mental health in our senior population is by capitalizing on preventative mechanisms, such as environmental enrichment. Students to Seniors will accomplish these goals by bringing mentally stimulating activities and social interaction to various populations of the elderly at least once a month. In order to ensure that the organization, above all, does no harm, there will be a mandatory training session for all volunteers before their first volunteer outing. The training sessions will occur in place of a general body meeting, and will include a presentation and discussion on geriatric health. Students to Seniors will furthermore keep in mind the pervasive presence of health inequities, and it will be an interrelated focus of Students to Seniors to ensure that served and underserved populations are addressed equally and with great care. Lastly, this organization will include a learning component by hosting a speaker once a semester related to neurodegenerative disease.", + "num_members":795, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Neuroscience", + "Psychology", + "HumanRights", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/7ae6e0cb-e465-4d2e-a2e7-6a8350f1c2a5a29e1542-1301-4b15-841e-7d8463c7027b.jpg" + }, + { + "id":"17dffb72-72ab-4265-a9bb-3043cd06df68", + "name":"Studio Art Club", + "preview":"Interested in art? Come join NU Studio Art Club! Our main goal is to provide a fun space for students to learn about and experiment with art, and to make some new friends along the way. Self-proclaimed \"non-artists\" are especially welcome!", + "description":"Interested in art? This club is for you! Whether or not you have previous art experience or skill we hope create a fun space for students are to try new things and improve their existing skills. Since art can be both relaxing and a stress reliever, we wish to bring both a little fun and a little calm to the hectic daily life of a student. Come here to relax, explore the different mediums, get to know people, and create something cool. We will have a wide-range of activities involving many different mediums such as painting, drawing, embroidery, sculpting and many more. Everyone is welcome, no art skill needed!", + "num_members":106, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Visual Arts", + "Creative Writing", + "Music", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/5138219a-53a6-45f2-8dfb-cb0d11dc29a1040cca8a-5e4f-4dbf-ae58-118ab3c44731.jpeg" + }, + { + "id":"ed196dd2-5a02-4e4c-a6d8-076c119b2586", + "name":"Sunrise Northeastern", + "preview":"Sunrise NEU is Northeastern's hub of the Sunrise Movement, a national youth-led climate justice organization. We work towards climate justice within our institution and beyond through research, education, and organizing with other clubs and communiti", + "description":"Sunrise NEU is Northeastern's hub of the Sunrise Movement, a national youth-led climate justice organization. We work towards climate justice within our institution and surrounding communities through multiple facets, including research (primarily focused on developing a Green New Deal for Northeastern) education (providing a welcoming space for new members to learn about climate justice and get involved), and organizing with other social-justice clubs and communities (such as collaborating with the Social Justice Resource Center, being part of Huskies Organizing With Labor (HOWL), Supporting YDSA, PSA, and supporting Northeastern Divestment, a campaign fighting for fossil fuel divestment at the university.) We are striving to make Northeastern a more just place that prioritizes its environment and communities.", + "num_members":362, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "Environmental Science", + "Volunteerism", + "Social Justice" + ], + "logo":"https://se-images.campuslabs.com/clink/images/80f38288-94d4-47c3-919d-8139c7effe31bbc94174-d798-4e07-a9b6-e2f813405583.jpg" + }, + { + "id":"04df4df1-3d58-4138-90ff-a60e374b5550", + "name":"Super Smash Bros Club", + "preview":"Fosters a friendly community for competition in games in the Super Smash Bros Franchise", + "description":"Hello!\r\nWe are the smash bros club, we hold Smash Ultimate tournaments every Friday, and Smash Melee tournaments every Monday. Join the discord servers below for communications.\r\nUltimate\r\nMelee", + "num_members":736, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Gaming", + "Community Outreach", + "Discord", + "Tournaments" + ], + "logo":"https://se-images.campuslabs.com/clink/images/100268e5-d9b5-4805-8096-43eed12ca8a0e9da9f1a-39f7-4874-8ae8-47c5dec3cb1d.png" + }, + { + "id":"43a7d0ed-5b73-4317-9b3a-b87ecfcf9a6a", + "name":"Surf Club", + "preview":"Surf Club is a fun way to meet new friends, explore the beaches of New England, and advocate for nature preservation, all while catching waves!", + "description":"One thing that many surfers can agree on is that surfing is highly addicting, stress relieving, and physically rewarding to participate in. Unfortunately, many people do not have the money to buy surf gear, or they have never tried it because they didn't have someone to go with. Our plan is to make new surfers' experience as easy as possible to increase the total population of surfers here on the Northeastern Campus as a whole. As a surf club member, you will have the opportunity to join other students on trips to beaches all around New England. If you have never surfed before, we will gladly teach you, and if you are a seasoned veteran you will have the opportunity to surf with new and different people. As frequent beach-goers, members of the Surf Club will dedicate a portion of their time to help preserve the New England coastline, whether it be trash pickups, fundraisers, or raising awareness to Northeastern Students. Along with all of the surfing that we will be doing, Surf Club also engages in other fun activities, such as pizza parties and surf movie nights!\r\n \r\nJoin our Slack channel to get involved:\r\nhttps://join.slack.com/t/nusurf/shared_invite/zt-10r3a4f9g-XfenbaKDGIqRvllHoX06qQ", + "num_members":811, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Hiking", + "Environmental Advocacy", + "Community Outreach", + "Volunteerism", + "Ocean Conservation", + "Sustainability" + ], + "logo":"https://se-images.campuslabs.com/clink/images/08a0e0a4-ebba-472f-8ce3-aab94ec79a281419f9e5-f096-4fa3-a6be-09c26fb42faf.jpg" + }, + { + "id":"e9699a87-d831-49a6-89c6-60e0c64d3db0", + "name":"Survivor: Northeastern", + "preview":"Survivor: Northeastern brings together students of all ages, majors, and backgrounds to compete in a semester-long competition, in replica of CBS\u2019s reality series, Survivor. Members may join as a player or as member of the production team.", + "description":"Modeled after the reality television series, Survivor, our organization strives to create similar experiences lived out by contestants on the show without the survival aspects of living on a remote island. Survivor: Northeastern puts together one season per semester, consisting of 16-24 students, who compete for the title of Sole Survivor. They participate in challenges, both mental and physical, experience tribal councils, and test their abilities in social psychology, all while making life-long friends.\r\nhttps://www.youtube.com/watch?v=KfbyEAurZvA\r\nOur seasons are filmed by a camera crew and uploaded to YouTube after several hours of editing and story-boarding. We look to recruit students who have a competitive nature and demonstrate enthusiasm. Students of all ages, majors, and backgrounds are encouraged to apply and submit a video describing their interest in the show. Those who are not cast are encouraged to participate in our club via production or outside events, like viewing events for the CBS Survivor, outings with the organization, and attending challenges or tribal councils.\r\nThe game starts in tribes, where students compete for tribal immunity. The losing tribe must vote out a member of their tribe. When the game has reached about the halfway point, the tribes merge. The contestants then compete for individual immunity and continue to vote each other out. The voted out contestants after the merge become members of the jury, and ultimately vote on the season’s winner when there are two or three contestants left. Not only do we live out the game, but we foster friendships and a communal space centered around a common love for the show.\r\nPlease visit our social media outlets, YouTube page, and website below to learn more about the club!", + "num_members":965, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "Performing Arts", + "Community Outreach", + "Broadcasting" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6c3949e1-b09b-43f6-bf3f-bf84ba34c6a4f430ae93-bbd2-475e-bb26-a95609f70c62.png" + }, + { + "id":"4648b636-2054-4adf-bbb4-11ba42bc25eb", + "name":"Sustainable Transportation @ Northeastern ", + "preview":"Sustainable Transportation @ Northeastern serves to give students a chance to explore how transportation shapes their lives, engage with local government and engineering firms, and encourage and advocate for sustainable transportation.", + "description":"Welcome to Sustainable Transportation @ Northeastern, a sort of supergroup consisting of our university’s chapters of the Institute of Transportation Engineers (ITE), Women in Transportation Seminar (WTS), and our newly minted Bike Enthusiasts @ Northeastern. (BEAN) This group focuses on a variety of transportation issues across the globe. We host speakers from a variety of transportation related industries, run bike tours, advocate for bike infrastructure on campus, and help students network with professionals in the industry. The goal of this club is to help students learn more about sustainable transportation both on campus and around Boston while advocating for change in the community.\r\nJoin our email list: http://eepurl.com/hqvuj5\r\nOur full calendar is here: https://calendar.google.com/calendar/u/0?cid=bmV1Lml0ZUBnbWFpbC5jb20", + "num_members":86, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "PublicRelations", + "Bike Enthusiasts @ Northeastern", + "Sustainable Transportation" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2bd28bbd-d7fb-4535-8b9a-2e14d1ab5e83e251ecf9-70a5-4b83-8270-dc8a18f8edec.png" + }, + { + "id":"cc26b6f3-1dc9-4834-b4b2-7a70d1efcdef", + "name":"Suzanne B. Greenberg Physician Assistant Student Society of Northeastern University", + "preview":"This society was created to guide PA students in the pursuit of integrity, professionalism, and excellence as future certified Physician Assistants and healthcare practitioners.", + "description":"This society was created to guide PA students in the pursuit of integrity, professionalism, and excellence as future certified Physician Assistants and healthcare practitioners.", + "num_members":1013, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Healthcare", + "Community Outreach", + "Professionalism", + "Education" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ade46c54-2c51-4abb-b7f4-3491ce0f483129ea509d-9f2b-4eff-b0b0-4810f713848f.png" + }, + { + "id":"d9f7cacb-f8dc-4f49-83df-32e16d865b3a", + "name":"Systematic Alpha", + "preview":"Systematic Alpha is a interdisciplinary quantitative finance club that combines elements of Data Science, Finance, and Math", + "description":"Systematic Alpha is a vibrant interdisciplinary quantitative finance club that welcomes enthusiasts from diverse backgrounds such as Data Science, Finance, and Math. Embracing the power of symbiotic collaboration, the club thrives on blending the principles of these fields to explore innovative investment strategies and delve into the world of financial modeling. Through engaging workshops, insightful discussions, and collaborative projects, members of Systematic Alpha are empowered to enhance their skills, build a strong network, and unlock the potential of quantitative finance in a supportive and dynamic environment.", + "num_members":498, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Data Science", + "Finance", + "Mathematics", + "Quantitative Finance", + "Collaboration", + "Workshops" + ], + "logo":"https://se-images.campuslabs.com/clink/images/61fe087d-c2ad-4ff7-a522-cbe7adf7ea90cca81caa-0c2f-484d-9050-f9cb8b125691.png" + }, + { + "id":"61619887-a627-4844-bb5c-2a05b6ccde54", + "name":"Taiwanese American Student Association", + "preview":"Taiwanese American Student Association provides students who wish to stay connected with their Taiwanese and American roots with a welcoming platform and an inclusive environment for those interested in learning more about both cultures.", + "description":"The Taiwanese American Student Association is a vibrant community that warmly embraces students seeking to nurture their Taiwanese and American heritage. With open arms, we offer a welcoming platform where individuals can explore and celebrate the rich tapestry of both cultures. Our inclusive environment encourages learning, sharing, and connecting with like-minded peers who share a passion for cultural diversity and understanding.", + "num_members":330, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Cultural Diversity", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/dcb75085-4588-4332-aebd-141c75ea9aa18a0004dc-d378-40f9-b15c-89c926516467.png" + }, + { + "id":"63adb6b3-825c-4472-ad47-1a800c6dbb82", + "name":"TAMID Group at Northeastern University", + "preview":"TAMID is a national organization that prepares students to work with startups and exposes them to disciplines such as entrepreneurship, consulting, finance, and software development through the lens of the Israeli startup ecosystem.", + "description":"TAMID is a national organization that prepares students to work with startups and exposes them to disciplines such as entrepreneurship, consulting, and finance through the lens of the Israeli startup ecosystem. This is done through our pro bono consulting program where we consult for top startups coming out of Tel-Aviv and a national stock pitch competition to decide which companies to add to our stock portfolio. We also provide an exclusive summer internship program in Israel. \r\nFill out our interest form here to receive updates on the Spring 2024 recruitment process!", + "num_members":248, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Entrepreneurship", + "Consulting", + "Finance", + "Startups", + "Israel", + "Internship", + "Stock Pitch", + "Consulting Program" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aa49203f-5c07-44c6-b0a3-9fa6e5894fd5ee277205-e957-46ba-959c-cfa64dd16272.jpg" + }, + { + "id":"87b9e057-8f39-4c2d-be78-8d5446fb229a", + "name":"Tastemakers Magazine", + "preview":"Are you interested in music? Do you love going to shows, keeping up with the local scene, and discussing the latest releases with your friends? Do you have an interest in writing, photography, promotions, or design? ", + "description":"Are you interested in music? Do you love going to shows, keeping up with the local scene, and discussing the latest releases with your friends? Do you have an interest in writing, photography, promotions, or design? If you answered yes to any or all of these questions: look no further.\r\n \r\nHere at Tastemakers Magazine, we publish 4 print magazines and year-round content, throw 2 concerts, and host meetings and events to discuss our love of music and beyond. We create professional experiences for our members to build their portfolios and resumes, while they make lifelong memories and friends (concert buddies!).\r\n \r\nWe are committed to fostering a community where everyone is encouraged to enjoy Smash Mouth (or any artist) unapologetically. We welcome people interested in music of all genres and from all walks of life. \r\nIf you want to learn more, sign up to hear from us and check out the discussion section below. ", + "num_members":166, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Music", + "Creative Writing", + "Visual Arts", + "Community Outreach", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/35d4c359-7108-4759-add0-feab96cd1edda45013ef-a4a6-4708-89c0-2f8650ab0377.PNG" + }, + { + "id":"d09a8d68-535b-4144-8a2b-19475dbb5b5b", + "name":"Tau Beta Pi, MA Epsilon", + "preview":"The Tau Beta Pi Association is the oldest engineering honor society. It honors engineering students in American universities who have shown a history of academic achievement as well as a commitment to personal and professional integrity.", + "description":"Welcome to Tau Beta Pi, MA Epsilon, the oldest engineering honor society dedicated to recognizing and honoring outstanding engineering students in American universities. Our club celebrates academic excellence and personal integrity, aiming to foster a strong community of passionate and driven individuals. By joining Tau Beta Pi, you will have the opportunity to network with like-minded peers, engage in professional development activities, and give back to the engineering community through service projects and outreach efforts. Embrace the spirit of innovation and collaboration with us as we strive to make a positive impact in the field of engineering!", + "num_members":691, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Engineering", + "Academic Excellence", + "Community Engagement", + "Professional Development", + "Service Projects", + "Networking", + "Innovation", + "Collaboration" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1c0f8e50-a2d9-4550-9211-5f5f01b1561a7e529e4b-0a1f-4bbc-9d02-065eac9139f0.png" + }, + { + "id":"666b9776-5e47-4366-80ed-59fd84635c61", + "name":"TEDxNortheasternU", + "preview":"TEDxNortheasternU is an independently organized TEDx event that showcases ideas worth spreading from the Northeastern University community. Speakers share their experiences, insights, and unique perspectives on a variety of topics in TED-style talks.", + "description":"TEDxNortheasternU is a student-run organization that brings together the Northeastern community to share and discuss innovative ideas, breakthrough technologies, and groundbreaking research. Our events feature local speakers who are leaders in their fields, sharing their knowledge and experience in a series of engaging and thought-provoking talks. Through our events, we aim to inspire and educate our audience, while fostering a sense of community and collaboration among attendees. Join us at our next event to be a part of the conversation and discover new ways of thinking about the world around us.", + "num_members":74, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "Creative Writing", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6642684d-7f12-4815-94a0-f3da4d6073894c2b5db6-10a1-4037-8e0e-5a6f5db354e2.png" + }, + { + "id":"62a9c17f-8139-483f-abb5-31ccfeaed828", + "name":"Thai Society of Northeastern University", + "preview":" Thai Society aims to promote Thai culture to the Northeastern Community. We also aspire to bring together to community of Thai and Thai Americans on the campus.", + "description":"Thai club at Northeastern aims to increase the students' morale across the Boston campus. ", + "num_members":841, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f6bc7689-f0a7-462d-862f-d4b84ef301f74bd8950e-bf22-4571-ba81-a9779ecf1be8.png" + }, + { + "id":"37ce9dea-d322-4705-aa42-b973cde6aeed", + "name":"The American Red Cross of Northeastern University", + "preview":"The American Red Cross, a humanitarian organization, led by volunteers, and guided by its Congressional Charter and the fundamental principles of the International Red Cross movement will provide relief to victims of disaster and help people prevent.", + "description":"The American Red Cross, a humanitarian organization, led by volunteers, and guided by its Congressional Charter and the fundamental principles of the International Red Cross movement will provide relief to victims of disaster and help people prevent, prepare for, and respond to emergencies.\r\n \r\nThe Red Cross Club at Northeastern works to uphold the principles of the American Red Cross and the Global Red Cross Network. We pursue this through fundraising for disaster relief and specific initiatives, volunteering in the Boston community, organizing blood drives, providing opportunities for CPR and first-aid trainings, and more. Join us if you want to contribute to this movement and help promote public health!\r\n \r\nJoin our weekly mailing list and check out our social media to stay up to date!\r\n \r\nVisit our website to find out more information about Northeastern's Chapter of the American Red Cross.", + "num_members":574, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "PublicRelations", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3f412685-e917-4985-9f75-cef68225f3a94cb6b7b7-4886-4247-ba34-85487f3e9926.png" + }, + { + "id":"20d6b2f4-a182-419c-a87c-6bc4c49a1c1f", + "name":"The Avenue Magazine", + "preview":"The Avenue Magazine is Northeastern's first and only fashion, lifestyle, and culture magazine. We strive to create a space where creative voices can be uplifted and heard. We pride ourselves in our team diversity, creative risk taking, and our magazi", + "description":"The Avenue Magazine is Northeastern University's first and only fashion and culture magazine. Through our work, we strive to create a publication inclusive to all people and ideas, which offers Northeastern writers and creatives a platform to share their views and express their creativity. Every aspect of our publication is student created: from photography, to design, writing, production, illustration and post-production marketing.\r\n \r\nFollow us on Instagram to stay updated: @theavenuemag. General meetings are Thursdays at 7:00 P.M. EST", + "num_members":15, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Creative Writing", + "Visual Arts", + "Journalism", + "Community Outreach", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f6d1dd6f-5f93-4e07-a81d-4f927db42dde2d8a4c3a-588a-4a74-aebc-d6c6b29a3af1.png" + }, + { + "id":"430d13f5-6901-44e8-a3aa-13e2a63c5e31", + "name":"The Business and Innovative Technologies Club", + "preview":"The B.I.T. Club strives to expose its members to the historical, present, and future potential impacts that innovative information systems and technologies have on business, and associated industries.", + "description":"The B.I.T. Club strives to expose its members to the historical, present, and future potential impacts that innovative information systems and technologies have on business, and associated industries. The club will explore the ongoing MIS-based innovations and technologies that drive companies to grow and become more profitable. By promoting the exploration, discussion and understanding of these technologies and demonstrating the positive effects they can have on organizations, the B.I.T. club seeks to inspire its members to drive innovation and positive change in their academic and professional careers", + "num_members":37, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Software Engineering", + "Data Science", + "Business", + "Innovation", + "Technology", + "Leadership", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/12e9f29c-f6ca-4915-a5e8-d2bc3b291eede8023fc1-357a-4b5f-a79d-55866aaa2fc7.png" + }, + { + "id":"552a0fd4-1cd7-413f-983d-557bdadc0408", + "name":"The Data Science Hub at Northeastern", + "preview":"The Data Science Hub is a community for graduate students to share knowledge, do data science, and network together.", + "description":"The Data Science Hub is a community for graduate students to share knowledge, do data science, and network together. The hub upholds three tenets: a source for academic content where we share data science skills and knowledge; a venue where we collaborate on data science projects, with emphasis on those that will benefit the Northeastern community; and a place where we can network with our peers in the university and outside, including the industry.\r\nCLUB LEADERSHIPS:\r\nPresidentParas Varshney\r\n\r\nTreasurerAby Binu\r\nScheduling CoordinatorSoham Shinde\r\nAdvisor NameCailyn Kelley\r\nOrganization Emailnudatasciencehub@gmail.com\r\n", + "num_members":824, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Data Science", + "Networking", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a51159bd-704c-4f87-90af-51083e24037034c4975c-0d92-4e7b-b964-7e485d50bcb6.png" + }, + { + "id":"a0a7e720-a6d0-4e43-8df2-3493aada38ef", + "name":"The Downbeats", + "preview":"Founded in 2000, we are a competitive, co-ed a cappella group from Northeastern University, devoted to spreading our melodic and in-house-only musical arrangements to all. We\u2019re dedicated to making music not only as friends but as a family too.", + "description":"Founded in 2000, we are a competitive, co-ed a cappella group from Northeastern University, devoted to spreading our melodic and in-house-only musical arrangements to all. Through the tight-knit bonds we form with each other in and out of rehearsal, we’re dedicated to making music not only as friends but as a family too. Our main goal is to push our boundaries and define our unique sound. \r\n \r\nThroughout our time as a group, we’ve recorded lots of music. Our first recordings were our two full length albums - “Ignite” and “Venus,\" - which can be found on all major streaming platforms. In 2022, we released a single, \"Your Guardian Angel\" from our 2019 ICCA set. In 2023, we released an EP titled \"Reflections\" which included three songs - \"Calvin's Joint\" \"Shrike\" and \"Vertigo\"- the last which was featured on Best of College A Cappella 2024. In 2023, we also released two singles - \"Over the Ocean Call\" and \"It Gets Dark.\" You can find these anywhere you stream your music.\r\n \r\nWe have also competed and performed all over the state of Massachusetts and New England. In the 2019 ICCAs, we had the pleasure of winning 1st Place in our Quarterfinals, and being awarded the titles of “Outstanding Soloist” and “Outstanding Arrangement.” \r\n \r\nEach Downbeat brings their own individual skills and talents to the group, coming together to form one diverse group that learns and grows from one another. We welcome music lovers and makers of all kinds to join our family, whether you are a trained singer or a timid belter. The Downbeats combine new talent with the knowledge gained from past members to create the blend of sound that is so characteristic of our group.\r\n \r\nCheck out our website for more info about us!", + "num_members":257, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aac9d24e-f2fd-4c39-a7b3-ab56bef31a23cb7918fc-2f46-4d50-bfb1-ef1843192eac.jpg" + }, + { + "id":"87774d20-28a7-4d04-b71a-06978c48427e", + "name":"The END Initiative at Northeastern University", + "preview":"The End Neglected Diseases Initiative fights to end neglected tropical diseases through fundraising, raising awareness, and advocating on campus. Our initiative supports Deworm the World, a campaign run by the non-profit organization Evidence Action", + "description":"The END (End Neglected Diseases) Initiative is a campaign fighting to end neglected tropical diseases (NTDs). Our initiative supports Deworm the World, a campaign run by the non-profit organization Evidence Action. These diseases affect 1 in 7 people worldwide and have been cited as the #1 cause of inescapable poverty in the world. Our student organization aims to increase awareness on Northeastern's campus, raise donations, and encourage world leaders to make the elimination of these diseases an important part of their policy agendas. The END Initiative of Northeastern University also works closely with Northeastern's Integrated Initiative for Global Health.", + "num_members":134, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Premed", + "Biology", + "Chemistry", + "Neuroscience", + "Environmental Advocacy", + "HumanRights", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/0bfd38a7-7007-4587-8401-cab80399b95b44c12de9-c5e9-4e33-95bb-8638b42f80fd.png" + }, + { + "id":"bf246fae-1d4c-4d40-b0f2-1b5017e00034", + "name":"The Fashion Society", + "preview":"We work to educate and promote fashion across all aspects - art, culture, entertainment, and business. Our mission is to be the link between Northeastern's campus and the Boston fashion industry through proactive event planning, networking, and media", + "description":"*Follow our Instagram: @northeasternfashion to get the latest updates on meetings!*\r\nWe work to educate and promote fashion across all aspects - art, culture, entertainment, and business. Our mission is to be the link between Northeastern's campus and the Boston fashion industry through proactive event planning, networking, and media relations. We look forward to a productive semester and look forward to working with all of you.", + "num_members":43, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Visual Arts", + "Creative Writing", + "Fashion", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fb6a208e-9058-4d31-96e7-42463003e6bd2f25ddfe-cdbf-4516-88f0-b644c2305c75.jpg" + }, + { + "id":"9594b794-c9bd-4863-95e0-f63b6fe6254c", + "name":"The Francophone Club of Northeastern University", + "preview":"The Francophone Club welcomes anyone interested in the French language and/or culture. By no means, do you have to be French or be fluent in French. By joining, you will have many opportunities to converse in French with other members of the club.", + "description":"The Francophone Club welcomes anyone interested in the French language and/or Francophone cultures. By no means do you have to be French or be fluent in the language. By joining, you will have many opportunities to converse in French with other members of the club and learn more about Francophone cultures through various events such as: movie night, our intercollegiate mixer, guest speakers, social nights, and more. Follow our Instagram (@nu.francophone) and join our mailing list (nufrancophone@gmail.com) to stay up to date with all our upcoming events. À bientôt!", + "num_members":26, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Visual Arts", + "Community Outreach", + "Foreign Language", + "Film" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6bfe7116-062a-4504-abea-a7f7e4538813a7e7129a-eb23-425a-b909-6002051218b6.png" + }, + { + "id":"794673f6-7ea4-4729-8ef5-3f2cb2f5b1ed", + "name":"The Interdisciplinary Women's Council", + "preview":"The Interdisciplinary Women's Collaborative is the university's first trilateral student organization dedicated to promoting and sustaining gender equality at Northeastern.", + "description":"The Northeastern University Interdisciplinary Women’s Collaborative, or the IWC for short, is the first body on the Northeastern campus that seeks to bring together women and women’s organizations on campus to facilitate the communication and promotion of women’s empowerment initiatives and events on campus. The organization, at its core, is a means for individuals and clubs on campus to be exposed to the resources, the knowledge, the events, and the practices that have helped propel some of the campus’s largest women’s organizations to the success we see from them today. Too often, the biggest barrier to female empowerment is the lack of communication between women and this council wants to change that. We believe that every organization on campus that has shown their commitment to gender equality should have the ability to know how to succeed as a club at Northeastern and the best way to do that is to learn from clubs that have already done it. The council will be the primary body from which the university hosts campus-wide, interdisciplinary women’s events such as an annual International Women’s Day Celebration.\r\nThe organization itself is split into three pillars: the interdisciplinary women's organization collective (IWOC), which works to connect the existing women's organization at Northeastern with the goal of promoting collaboration, the Women's Research Engagement Network (WREN), the nation's first research network made to facilitate female mentorship in all fields of research, and the Northeastern Women's Council, which is a student-led council of over 300+ women working on women's rights advocacy and empowerment.", + "num_members":1022, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Women's Rights Advocacy", + "Community Outreach", + "Environmental Advocacy", + "Human Rights", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/24bdb57a-363d-4664-9a65-f2acb0b6afd38beb4596-a09c-4e6c-8287-ebc1f8780673.png" + }, + { + "id":"ee3008ce-aef8-48f6-a0e7-9a645ed0debe", + "name":"The Interrobang Poets", + "preview":"The Interrobang Poets forms the basis of the slam poetry community on Northeastern\u2019s campus, and we offer various events for anyone either new to or familiar with slam and spoken-word poetry, including workshops, open mics, poetry readings, and more!", + "description":"Our organization serves to support the slam poetry community on Northeastern’s campus and their efforts to develop an on-campus poetry community that engages with the slam poetry communities of other universities. We also support and are involved in the youth/adult slam poetry communities in the Greater Boston area. We see poetry as a vessel for community building and, as such, long to create an environment where people feel safe enough to share their stories; thus we are actively against any and all forms of oppression. People will be confronted if their material actively causes harm to someone, there is a zero tolerance policy when it comes to oppressive poems and will not tolerate hate-speech or the cooptation of stories in order to create a safe(r) environment for all.", + "num_members":817, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Creative Writing", + "Community Outreach", + "HumanRights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/80855c1b-e276-4d5c-9136-64d6194a4287d8be3cff-31b9-48a4-ade9-b3d42c0cc08e.png" + }, + { + "id":"e5d86b95-b9f5-46c9-aaa2-c4c87343ca39", + "name":"The National Society of Black Women in Medicine", + "preview":"NSBWM is a multi-disciplined national organization that promotes the recruitment and retention of Black\r\nwomen pursuing broad careers in medicine, while promoting the advancement of those already established in these fields through unity and mentorsh", + "description":"The National Society of Black Women in Medicine (NSBWM) is a vibrant and inclusive national organization dedicated to supporting and empowering Black women in various fields within the medical profession. Our mission is to actively encourage the recruitment and retention of Black women pursuing diverse careers in medicine, while also fostering the professional growth and development of those who are already established in these fields. Through a spirit of unity, mentorship, and collaboration, NSBWM provides a welcoming community where members can network, share experiences, and thrive together in their individual journeys towards success in medicine.", + "num_members":377, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "African American", + "HumanRights", + "Community Outreach", + "Mentorship", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ac2909d8-78b1-41b1-9eb1-9f4172af268a0f02951e-fca9-438f-8d74-16de38698b08.png" + }, + { + "id":"08e45b84-c493-4396-8072-cbb10341606c", + "name":"The Northeastern Debate Society", + "preview":"The Northeastern Debate Society is a intercollegiate competitive debate team. We hold two practices a week on Mondays and Wednesdays at 8:00 in Hastings 204, and compete at tournaments across the country every weekend.", + "description":"The Northeastern Debate Society is an intercollegiate competitive debate team. We practice American Parliamentary (APDA) and British Parliamentary (BP) debate. Joining NUDS is a great way to develop your public speaking and critical thinking skills, learn about a wide variety of topics, and have fun doing it! No experience necessary!\r\nWe host two optional meetings weekly, on Monday and Wednesday at 8pm. You can sign up for our mailing list to receive more information here. \r\n ", + "num_members":724, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "PublicRelations", + "Community Outreach", + "Performing Arts", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f601f881-5034-494f-8e34-00de2c90835716161f07-1e41-448a-bad6-5f6b31192fb8.jpg" + }, + { + "id":"a2c47f8b-54f2-4fc9-a27c-6bd11e41aecb", + "name":"The Ortelian Society", + "preview":"The Ortelian Society is Northeastern\u2019s premier undergraduate society dedicated to Classical and heterodox thought.", + "description":"\"Alles, was tief ist, liebt die Maske.” - Friedrich Nietzsche, Beyond Good and Evil\r\n \r\nThe Ortelian Society is Northeastern’s premier undergraduate society dedicated to Classical and heterodox thought.\r\n\r\n\r\n\r\n\r\n \r\nThe OS devotes itself to the investigation of the heterodox ideas underexplored or altogether ignored by the wider liberal arts programs (including both the sciences and humanities; Darwin and climate change deserve as much opposition as the progressive orthodoxy underlying the humanities). Our aim is to cultivate genuinely independent thinkers who will grow into virtuous leaders.\r\n\r\n\r\n\r\n", + "num_members":866, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Philosophy", + "Classics", + "Independent Thinkers", + "Creative Writing", + "Neuroscience", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e71650f6-1ef6-4ae1-9d9d-65ada6a5ffdfb9693e41-c391-4b10-8c4b-dfaf9b300f92.png" + }, + { + "id":"7182537b-ec0f-4fd1-b06a-801338b2cba1", + "name":"The Red & Black", + "preview":"The Red & Black is a sports magazine published once a semester that offers an inside look at Northeastern Athletics through feature writing and podcasting, long-form reporting, photography, design, and social media. ", + "description":"Watch our General Interest Meeting here: https://www.youtube.com/watch?v=9ceCwyYggVw \r\n \r\nThe Red & Black is Northeastern University’s only student-run athletics magazine. Released semesterly, the writing, photography, design and social media are all handled exclusively by Northeastern students. Check out our current staff here!\r\nThe Red & Black is particularly focused on student-athlete involvement. Modeled around The Players’ Tribune and Sports Illustrated, there are numerous First Person Stories from the student-athletes of Northeastern detailing their experiences. In addition, several student-athletes hold leadership positions within the magazine, ensuring a commitment to high quality coverage of all athletic programs on campus. With an ever-growing partnership with Northeastern Athletics – which includes presenting the annual Red & Black Dedication Award at the athletic department’s year-end banquet – The Red & Black represents a key part of the athletics culture at Northeastern University.\r\nTo learn more, visit our website at www.nuredandblack.com, or watch our appearance on the NESN TV Show, \"Tales of the Howlin' Huskies,\" here: https://www.youtube.com/watch?v=_EYTh2leTn8 ", + "num_members":53, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Journalism", + "Broadcasting", + "Film", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e03869e6-16b1-42c1-ac08-ea858e7524994f57561a-0a89-4712-8831-e966c6c59237.png" + }, + { + "id":"6b943e46-9280-4533-8ab2-212de59e00f5", + "name":"The Sports Analytics Club", + "preview":"The Sports Analytics Club is a community where students from all\r\ndisciplines come and learn about the wide ranging field of sports analytics. The club works to\r\ncultivate independent research as well as participate in national events.", + "description":"The Sports Analytics Club is a vibrant community welcoming students from diverse disciplines who share a passion for sports analytics. Through engaging discussions and hands-on projects, members explore the exciting field of sports analytics together. The club fosters a culture of independent research and provides opportunities to showcase talents in national events. Join us to uncover the power of data-driven insights and unleash your potential in the world of sports analysis!", + "num_members":346, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Data Science", + "Mathematics", + "Sports Analytics", + "Software Engineering" + ], + "logo":"https://se-images.campuslabs.com/clink/images/eec5cfa9-ca59-4c6c-aa10-7ad809c156ceaf4712a3-a83f-43c2-a26d-e72f02fa0400.jpg" + }, + { + "id":"24665713-8707-4a90-9fbf-7bc6784b4ac3", + "name":"The Student Osteopathic Medical Association", + "preview":"The purpose of the Student Osteopathic Medical Association, the student affiliate organization of the American Osteopathic Association, is to promote osteopathic ideals and unity within the profession and to educate future physicians.", + "description":"The purpose of the Student Osteopathic Medical Association, the student affiliate organization of the American Osteopathic Association, is to promote osteopathic ideals, to educate pre-medical students on their options to becoming a physician, and to establish and to maintain lines of communication among healthcare professionals in an ongoing effort to improve the quality of healthcare.", + "num_members":104, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Premed", + "Biology", + "Neuroscience", + "Community Outreach", + "Volunteerism", + "Healthcare Professionals" + ], + "logo":"https://se-images.campuslabs.com/clink/images/236c5c7a-ea17-4348-9d1c-626d09a5a36f3503e95b-b771-4c3c-a6da-b5002abfd4dc.png" + }, + { + "id":"2f7be8d1-f3e3-4902-9616-ced37045fe80", + "name":"The Sustainable Innovation Network", + "preview":"Empowering students to spark change through for-profit, for-impact startups that make less \"SIN\" in the world. ", + "description":"Our mission is to foster collaboration across disciplines for undergraduates passionate about social innovation. Through our framework of \"entrepreneurship is for everyone\", we aim to recognize social injustices, find helpful solutions, and build with the intention of having lasting, but profitable, impact. ", + "num_members":484, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Social Innovation", + "Entrepreneurship", + "Community Outreach", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3997af79-1943-4a2f-a5f8-93023c97875c640afc2e-ed21-4288-9aa2-54e6424f28d2.jpg" + }, + { + "id":"8184df02-8607-4f6f-920a-1eb9340eb98e", + "name":"The Undergraduate Research Club", + "preview":"The URC is committed to engaging undergraduate students in innovative, experientially-driven, world changing research by instilling knowledge, advancing skills, and providing opportunities that inspire the next generation of leaders.", + "description":"Welcome to the Undergraduate Research Club (URC) where we are dedicated to involving undergraduate students in ground-breaking, hands-on research that can make a real impact on the world. Our mission is to empower students with knowledge, enhance their skills, and offer meaningful opportunities that will inspire them to become the leaders of tomorrow. Join us as we explore new ideas, collaborate with peers and mentors, and embark on a journey of discovery and innovation that will shape the future of research.", + "num_members":411, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Research", + "Science", + "Education", + "Community Outreach", + "Innovation" + ], + "logo":"https://se-images.campuslabs.com/clink/images/00435d70-6c29-4426-a92e-6e87d6f155941882f99e-e02d-4087-91e9-36fca0255038.jpeg" + }, + { + "id":"47bc8c00-451c-4719-aab6-d7760ad64c6e", + "name":"The Wellness Project ", + "preview":"The Wellness Project aims to educate students about simple and healthy eating, all while implementing meal planning and effective budgeting strategies.", + "description":"The Wellness Project is committed to educating students about simple and healthy eating, all while providing an environment that allows them to connect with like-minded individuals who share a common goal of prioritizing their health. We implement meal planning and effective budgeting strategies to introduce students to a sustainable way of eating that is both nourishing and affordable.", + "num_members":127, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Healthy Eating", + "Budgeting Strategies", + "Student Wellness", + "Community Connection" + ], + "logo":"https://se-images.campuslabs.com/clink/images/620b8ffd-ed26-4da1-b58f-c3c2ae3d58957b126c3e-275b-43b4-a556-084cb31a4222.png" + }, + { + "id":"07f51820-7d5f-4585-ba6b-fb055bebef89", + "name":"Theme Park Engineering Club", + "preview":"The Theme Park Engineering Club works to give students an opportunity to explore the field of engineering through theme parks and to bring entertainment to the Northeastern campus.", + "description":"Northeastern's Theme Park Engineering Club is an organization for those interested in designing theme park attractions, combining their appreciation for both arts and sciences, or simply just love riding roller coasters! Here we'll be looking into and learning about the science and illusions used to create many of the world's most popular theme park rides, as well as working on many projects of our own including in-meeting and national level competitions!", + "num_members":623, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Physics", + "Engineering", + "Artificial Intelligence", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/42d0f9ff-cd19-4eea-914b-455507357013a259c326-3428-4cfc-b1ae-8df3e154cdb4.png" + }, + { + "id":"629eae49-7a1c-4e93-8ddf-94f974c6082c", + "name":"Times New Roman", + "preview":"You think you're funny, huh? You want to perform stand up comedy? You want to write silly tweets? You want a group of people there to listen to your standup and silly tweets? Well then TNR is the club for you!", + "description":"Times New Roman is Northeastern's standup comedy club, providing laughs through shows in AfterHours and Open-mics in campus classrooms. Our standup shows feature performers ranging from standup veterans to novices, with all able to learn and improve in a friendly, funny environment! Additionally, we post topical content on our blog, Twitter, and Instagram, and make a fun podcast too. Join our weekly meetings or come by a show to get started!\r\nCheck out our website to see all of our content as well as the efforts of wix to get you to spend money: nutnr.com ", + "num_members":450, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Creative Writing", + "Visual Arts", + "Comedy", + "Journalism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/f5f299a6-8e69-4309-abd2-3658b905d932c47ae434-4947-4863-b4f6-8894fe72229b.png" + }, + { + "id":"98818f26-f674-44dc-984e-d6fb56d569fa", + "name":"Transfer Student Organization", + "preview":"Come meet other transfer students and learn about Boston and Northeastern!", + "description":"The purpose of NUTS is to create a welcoming and supportive community for transfer students by holding events where they can socialize, get involved in the Northeastern community, and learn more about Boston and the university.", + "num_members":354, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Community Outreach", + "Volunteerism", + "Social", + "Networking" + ], + "logo":"https://se-images.campuslabs.com/clink/images/76f8e8ed-4569-417f-a63a-39afdf575faee18949e6-abfc-4066-b594-e60bb0ff3a9e.JPG" + }, + { + "id":"fb437c64-1f63-43db-8394-a67f084fc9fc", + "name":"Trash2Treasure", + "preview":"Trash2Treasure's mission is to make Northeastern University a zero-waste campus. Every semester, we collect items students no longer want or need and resell them at a low cost to students the next semester, promoting a circular economy on campus.", + "description":"Trash2Treasure has one primary mission: to help Northeastern University become a zero-waste campus. This can be achieved by a number of programs set forth by T2T -- most notably, the annual T2T Sale. Every year during Spring move-out, T2T collects items from students that they would otherwise throw away (anywhere from electronics to rugs to kitchen utensils). Then, at the beginning of the Fall semester, all of the items are sold in a yard-sale fashion at incredibly low prices. In 2023 we saved 11,428 pounds from the landfill. In addition, we partnered with 5+ community organizations to recycyle unusual items. We are actively trying to expand our programming and look forward to more great work towards achieving zero waste.", + "num_members":267, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "Volunteerism", + "Environmental Science" + ], + "logo":"https://se-images.campuslabs.com/clink/images/2198d309-23c7-431a-bdf9-3537e69aebcec8664b19-b9a1-4389-ab94-8a8c66c4f188.png" + }, + { + "id":"9f2d55a8-875c-4663-baf5-3d109f2bb743", + "name":"Treble on Huntington A Cappella Group", + "preview":"Treble on Huntington is Northeastern University's first women's a cappella group.", + "description":"Founded in 2007, Treble on Huntington is Northeastern University's first women's a cappella group. Treble travels around the Boston area and the U.S. for competitions and concerts, showcasing their pop and mixed-genre repertoire and the hard work and unique artistry they've cultivated over 10+ years. \r\n \r\nBe sure to check out their EP Solace, along with all of their other released music, on all streaming platforms now. \r\n \r\nTreble on Huntington is holding Fall 2024 auditions in September! Be sure to follow us on all of our social media to stay in the loop. But, if you:\r\n - Want to learn more about the audition process, click here.\r\n - Want to ask us a question, click here.\r\n - Want to be added to an email list to get updates on auditions as they approach, click here.\r\n \r\nWe are so excited to hear your beautiful voices! :)", + "num_members":336, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/daa0c673-92b5-4c90-aca5-1596dec2898bfa64622d-d10d-48e5-97eb-82d495e5fa7a.png" + }, + { + "id":"c29d710b-a3f0-4283-b518-1838dc844a1a", + "name":"Trivia Club", + "preview":"Join us weekly for fun trivia nights, game show nights, and more!", + "description":"Trivia Club's purpose is to facilitate the study of trivia facts and compete in fun trivia games. We enjoy enriching our minds and lives with trivia facts in order to broaden our breadth of knowledge and in order to meet like-minded nerds.\r\nWe hope to compete not only amongst ourselves and develop ranks of achievement, but to participate in external trivia bowl / quiz events in the Greater Boston area and the New England area. Our scope includes serious competition, friendly exhibition matches, but mostly fun practices just to see what others know.\r\nEvery Tuesday we hold our meetings in Hastings Hall room 206 at 8pm, and Wednesdays and Fridays we have trivia nights at restaurants around town. Come to a meeting to learn more!\r\nPlease fill out this form if you would like to be included in our email list: http://eepurl.com/h-W1ZP\r\nGroupme, our main communication platform: https://web.groupme.com/join_group/93683454/vJZNo1Kt", + "num_members":203, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Performing Arts", + "Creative Writing", + "Trivia", + "Community Outreach", + "Groupme" + ], + "logo":"https://se-images.campuslabs.com/clink/images/de668ec7-8cf8-47a1-a813-3784dec7d3543647e514-3bc7-447f-8391-292e627417b7.jpg" + }, + { + "id":"7a93adf9-3ea3-4856-841c-c58a03a0248c", + "name":"Turkish Student Association", + "preview":"To educate our fellow peers and professors about the culture, history, and current state of Turkey, and to help incoming Turkish students adapt to their university life in Boston and the US.", + "description":"Welcome to the Turkish Student Association! Our mission is to create a vibrant community that promotes understanding and appreciation of Turkish culture, history, and current affairs. Through engaging events and activities, we aim to educate our peers and professors about the rich heritage of Turkey. Additionally, we provide a warm and supportive environment for incoming Turkish students, helping them navigate and thrive in their university life in Boston and the US. Join us to connect, learn, and embrace the colorful tapestry of Turkey!", + "num_members":502, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Turkish Student Association", + "Islam", + "International Affairs", + "Cultural Heritage", + "Community Building" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1ea570d2-ba73-4de6-b2ba-a9e283996c175c880d9c-2d49-4541-8818-a0cabcb30674.jpeg" + }, + { + "id":"1b85e42b-8f9c-4716-930e-047cdd32749d", + "name":"Ukrainian Cultural Club of Northeastern University", + "preview":"The primary purpose of this organization is to unite students at Northeastern University and neighboring colleges of Ukrainian descent as well as anyone interested in Ukraine, its culture, language, or history.", + "description":"The primary purpose of this organization is to unite students at Northeastern University and neighboring colleges of Ukrainian descent as well as anyone interested in Ukraine, its culture, language, or history. The goal of this organization is to enrich individuals with the Ukrainian culture via meetings, events, and community service opportunities. The club is hopeful that this will increase student cultural awareness among Northeastern students and others.", + "num_members":562, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Ukrainian Culture", + "Community Outreach", + "Volunteerism", + "Cultural Awareness" + ], + "logo":"https://se-images.campuslabs.com/clink/images/562d1ebd-dc68-4c4f-bddc-7c665368ffddc6eb5ed1-4a1a-46a8-aca2-eed7cdf06aa1.png" + }, + { + "id":"2adce3a2-0ab8-4852-9380-92a376cb1160", + "name":"Undergraduate Global Health Initiative", + "preview":"The Undergraduate Global Health Initiative (UGHI) is an organization on campus that seeks to educate fellow students about the pressing issues of global healthby organizing events that promote research, advocacy, and interdisciplinary teamwork", + "description":"NUGHI members take part in planning health equity and social justice-centered events, such as conversations with activists and clinicians and volunteering opportunities, in collaboration with non-profit organizations and/or student groups on campus. (Past events include Black Health Matters, Palestinian Health Panel, Indigenous People’s Day Health Panel, and many others). ", + "num_members":54, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "PublicRelations", + "Volunteerism", + "HumanRights", + "Community Outreach", + "Health" + ], + "logo":"https://se-images.campuslabs.com/clink/images/aaa438b1-aaf2-4f0c-a95f-70a20ba2415cbec23773-2e86-4d34-af28-3b5ebf292866.jpeg" + }, + { + "id":"4b3c66e3-3be3-490e-9e11-8f51462dbb9c", + "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":446, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Prelaw", + "Creative Writing", + "Journalism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/444ab3dc-17a1-4015-860e-3ab5b916cf95adcde3f2-a5b8-4361-b342-591fbf42b824.png" + }, + { + "id":"861edc0f-6ced-4b30-b35d-486ac06b1e09", + "name":"UNICEF at Northeastern", + "preview":"UNICEF at Northeastern advocates to educate the Northeastern community about UNICEF's work to\u00a0 protect the rights of children around the world. In addition to raising awareness, we also raise funds to contribute towards UNICEF's most important projec", + "description":"UNICEF at Northeastern partners with the U.S. Fund for UNICEF to expand and support UNICEF's work across the country. We center our work around education, advocacy and fundraising. As a club, we raise awareness about UNICEF's work through presentations, fundraisers and social events. Members also get a chance to learn about volunteer opportunities directly from UNICEF.", + "num_members":898, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Volunteerism", + "Community Outreach", + "HumanRights", + "Environmental Advocacy" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"a2b58d3d-3bfb-4106-a523-a3f430a0b299", + "name":"Unicycling at Northeastern Club", + "preview":"Come unicycle with us every Saturday 12pm! If you don't know how, we'll lend you one and teach you. All skill levels welcome!\r\n", + "description":"Unicycle Club aims to introduce the sport of unicycling to the Northeastern community, providing a supportive and encouraging space for newcomers and mentors alike. We know that not many people have touched or maybe even seen one, but you’d be surprised how far an afternoon of practice could get you!\r\nhttps://linktr.ee/neunicyclers?utm_source=linktree_profile_share&ltsid=fb05dda1-492a-484e-848d-51da44e308a0", + "num_members":658, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/1fa3494a-2209-42a2-add6-594d8b67e0878768d1e0-5b3c-4b98-a609-d2b1af58222d.jpg" + }, + { + "id":"cd1a9630-0637-4b9e-9f4e-175a899c5a14", + "name":"United Against Inequities in Disease", + "preview":"United Against Inequities in Disease is a national, nonprofit organization that empowers students to develop and eliminate public health inequities through community engagement, volunteering, and research. ", + "description":"United Against Inequities in Disease, or UAID, focuses our efforts on local communities, conducting our work in collaboration with local partners, and leveraging the power of research and an interdisciplinary approach to combatting health inequity. Through our work, we aim to both reduce health inequities in our communities today and also empower public health advocates of tomorrow. We encourage students of all backgrounds and disciplines to join our mission to create sustainable health interventions in Boston.", + "num_members":134, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Premed", + "PublicRelations", + "Community Outreach", + "Environmental Advocacy", + "HumanRights", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6d16cff9-45ea-4d28-bc42-3eb542cc25abdb3b2641-0f52-4c37-8335-a5fe5203f985.png" + }, + { + "id":"d2ddf7a4-19f2-4559-82be-6119db09ba50", + "name":"University Health and Counseling Services (Campus Resource)", + "preview":"The University Health and Counseling Services Team is anxious to serve you. We hope that you will use our center as a resource, to help stay healthy, physically and mentally, and for care when you are ill or injured, or depressed or stressed.Our medi", + "description":"The University Health and Counseling Services Team is anxious to serve you. We hope that you will use our center as a resource, to help stay healthy, physically and mentally, and for care when you are ill or injured, or depressed or stressed. Our medical and behavioral health teams will work with you as partners in your health care so that you get confidential, compassionate and high quality care. We believe in caring for you and advocating for your well-being throughout your college experience.", + "num_members":806, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Psychology", + "Neuroscience", + "LGBTQ", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"0db0334a-39ec-4f31-bf63-0ad917ff34c3", + "name":"UTSAV - South Asian Organization", + "preview":"UTSAV, named for the Sanskrit word meaning \"Festival,\" was started in 1991 by a handful of South Asian students. Now in its 32nd year, UTSAV has grown into a large community of over 250 South Asian and South Asian American students.", + "description":"UTSAV, named for the Sanskrit word meaning \"Festival,\" was started in 1991 by a handful of South Asian students. Now in its 33rd year, UTSAV has grown into a large community of over 250 South Asian and South Asian American students, and continues to strive to provide them with a sense of belonging, along with supplying fun, unique, and thoughtful opportunities for all Northeastern students to learn about South Asian heritage and identity. We represent students from Bangladesh, Bhutan, India, Nepal, Pakistan and Sri Lanka. Although we represent these six countries, we encourage those of any background to engage with us to navigate South Asian culture, tradition, and context. We are also members of Northeastern's Pan-Asian American Council, as well as the EMPOWER network for students of color on campus. We hope you join our community, attend our events, perform in our shows, and come share your stories with us!\r\n \r\nThis is a UNDERGRADUATE STUDENT only organization.", + "num_members":326, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Asian American", + "Performing Arts", + "Community Outreach", + "Volunteerism", + "Hinduism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/a2ddda67-d554-4e79-b103-035c0d00259bdea66fb8-8446-441c-9ff4-033f623cf575.png" + }, + { + "id":"8a178f1c-3322-4826-869c-b2b646661467", + "name":"Vietnamese Student Association", + "preview":"We are a student group that helps promote an awareness of the Vietnamese and Vietnamese American culture to the diverse community of Northeastern. Please like and check out our Facebook and Instagram for more information and updates!", + "description":"We are a student group that helps promote an awareness of the Vietnamese and Vietnamese American culture to the diverse community of Northeastern, and as such we like to call our org a \"Home Away From Home\"! We emphasize four pillars in our community: Culture, Food, Family, and Dance! We have biweekly general meetings, host multiple events each year - such as our annual Culture Show - and participate in many huge collaborations such as A Night in Asia and Mid-Autumn Festival. We are proud to be part of Northeastern PAAC as well as NEIVSA, the New England Intercollegiate VSA. Please like and check out our Facebook page for more information and updates, and stay connected with us on our Instagram @NortheasternVSA! Thanks for checking us out, and we hope to meet with you soon!", + "num_members":439, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Asian American", + "Performing Arts", + "Community Outreach", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/82555422-f077-47b2-9172-b7dd7cc03bed8ab16047-ade2-40d3-8452-ac41466e5688.png" + }, + { + "id":"c768c19e-7f57-42e6-876a-26bc2e678016", + "name":"Virtual Reality Organization of Northeastern University", + "preview":"NUVR aims to utilize the latest technologies\u00a0to develop and research virtual experiences. Please check out our Summer Involvement Fair Information session at this link to learn about what NUVR can offer you this year.", + "description":"NUVR aims to utilize the latest technologies to develop and research virtual experiences. If you have any interest in learning about VR, AR, or XR as a whole join our discord to get in contact with us: https://discord.gg/gfeuhJmeQb \r\nYou can also follow our Instagram: @northeastern_vr to get weekly updates about our meetings\r\nSee you soon!", + "num_members":596, + "is_recruiting":"FALSE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Software Engineering", + "Artificial Intelligence", + "Virtual Reality", + "Creative Writing" + ], + "logo":"https://se-images.campuslabs.com/clink/images/d9ac1d2b-40e4-4108-ad76-c32510b4c7ecd70aaf3a-b761-43b4-83c3-bc3334141400.png" + }, + { + "id":"55b54c17-cefd-4c92-8c04-fcbe1041683e", + "name":"ViTAL: Northeastern's Healthcare Innovation Core", + "preview":"ViTAL is a student-run undergraduate organization that inspires students to explore and innovate beyond the traditional realm of healthcare professions to better serve patients/clients and their families and to enhance the future of healthcare.", + "description":"ViTAL is a student-run undergraduate organization that inspires students to explore and innovate beyond the traditional realm of healthcare professions to better serve patients/clients and their families and to enhance the future of healthcare. We foster an interdisciplinary community of healthcare leaders through guest speaker events, the Husky Health Innovation Challenge, a healthcare case competition, and ViTAL Ventures Consulting, our pro-bono consulting arm. ", + "num_members":135, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Healthcare Innovation", + "Biotechnology", + "Entrepreneurship", + "Community Outreach", + "Public Health" + ], + "logo":"https://se-images.campuslabs.com/clink/images/796dc05f-4b6a-45d1-ae3a-bd421fd258713608e568-8713-47fa-b85d-51854fb4513f.png" + }, + { + "id":"ad0f0c79-0ca2-47d7-a746-1329ec697961", + "name":"Wildlife/Ecology Club", + "preview":"A club dedicated to preserving ecological diversity and educating the Northeastern student population around issues of ecology.", + "description":"The Northeastern Wildlife/Ecology Club is dedicated to spreading awareness of the ecological diversity on our planet, the devastating effects of climate change on nature, and what we can do to preserve our planet. This club is a coming together of individuals with a passion for ecology and a drive for change. ", + "num_members":583, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"unrestricted", + "tags":[ + "Environmental Science", + "Environmental Advocacy", + "Wildlife/Ecology Club" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ca7d65b5-c0ca-4b6e-9976-b901840316d28ca18432-5c50-4610-a70e-44dec12d5a49.png" + }, + { + "id":"2adb61bc-7181-4989-b549-f6419992872a", + "name":"Wireless Club", + "preview":"NU Wireless Club is a electronics experimentation club, where students from all disciplines can meet to work on projects and learn electronics through hands-on applications. The club features a lab space and a full amateur radio station.", + "description":"NU Wireless Club is an electronics experimentation club, where students from all disciplines can meet to work on projects and learn electronics through hands-on applications. The club features a maker space and a full amateur radio station.", + "num_members":468, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Electrical Engineering", + "Software Engineering", + "Creative Writing", + "Music", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/fe5fb8f1-80c1-436a-a3cd-e3219fdf11ce5aaebee5-c66c-48a2-b283-b1cd14824eef.png" + }, + { + "id":"77656525-045f-4da6-a47f-003cd51a92e8", + "name":"Women in Business", + "preview":"NU Women in Business empowers undergraduate womxn at Northeastern University through professional and personal development events, fostering their success in the business world. Join us to unlock your potential and thrive in a supportive community.", + "description":"Welcome to Northeastern Women in Business (WIB), a thriving organization built on the four principles of professional development, inspiration, mentorship, and community. We host a variety of events every Tuesday at 8PM that are geared towards these four principles in an overall mission to support and uplift the young women of Northeastern who are interested in the dynamic, interdisciplinary world of business.\r\nProfessional DevelopmentOur professional development events are designed to equip you with the critical hard skills and soft skills necessary to excel in the business industry. Hoping to revamp your resume or ace your upcoming co-op interview? Our fun workshops and activities provide practical guidance that will help you stand out among your peers!\r\nInspirationPrepare to be inspired by our captivating Executive Speaker series, where we bring in top female business leaders from the Boston area. These accomplished individuals share their remarkable stories, providing invaluable insights and igniting a passion for success. Additionally, our panel events feature esteemed alumni and even our own student body, discussing post-grad life or the transformative co-op experience.\r\nMentorshipOur remarkable Mentor/Mentee program pairs older members, who have completed at least one co-op, with younger members seeking guidance in their Northeastern journey. This unique relationship provides an exceptional opportunity to learn from other inspiring women who have walked in your shoes, offering invaluable advice and insights that can shape your future success.\r\nCommunityAt WIB, we believe that a strong community fosters growth. That’s why we host a variety of engaging community events, called Empower Hour, including fun socials that foster friendships and connections beyond the classroom. Other Empower Hour socials focus on topics like healthy work-life balance, taking members out of the classroom and into activities such as group workouts, shared meals, and adopting balanced lifestyles.\r\nJoining WIB means becoming part of a strong and beautiful community. We are dedicated to helping each other grow, supporting one another’s aspirations, and celebrating our collective achievements. Whether you’re a young underclassman or an upperclassman seeking new horizons, WIB welcomes you with open arms!", + "num_members":462, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Professional Development", + "Inspiration", + "Mentorship", + "Community", + "Women in Business", + "Community Outreach", + "Networking", + "Empower Hour" + ], + "logo":"https://se-images.campuslabs.com/clink/images/667a9c05-dda7-4662-b5d8-33b62c489b96402359b1-6809-4f03-a1a6-b3e7c5382580.png" + }, + { + "id":"0c970fc1-718a-4db3-b3bb-717350c2e862", + "name":"Women in CyberSecurity", + "preview":"Women in CyberSecurity (WiCyS) is dedicated to bringing together female leaders interested in cybersecurity. We hold workshops, seminars, and opportunities for community bonding, offering you chances to learn and network.", + "description":"***WE DO NOT REGULARLY USE ENGAGE! Check out our Linktree (the globe icon under \"Contact Information\") to see the best ways to keep in touch with us!***\r\nWiCyS is a national organization and global community of women, allies, and advocates who are dedicated to bringing talented women together to celebrate and foster their passion and drive for cybersecurity. As Northeastern University’s chapter of the national organization, we bring this environment of community engagement and career-building to Northeastern and its students.\r\nOur intended audience is women interested in cybersecurity, both undergraduate and graduate, looking to have a career in cyber or even just curious and open to learning more about the world of security. NU WiCyS is a close-knit community providing a safe space for an underrepresented niche.\r\nOur purpose is to bring passionate and driven women to a united space where they can share their love for cybersecurity. We also strive towards educating people, connecting communities with industry leaders/professionals, connecting students with faculty, and guiding students towards research opportunities. We put a large emphasis on sharing the experiences of upperclassmen to the underclassmen looking for advice and guidance.\r\n ", + "num_members":952, + "is_recruiting":"TRUE", + "recruitment_cycle":"spring", + "recruitment_type":"application", + "tags":[ + "Women in CyberSecurity", + "Technology", + "Community Outreach", + "Networking", + "Professional Development" + ], + "logo":"https://se-images.campuslabs.com/clink/images/73f6ee68-e570-4c58-aaa9-ee1d79d27b1818ea87bd-1882-4676-abae-5e61ac51947f.png" + }, + { + "id":"c4640094-d74f-4569-8e4e-ec3b0387f766", + "name":"Women in Economics", + "preview":"Women in Economics addresses the gender disparities within economics. We cultivate an empowering community for all students who express an interest in the field of economics by inviting them to engage with economics on an interdisciplinary level.", + "description":"As an undergraduate student organization, Women in Economics addresses the gender disparities within economics. We cultivate an empowering community for all students who express an interest in the field of economics. We invite our members to engage on an interdisciplinary level with economics while promoting diversity and inclusivity. Women in Economics provides members with skills-building opportunities, empowerment in the field, and a connection with faculty and graduate students. \r\nWe host bi-weekly meetings along with occasional large-scale events during the year. The focus of our more informal weekly meetings is to provide a space where members can connect with each other and share their thoughts on the topic at hand. These meetings cover current research being done by female economists, workshops on important tools for success in the field, and discussions about improving the field for women.\r\nWith the larger events, we seek to inspire and encourage members by demonstrating the possibilities of the tools of economics. These events will feature a speaker, either a PhD student in economics or professor, who will speak to the group about their research, experience, and challenges in the field.\r\nWe welcome all to join Women in Economics regardless of major. ", + "num_members":702, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "Women in Economics", + "Community Outreach", + "Environmental Advocacy", + "Diversity and Inclusivity", + "Empowerment", + "Research", + "Workshops" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8bce631c-70c2-4e91-ad60-6080f267420104b3d34b-069d-4cc4-b596-fec6c2b17c9a.png" + }, + { + "id":"40f56d2a-32e3-4b35-845f-80332f2ccb28", + "name":"Women in Music Northeastern", + "preview":"WIM Northeastern is the first collegiate chapter of Women in Music and aims to provide educational resources and networking opportunities for aspiring music industry professionals. ", + "description":"Women in Music Northeastern is the first collegiate chapter of Women in Music and aims to provide educational resources and networking opportunities for aspiring music industry professionals, with a focus on empowering, supporting, and recognizing women-identifying students and individuals in the musical arts. ", + "num_members":806, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach", + "Women in Music" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"0640a95d-4567-4260-8edc-66b9c1fa501a", + "name":"Women in the Enterprise of Science and Technology at Northeastern", + "preview":"WEST NEU is Northeastern's chapter of WEST, or Women in the Enterprise of Science and Technology. The Northeastern chapter was formed to foster connections with professionals in STEM-based fields, with a focus on networking and mentorship.", + "description":"WEST NEU is Northeastern’s chapter of WEST, or Women in the Enterprise of Science and Technology. WEST is an organization in the greater Boston area that is dedicated to expanding and enriching the careers of women in the fields of science, technology, and engineering. WEST NEU is an avenue for Northeastern students to connect with established members of the organization and other Boston-based students in STEM. WEST NEU offers monthly workshops and panels tailored to helping women develop as leaders in their fields. WEST members include prominent women and minorities holding executive positions in their fields, helping connect WEST NEU members to unique resources and opportunities. Our mission is to connect Northeastern students to the plethora of resources that WEST has to offer, in order to inspire and facilitate the career advancement of our members.", + "num_members":176, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "Women in STEM", + "Leadership Development", + "Community Building", + "Networking", + "Career Advancement", + "Workshops", + "Panels" + ], + "logo":"https://se-images.campuslabs.com/clink/images/b2b0f5f2-e844-4ae6-9eee-8e9a689c1fef0b53e73b-29f1-4d1e-8dc2-aaab6cb59372.png" + }, + { + "id":"572bb9a1-5470-4655-8b8f-e889030a2711", + "name":"Women's and Nonbinary Club Ultimate Frisbee", + "preview":"This is the women's club ultimate frisbee team. We have 2 teams, one high-commitment team that competes nationally and one lower-commitment team that competes in the region. Both teams love to have fun and play ultimate together. No experience needed", + "description":"We are the women's club ultimate frisbee team. We have 2 teams: one high-commitment team that competes nationally and one lower-commitment team that competes in the northeast region. Both teams love to have fun and play ultimate together. No experience is necessary to join! Check out the Gallery, Documents, and these two websites for more introductory information", + "num_members":991, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "LGBTQ", + "Soccer", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/ff26e5c4-748d-4bc7-9e8b-476adac7e303d019ab1c-c111-4ec6-b5d6-496ba425d7a0.jpg" + }, + { + "id":"029ac32b-c220-4ce5-b4e0-6c1927c43923", + "name":"Women's Club Basketball", + "preview":"Northeastern Women's Club Basketball is a great opportunity for players who want to continue playing basketball competitively without committing to the rigorous collegiate level.\r\n", + "description":"Northeastern Women's Club Basketball is a great opportunity for players who want to continue playing basketball competitively without committing to the rigorous collegiate level. This organization allows students to develop their skills, compete against other college teams, and have fun while doing it! Please contact nuwomensclubbball@gmail.com for more information.", + "num_members":640, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Soccer", + "Community Outreach", + "Volunteerism", + "Basketball", + "Women's Club", + "LGBTQ" + ], + "logo":"https://se-images.campuslabs.com/clink/images/49a454c5-7dc2-4e15-9715-4270e5680b38a1526fb5-c70f-4cdc-83e8-b3948b2a17c6.jpeg" + }, + { + "id":"41627c4d-99d4-47e8-b69f-e51e4eab3ddc", + "name":"Women's Club Ice Hockey", + "preview":"We are a student-run club hockey organization based out of Northeastern University. Our purpose is to give Northeastern students an opportunity to continue their ice hockey careers in a collegiate setting, and to participate in the sport of ice hocke", + "description":"We are a student-run club hockey organization based out of Northeastern University. Our purpose is to give Northeastern students an opportunity to continue their ice hockey careers in a collegiate setting, and to participate in the sport of ice hockey at a competitive level in a team environment. We participate in the Presidential Division of the IWCHL, playing teams from around the Boston and New England area and within Division 2 of the ACHA.", + "num_members":129, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "Hockey", + "Women's Sports", + "Collegiate Sports", + "Student-Run Organization", + "Team Environment" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"7e054cf5-bc2d-4ad1-91cd-3be82c29c71a", + "name":"Women's Club Lacrosse", + "preview":"The Northeastern Women\u2019s Lacrosse team just closed out a strong 2024 season. The huskies made it to the WCLA championship game for the first time in program history, finishing #2 in the country... GO DAWGS!", + "description":"The Northeastern Women’s Lacrosse team just closed out a strong 2024 season. The huskies made it to the WCLA championship game for the first time in program history, finishing #2 in the country. Prior to their national championship game debut, the team beat their rival, Boston College, in regionals and had an impressive win in the national semi-finals against the #1 seed, University of Florida. We are a competitive team with great chemistry and a force to be reckoned with. GO DAWGS!", + "num_members":762, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Lacrosse", + "Women's Club", + "Competition", + "Teamwork", + "Sportsmanship" + ], + "logo":"https://se-images.campuslabs.com/clink/images/e09c62b3-27b5-4acb-a212-afa1b085b74e1484fb05-8a5c-41b8-b80c-ba4c83ff75a0.png" + }, + { + "id":"9e8eb737-b080-48a4-946f-c2a04272acf3", + "name":"Women's Club Water Polo", + "preview":"Northeastern University Women's Club Water Polo competes in the New England Division of the Collegiate Water Polo Association. Feel free to reach out if you're interested in joining the team, there's no experience necessary! Check out our insta or FB", + "description":"Northeastern University Women's Club Water Polo competes in the New England Division of the Collegiate Water Polo Association. We are a no experience needed team with no try outs and players of a variety of skill levels. So definitely feel free to reach out if you're interested in joining the team! ", + "num_members":331, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Soccer", + "Visual Arts", + "Community Outreach", + "Volunteerism" + ], + "logo":"https://se-images.campuslabs.com/clink/images/37cf3b02-109c-4fbe-a536-994550a7af61a9cbc690-7cf5-4f8c-8e20-4bc3c96d41e3.JPG" + }, + { + "id":"7eb17636-2b72-4014-976b-503983681d70", + "name":"Women's Interdisciplinary Society of Entrepreneurship", + "preview":"WISE is a student-led organization dedicated to supporting womxn interested in exploring entrepreneurship through interdisciplinary workshops, mentorship pairings, and startup classes.", + "description":"The Women’s Interdisciplinary Society of Entrepreneurship (WISE) is a student-led group at Northeastern University dedicated to helping women develop an innovative mindset through interactive workshops (WeLearn), a thought-incubator (WeBuild), and mentorship pairings (WeSupport). \r\nWISE provides students the opportunity to explore curiosities and discover paths together. Experiential learning is at the heart of Northeastern University, and WISE builds upon its ethos.\r\nWhether you are looking to attend interactive workshops that showcase entrepreneurship in every light, find a mentor to help develop personal and professional skills, or strengthen problem-solving skills through working on a semester-long project, WISE has an opportunity for you!\r\nIf your interested and want to learn more, sign up for our newsletter here! \r\nAlso, follow us on instagram @northeasternwise", + "num_members":74, + "is_recruiting":"FALSE", + "recruitment_cycle":"fall", + "recruitment_type":"unrestricted", + "tags":[ + "Entrepreneurship", + "Women Empowerment", + "Innovation", + "Mentorship", + "Professional Skills", + "Problem Solving", + "Experiential Learning" + ], + "logo":"https://se-images.campuslabs.com/clink/images/41ebe55f-50a9-4f3a-bc70-441d91567aab7c18d42a-78d9-4236-ae52-bfcdf88f1c98.png" + }, + { + "id":"a70ce23e-ae3c-4590-a0af-7234903df8d0", + "name":"Women's Run Club", + "preview":"We are a non-competitive running organization that hopes to create an inclusive, welcoming environment on campus, with a focus on empowering, educating, and mentoring women. ", + "description":"Women’s Run Club is a non-competitive running organization that hopes to create an inclusive, welcoming environment on campus, with a focus on empowering, educating, and mentoring women. WRC will host several fun events every semester such as group runs, informative meetings, and social events. Join us!", + "num_members":410, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"application", + "tags":[ + "LGBTQ", + "Community Outreach", + "Women's", + "Empowerment", + "Running" + ], + "logo":"https://se-images.campuslabs.com/clink/images/12210e3c-7499-4736-8a1f-7f7b680d931c2e30f7f1-bec0-4187-913c-92f41cc4d29a.png" + }, + { + "id":"10ee184c-ba19-491d-b7b9-676e633f9718", + "name":"Woof Magazine", + "preview":"Woof Magazine is Northeastern's only lifestyle magazine on campus. We\u2019re your source for fun things you can do on campus or around Boston, opinions on hot topics, and much more with all writing, photography, and design created by students.", + "description":"Woof Magazine is Northeastern's only on-campus lifestyle magazine. We’re your source for fun things you can do on campus or around Boston, opinions on hot topics and much more with all writing, photography and design created by students. Currently, we print one issue each academic year, publish articles on our website and post on our Instagram constantly! Woof welcomes students of all levels: join to learn or improve your creative skills and get your work published! \r\nIf you are interested in joining Woof, join our Slack!", + "num_members":41, + "is_recruiting":"FALSE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Creative Writing", + "Visual Arts", + "Journalism", + "Broadcasting", + "Film", + "PublicRelations" + ], + "logo":"https://se-images.campuslabs.com/clink/images/None" + }, + { + "id":"959f7ad4-2bee-47ed-8dc7-6e71d17a9875", + "name":"WRBB 104.9FM Campus Radio", + "preview":"WRBB has provided the Northeastern and Back Bay communities with the best on-air programming since the '60's, and that hasn't changed in the modern era! Launching bands like Passion Pit, All These Elements, and numerous others, WRBB is dedicated to s", + "description":"WRBB has provided the Northeastern and Back Bay communities with the best on-air programming since the '60s, and that hasn't changed in the modern era! Launching bands like Passion Pit, All These Elements, and numerous others, WRBB is dedicated to supporting the Boston music scene and act as a creative and professional outlet for those interested in broadcast media. Join today and get on the air, or get involved with our growing promotional department, award-winning sports broadcasters, music department, or even get involved with booking shows on campus! WRBB is one of the biggest media groups on campus for a reason. We dare you to listen. ", + "num_members":11, + "is_recruiting":"TRUE", + "recruitment_cycle":"always", + "recruitment_type":"unrestricted", + "tags":[ + "Broadcasting", + "Music", + "Journalism", + "Community Outreach" + ], + "logo":"https://se-images.campuslabs.com/clink/images/6c163ade-8b55-4332-af92-eb0f68b8b48d214f051f-a9de-4506-befe-e6f097253bc0.png" + }, + { + "id":"f3b7efe4-ab48-42c2-9e65-d39352aa04af", + "name":"Young Democratic Socialists of America at Northeastern University", + "preview":"Expanding socialist politics and labor solidarity is the name of the game! We are a collective organizing for a future where workers control their economic output and no person is exploited. We host several campaigns and political education events.", + "description":"Our mission is to educate and organize students and young people to play a helpful and principled role in the movement for social and economic justice in the Northeastern University and local communities. Within and throughout this struggle both nationally and locally, we will articulate and defend the idea that true human liberation is impossible under capitalism. We seek social change which extends democracy into all aspects of life -- social, political and economic. We accept members of broad ideologies while never sacrificing our values. We believe in the universality of social programs, the collective ownership of the means of production, and our struggle for justice will not end until every human can live a just life. Our vision of socialism is profoundly democratic, feminist, and anti-racist. ", + "num_members":687, + "is_recruiting":"FALSE", + "recruitment_cycle":"spring", + "recruitment_type":"unrestricted", + "tags":[ + "HumanRights", + "Socialist", + "Environmental Advocacy", + "Community Outreach", + "Political", + "Feminist" + ], + "logo":"https://se-images.campuslabs.com/clink/images/3eeb1089-9ba8-4417-b8c5-3a3257c0b0432af13b5c-6d31-41ff-8d8a-fedc2b4532ad.png" + }, + { + "id":"374ba1b4-efa8-43e9-af43-437fa5148be2", + "name":"Zeta Beta Tau: Gamma Psi Chapter", + "preview":"A chapter of the Zeta Beta Tau fraternity operating at Northeastern University", + "description":"Our fraternity is a brotherhood of college aged men who have a vested interests in striving for excellence. We host various events including philanthropy events on and off campus that raise money for various different charities in Boston. We have roughly 30 members consisting of all undergraduate students.", + "num_members":253, + "is_recruiting":"TRUE", + "recruitment_cycle":"fall", + "recruitment_type":"application", + "tags":[ + "Volunteerism", + "Community Outreach", + "Philanthropy", + "Human Rights" + ], + "logo":"https://se-images.campuslabs.com/clink/images/8b739dde-2f44-454b-8c9b-63a324c37cb069453693-a695-4a33-a8dc-d934ae99c6b0.png" + }, + { + "id":"ce730054-cb32-4f57-983d-4c481ce46696", + "name":"Zeta Phi Beta Sorority, Inc.", + "preview":"The Beta Chi chapter of Zeta Phi Beta Sorority, Inc. was chartered on March 31, 2023, by six matriculating women on the campus of Northeastern University. Beta Chi is a university-based undergraduate chapter that seeks to serve the Northeastern commu", + "description":"The Beta Chi chapter of Zeta Phi Beta Sorority, Inc. was chartered on March 31, 2023, by six matriculating women on the campus of Northeastern University. Beta Chi is a university-based, undergraduate chapter that seeks to serve the students and community of Northeastern while upholding the sorority's principles of scholarship, service, sisterhood, and finerwomanhood.", + "num_members":984, + "is_recruiting":"TRUE", + "recruitment_cycle":"fallSpring", + "recruitment_type":"application", + "tags":[ + "African American", + "Community Outreach", + "Volunteerism", + "HumanRights", + "Scholarship", + "Service" + ], + "logo":"https://se-images.campuslabs.com/clink/images/335ae09c-ec38-49e3-ae6b-2294f4c4d0fe8b1930c0-21a5-4647-97b6-97c236d82b3c.png" + } ], - "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" - ] - } + "events":[ + { + "id":"51a13e2b-3f2d-46e2-a46c-f41d65d38b11", + "club_id":"d2123624-e4a7-42c5-a29e-ddf704331105", + "name":"Event for (Tentative ) Linguistics Club", + "preview":"This club is holding an event.", + "description":"Join the Linguistics Club for an engaging and fun Phonetics Workshop event! Whether you're a linguistics major, minor, or simply fascinated by the world of language, this workshop is open to all. Dive deep into the intricacies of phonetic transcription, test your skills in a friendly and supportive environment, and connect with fellow language enthusiasts. This workshop is perfect for beginners looking to learn something new or for experienced students eager to sharpen their transcription abilities. Don't miss this opportunity to expand your linguistic knowledge and make new friends - see you there!", + "event_type":"virtual", + "start_time":"2025-11-19 21:15:00", + "end_time":"2025-11-19 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Social Events", + "Community Outreach" + ] + }, + { + "id":"1f2809bf-317f-4acf-a22a-29d163b6373b", + "club_id":"d2123624-e4a7-42c5-a29e-ddf704331105", + "name":"Event for (Tentative ) Linguistics Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of linguistic trivia and word games at the Linguistics Club's Game Night! Test your language skills in a fun and casual setting while connecting with fellow students who share your passion for linguistics. Whether you're a seasoned etymology enthusiast or just starting to explore the world of language study, this event is open to everyone. We'll have engaging activities planned to challenge your knowledge and spark interesting discussions. Don't miss this opportunity to unwind, socialize, and expand your linguistic horizons with us!", + "event_type":"hybrid", + "start_time":"2026-06-21 13:30:00", + "end_time":"2026-06-21 14:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Linguistics", + "Education", + "Community Outreach", + "Study Group" + ] + }, + { + "id":"23440ba2-8926-4feb-ba2e-e845d88fe961", + "club_id":"d2123624-e4a7-42c5-a29e-ddf704331105", + "name":"Event for (Tentative ) Linguistics Club", + "preview":"This club is holding an event.", + "description":"Join the (Tentative) Linguistics Club for our upcoming Transcription Bee event! Whether you're a seasoned linguistics pro or simply fascinated by the world of phonetic transcription, this non-competitive bee is the perfect opportunity to engage with like-minded peers in a fun and welcoming environment. We'll dive into the intricacies of linguistic sound patterns while enjoying a laid-back evening of learning and laughter. Don't miss out on this chance to expand your knowledge and connect with fellow language enthusiasts \u2013 all are welcome!", + "event_type":"hybrid", + "start_time":"2025-09-07 20:15:00", + "end_time":"2025-09-07 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Social Events", + "Linguistics" + ] + }, + { + "id":"e9361c6d-634e-44b1-83d2-b2b4cceaa390", + "club_id":"3942a431-c96a-4db9-b23d-3f45b2e97439", + "name":"Event for Adopted Student Organization", + "preview":"This club is holding an event.", + "description":"Join us for a heartwarming evening of sharing adoption stories and connecting with fellow adoptees in a welcoming and supportive environment. Our guest speaker, a seasoned adoption counselor, will lead a discussion on overcoming challenges and embracing our unique identities as adoptees. This event is open to everyone interested in learning more about the adoption experience and fostering a deeper understanding of the adoptee community. Come be part of a compassionate space where your voice is heard and your story is valued!", + "event_type":"virtual", + "start_time":"2024-10-02 19:15:00", + "end_time":"2024-10-02 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Journalism", + "LGBTQ" + ] + }, + { + "id":"07eff070-ac51-4038-8024-d46c2331416f", + "club_id":"3942a431-c96a-4db9-b23d-3f45b2e97439", + "name":"Event for Adopted Student Organization", + "preview":"This club is holding an event.", + "description":"Join us for a heartwarming evening of sharing adoption stories and connecting with fellow adoptees in a supportive environment. Our special guest speaker will shed light on the unique experiences and challenges of the adoption journey, while interactive activities and group discussions will offer a platform for open dialogue and learning. Whether you're an adoptee, an adoptive parent, or simply curious about adoption, this event promises to be an engaging and enlightening opportunity to deepen your understanding and compassion for the adoptee community. Come be a part of our mission to celebrate diversity, create awareness, and build a stronger bond among adoptees and their allies!", + "event_type":"hybrid", + "start_time":"2025-10-20 22:00:00", + "end_time":"2025-10-21 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "HumanRights", + "LGBTQ" + ] + }, + { + "id":"a6f8aaf9-5d25-4ae7-9ef7-1cbfbe24a67b", + "club_id":"3942a431-c96a-4db9-b23d-3f45b2e97439", + "name":"Event for Adopted Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Adopted Student Organization for an enlightening evening of storytelling and connection at our Adoption Stories Open Mic event. Share your own adoption journey or simply listen to others as they express their experiences in a safe and nurturing environment. Our supportive community welcomes adoptees, adopted parents, and anyone interested in learning more about adoption. Come learn, share, and be inspired as we celebrate the diverse narratives that make up the adoptee community.", + "event_type":"virtual", + "start_time":"2024-12-12 14:15:00", + "end_time":"2024-12-12 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "LGBTQ", + "Creative Writing", + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"b6f6f3ab-0c72-420d-b7f0-031452891d1b", + "club_id":"ad72ff3e-e2e4-46c9-8f85-a87a1e4c1a2f", + "name":"Event for Automotive Club", + "preview":"This club is holding an event.", + "description":"Join the Automotive Club for an exclusive hands-on workshop where you'll learn the art of fine-tuning engines to perfection. Our seasoned experts will guide you through the intricate process of optimizing performance and achieving that sweet purr of horsepower. Engage in lively discussions with fellow gearheads, sharing anecdotes and tips to enhance your automotive prowess. Embrace the camaraderie as we delve deep into the heart of car mechanics, fostering a community of passionate individuals dedicated to the craft. Rev up your enthusiasm and revitalize your knowledge in this dynamic event that promises to ignite your passion for all things automotive!", + "event_type":"hybrid", + "start_time":"2026-07-06 16:00:00", + "end_time":"2026-07-06 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Mechanical Engineering", + "Creative Writing", + "Film", + "Hiking", + "Automotive Club" + ] + }, + { + "id":"0c2178d5-af8f-4cdc-97ff-376b6403d9a8", + "club_id":"cb785e10-f09c-4464-b8e1-906b39ab1190", + "name":"Event for Bangladeshi Organization of Networking, Diversity, Heritage, Unity and Support", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming event, 'Flavors of Bangladesh', where we will immerse ourselves in the rich and diverse Bangladeshi cuisine. You will have the opportunity to learn about traditional cooking techniques, savor authentic dishes, and connect with fellow food enthusiasts. Whether you are a seasoned foodie or just curious to explore new flavors, this event promises to be a delightful celebration of our culinary heritage. Come hungry, leave inspired!", + "event_type":"hybrid", + "start_time":"2025-10-09 14:00:00", + "end_time":"2025-10-09 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Volunteerism", + "Asian American", + "Fundraising Initiatives" + ] + }, + { + "id":"981c6f1b-ec9c-4813-9072-a620f7ca4878", + "club_id":"cb785e10-f09c-4464-b8e1-906b39ab1190", + "name":"Event for Bangladeshi Organization of Networking, Diversity, Heritage, Unity and Support", + "preview":"This club is holding an event.", + "description":"Join the Bangladeshi Organization of Networking, Diversity, Heritage, Unity and Support for a delightful Cultural Celebrations event where we will joyously commemorate significant Bangladeshi occasions like Pohela Boishakh, Ekushe February, and Shadhinota Dibosh. Immerse yourself in the rich culture of Bangladesh as we come together to cherish our traditions, history, and unity. This event promises to be a vibrant gathering filled with music, dance, traditional attire, and delicious cuisine, where you can connect, learn, and celebrate alongside a welcoming community dedicated to fostering cultural awareness and appreciation.", + "event_type":"virtual", + "start_time":"2024-12-18 22:30:00", + "end_time":"2024-12-18 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Volunteerism", + "Cultural Celebrations", + "Fundraising Initiatives" + ] + }, + { + "id":"a391dce8-794a-45d4-9328-8de875df6094", + "club_id":"a6561106-51de-463e-ab33-7301d3aecc92", + "name":"Event for Biokind Analytics Northeastern", + "preview":"This club is holding an event.", + "description":"Join Biokind Analytics Northeastern for a networking event where students can connect with local healthcare non-profit organizations in the Boston area. This is a great opportunity to learn more about how data analysis skills can make a difference in our community and to meet like-minded individuals who are passionate about using their expertise for social good. Whether you're a seasoned data analyst or just curious about the field, come mingle, share ideas, and discover how you can contribute to meaningful projects that benefit those in need. Be part of a community that values collaboration, learning, and making a positive impact!", + "event_type":"virtual", + "start_time":"2024-12-24 21:30:00", + "end_time":"2024-12-25 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Data Science", + "Healthcare", + "Community Outreach" + ] + }, + { + "id":"a00b80c5-d11b-4bfb-b9bc-21831bb15f2e", + "club_id":"a6561106-51de-463e-ab33-7301d3aecc92", + "name":"Event for Biokind Analytics Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for an exciting data analysis workshop hosted by Biokind Analytics Northeastern! This hands-on event will provide students with the opportunity to sharpen their skills in data interpretation and visualization while collaborating with like-minded peers. Whether you're a beginner or an experienced analyst, this workshop offers something for everyone. Come network with fellow students passionate about making a difference in the local healthcare sector and gain valuable insights into how data can drive positive change in our community. Don't miss out on this engaging and informative event that will leave you inspired and equipped to contribute to meaningful projects with real impact!", + "event_type":"virtual", + "start_time":"2024-03-15 19:00:00", + "end_time":"2024-03-15 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Healthcare", + "Nonprofit", + "Community Outreach", + "Data Science" + ] + }, + { + "id":"9e6b8af7-cd7f-4643-a89e-6c453ef1143c", + "club_id":"14f5af6a-bb8f-4bb1-9846-2134cef6e009", + "name":"Event for Black Graduate Student Association ", + "preview":"This club is holding an event.", + "description":"Join us at the Black Graduate Student Association for an enriching panel discussion on 'Navigating Graduate Studies'. Our esteemed speakers will share valuable insights and practical tips on balancing coursework, research, and personal commitments as a graduate student. This event is perfect for those looking to gain perspective, strategies, and connections to enhance their academic journey. Come ready to engage in meaningful conversations, learn from experienced peers and professionals, and enjoy the supportive community of fellow graduate students. See you there!", + "event_type":"hybrid", + "start_time":"2024-04-16 20:30:00", + "end_time":"2024-04-16 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Professional Development" + ] + }, + { + "id":"ab2ddae8-b0b9-465c-8a26-2105eb6d79db", + "club_id":"14f5af6a-bb8f-4bb1-9846-2134cef6e009", + "name":"Event for Black Graduate Student Association ", + "preview":"This club is holding an event.", + "description":"Come join us at the Black Graduate Student Association for a captivating seminar on navigating academia as a Black graduate student. Our esteemed guest speaker, a seasoned scholar and advocate, will share their insights and practical tips to help you thrive in your academic journey. This event is a fantastic opportunity to connect with like-minded peers, gain valuable knowledge, and foster a supportive community. Don't miss out on this empowering and enlightening experience!", + "event_type":"virtual", + "start_time":"2024-09-27 23:15:00", + "end_time":"2024-09-28 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Professional Development", + "Scholarly Growth", + "African American", + "Networking Events" + ] + }, + { + "id":"3423e76e-5371-4a32-a0a1-e2bea4a5bf68", + "club_id":"43dd7e51-5055-495d-bc3a-0a343289db3c", + "name":"Event for Black Pre-Law Association", + "preview":"This club is holding an event.", + "description":"Join the Black Pre-Law Association for our upcoming event, 'Pathway to Law School.' This informative session will feature guest speakers who will share insights on navigating the LSAT, crafting a compelling personal statement, and securing recommendations. Whether you're a freshman exploring your options or a senior preparing your applications, this event is designed to provide you with the tools and resources needed to succeed on your journey towards law school. Don't miss this opportunity to network with fellow aspiring law professionals and gain valuable advice from experienced mentors. Open to all Black undergraduate students interested in pursuing a career in the legal field, this event promises to be an engaging and supportive environment where you can connect, learn, and grow. Mark your calendars and join us for an enlightening evening that will inspire and empower you to reach your academic and professional goals!", + "event_type":"hybrid", + "start_time":"2025-04-14 21:00:00", + "end_time":"2025-04-14 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Prelaw", + "African American", + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"fd7653bf-6c42-468f-8e02-c4e53467d30e", + "club_id":"43dd7e51-5055-495d-bc3a-0a343289db3c", + "name":"Event for Black Pre-Law Association", + "preview":"This club is holding an event.", + "description":"Join the Black Pre-Law Association for our upcoming event, 'Navigating Law School Admissions'. In this interactive session, you will gain valuable insights on how to craft a compelling personal statement, prepare for the LSAT, and secure strong letters of recommendation. Whether you're a freshman exploring your interests or a senior finalizing your application, this event is designed to support you on your journey towards law school and beyond. Come connect with fellow aspiring lawyers and learn from experienced mentors who are dedicated to your success. We look forward to seeing you there!", + "event_type":"virtual", + "start_time":"2026-03-23 21:00:00", + "end_time":"2026-03-24 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Prelaw", + "Community Outreach", + "African American" + ] + }, + { + "id":"202b072f-5377-405f-8efe-c2cf9b5150cf", + "club_id":"e15ca2e2-d669-4e67-bf64-90ef438f2de4", + "name":"Event for Business of Entertainment ", + "preview":"This club is holding an event.", + "description":"Join us for an exclusive panel discussion on 'Strategies for Success in the Entertainment Industry' where industry experts will share their insider tips and personal experiences. This interactive session will delve into the dynamic landscape of entertainment business, offering valuable insights and actionable advice for aspiring professionals. Don't miss this opportunity to network, learn, and be inspired by the movers and shakers of the entertainment world at Business of Entertainment club!", + "event_type":"in_person", + "start_time":"2026-10-24 15:30:00", + "end_time":"2026-10-24 17:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Performing Arts", + "Music", + "Film", + "PublicRelations", + "Creative Writing" + ] + }, + { + "id":"20a41886-7b4f-4be0-ae39-b0c4dc8a879c", + "club_id":"aadbb6fa-e459-443c-befc-9dbb6906c952", + "name":"Event for Color Guard", + "preview":"This club is holding an event.", + "description":"Join Color Guard for a fun-filled workshop where you can learn all about the exciting world of dance-based performances using props like Rifles, Sabres, and Flags! In this event, our experienced spinners will guide you through the basics of creating a stunning themed show complete with unique equipment, uniforms, and floor tarps. Whether you're new to Color Guard or a seasoned member, this is the perfect opportunity to hone your skills, try out new routines, and immerse yourself in a vibrant community of passionate performers. Don't miss out on this chance to unleash your creativity and be a part of our upcoming winter guard show!", + "event_type":"hybrid", + "start_time":"2026-08-06 21:00:00", + "end_time":"2026-08-07 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Visual Arts", + "Music", + "Performing Arts" + ] + }, + { + "id":"7b7fd76c-79eb-448e-93ab-b6961aa14dd7", + "club_id":"fe33a47c-330b-4bc0-abb6-039acac4db53", + "name":"Event for Community Palette", + "preview":"This club is holding an event.", + "description":"Join Community Palette at our upcoming 'Art Jam & Chill' event where we'll gather for a relaxing evening of creativity and connection. Unleash your inner artist as we collaborate on mural painting projects and explore the healing power of colors. Whether you're an experienced painter or just looking to unwind, this event is open to all skill levels. Meet like-minded individuals and let your creativity flow in a supportive and inclusive environment. We believe in the transformative nature of art and its ability to bring people together, so come share your talents and stories with us as we work towards promoting wellness through art within our communities!", + "event_type":"hybrid", + "start_time":"2024-11-03 23:15:00", + "end_time":"2024-11-04 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Visual Arts", + "Community Outreach", + "Volunteerism", + "Creative Writing" + ] + }, + { + "id":"872884ed-ad01-4d8b-9bb4-31a4f7cbd869", + "club_id":"fe33a47c-330b-4bc0-abb6-039acac4db53", + "name":"Event for Community Palette", + "preview":"This club is holding an event.", + "description":"Join Community Palette for a fun-filled Art Jam session at a local community center in Boston! This event is a perfect opportunity to come together with fellow art enthusiasts and create beautiful masterpieces while spreading joy and positivity through creativity. Whether you're a seasoned artist or just looking to explore your artistic side, this inclusive gathering promises an afternoon of laughter, inspiration, and support. Let's paint the town with colors of unity and empowerment at our upcoming Art Jam event!", + "event_type":"virtual", + "start_time":"2024-02-14 17:00:00", + "end_time":"2024-02-14 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Creative Writing" + ] + }, + { + "id":"97d1e1a6-654e-4c59-8ecf-d7f66b0347a0", + "club_id":"69b571aa-d493-4799-b3b5-ea4f89f1dcec", + "name":"Event for ConnectED Research ", + "preview":"This club is holding an event.", + "description":"Join us for a riveting panel discussion on 'Empowering Student Voices in Academia' at ConnectED Research. This event will feature distinguished scholars and student leaders sharing insights on navigating academic spaces, advocating for educational equity, and fostering student empowerment. Discover practical strategies to excel in your studies while amplifying your unique voice in a supportive and inclusive community. Don't miss out on this opportunity to connect, learn, and grow with us!", + "event_type":"in_person", + "start_time":"2024-03-18 17:15:00", + "end_time":"2024-03-18 19:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Inclusive Learning", + "Academic Community", + "Resource Empowerment", + "Education Equality", + "Student-Professor Events" + ] + }, + { + "id":"8bb1c9fb-b978-4bdd-aded-89870eb82e9a", + "club_id":"69b571aa-d493-4799-b3b5-ea4f89f1dcec", + "name":"Event for ConnectED Research ", + "preview":"This club is holding an event.", + "description":"Join ConnectED Research for an engaging panel discussion on the importance of mentorship in academia. This event will feature esteemed professors sharing their insights and personal stories, alongside interactive sessions where students can connect with potential mentors. Whether you're a seasoned scholar or just beginning your academic journey, this event is a valuable opportunity to gain guidance, inspiration, and make meaningful connections within our supportive community. Don't miss out on this chance to be a part of our mission to empower all students towards academic excellence!", + "event_type":"in_person", + "start_time":"2025-07-14 21:00:00", + "end_time":"2025-07-14 22:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Student-Professor Events" + ] + }, + { + "id":"300098fa-c4fb-4699-9ea4-e2e0f39b9496", + "club_id":"f6284c47-12e7-42a4-92cf-2c237e9bf90c", + "name":"Event for Crystal Clear", + "preview":"This club is holding an event.", + "description":"Join us at Crystal Clear for our upcoming event 'Crystals and Constellations' where we will delve into the mystical world of astrology and crystal energies. Our expert guest speakers will share ancient wisdom about how to harness the power of crystals for healing and manifestation, while also unraveling the cosmic mysteries of the night sky. Whether you're a seasoned astrology enthusiast or a curious beginner, this interactive event promises to be a transformative journey of self-discovery and connection with like-minded seekers. Let's explore the celestial wonders and earthly treasures together!", + "event_type":"hybrid", + "start_time":"2025-06-18 12:30:00", + "end_time":"2025-06-18 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Tarot", + "Community", + "Spirituality", + "Paganism", + "Crystals", + "Critical Thinking", + "Cultural Awareness" + ] + }, + { + "id":"4684af4e-90f8-4926-ae78-6e210d477332", + "club_id":"f6284c47-12e7-42a4-92cf-2c237e9bf90c", + "name":"Event for Crystal Clear", + "preview":"This club is holding an event.", + "description":"Join us at Crystal Clear for an enchanting evening of Tarot and Tea! Delve into the mystical world of Tarot cards as we guide you through the meanings behind each card and how to interpret their messages. Whether you're a seasoned reader or completely new to the art, this event is a perfect opportunity to connect with like-minded individuals and expand your spiritual knowledge. Bring your favorite deck or borrow one of ours, sip on some soothing tea, and let the magic of Tarot unfold in a cozy and inviting atmosphere. See you there!", + "event_type":"in_person", + "start_time":"2026-06-18 12:00:00", + "end_time":"2026-06-18 13:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Paganism", + "Spirituality" + ] + }, + { + "id":"6fbf6b6a-4465-48ab-8d30-a84f3e616fdf", + "club_id":"41a706e6-6928-4c35-aaae-ec89d5656f56", + "name":"Event for Dermatology Interest Society", + "preview":"This club is holding an event.", + "description":"Join us for a special event hosted by the Dermatology Interest Society (DermIS)! Experience an evening of skincare discovery and community bonding as we delve into the latest trends in dermatology. Learn insider tips on maintaining a glowing complexion, engage in lively discussions with skincare professionals, and sample a range of innovative products designed to enhance your skincare regimen. Whether you are a seasoned skincare guru or just beginning your journey to healthier skin, this event promises to be educational, enriching, and full of surprises. Embrace the opportunity to connect with like-minded individuals, share your skincare experiences, and leave feeling inspired to nurture your skin to its full potential. Come explore the world of dermatology with us \u2013 your skin will thank you!", + "event_type":"in_person", + "start_time":"2024-12-10 12:00:00", + "end_time":"2024-12-10 14:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Biology", + "Volunteerism" + ] + }, + { + "id":"2ee33554-d798-4a52-b113-7cf8399374c1", + "club_id":"af2616c2-40e4-4b3a-9b9e-8fab199dd837", + "name":"Event for Dominican Student Association ", + "preview":"This club is holding an event.", + "description":"Join the Dominican Student Association for a lively celebration of Dominican Independence Day! Immerse yourself in a day filled with traditional music, delicious food, and colorful displays of Dominican culture. Whether you're a proud Dominican or simply curious about our heritage, this event is the perfect opportunity to connect with like-minded individuals in a welcoming and inclusive atmosphere. Don't miss out on the chance to learn about the history and traditions that make our community unique, all while making new friends and creating lasting memories. We look forward to sharing this special day with you!", + "event_type":"hybrid", + "start_time":"2024-05-18 13:00:00", + "end_time":"2024-05-18 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Cultural Exchange" + ] + }, + { + "id":"fe325e49-3b6e-4242-87e8-44a0326bdd35", + "club_id":"af2616c2-40e4-4b3a-9b9e-8fab199dd837", + "name":"Event for Dominican Student Association ", + "preview":"This club is holding an event.", + "description":"Join the Dominican Student Association for a night of celebration and unity at our annual Dominican Independence Day extravaganza! Immerse yourself in the vibrant culture of the Dominican Republic through lively music, delicious traditional cuisine, and engaging educational activities. Whether you are Dominican, Dominican-American, or simply interested in learning more about our rich heritage, this event is an opportunity to connect, learn, and have a great time together. Bring your friends and family as we come together to honor the legacy and resilience of the Dominican community. Let's create lasting memories and strengthen our bonds in a warm and inclusive environment that welcomes everyone with open arms!", + "event_type":"virtual", + "start_time":"2025-03-27 14:15:00", + "end_time":"2025-03-27 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Volunteerism", + "Diversity", + "Cultural Exchange" + ] + }, + { + "id":"30af821a-b260-4d68-998f-3ec957d3065b", + "club_id":"af2616c2-40e4-4b3a-9b9e-8fab199dd837", + "name":"Event for Dominican Student Association ", + "preview":"This club is holding an event.", + "description":"Join the Dominican Student Association for an exciting cultural celebration event, where we'll be delving into the vibrant traditions of the Dominican and Dominican-American heritage. This unforgettable evening will feature traditional music, delicious cuisine, and engaging activities that showcase the richness of our culture. Whether you're Dominican or simply curious about our heritage, this event promises to be a welcoming space for you to connect with like-minded individuals and immerse yourself in the warmth and diversity of our community. Come experience the lively spirit of the DSA family and create lasting memories together!", + "event_type":"virtual", + "start_time":"2025-06-25 22:00:00", + "end_time":"2025-06-26 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Diversity", + "Latin America" + ] + }, + { + "id":"8483c1f6-8a95-42f6-8395-5512078e9153", + "club_id":"5dfc750c-ba45-4cbc-a50e-19ae6542d64c", + "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! Immerse yourself in the beauty and traditions of Ghana as we celebrate through music, dances, and delicious cuisine. This event offers a unique opportunity to connect with fellow students, learn about Ghanaian heritage, and experience the vibrant spirit of our community. Whether you have a deep appreciation for Ghanaian culture or are just curious to learn more, all are welcome to come together in a spirit of unity and celebration. Don't miss out on this fantastic opportunity to be a part of something truly special!", + "event_type":"in_person", + "start_time":"2024-05-08 23:30:00", + "end_time":"2024-05-09 00:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Visual Arts", + "HumanRights", + "African American", + "Community Outreach", + "Music" + ] + }, + { + "id":"d98a367e-97f1-466a-a075-ade5b78016ae", + "club_id":"89d797a1-f573-4c0a-9966-28818fc12add", + "name":"Event for Google Developer Students Club - Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming event at Google Developer Students Club - Northeastern where we will dive into the world of Artificial Intelligence through an interactive workshop! This hands-on session will explore the basics of AI, how it's shaping the future, and how you can get involved. Whether you're new to AI or have some experience, this event is for everyone. Connect with like-minded students, learn from industry experts, and be part of a community passionate about using technology to create positive change. Don't miss out on this exciting opportunity to expand your skills and network with fellow tech enthusiasts!", + "event_type":"in_person", + "start_time":"2025-01-12 15:00:00", + "end_time":"2025-01-12 16:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Impact" + ] + }, + { + "id":"17dc299d-7cae-4610-a995-17f7b5c618c6", + "club_id":"1a04a196-11c3-4d98-adfe-5103d98b11e4", + "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 enriching evening of insightful discussions on the latest advancements in biotech and bioinformatics. Be a part of our engaging case study session where we unravel real-world challenges and learn together. Don't miss out on our career development workshop, designed to empower you with the skills and knowledge essential for your future endeavors. This event is a fantastic opportunity to connect with fellow students, professionals, and experts in the field - we can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2024-09-10 14:00:00", + "end_time":"2024-09-10 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Bioinformatics", + "Career Development", + "Community Outreach" + ] + }, + { + "id":"d2b719da-0199-442b-9fa9-081a2de2e8fe", + "club_id":"1a04a196-11c3-4d98-adfe-5103d98b11e4", + "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 networking and knowledge-sharing! Our upcoming event will feature engaging discussions on the latest trends in the biotech and bioinformatics fields, real-world case studies to deepen your understanding, and valuable career development sessions to help you chart your path to success. Whether you're a seasoned expert or just starting out, this is a fantastic opportunity to connect with like-minded peers and enhance your professional portfolio. Don't miss out on this unique chance to grow and thrive with our supportive and dynamic community!", + "event_type":"virtual", + "start_time":"2026-09-25 21:15:00", + "end_time":"2026-09-26 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Career Development" + ] + }, + { + "id":"40c3ed4a-d2b9-4e43-837a-d47876aa1898", + "club_id":"1a04a196-11c3-4d98-adfe-5103d98b11e4", + "name":"Event for Graduate Biotechnology and Bioinformatics Association", + "preview":"This club is holding an event.", + "description":"Join us for an exciting and enlightening evening hosted by the Graduate Biotechnology and Bioinformatics Association! In this event, we will dive deep into a fascinating case study that will captivate your curiosity and expand your understanding of the biotech industry. Engage in meaningful discussions with fellow students and industry professionals as we explore cutting-edge innovations and career pathways in biotechnology and bioinformatics. Don't miss this opportunity to enhance your knowledge and network with like-minded individuals in a supportive and collaborative environment!", + "event_type":"virtual", + "start_time":"2024-04-02 17:15:00", + "end_time":"2024-04-02 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Bioinformatics" + ] + }, + { + "id":"c52d1ed2-9c1d-4bbd-99bf-f0eb1800874a", + "club_id":"a55fb8fb-2f22-42cf-b9ee-91a045431282", + "name":"Event for Graduate Female Leaders Club", + "preview":"This club is holding an event.", + "description":"Join the Graduate Female Leaders Club for an inspiring evening centered around personal branding and career development! Our event will feature a panel of accomplished business leaders who will share their insights on navigating the professional world post-graduation. It's a fantastic opportunity for current students and alumni to connect, network, and gain valuable knowledge to support their journey towards success. Don't miss out on this empowering experience aimed at helping you grow both personally and professionally!", + "event_type":"virtual", + "start_time":"2025-04-14 15:15:00", + "end_time":"2025-04-14 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Professional Development", + "Graduate Studies", + "Alumni Engagement", + "Leadership", + "Women Empowerment", + "Community Building" + ] + }, + { + "id":"7dc46bee-a2e7-4ff5-bab6-aa9938406388", + "club_id":"a55fb8fb-2f22-42cf-b9ee-91a045431282", + "name":"Event for Graduate Female Leaders Club", + "preview":"This club is holding an event.", + "description":"Join us for an empowering evening hosted by the Graduate Female Leaders Club! Our upcoming event, 'Women in Leadership Panel Discussion', will feature inspiring talks and insightful discussions with successful female business leaders. Connect with like-minded peers, expand your network, and gain valuable insights to supercharge your career goals. Don't miss this opportunity to be part of a vibrant community that supports and empowers each other in achieving professional success. See you there!", + "event_type":"virtual", + "start_time":"2026-10-02 21:15:00", + "end_time":"2026-10-02 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Women Empowerment", + "Alumni Engagement", + "Graduate Studies", + "Networking" + ] + }, + { + "id":"e71fafb4-cbb1-47e3-b934-eb127606a28c", + "club_id":"a55fb8fb-2f22-42cf-b9ee-91a045431282", + "name":"Event for Graduate Female Leaders Club", + "preview":"This club is holding an event.", + "description":"Join us for an empowering evening at the Graduate Female Leaders Club! Our upcoming event will feature a panel of esteemed business leaders sharing their insights on navigating post-graduate professional goals. This is a fantastic opportunity to connect with like-minded individuals, both current students and alumni, who are equally passionate about advancing in their careers. You can look forward to engaging discussions, valuable networking opportunities, and practical workshops designed to help you succeed in your professional journey. Don't miss out on this chance to grow and thrive with our supportive community!", + "event_type":"hybrid", + "start_time":"2026-01-11 14:30:00", + "end_time":"2026-01-11 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Women Empowerment", + "Leadership", + "Community Building" + ] + }, + { + "id":"d1bdfec7-c34b-4870-8bda-29feb0894601", + "club_id":"2cd58b19-decd-42df-b6f2-f2a18d42b84f", + "name":"Event for Health Informatics Graduate Society of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for a captivating panel discussion on the future of health informatics with renowned industry experts and trailblazing alumni from the Health Informatics Graduate Society of Northeastern University. This interactive event offers a unique opportunity to delve into the latest trends and innovations in healthcare technology, while networking with like-minded individuals who share a passion for transforming the healthcare landscape. Whether you're a seasoned professional or just embarking on your health informatics journey, this event promises valuable insights, engaging discussions, and a welcoming atmosphere where ideas flourish and connections thrive.", + "event_type":"virtual", + "start_time":"2024-10-17 19:30:00", + "end_time":"2024-10-17 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Health Informatics" + ] + }, + { + "id":"a2d20847-4fc9-4602-ac2c-5e0b4a508617", + "club_id":"407c3354-1585-415c-a28e-ce8cc129f09b", + "name":"Event for Hear Your Song Northeastern", + "preview":"This club is holding an event.", + "description":"Join Hear Your Song Northeastern for a heartwarming Songwriting Workshop, where kids and teens with chronic medical conditions can express themselves through music in a safe and inclusive environment. Our talented team will guide participants through the creative process, sparking inspiration and fostering connections between young artists. This special event aims to empower and uplift through the magic of music, offering a memorable experience that celebrates individual voices and collective harmony. Be a part of this unique opportunity to explore the therapeutic power of songwriting and make meaningful connections with peers and mentors. Let your creativity soar and your story be heard at the Songwriting Workshop with Hear Your Song Northeastern!", + "event_type":"virtual", + "start_time":"2025-08-24 20:30:00", + "end_time":"2025-08-24 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "Music", + "Creative Writing" + ] + }, + { + "id":"f62ba760-21f3-442b-a70a-f0edd0307934", + "club_id":"407c3354-1585-415c-a28e-ce8cc129f09b", + "name":"Event for Hear Your Song Northeastern", + "preview":"This club is holding an event.", + "description":"Come join Hear Your Song Northeastern for a fun and meaningful songwriting workshop! This event is open to kids and teens with chronic medical conditions who want to explore their creativity through music. Our experienced team will guide participants through the songwriting process, helping them express themselves and connect with others in a supportive environment. No musical experience is required, just bring your enthusiasm and unique perspective. Join us for a day of creativity, collaboration, and empowerment!", + "event_type":"virtual", + "start_time":"2026-02-20 21:00:00", + "end_time":"2026-02-20 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Performing Arts", + "Creative Writing", + "Music" + ] + }, + { + "id":"262ebeb3-f963-4a0b-a0d8-7d62b7561144", + "club_id":"407c3354-1585-415c-a28e-ce8cc129f09b", + "name":"Event for Hear Your Song Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for a fun and inspiring songwriting workshop where kids and teens with chronic medical conditions can unleash their creativity and express themselves through music! Led by talented musicians and music producers, participants will have the opportunity to collaborate, learn about music production, and create their own original songs. This inclusive and supportive event will provide a platform for young individuals to share their stories, connect with others facing similar challenges, and experience the healing power of music in a safe and nurturing environment. Come be a part of our growing community that celebrates the beauty and strength found in the art of songwriting!", + "event_type":"in_person", + "start_time":"2025-09-14 23:00:00", + "end_time":"2025-09-15 00:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"b21e8308-a49d-4e95-8682-ef0b8a2325b7", + "club_id":"968d9e84-9e17-4257-8f85-84f26e60afb5", + "name":"Event for Hospitality Business Club", + "preview":"This club is holding an event.", + "description":"Join us at the Hospitality Business Club's upcoming event, 'Mastering the Guest Experience'. Dive deep into the art of crafting unforgettable experiences for guests, whether in a hotel, restaurant, or online platform. Our expert panel will share insights on the latest trends, innovative strategies, and best practices to elevate customer satisfaction and loyalty. Network with industry professionals, exchange ideas, and gain inspiration to enhance your own business endeavors. Whether you're a seasoned hotelier, aspiring restaurateur, or simply curious about the power of hospitality, this event is designed for anyone looking to excel in creating exceptional guest experiences. Come discover how the fusion of hospitality and business excellence can transform your approach and drive success in any industry!", + "event_type":"hybrid", + "start_time":"2024-10-19 14:30:00", + "end_time":"2024-10-19 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Business" + ] + }, + { + "id":"1050717f-410a-4f9f-bf17-5f3af62eb70d", + "club_id":"968d9e84-9e17-4257-8f85-84f26e60afb5", + "name":"Event for Hospitality Business Club", + "preview":"This club is holding an event.", + "description":"Join us for an engaging panel discussion on 'Innovations in Hospitality Finance'. Our esteemed guest speakers will share their insights on the latest financial trends impacting the hospitality industry, offering valuable perspectives on strategic investments, risk management, and profit optimization. This event is designed to provide a platform for networking, learning, and idea exchange among professionals, students, and enthusiasts interested in the dynamic intersection of hospitality and finance. Come be a part of this enriching experience where knowledge meets passion, and together, we unravel the financial intricacies that drive success in the hospitality business landscape.", + "event_type":"hybrid", + "start_time":"2024-06-06 14:15:00", + "end_time":"2024-06-06 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Business", + "Hospitality", + "Community" + ] + }, + { + "id":"b5a01812-9358-4ac8-900f-743dd998ec7d", + "club_id":"1d4b6988-d575-4731-9056-7381bfc7ba2f", + "name":"Event for Huntington Strategy Group", + "preview":"This club is holding an event.", + "description":"Join the Huntington Strategy Group at our annual Nonprofit Innovation Summit! This exciting event brings together aspiring social impact leaders, nonprofit professionals, and students passionate about making a difference in the world. Attend interactive workshops led by industry experts, hear inspiring success stories from past clients, and network with like-minded individuals dedicated to creating positive change in our communities. Whether you're looking to learn new strategies for effective nonprofit management or explore internship opportunities with leading organizations, this summit is the perfect opportunity to connect, collaborate, and drive impact together. Mark your calendars and get ready to be inspired!", + "event_type":"virtual", + "start_time":"2024-08-06 15:30:00", + "end_time":"2024-08-06 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Corporate Sponsorship", + "Leadership", + "Consulting", + "Boston Area", + "Nonprofit", + "Social Impact" + ] + }, + { + "id":"8892160a-64fc-4ec4-83ed-1a147bbe9721", + "club_id":"0a541a18-fab4-4ad9-a86d-495e94f321b0", + "name":"Event for Husky Hemophilia Group", + "preview":"This club is holding an event.", + "description":"Join us at our bleeding disorders awareness gathering where we'll come together as a supportive community to learn more about hemophilia and other bleeding disorders. Through engaging discussions and informative presentations, you can deepen your understanding of how these conditions impact individuals and families. Connect with others who share similar experiences, and together, let's raise awareness and promote advocacy for accessible healthcare in the Northeastern and Massachusetts community. Whether you're new to the topic or have been affected by bleeding disorders, everyone is welcome to be a part of this educational and empowering event. Together, we can make a difference in the lives of those living with bleeding disorders. Come join the Husky Hemophilia Group and be a part of our mission to support and educate!", + "event_type":"hybrid", + "start_time":"2026-12-09 22:30:00", + "end_time":"2026-12-10 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"08321058-8cfd-4352-b4e9-a3b11832f9e1", + "club_id":"0a541a18-fab4-4ad9-a86d-495e94f321b0", + "name":"Event for Husky Hemophilia Group", + "preview":"This club is holding an event.", + "description":"Join us for our annual Husky Hemophilia Group community picnic! This fun-filled event is open to all members and supporters, providing an opportunity to connect with others affected by bleeding disorders in a welcoming and supportive environment. Enjoy delicious food, engaging activities, and educational resources on managing bleeding disorders. Let's come together to strengthen our bond, share experiences, and advocate for better healthcare accessibility in our community. Mark your calendars and bring your family and friends for a day of unity and empowerment!", + "event_type":"virtual", + "start_time":"2026-04-06 22:30:00", + "end_time":"2026-04-06 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Community Outreach", + "Education", + "HumanRights" + ] + }, + { + "id":"69d6c7ae-8a8f-4368-be54-e0ce19416637", + "club_id":"0a541a18-fab4-4ad9-a86d-495e94f321b0", + "name":"Event for Husky Hemophilia Group", + "preview":"This club is holding an event.", + "description":"Join the Husky Hemophilia Group for our annual 'Clotting Carnival' event! This fun-filled day is not only a celebration of our resilient community but also a great opportunity to learn more about bleeding disorders in a lively and engaging environment. From educational booths to interactive activities, there's something for everyone to enjoy. Come meet fellow members and advocates as we unite to spread awareness and support those affected by bleeding disorders. Together, we can make a difference in promoting accessible healthcare and fostering a more understanding community. See you there!", + "event_type":"hybrid", + "start_time":"2024-10-09 23:30:00", + "end_time":"2024-10-10 03:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Volunteerism", + "Community Outreach", + "Education" + ] + }, + { + "id":"82295daf-9a1d-463a-b54a-630dcd644426", + "club_id":"c2daadc3-dacc-47ce-9f2a-750341446d84", + "name":"Event for IAFIE Northeastern University Chapter ", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening at the IAFIE Northeastern University Chapter! Our event will feature insightful discussions about the latest trends and advancements in the field of intelligence. Meet fellow professionals eager to share their expertise and build lasting connections. Come discover new research opportunities, expand your knowledge, and take your career to the next level with our welcoming and knowledgeable community. Whether you're a seasoned professional or just starting out, this event is the perfect opportunity to network and grow. We can't wait to have you join us!", + "event_type":"virtual", + "start_time":"2025-08-13 21:00:00", + "end_time":"2025-08-13 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Intelligence", + "Volunteerism", + "Research", + "Community Outreach" + ] + }, + { + "id":"293066fb-5a1f-4a3e-89f3-96f7eb2c9532", + "club_id":"c2daadc3-dacc-47ce-9f2a-750341446d84", + "name":"Event for IAFIE Northeastern University Chapter ", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening of networking and knowledge exchange at the IAFIE Northeastern University Chapter's next event! Our welcoming community of Intelligence and associated professionals is gathering to discuss the latest research findings, foster new partnerships, and promote professional development. Whether you're a seasoned expert or just starting your career in the field, this event offers a friendly space to connect, learn, and grow together. Don't miss this opportunity to be a part of a vibrant community dedicated to advancing intelligence knowledge and practices.", + "event_type":"in_person", + "start_time":"2025-03-26 13:00:00", + "end_time":"2025-03-26 14:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Intelligence" + ] + }, + { + "id":"4456b544-2602-4beb-993b-974474e10c2d", + "club_id":"14d25650-49d5-4a83-847f-1da854b412dd", + "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 engaging panel discussion on the intersection of racial justice and reproductive rights. Our event will feature distinguished speakers sharing their insights on how systemic racism impacts access to reproductive healthcare and decision-making. Attendees will have the opportunity to participate in a Q&A session and connect with like-minded individuals passionate about advancing reproductive justice for all communities. Come learn, share, and be inspired to advocate for a future where everyone can make choices about their reproductive health with autonomy and dignity.", + "event_type":"hybrid", + "start_time":"2024-12-06 16:15:00", + "end_time":"2024-12-06 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"5453d0ad-9f7c-46d2-a04d-1ea8c13c9661", + "club_id":"14d25650-49d5-4a83-847f-1da854b412dd", + "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 engaging panel discussion on the intersection of reproductive rights law and social justice. Our event will feature guest speakers sharing their expertise and experiences in advocating for reproductive justice. Whether you're a law student, activist, or simply curious about this important issue, you're welcome to participate in this insightful conversation. Come learn, connect, and be part of the movement towards a future where everyone has the freedom to make choices about their bodies and lives with dignity and autonomy.", + "event_type":"hybrid", + "start_time":"2026-08-21 18:15:00", + "end_time":"2026-08-21 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Journalism", + "Volunteerism", + "Law" + ] + }, + { + "id":"241ea569-ccfb-45c8-bb12-769316e3ebeb", + "club_id":"14d25650-49d5-4a83-847f-1da854b412dd", + "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 a thought-provoking panel discussion on the intersection of reproductive rights and social justice. Dive deep into the legal complexities surrounding reproductive justice as we explore how to advocate for autonomy, dignity, and empowerment for all individuals regardless of their background. This event aims to create a safe and inclusive space where diverse perspectives are valued, and meaningful conversations flourish. Come be a part of this inclusive community striving to build a more just and equitable future for reproductive health rights.", + "event_type":"hybrid", + "start_time":"2025-08-11 15:30:00", + "end_time":"2025-08-11 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "HumanRights", + "Volunteerism", + "Journalism", + "Law" + ] + }, + { + "id":"302e2cd7-7af2-41ae-819b-4e85160ac226", + "club_id":"8284a27b-c30b-47c4-a765-6ce1572a8ac4", + "name":"Event for Illume Magazine", + "preview":"This club is holding an event.", + "description":"Join Illume Magazine for an enlightening evening of cultural exploration and thought-provoking discussions. Our upcoming event, 'Asian-American Voices in Literature', will feature a panel of distinguished writers and poets sharing their experiences and insights on the power of storytelling within the Asian-American community. This event is open to all who appreciate the beauty of diverse narratives and are eager to engage in meaningful dialogue. Come be inspired and connect with fellow enthusiasts of Asian-American and Asian/Pacific Islander literature!", + "event_type":"virtual", + "start_time":"2025-10-18 14:00:00", + "end_time":"2025-10-18 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Asian American", + "Creative Writing", + "Journalism" + ] + }, + { + "id":"8c1aab92-138b-480e-a7da-c78670aefd09", + "club_id":"8284a27b-c30b-47c4-a765-6ce1572a8ac4", + "name":"Event for Illume Magazine", + "preview":"This club is holding an event.", + "description":"Join Illume Magazine for an evening of cultural vibrancy and intellectual engagement as we host an event celebrating the rich tapestry of Asian-American and Asian/Pacific Islander experiences. Dive into insightful discussions on Lifestyle & Culture and Political Review, or share your creative voice through our Literary Arts submissions. Whether you're a seasoned writer or simply curious about exploring diverse perspectives, this event promises to spark curiosity and foster meaningful connections within our vibrant community.", + "event_type":"hybrid", + "start_time":"2025-01-08 19:15:00", + "end_time":"2025-01-08 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Journalism", + "Creative Writing", + "Asian American" + ] + }, + { + "id":"54bd9ddb-f742-4f94-8d18-601ef745b9f2", + "club_id":"63837115-5be2-4ba7-b50f-afd4489ab955", + "name":"Event for Indian Cultural Association", + "preview":"This club is holding an event.", + "description":"Join the Indian Cultural Association for an exciting Diwali Celebration event! Immerse yourself in the colorful traditions and vibrant spirit of one of India's most beloved festivals. Experience traditional Diwali rituals, indulge in delicious Indian sweets, and participate in engaging activities that showcase the beauty of Indian culture. Whether you're new to Indian traditions or a seasoned enthusiast, this event promises to be a joyous occasion filled with music, dance, and unity. Bring your friends and join us for a memorable evening of celebration and community at the Indian Cultural Association's Diwali event!", + "event_type":"hybrid", + "start_time":"2024-03-22 20:15:00", + "end_time":"2024-03-22 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism", + "Cultural Exchange" + ] + }, + { + "id":"ec5d8e78-b0c9-4d8d-ba6e-68886d7d31a6", + "club_id":"63837115-5be2-4ba7-b50f-afd4489ab955", + "name":"Event for Indian Cultural Association", + "preview":"This club is holding an event.", + "description":"Join us for an enriching evening as we delve into the vibrant world of Indian cuisine and culinary traditions at our 'Flavors of India' event! Experience the tantalizing aromas and tastes of authentic dishes while learning about the cultural significance behind each recipe. Our knowledgeable hosts will guide you through the culinary journey, providing insights into the diverse regional flavors of India. Whether you're a seasoned food enthusiast or a curious newcomer, this event promises to be a delicious celebration of diversity and community. Come hungry, leave inspired!", + "event_type":"hybrid", + "start_time":"2026-02-05 15:15:00", + "end_time":"2026-02-05 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Cultural Exchange", + "Volunteerism", + "Asian American" + ] + }, + { + "id":"259bf281-bb23-4eed-a4c0-133cfa469bf8", + "club_id":"63837115-5be2-4ba7-b50f-afd4489ab955", + "name":"Event for Indian Cultural Association", + "preview":"This club is holding an event.", + "description":"Join the Indian Cultural Association for a vibrant evening celebrating Indian Festivals! Immerse yourself in the colorful traditions of Holi, Diwali, and Navratri as we showcase the rich cultural heritage of India through traditional dances, festive music, and mouthwatering cuisine. This event is open to all Northeastern students looking to experience the warmth and diversity of Indian traditions, so come along with your friends and make unforgettable memories together!", + "event_type":"in_person", + "start_time":"2025-02-26 12:30:00", + "end_time":"2025-02-26 16:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Cultural Exchange", + "Volunteerism" + ] + }, + { + "id":"c2ae7b1f-49f7-4d46-88e5-90bd8afbc044", + "club_id":"911ea25b-dd02-452d-9d91-7ddeeb1b98c0", + "name":"Event for International Society for Pharmaceutical Engineering", + "preview":"This club is holding an event.", + "description":"Join the International Society for Pharmaceutical Engineering for an exciting evening of networking and discussion at our upcoming event on the advancements in pharmaceutical technology. Dive into the world of innovative drug research and development alongside industry experts, where you will have the opportunity to connect with like-minded professionals, share insights, and gain valuable knowledge that will propel your career forward. Whether you are a seasoned veteran or a newcomer to the field, our welcoming community is here to support you on your journey towards success in the pharmaceutical engineering industry.", + "event_type":"virtual", + "start_time":"2026-06-28 20:00:00", + "end_time":"2026-06-29 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Data Science", + "Biology", + "Community Outreach", + "Environmental Science", + "Neuroscience", + "Chemistry" + ] + }, + { + "id":"1dadbc30-559b-4016-a29a-defd64b4b49a", + "club_id":"911ea25b-dd02-452d-9d91-7ddeeb1b98c0", + "name":"Event for International Society for Pharmaceutical Engineering", + "preview":"This club is holding an event.", + "description":"Join the International Society for Pharmaceutical Engineering at our upcoming event where we'll dive deep into the latest advancements in pharmaceutical manufacturing technology. Network with industry professionals, participate in engaging discussions, and gain valuable insights that will enhance your understanding of this innovative field. Whether you're a seasoned professional or a curious newcomer, this event is open to all who share a passion for pharmaceutical engineering. Don't miss this opportunity to connect, learn, and grow with us!", + "event_type":"virtual", + "start_time":"2025-06-21 15:00:00", + "end_time":"2025-06-21 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Biology", + "Environmental Science" + ] + }, + { + "id":"8e75fc2b-e086-422c-9907-7ce760753c11", + "club_id":"911ea25b-dd02-452d-9d91-7ddeeb1b98c0", + "name":"Event for International Society for Pharmaceutical Engineering", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"virtual", + "start_time":"2026-09-17 18:00:00", + "end_time":"2026-09-17 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Biology", + "Chemistry", + "Environmental Science", + "Community Outreach", + "Neuroscience", + "Data Science" + ] + }, + { + "id":"7754aaaa-9178-40e2-ac97-11a515047ae8", + "club_id":"a3be1858-a90b-45b9-a364-f381b0d40b0e", + "name":"Event for LatAm Business Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of networking and learning at the LatAm Business Club's 'Innovation Showcase' event! Discover the latest trends and emerging opportunities in the Latin American business landscape while connecting with a diverse community of like-minded professionals. Whether you're looking to expand your business horizons, explore new partnerships, or simply mingle with fellow enthusiasts, this event is the perfect platform to spark creativity, inspire innovation, and forge lasting connections. Come be a part of our dynamic community and together, let's shape the future of business in Latin America!", + "event_type":"in_person", + "start_time":"2024-12-10 12:00:00", + "end_time":"2024-12-10 16:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Business Development", + "Innovation", + "Professional Growth", + "Latin America", + "Community" + ] + }, + { + "id":"8a300cad-c331-476d-96d2-d75d6fc14d34", + "club_id":"a3be1858-a90b-45b9-a364-f381b0d40b0e", + "name":"Event for LatAm Business Club", + "preview":"This club is holding an event.", + "description":"Join us at the LatAm Business Club's upcoming meetup where we'll be discussing the latest trends in Latin American business, sharing success stories, and networking with fellow professionals who are passionate about the region's development. This event is a great opportunity to connect with like-minded individuals, gain valuable insights, and foster new collaborations that can drive innovation and growth in the region. Whether you're a seasoned entrepreneur or just starting out in the business world, our welcoming environment is designed to inspire and empower you on your journey. Come be a part of our vibrant community and contribute to building a brighter future for Latin America together!", + "event_type":"hybrid", + "start_time":"2024-09-25 21:15:00", + "end_time":"2024-09-25 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Networking", + "Professional Growth" + ] + }, + { + "id":"cbbb3183-1e0a-4698-b400-0a6196efcd6e", + "club_id":"a1577d16-4f2a-423d-8107-8daa148c6e08", + "name":"Event for Musicheads", + "preview":"This club is holding an event.", + "description":"Join Musicheads for a special Virtual Album Club session this Saturday! We'll be diving into the latest indie rock album that has been making waves in the music scene. Whether you're a long-time member or a new face, everyone is welcome to join the lively discussion and share their thoughts on the album. Get ready to explore the intricate melodies and thought-provoking lyrics with fellow music enthusiasts. Don't miss out on this opportunity to connect with like-minded individuals and expand your musical horizons. Mark it on your calendar and let's make this Album Club session a memorable one!", + "event_type":"hybrid", + "start_time":"2026-12-04 13:15:00", + "end_time":"2026-12-04 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Visual Arts" + ] + }, + { + "id":"d35ca58f-93b1-4dc3-993e-8f5c3472d9f6", + "club_id":"a1577d16-4f2a-423d-8107-8daa148c6e08", + "name":"Event for Musicheads", + "preview":"This club is holding an event.", + "description":"Join us this Friday for an exciting Album Club meeting at Musicheads! This week, we're diving into the eclectic music styles of the 80s with a special focus on new wave and post-punk genres. Come prepared to share your favorite tracks and discuss the evolution of music during this dynamic era. Whether you're a long-time music enthusiast or just dipping your toes into the world of sounds, our Album Club is the perfect place to engage with passionate music lovers and expand your musical horizons. Don't miss out on this fun and interactive session that promises to spark lively conversations and introduce you to fresh, out-of-the-box tunes!", + "event_type":"in_person", + "start_time":"2026-11-28 15:00:00", + "end_time":"2026-11-28 18:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Music" + ] + }, + { + "id":"8b5a5398-984d-426c-9a5c-80552d18ef3f", + "club_id":"3864d1f2-60ba-4697-bf57-5d6712ad8709", + "name":"Event for Naloxone Outreach and Education Initiative", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming workshop titled 'Empowerment Through Education: Naloxone Training & Opioid Crisis Awareness'. At this event, participants will have the opportunity to learn life-saving skills such as administering naloxone and recognizing the signs of an opioid overdose. Our knowledgeable instructors will provide hands-on training and guidance on how to respond effectively in emergency situations. In addition to the practical training, attendees will gain a deeper understanding of the opioid crisis and the importance of destigmatizing addiction and seeking help. Together, we can make a difference in our community by arming ourselves with knowledge and compassion. Don't miss this chance to be a part of the solution and help save lives!", + "event_type":"hybrid", + "start_time":"2024-12-11 18:30:00", + "end_time":"2024-12-11 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Neuroscience" + ] + }, + { + "id":"892fd5aa-60dd-486e-be31-1a1dc6bc5dd0", + "club_id":"31d682d3-53c2-4181-9d92-48b4f70428ab", + "name":"Event for North African Student Association", + "preview":"This club is holding an event.", + "description":"Join the North African Student Association for an exciting evening of celebrating North African culture through a showcase of traditional music, dance, and cuisine. This event is open to all Northeastern University students who are curious to learn more about the vibrant cultures of North Africa. Come mingle with fellow attendees, enjoy delicious food, and immerse yourself in the rich heritage of our student community. Whether you have roots in North Africa or simply have a passion for exploration, this event promises to be a memorable and enlightening experience for everyone involved.", + "event_type":"virtual", + "start_time":"2024-01-23 16:15:00", + "end_time":"2024-01-23 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"3098a288-9d1d-4164-b976-c22f40746cc2", + "club_id":"31d682d3-53c2-4181-9d92-48b4f70428ab", + "name":"Event for North African Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a cultural extravaganza celebrating the vibrant traditions of North Africa! Immerse yourself in a night of music, dance, and delicious North African cuisine as we showcase the rich diversity of our heritage. Whether you're a seasoned member or new to the North African Student Association, this event promises to be an unforgettable experience filled with learning, laughter, and meaningful connections. Be sure to bring your friends and an open mind as we come together to embrace and appreciate the beauty of our shared culture!", + "event_type":"in_person", + "start_time":"2026-01-08 21:30:00", + "end_time":"2026-01-08 22:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Networking", + "North African", + "Diversity", + "Inclusion", + "Community Outreach", + "Academic Support", + "Cultural Awareness" + ] + }, + { + "id":"87ea387d-9e66-4e7f-8e9c-6d04c35afc51", + "club_id":"31d682d3-53c2-4181-9d92-48b4f70428ab", + "name":"Event for North African Student Association", + "preview":"This club is holding an event.", + "description":"Join the North African Student Association at Northeastern University for a vibrant cultural celebration showcasing the rich traditions and heritage of North Africa. Immerse yourself in an evening of music, dance, delicious cuisine, and engaging discussions that highlight the diversity and beauty of North African cultures. Whether you are of North African descent or simply curious about the region, this event offers a warm and inviting atmosphere to connect with like-minded individuals and expand your cultural horizons. Don't miss this opportunity to experience the magic of North Africa right here on campus!", + "event_type":"in_person", + "start_time":"2026-08-20 15:15:00", + "end_time":"2026-08-20 18:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Academic Support", + "Networking", + "Cultural Awareness" + ] + }, + { + "id":"9190c71f-1599-461a-9897-934dc3bd64a9", + "club_id":"d363becd-7592-41da-b0a3-0c2778ea63a2", + "name":"Event for Northeastern University Physical Therapy Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Physical Therapy Club for our annual William E. Carter School Prom, a fabulous night of dance, laughter, and making memories with friends and classmates. This elegant event is not only a chance to dress up and enjoy delicious food, but also an opportunity to support a great cause and raise funds for the APTA Research Foundation. Don't miss out on this special evening that embodies our spirit of community, professional growth, and camaraderie among future physical therapy professionals at NEU!", + "event_type":"hybrid", + "start_time":"2025-10-24 17:00:00", + "end_time":"2025-10-24 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Healthcare", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"d962a8c2-463f-40a5-aded-d2f24cda43c5", + "club_id":"b6a49e92-6237-47ee-9bab-70ddac357d6d", + "name":"Event for null NEU", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming cybersecurity workshop where you can dive into the world of network security, cryptography, and ethical hacking. Led by industry experts and seasoned professionals, this immersive event is designed for both beginners and seasoned pros alike. Get ready to expand your knowledge, sharpen your skills, and network with like-minded individuals passionate about cybersecurity. Don't miss this opportunity to enhance your understanding of digital safety and take your security expertise to the next level!", + "event_type":"hybrid", + "start_time":"2024-01-16 17:00:00", + "end_time":"2024-01-16 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Networking", + "Technology", + "Computer Science", + "Learning", + "Cybersecurity" + ] + }, + { + "id":"b61f9b24-d21b-4e04-b385-66fae3f975b3", + "club_id":"b6a49e92-6237-47ee-9bab-70ddac357d6d", + "name":"Event for null NEU", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming Null NEU workshop: 'Secure Coding Practices for Beginners'. In this interactive session, you'll dive into the fundamentals of writing secure code, learn common vulnerabilities to watch out for, and practice hands-on exercises to reinforce your skills. Whether you're a coding enthusiast looking to start your security journey or a seasoned developer wanting to enhance your knowledge, this workshop offers a welcoming environment to grow and connect with like-minded peers. Don't miss this opportunity to level up your coding and security expertise in a supportive and engaging setting!", + "event_type":"virtual", + "start_time":"2025-07-18 23:15:00", + "end_time":"2025-07-19 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Learning", + "Cybersecurity" + ] + }, + { + "id":"b2fd3469-0a68-4895-8976-a401b2924148", + "club_id":"b6a49e92-6237-47ee-9bab-70ddac357d6d", + "name":"Event for null NEU", + "preview":"This club is holding an event.", + "description":"Join us at null NEU's upcoming Capture The Flag (CTF) competition where participants can test their cybersecurity skills in a fun and competitive environment. Whether you're a seasoned hacker or just starting out, this event is designed to provide a hands-on experience that challenges your problem-solving abilities and expands your knowledge of security concepts. Meet like-minded individuals, collaborate on solving challenges, and possibly win some exciting prizes along the way. Don't miss this opportunity to level up your cybersecurity game while enjoying a supportive and inclusive community atmosphere at null NEU!", + "event_type":"virtual", + "start_time":"2025-07-27 13:00:00", + "end_time":"2025-07-27 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Networking", + "Computer Science", + "Education", + "Technology", + "Learning", + "Cybersecurity" + ] + }, + { + "id":"56c20c09-225e-4874-9a3d-b0c7b1ca778e", + "club_id":"ef6a64ee-2145-46a7-805d-e0a0202c7462", + "name":"Event for Orthodox Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join the Orthodox Christian Fellowship for a special event focused on deepening your spiritual journey through the Four Pillars of OCF! Engage in fellowship with like-minded peers, sharing college experiences and values in a welcoming environment. Explore the richness of your faith through educational sessions that empower you to live out your beliefs in all aspects of life. Come together in worship to strengthen your bond with God through prayer and thankfulness, and connect with the sacramental life of the Eastern Orthodox Church. Plus, seize the opportunity to give back through service activities that make a meaningful difference in the lives of the underprivileged, learning how to infuse compassion into your daily routines. Don't miss out on this unique chance to grow in faith, community, and service!", + "event_type":"in_person", + "start_time":"2026-11-26 18:30:00", + "end_time":"2026-11-26 22:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Service" + ] + }, + { + "id":"022b5702-0a87-43d1-aa7a-ded177e7bef2", + "club_id":"ef6a64ee-2145-46a7-805d-e0a0202c7462", + "name":"Event for Orthodox Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join us at the Orthodox Christian Fellowship for a special event focused on deepening our understanding of the 'Four Pillars of OCF'. Engage in interactive discussions on fellowship, education, worship, and service, while connecting with like-minded individuals who share your values. Dive into the rich teachings of the Eastern Orthodox faith and discover practical ways to incorporate these values into your daily life. Whether you are looking to strengthen your spiritual relationship, get involved in meaningful service projects, or simply connect with a welcoming community, this event is perfect for students seeking growth and connection within the OCF family.", + "event_type":"virtual", + "start_time":"2025-09-28 19:00:00", + "end_time":"2025-09-28 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Christianity", + "Service" + ] + }, + { + "id":"4b019482-c1dc-4ad8-8ce2-a8c868ab38dc", + "club_id":"9c568de2-be6d-40e5-b83d-f893a9134c56", + "name":"Event for Pages for Pediatrics at NEU", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting Storybook Night at Pages for Pediatrics at NEU. Immerse yourself in a magical evening where fairy tales and pediatric care intertwine. Listen to heartwarming stories that bring comfort and hope to young patients facing health challenges. Learn how our narrative mirroring approach normalizes patient adversity and advocates for disability representation. Your presence supports our mission to provide therapeutic storybooks to pediatric patients nationwide. Together, let's sow the seeds of empathy and understanding for children in need at Boston Children's Hospital and beyond. Bring your friends and family to discover the power of storytelling in healing hearts and minds!", + "event_type":"virtual", + "start_time":"2026-11-12 16:30:00", + "end_time":"2026-11-12 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Advocacy", + "Children's Health", + "Pediatrics", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"aba6f2ab-716b-49b7-b7c1-2302b5800dae", + "club_id":"9c568de2-be6d-40e5-b83d-f893a9134c56", + "name":"Event for Pages for Pediatrics at NEU", + "preview":"This club is holding an event.", + "description":"Join us for a heartwarming evening at Pages for Pediatrics at NEU's annual Storytelling Gala! Immerse yourself in a magical world of imagination and empathy as we showcase the inspiring stories from our therapeutic children's books. Meet our dedicated team, mingle with other compassionate community members, and learn how you can support our mission of spreading hope and comfort to pediatric patients. Together, we can make a difference by promoting disability representation, normalizing patient challenges, and combating stigma surrounding pediatric conditions. Don't miss this opportunity to be part of a movement that aims to bring smiles and solace to children facing health battles. Your presence can help us reach even more young hearts in need at Boston Children's Hospital and beyond. Let's write new chapters of compassion and solidarity together!", + "event_type":"in_person", + "start_time":"2026-08-01 17:00:00", + "end_time":"2026-08-01 18:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Visual Arts", + "Volunteerism", + "Advocacy", + "Storytelling" + ] + }, + { + "id":"cc380fa1-44a0-4296-b4e0-2c09486ebaab", + "club_id":"9c568de2-be6d-40e5-b83d-f893a9134c56", + "name":"Event for Pages for Pediatrics at NEU", + "preview":"This club is holding an event.", + "description":"Join us for our annual 'Storybook Festival for Pediatric Patients' event, where we celebrate the power of storytelling in fostering healing and resilience in young patients. Enjoy a day filled with live readings of our heartwarming storybooks, interactive workshops on pediatric health education, and engaging activities to support pediatric patients in their journey towards wellness. Connect with our passionate team as we share the impact of narrative mirroring in promoting empathy and understanding for pediatric conditions. Come be a part of our mission to spread hope and comfort through the magic of storytelling!", + "event_type":"in_person", + "start_time":"2024-04-02 19:00:00", + "end_time":"2024-04-02 23:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Children's Health", + "Literacy", + "Visual Arts", + "Storytelling" + ] + }, + { + "id":"2b0d621c-dc64-4cdb-b2f0-41ab4087955c", + "club_id":"8755e16a-2a64-4ad2-ae64-0588aca42220", + "name":"Event for Poker Club", + "preview":"This club is holding an event.", + "description":"Join us this Friday for our Poker Club Workshop: 'Mastering the Bluff'. Whether you're a beginner or a seasoned player, this workshop is designed to help you sharpen your bluffing skills and gain the upper hand at the Poker table. Led by our experienced club members, you'll learn the art of reading opponents, detecting bluffs, and mastering that poker face. The workshop will be interactive and engaging, with plenty of opportunities to practice your newfound skills in friendly games with fellow club members. Don't miss out on this chance to level up your Poker game and have a fun time with the Poker Club family!", + "event_type":"virtual", + "start_time":"2026-04-02 21:30:00", + "end_time":"2026-04-02 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Volunteerism", + "Psychology" + ] + }, + { + "id":"1fc78403-14bd-47c0-b706-bd67c5ed9e1b", + "club_id":"8755e16a-2a64-4ad2-ae64-0588aca42220", + "name":"Event for Poker Club", + "preview":"This club is holding an event.", + "description":"Join us at Poker Club's upcoming Poker Workshop event where players of all skill levels can learn new strategies and tips to improve their game. Our experienced members will share their expertise in a friendly and welcoming environment, making it a great opportunity for beginners to enhance their skills and for advanced players to sharpen their techniques. As always, the workshop is free-of-charge, and participants have a chance to win exciting prizes during the interactive sessions. Don't miss out on this fun and educational event that will surely elevate your Poker game to the next level!", + "event_type":"hybrid", + "start_time":"2025-02-04 23:30:00", + "end_time":"2025-02-05 03:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Psychology", + "Volunteerism", + "Neuroscience" + ] + }, + { + "id":"8a0b38fe-fd99-4ea0-955e-93e77b8a14be", + "club_id":"8755e16a-2a64-4ad2-ae64-0588aca42220", + "name":"Event for Poker Club", + "preview":"This club is holding an event.", + "description":"Join us for the Poker Club's monthly Poker Workshop where members come together to learn new techniques, strategies, and tips to improve their Poker game. Whether you're a beginner looking to understand the basics or a seasoned player seeking to level up your skills, this workshop is open to all skill levels. Our expert Poker instructors will lead engaging discussions, host friendly gameplay sessions, and even provide personalized feedback to help you grow as a Poker player. Mark your calendar and don't miss this fantastic opportunity to enhance your Poker knowledge and have a great time with fellow enthusiasts!", + "event_type":"hybrid", + "start_time":"2025-04-27 22:00:00", + "end_time":"2025-04-28 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Neuroscience" + ] + }, + { + "id":"308041c7-0697-4fa5-a65c-89feabe66ae0", + "club_id":"8077369d-f3d4-4353-a081-d68003ea0a47", + "name":"Event for Queer Caucus", + "preview":"This club is holding an event.", + "description":"Join Queer Caucus at our upcoming event, Queer Coffee Chat! This casual gathering is a great opportunity for queer students, staff, and faculty at NUSL to come together and connect over coffee and conversations. Whether you're a member of the LGBTQ+ community or an ally, everyone is welcome to join us for a morning of inclusivity and camaraderie. We'll be discussing current queer issues, sharing resources, and building a strong network of support within our community. Let's come together to create a more welcoming and affirming environment for all queer individuals at Northeastern University School of Law!", + "event_type":"virtual", + "start_time":"2025-12-16 12:30:00", + "end_time":"2025-12-16 13:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "HumanRights", + "Environmental Advocacy", + "LGBTQ" + ] + }, + { + "id":"35570763-57ed-44b4-8a9c-87f0e46ad376", + "club_id":"45523073-4e01-4681-aafd-cf088edcd14f", + "name":"Event for Real Talks", + "preview":"This club is holding an event.", + "description":"Join Real Talks for our next event, where we gather to delve into the art of fruitful conversations. Prepare to connect with like-minded individuals in a cozy setting, exchanging thoughts on various thought-provoking topics. Whether you're a seasoned debater or a first-time attendee, you'll find a warm welcome here. Engage in active listening, share personal experiences, and savor the camaraderie that our community fosters. Be part of an evening filled with laughter, learning, and delicious treats. Explore new perspectives, build lasting relationships, and leave feeling inspired by the connections made at Real Talks!", + "event_type":"in_person", + "start_time":"2026-05-02 16:15:00", + "end_time":"2026-05-02 20:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Psychology", + "LGBTQ", + "HumanRights", + "Community Outreach" + ] + }, + { + "id":"32643507-df66-4c9b-ad86-d6b425fe067f", + "club_id":"45523073-4e01-4681-aafd-cf088edcd14f", + "name":"Event for Real Talks", + "preview":"This club is holding an event.", + "description":"Join us at Real Talks for a special evening event focused on the power of storytelling and its impact on building connections. Immerse yourself in a cozy atmosphere surrounded by fellow members who are eager to share their personal narratives and listen to yours with open hearts. Through a series of guided activities and heartwarming discussions, we will explore the art of storytelling as a tool for empathy, understanding, and personal growth. Come prepared to be inspired, to connect on a deeper level, and to leave with new friends and a heart full of enriching experiences!", + "event_type":"virtual", + "start_time":"2026-04-11 18:30:00", + "end_time":"2026-04-11 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Psychology", + "HumanRights" + ] + }, + { + "id":"82750671-9f67-4775-89c2-2f91470d5710", + "club_id":"45523073-4e01-4681-aafd-cf088edcd14f", + "name":"Event for Real Talks", + "preview":"This club is holding an event.", + "description":"Join us this Friday for our 'Real Conversations' event at Real Talks! Get ready to participate in an open dialogue about navigating friendships in college. Share your experiences, listen to others' stories, and discover new perspectives in a warm and welcoming atmosphere. Engage in thought-provoking discussions and connect with fellow students over refreshments. Whether you're a seasoned member or a first-time visitor, you'll find a space to explore, learn, and grow together. Don't miss out on this opportunity to gain insights, make meaningful connections, and enjoy the camaraderie of the Real Talks community!", + "event_type":"in_person", + "start_time":"2026-12-09 13:00:00", + "end_time":"2026-12-09 15:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Psychology", + "HumanRights", + "LGBTQ" + ] + }, + { + "id":"2da5809c-3d5b-43f5-a967-80935fb4a1fa", + "club_id":"d7e48044-9516-4a4d-935d-9af60ecc0d4c", + "name":"Event for ReNU", + "preview":"This club is holding an event.", + "description":"Join us this Saturday for an exciting workshop where we will be designing and building mini windmills! No prior experience is necessary \u2013 our friendly members will guide you through each step, from crafting the blades to testing the energy output. Come learn about renewable energy in a hands-on way, ask questions, and bond with like-minded individuals passionate about creating a greener future. Refreshments will be provided, so bring your creativity and enthusiasm as we engineer sustainable solutions together at ReNU!", + "event_type":"hybrid", + "start_time":"2025-04-12 20:30:00", + "end_time":"2025-04-12 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Mechanical Engineering" + ] + }, + { + "id":"20911dec-6d7a-4fb1-8f18-da9e73327a73", + "club_id":"d7e48044-9516-4a4d-935d-9af60ecc0d4c", + "name":"Event for ReNU", + "preview":"This club is holding an event.", + "description":"Join us this Friday at ReNU for an exciting hands-on workshop focused on constructing miniature windmills! This event is perfect for both beginners and experienced members who want to hone their engineering skills while making a positive impact on the environment. We'll provide all the necessary materials and guidance, so just bring along your curiosity and enthusiasm. Let's work together to harness the power of renewable energy and create innovative solutions for a sustainable future!", + "event_type":"hybrid", + "start_time":"2024-09-21 15:30:00", + "end_time":"2024-09-21 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Environmental Science", + "Renewable Energy" + ] + }, + { + "id":"b3e88de4-3780-47d1-bfa0-44a682df492a", + "club_id":"d7e48044-9516-4a4d-935d-9af60ecc0d4c", + "name":"Event for ReNU", + "preview":"This club is holding an event.", + "description":"Join us at our next ReNU event where we will be diving into an exciting hands-on workshop focusing on building and testing mini windmills. Whether you're a seasoned engineer or just curious about renewable energy, this event is perfect for you! Our team members will guide you through the process, sharing their expertise and passion for sustainability along the way. You'll have the opportunity to roll up your sleeves, work with fellow enthusiasts, and learn valuable skills that can be applied to real-world projects. Be prepared to have fun, make new friends, and make a positive impact on the environment \u2013 one windmill at a time!", + "event_type":"hybrid", + "start_time":"2024-05-22 17:30:00", + "end_time":"2024-05-22 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Renewable Energy" + ] + }, + { + "id":"b965199d-2a7a-4c07-88c4-a2cf315ed387", + "club_id":"3cbb35dd-a20a-45b8-a5b9-44db1015858a", + "name":"Event for rev", + "preview":"This club is holding an event.", + "description":"Join us at rev's weekly Hack Night where students come together to collaborate, share ideas, and build cool projects in a supportive and creative environment. Whether you're a seasoned coder or just getting started, this is the perfect opportunity to connect with like-minded peers, work on your side projects, and learn from each other. Come be a part of our vibrant community at rev and turn your innovative visions into reality!", + "event_type":"hybrid", + "start_time":"2025-02-09 16:30:00", + "end_time":"2025-02-09 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Data Science", + "Student Projects", + "Collaboration", + "Hacker Culture", + "Innovation" + ] + }, + { + "id":"4131289b-5490-4f1f-a7e6-270b5c5d9013", + "club_id":"3cbb35dd-a20a-45b8-a5b9-44db1015858a", + "name":"Event for rev", + "preview":"This club is holding an event.", + "description":"Join us for our monthly Hack night at rev! Dive into the world of coding, design, and innovation with fellow builders, founders, and creatives. Whether you're a seasoned developer or just starting out, everyone is welcome to learn, collaborate, and bring ideas to life. This event is a perfect opportunity to network, brainstorm new projects, and be a part of our vibrant community dedicated to fostering creativity and pushing boundaries. Come join us for an evening filled with inspiration, creativity, and fun!", + "event_type":"hybrid", + "start_time":"2024-08-10 18:30:00", + "end_time":"2024-08-10 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"042249a6-51a4-4d7f-a3b5-efb4b3deb9f1", + "club_id":"922a79c9-46e9-47bd-b50d-c89ce18b55c1", + "name":"Event for SPIC MACAY NU CHAPTER", + "preview":"This club is holding an event.", + "description":"Join us at SPIC MACAY NU CHAPTER's upcoming event, 'Melodies of India'. Immerse yourself in an enchanting evening featuring a blend of classical music and traditional dance performances that showcase the essence of Indian artistry. Whether you're a seasoned connoisseur or new to the scene, our event promises to transport you to a world of rhythmic beats and mesmerizing movements. Come experience the beauty and diversity of Indian culture with us, where every note and every step tells a story waiting to be heard and seen. Mark your calendars and get ready to be captivated by the magic of 'Melodies of India'!", + "event_type":"virtual", + "start_time":"2026-10-10 12:00:00", + "end_time":"2026-10-10 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "Visual Arts", + "Performing Arts", + "Music", + "Community Outreach", + "Asian American" + ] + }, + { + "id":"8046216f-7bfd-4c63-9bf2-70051b94201f", + "club_id":"922a79c9-46e9-47bd-b50d-c89ce18b55c1", + "name":"Event for SPIC MACAY NU CHAPTER", + "preview":"This club is holding an event.", + "description":"Join us at SPIC MACAY NU CHAPTER for an enchanting evening of Kathak dance and Hindustani classical music, where talented artists will transport you to the heart of India's cultural heritage. Immerse yourself in the graceful movements of the dancers, set to a backdrop of soul-stirring melodies that will captivate your senses. This event is a unique opportunity to witness the beauty and elegance of traditional Indian art forms, surrounded by a community of passionate individuals eager to share their love for the arts with you. Whether you're a seasoned connoisseur or a budding enthusiast, this event promises to be an unforgettable celebration of creativity and talent, leaving you inspired and enriched.", + "event_type":"virtual", + "start_time":"2026-06-17 22:15:00", + "end_time":"2026-06-18 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Asian American", + "Performing Arts", + "Community Outreach", + "Visual Arts", + "Volunteerism" + ] + }, + { + "id":"5a516485-a736-432e-b696-21e6575ad9d8", + "club_id":"922a79c9-46e9-47bd-b50d-c89ce18b55c1", + "name":"Event for SPIC MACAY NU CHAPTER", + "preview":"This club is holding an event.", + "description":"Join us for a mesmerizing evening of classical Indian music as the SPIC MACAY NU CHAPTER proudly presents 'Soulful Ragas: An Evening of Hindustani Classical Music'. Immerse yourself in the enchanting melodies of renowned musicians as they skillfully weave together the intricate notes of the sitar, tabla, and harmonium. Whether you're a connoisseur of Indian classical music or new to its enchanting world, this event promises to captivate your senses and uplift your spirit. Come experience the magic of timeless ragas in the warm and inviting ambiance of our club, where every beat and every note resonates with the soulful essence of Indian artistry.", + "event_type":"virtual", + "start_time":"2025-06-27 12:00:00", + "end_time":"2025-06-27 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Asian American", + "Music" + ] + }, + { + "id":"62ea47aa-fe3e-473a-8e17-55095ed6701b", + "club_id":"07345297-6c24-42c9-a167-375a15350f55", + "name":"Event for The Libre Software Advocacy Group", + "preview":"This club is holding an event.", + "description":"Join us at The Libre Software Advocacy Group for an engaging panel discussion on the importance of digital freedom and privacy. Our expert speakers will share insights on how Libre Software can empower individuals to take control of their digital lives. Whether you're new to the concept or a long-time advocate, this event is a great opportunity to learn, connect with like-minded individuals, and be inspired to contribute to a more inclusive digital world where everyone's rights are respected. Don't miss out on this chance to be part of a community dedicated to promoting software that values your freedom and privacy!", + "event_type":"virtual", + "start_time":"2024-03-22 20:00:00", + "end_time":"2024-03-22 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Software Engineering", + "Data Science" + ] + }, + { + "id":"59d46976-c1bf-4527-887c-3642477ae91c", + "club_id":"de447bb9-aa2e-48ff-b53f-8cd5b3dccb83", + "name":"Event for United Against Trafficking", + "preview":"This club is holding an event.", + "description":"Join United Against Trafficking for an impactful workshop on understanding the complexities of human trafficking in today's world. Dive deep into the different forms of trafficking, learn about survivor stories, and discover ways you can be an advocate for change in your community. This event is open to all members of the Northeastern University community, including students, faculty, and staff, as we come together to build awareness and empower ourselves to make a difference. Don't miss this opportunity to engage in meaningful discussions, gain valuable insights, and be a part of the movement towards a world free from exploitation and suffering.", + "event_type":"in_person", + "start_time":"2024-12-17 12:30:00", + "end_time":"2024-12-17 16:30:00", + "link":"", + "location":"Marino", + "tags":[ + "PublicRelations", + "Volunteerism", + "Advocacy", + "Social Justice", + "HumanRights", + "Community Outreach" + ] + }, + { + "id":"728e13f6-5f85-4221-ad74-abf881519d42", + "club_id":"15d0269f-d93f-43a3-b5b6-b62223a65267", + "name":"Event for Aaroh", + "preview":"This club is holding an event.", + "description":"Join us at Aaroh's upcoming event where we celebrate the rich tapestry of Indian music! Dive into the melodious world of Bollywood hits, folk tunes, soul-stirring fusion compositions, mesmerizing Carnatic rhythms, and soulful Hindustani classical melodies. Immerse yourself in the magic of Indian origin instruments as we come together to embrace musical diversity on campus. This event is your opportunity to connect with fellow music enthusiasts, engage in lively discussions, and showcase your talent on a platform that celebrates the beauty of Indian music in all its forms.", + "event_type":"hybrid", + "start_time":"2026-09-14 23:30:00", + "end_time":"2026-09-15 03:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"79047a72-c31d-4ac4-96a7-a41dc0090fe9", + "club_id":"15d0269f-d93f-43a3-b5b6-b62223a65267", + "name":"Event for Aaroh", + "preview":"This club is holding an event.", + "description":"Aaroh's upcoming event is a musical extravaganza celebrating the vibrant tapestry of Indian music! Join us for an evening filled with soul-stirring melodies encompassing Bollywood hits, traditional folk tunes, mesmerizing fusion compositions, intricate Carnatic rhythms, and enchanting Hindustani classical pieces. This event is a perfect opportunity for music enthusiasts to come together, share their love for Indian music, and showcase their talents on a platform that embraces cultural diversity. Whether you're a seasoned musician or just passionate about music, this event promises to be a melting pot of musical bliss where you can immerse yourself in the rich heritage of Indian origin instruments and connect with like-minded individuals who share your appreciation for the art form. Don't miss this chance to experience the magic of Indian music in all its glory!", + "event_type":"in_person", + "start_time":"2024-10-24 20:15:00", + "end_time":"2024-10-24 21:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Creative Writing", + "Community Outreach", + "Music" + ] + }, + { + "id":"d03a6068-05dc-48dc-ac43-6db66d04a843", + "club_id":"15d0269f-d93f-43a3-b5b6-b62223a65267", + "name":"Event for Aaroh", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening of melodious rhythms at Aaroh's Music Extravaganza event! Immerse yourself in the rich tapestry of Indian music, from the vibrant beats of Bollywood to the soul-stirring melodies of classical Carnatic and Hindustani music. Whether you're a seasoned musician or just eager to explore new sounds, this event is the perfect opportunity to connect with fellow music enthusiasts, share your passion for music, and discover the diverse musical traditions of India. Come together, celebrate diversity, and let the music unite us all!", + "event_type":"in_person", + "start_time":"2024-06-23 18:15:00", + "end_time":"2024-06-23 22:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Music", + "Community Outreach", + "Performing Arts" + ] + }, + { + "id":"bac3f001-a898-4552-8fa9-124def701dfc", + "club_id":"b7ba30c4-1525-44f9-a81c-e015c3f3a46a", + "name":"Event for Acting Out", + "preview":"This club is holding an event.", + "description":"Join Acting Out at our upcoming event, 'Drama for Change', where we will showcase powerful performances that tackle important social issues. At this event, you will witness our talented actors bringing stories of resilience, courage, and hope to the stage. In addition to the captivating performances, there will be engaging discussions led by industry experts on how art can spark conversations and drive positive change in our communities. Whether you're a seasoned theater enthusiast or new to the world of acting, 'Drama for Change' is a welcoming space for all to come together, share experiences, and be inspired to make a difference.", + "event_type":"in_person", + "start_time":"2026-05-23 19:00:00", + "end_time":"2026-05-23 23:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Social Change" + ] + }, + { + "id":"133c2969-7ae9-467b-b489-1488a87ec69e", + "club_id":"b7ba30c4-1525-44f9-a81c-e015c3f3a46a", + "name":"Event for Acting Out", + "preview":"This club is holding an event.", + "description":"Join us for an unforgettable night of theatrical excitement and social impact at Acting Out's annual showcase! Experience the magic of live performances that challenge norms and provoke thought, in a welcoming and inclusive environment where diverse voices are celebrated. From powerful monologues to thought-provoking skits, this event is a testament to our commitment to promoting social change through the art of acting. Bring your friends and immerse yourself in an evening of creativity, empowerment, and inspiration!", + "event_type":"in_person", + "start_time":"2025-09-13 13:00:00", + "end_time":"2025-09-13 15:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Film" + ] + }, + { + "id":"89a271ce-8c95-4ca6-98b9-ac33e9d73a1b", + "club_id":"b7ba30c4-1525-44f9-a81c-e015c3f3a46a", + "name":"Event for Acting Out", + "preview":"This club is holding an event.", + "description":"Join us for an evening of thought-provoking performances and impactful storytelling at our 'Voices for Change' event! Acting Out, Northeastern University's premier acting company, brings together talented performers to shed light on important social issues through the power of creativity and expression. At this event, you'll witness the magic of live theatre as we challenge perspectives, spark conversations, and inspire action. Don't miss this opportunity to engage with the community and be a part of the movement towards positive change!", + "event_type":"virtual", + "start_time":"2024-05-19 12:30:00", + "end_time":"2024-05-19 14:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Social Change" + ] + }, + { + "id":"ef79707b-331a-4966-bc09-080e388c6e86", + "club_id":"61e1be68-85c0-4271-b90d-08187405dc4a", + "name":"Event for Active Minds at NU", + "preview":"This club is holding an event.", + "description":"Join us for 'Mindful Mondays' where we gather to engage in open discussions about mental health topics, share personal experiences, and learn about self-care practices. This event is designed to create a supportive and understanding space for Northeastern students to connect, reflect, and grow together. Whether you're passionate about mental health advocacy or simply curious to learn more, 'Mindful Mondays' welcomes all with open arms. Don't miss this opportunity to be a part of the movement towards breaking the silence around mental health challenges and fostering a culture of empathy and empowerment within our community!", + "event_type":"hybrid", + "start_time":"2024-07-04 19:00:00", + "end_time":"2024-07-04 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Psychology" + ] + }, + { + "id":"fffca4da-d1b3-4b32-a858-4f99baf7a4b2", + "club_id":"f40e2a45-9071-4246-8bfa-f84716476aef", + "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 engaging and informative event focused on empowering individuals who are struggling with addiction. Our event will feature guest speakers who will share their personal journeys of recovery, as well as interactive workshops to provide practical tools for managing addiction. Whether you're a college student looking for support or a community member seeking to educate yourself on this important topic, this event is open to all. Together, we can create a safe space to discuss addiction, raise awareness, and support each other on the path to recovery.", + "event_type":"hybrid", + "start_time":"2026-09-10 12:15:00", + "end_time":"2026-09-10 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "LGBTQ" + ] + }, + { + "id":"5f867d9d-a33b-455d-8fd0-5c529b8f93c8", + "club_id":"e33ca111-812b-45ec-96c6-a81f1b1135a1", + "name":"Event for AerospaceNU", + "preview":"This club is holding an event.", + "description":"Join AerospaceNU for an exciting hands-on engineering workshop where you can learn how to design and build your own mini quadcopter! No experience is necessary, as our expert mentors will guide you through each step of the process. This interactive event is a great opportunity to explore the world of aerial robotics, meet like-minded peers, and have a blast experimenting with innovative technology. Don't miss out on this chance to unleash your creativity and take to the skies with us!", + "event_type":"virtual", + "start_time":"2024-08-21 21:30:00", + "end_time":"2024-08-21 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Physics", + "Student Organization" + ] + }, + { + "id":"b4da0b75-ba98-4e3f-a1f3-26d248ec9c27", + "club_id":"d63eb941-813f-4425-9908-ffbef519ac97", + "name":"Event for African Graduate Students Association", + "preview":"This club is holding an event.", + "description":"Join the African Graduate Students Association at Northeastern University for a vibrant Cultural Showcase event celebrating the diverse beauty of African traditions and heritage. Immerse yourself in an evening filled with captivating performances, insightful discussions, and interactive activities that will transport you to the heart of Africa. This event is not only a fantastic opportunity to connect with fellow students and learn about different cultural practices, but also a platform to embrace unity, inclusivity, and appreciation for the rich tapestry of African cultures. Come experience a night of cultural enlightenment and forge meaningful connections within our community!", + "event_type":"hybrid", + "start_time":"2025-08-23 14:00:00", + "end_time":"2025-08-23 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Leadership Empowerment", + "Global Engagement", + "Cultural Integration" + ] + }, + { + "id":"c7360b11-6ea3-4093-a27a-ac0f365911f3", + "club_id":"d63eb941-813f-4425-9908-ffbef519ac97", + "name":"Event for African Graduate Students Association", + "preview":"This club is holding an event.", + "description":"Join the African Graduate Students Association for an enlightening cultural showcase event where we celebrate the vibrant tapestry of African heritage through traditional music, dance, and cuisine. Immerse yourself in the rich diversity of our community as we come together to share stories, experiences, and aspirations. This event offers a unique opportunity to engage with fellow students, learn about different African cultures, and forge lasting connections that transcend borders. Come experience the warmth and inclusivity of our association as we unite in a spirit of camaraderie and mutual respect.", + "event_type":"virtual", + "start_time":"2025-05-15 19:00:00", + "end_time":"2025-05-15 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"7b0473e2-a06e-4f9f-9b1a-2242169bd4d0", + "club_id":"d63eb941-813f-4425-9908-ffbef519ac97", + "name":"Event for African Graduate Students Association", + "preview":"This club is holding an event.", + "description":"Join the African Graduate Students Association at Northeastern University for an exciting cultural showcase event! Immerse yourself in the vibrant traditions and diverse heritage of Africa through captivating performances, insightful discussions, and engaging activities. This event aims to promote cross-cultural understanding, celebrate unity in diversity, and foster meaningful connections within the community. Don't miss this opportunity to experience the rich tapestry of African cultures and be a part of our inclusive and welcoming association!", + "event_type":"hybrid", + "start_time":"2024-03-23 20:00:00", + "end_time":"2024-03-23 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Global Engagement" + ] + }, + { + "id":"5adfbebb-dd37-40c4-aec6-8940d825f383", + "club_id":"fb4075f1-de54-48dd-8a35-a71aad53ef4b", + "name":"Event for afterHOURS", + "preview":"This club is holding an event.", + "description":"Join us at afterHOURS for a night of live music and delicious Starbucks treats! Our unique college entertainment venue in the heart of Northeastern University offers state-of-the-art sound and video experiences that will immerse you in the music. With a vibrant atmosphere and programming that supports over 200 student organizations, there's something for everyone to enjoy. Come down, grab your favorite Starbucks drink, and experience the lively energy of afterHOURS!", + "event_type":"virtual", + "start_time":"2025-11-19 19:15:00", + "end_time":"2025-11-19 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"4429ba24-dd10-4ffe-93f6-c33f3c2625b9", + "club_id":"4f27f018-dfb3-404b-b213-b60bd9c52c2c", + "name":"Event for Agape Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at 7:30PM in West Village G 02 for our weekly gathering at Agape Christian Fellowship! Whether you're a long-time member or a newcomer, you are warmly welcomed to a night of community, worship, and insightful discussions. Come connect with fellow students who are passionate about loving Jesus and growing together in faith. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2025-08-20 21:00:00", + "end_time":"2025-08-20 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "HumanRights", + "Volunteerism", + "Community Outreach", + "Christianity" + ] + }, + { + "id":"7505866d-d36b-44be-9773-99cacc1ad9ea", + "club_id":"4f27f018-dfb3-404b-b213-b60bd9c52c2c", + "name":"Event for Agape Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at 7:30PM in West Village G 02 for an evening of worship, community, and growth at Agape Christian Fellowship's weekly meeting. Whether you're a long-time member or a first-time visitor, we welcome you with open arms to experience the joy of loving Jesus, loving one another, and loving our university together. Come connect with fellow students, dive deeper into your faith, and be encouraged in your journey of following Christ. Don't miss out on this opportunity to be part of a vibrant community that supports each other and seeks to grow in our relationships with Jesus. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2026-10-21 14:15:00", + "end_time":"2026-10-21 17:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"023b4ea4-9a54-41f5-8c92-4b8bcc7228a0", + "club_id":"4f27f018-dfb3-404b-b213-b60bd9c52c2c", + "name":"Event for Agape Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at 7:30PM in West Village G 02 for an evening of fellowship, worship, and community at Agape Christian Fellowship! Whether you're already a part of our family or looking to connect with like-minded students, you're invited to be a part of our vibrant and welcoming gathering. Come experience a space where we grow in our faith, support one another, and explore what it means to live out the love of Jesus on our campus. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2026-09-08 18:15:00", + "end_time":"2026-09-08 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Volunteerism", + "HumanRights" + ] + }, + { + "id":"6b0b11f5-712f-410c-baad-4f83581d4037", + "club_id":"6fdad703-7709-4ef3-a75c-bca7d86a84b0", + "name":"Event for Alliance for Diversity in Science and Engineering", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming Diversity Dialogue Series where we will be exploring important topics related to diversity and inclusion in science and engineering. This interactive event will feature open discussions, guest speakers from diverse backgrounds, and networking opportunities for students and professionals alike. Whether you're interested in learning more about underrepresented minority experiences in STEM or looking to connect with like-minded individuals, this is the perfect opportunity to join the conversation and make meaningful connections. Stay tuned for more details on this insightful and inspiring event!", + "event_type":"hybrid", + "start_time":"2026-12-03 12:00:00", + "end_time":"2026-12-03 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "STEM", + "HumanRights" + ] + }, + { + "id":"04791a21-e3da-4ee8-8834-f5554f19f02f", + "club_id":"6fdad703-7709-4ef3-a75c-bca7d86a84b0", + "name":"Event for Alliance for Diversity in Science and Engineering", + "preview":"This club is holding an event.", + "description":"Join us for an engaging virtual panel discussion on 'Embracing Diversity in STEM Careers' hosted by the Alliance for Diversity in Science and Engineering. Our expert speakers will share their experiences and insights, providing valuable advice on navigating the STEM landscape as a member of an underrepresented group. Whether you're a student, early-career professional, or seasoned researcher, this event offers a unique opportunity to connect, learn, and be inspired. Don't miss out on this chance to expand your network, gain valuable resources, and discover new pathways to success in the world of science and engineering!", + "event_type":"virtual", + "start_time":"2026-11-27 23:15:00", + "end_time":"2026-11-28 03:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "HumanRights", + "STEM" + ] + }, + { + "id":"66b5adae-cbf0-4eed-9aa2-b28554fa48ff", + "club_id":"6fdad703-7709-4ef3-a75c-bca7d86a84b0", + "name":"Event for Alliance for Diversity in Science and Engineering", + "preview":"This club is holding an event.", + "description":"Join us for our Annual Celebration of Diversity in Science and Engineering event, where we come together to honor and celebrate the achievements of individuals from underrepresented groups in STEM fields. This year, we have inspiring keynote speakers, engaging panel discussions, interactive workshops, and networking opportunities with professionals in academia, industry, and government. Whether you are a student, scientist, or supporter of diversity in STEM, this event promises to be a welcoming and enlightening experience for all! Mark your calendars and be part of fostering inclusivity and innovation in the sciences.", + "event_type":"hybrid", + "start_time":"2025-07-13 16:15:00", + "end_time":"2025-07-13 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "STEM", + "Diversity", + "Volunteerism", + "Community Outreach", + "Environmental Advocacy", + "LGBTQ", + "HumanRights" + ] + }, + { + "id":"17a61756-77cb-4c0d-9cfa-ec09a45618b6", + "club_id":"c50fd3c2-c3a5-477b-ada0-70a5024690d8", + "name":"Event for Alpha Chi Omega", + "preview":"This club is holding an event.", + "description":"Join us at Alpha Chi Omega's annual Fall Mixer event where members and guests come together in a warm and inviting atmosphere to celebrate friendship, leadership, and service. This exciting gathering offers a perfect blend of fun activities, insightful discussions, and networking opportunities that resonate with our core values. Whether you're a new face or a familiar friend, all are welcome to partake in an evening filled with laughter, growth, and a sense of community that defines our beloved fraternity. Come experience the spirit of Alpha Chi Omega and forge new connections that will last a lifetime!", + "event_type":"in_person", + "start_time":"2025-04-25 15:00:00", + "end_time":"2025-04-25 17:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Volunteerism", + "Service", + "Community Outreach", + "Leadership" + ] + }, + { + "id":"8f74b63a-1902-4b77-a531-34db0b25bdad", + "club_id":"c50fd3c2-c3a5-477b-ada0-70a5024690d8", + "name":"Event for Alpha Chi Omega", + "preview":"This club is holding an event.", + "description":"Join Alpha Chi Omega for our annual Sisterhood Mixer event, where we celebrate the bonds of sisterhood that unite us! Meet fellow members in a warm and welcoming atmosphere, sharing stories, laughter, and creating memories that last a lifetime. Get ready to connect with amazing women who embody our core values of friendship, leadership, learning, and service. Whether you're a new member or a seasoned sister, this event promises an evening of fun, connection, and empowerment. Don't miss out on this fantastic opportunity to be part of a community that uplifts and supports you every step of the way.", + "event_type":"hybrid", + "start_time":"2024-11-03 16:00:00", + "end_time":"2024-11-03 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Service", + "Leadership", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"085d22fd-09d4-441c-9934-1b389da4c17e", + "club_id":"e8d5d9c5-a132-433f-9462-e915f103b146", + "name":"Event for Alpha Epsilon Delta, The National Health Preprofessional Honor Society", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming biweekly chapter meeting at Alpha Epsilon Delta, The National Health Preprofessional Honor Society! This interactive session will feature focused discussions, engaging student panels, and enlightening lectures from special guest speakers. In addition, attendees will have the opportunity to participate in hands-on activities such as CPR lessons and suture clinics. Whether you are on the pre-med, pre-PA, pre-vet, pre-PT, pre-dental tracks, or interested in research, our meetings provide valuable insights and connections for your academic and professional journey. Don't miss out on this chance to network with like-minded individuals and expand your knowledge in the health preprofessional field!", + "event_type":"in_person", + "start_time":"2026-02-10 19:15:00", + "end_time":"2026-02-10 23:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Premed", + "Chemistry", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"ce460749-379a-4451-bbcc-63c662d44bd8", + "club_id":"ecbf907b-2de6-48b6-969a-6c77c59d2c95", + "name":"Event for Alpha Epsilon Phi", + "preview":"This club is holding an event.", + "description":"Join Alpha Epsilon Phi for our annual Spring Fling event in the beautiful courtyard of Northeastern University! This fun-filled afternoon will be filled with music, snacks, and games, providing the perfect opportunity to meet our sisters and learn more about our commitment to sisterhood, community service, and personal growth. Whether you're a current member or a prospective new sister, all are welcome to come together and celebrate the bonds of friendship and empowerment that make AEPhi a cherished home away from home. We can't wait to welcome you with open arms and show you why Alpha Epsilon Phi is more than just a sorority \u2013 it's a lifelong sisterhood built on love, respect, and a shared passion for making a difference in the world!", + "event_type":"hybrid", + "start_time":"2024-06-18 18:00:00", + "end_time":"2024-06-18 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Volunteerism", + "Human Rights", + "Sisterhood", + "Women Empowerment" + ] + }, + { + "id":"e2aacc96-5b87-41a9-8aae-ca28a2558a31", + "club_id":"ecbf907b-2de6-48b6-969a-6c77c59d2c95", + "name":"Event for Alpha Epsilon Phi", + "preview":"This club is holding an event.", + "description":"Join Alpha Epsilon Phi for a night of sisterhood and service as we come together to make a difference in our community. This event will bring us closer through meaningful interactions and shared experiences that strengthen our bonds of friendship. Whether you're a new member or a seasoned sister, all are welcome to participate in this opportunity to give back and connect with like-minded individuals who share a passion for making a positive impact. Come ready to engage, learn, and grow as we work towards building a better world together, one act of kindness at a time.", + "event_type":"virtual", + "start_time":"2025-07-01 22:30:00", + "end_time":"2025-07-02 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Human Rights" + ] + }, + { + "id":"29e8db4c-69e6-433d-91bd-53c5d023feca", + "club_id":"30571a20-ad83-4184-985c-bad0d96e1875", + "name":"Event for Alpha Epsilon Pi", + "preview":"This club is holding an event.", + "description":"Join Alpha Epsilon Pi for a night of brotherhood and bonding as we gather to celebrate our diverse community and shared values. This event will be a unique opportunity to connect with like-minded individuals, build lasting friendships, and explore the enriching experiences our club has to offer. Whether you are a current member or new to our organization, come and experience firsthand the support, mentorship, and personal growth opportunities that make Alpha Epsilon Pi a truly special community to be a part of.", + "event_type":"in_person", + "start_time":"2025-05-13 15:15:00", + "end_time":"2025-05-13 18:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Judaism", + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"1b2b6daf-4128-41d7-98c5-aeda08fbee55", + "club_id":"30571a20-ad83-4184-985c-bad0d96e1875", + "name":"Event for Alpha Epsilon Pi", + "preview":"This club is holding an event.", + "description":"Join Alpha Epsilon Pi for an engaging and inclusive event where you can connect with like-minded individuals in a vibrant community dedicated to fostering lasting friendships and personal growth. Experience a dynamic evening filled with opportunities to network, learn, and have fun, all while embracing our values rooted in Jewish traditions. Whether you're looking for mentorship, support, or simply a welcoming atmosphere to thrive in, this event promises to provide a unique and enriching experience that will leave you inspired and empowered. Come be a part of a brotherhood where you can strengthen your strengths, overcome weaknesses, and explore new horizons in a supportive and uplifting environment.", + "event_type":"hybrid", + "start_time":"2024-02-16 14:30:00", + "end_time":"2024-02-16 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Judaism" + ] + }, + { + "id":"d705f506-50db-4f14-b4e7-f25b0719e04d", + "club_id":"fe03538b-8894-49c4-829c-57586fbcf636", + "name":"Event for Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter", + "preview":"This club is holding an event.", + "description":"Join us for an enriching and empowering evening with the Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter! Step into a space where sisterhood, service, and leadership converge to create a memorable experience. Immerse yourself in a vibrant environment filled with engaging conversations, inspiring stories, and opportunities to make a positive impact. Whether you're a current member, a prospective member, or simply curious about our legacy of service, this event is the perfect opportunity to connect, learn, and grow together. Come be a part of our journey towards creating a better world for all!", + "event_type":"virtual", + "start_time":"2026-10-28 12:15:00", + "end_time":"2026-10-28 13:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Human Rights", + "Community Outreach", + "African American" + ] + }, + { + "id":"8f4af1c5-c238-4b2d-94a4-32e4e660de7d", + "club_id":"fe03538b-8894-49c4-829c-57586fbcf636", + "name":"Event for Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter", + "preview":"This club is holding an event.", + "description":"Come join the members of the Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter for a fun-filled evening celebrating sisterhood and service! Our event will feature engaging discussions on empowering women and making a positive impact in our communities. Whether you're a current member, a prospective member, or simply curious about our organization, all are welcome to attend and be a part of our legacy of service and leadership. Join us for an inspiring evening of meaningful connections and shared goals as we continue to make a difference in the world.", + "event_type":"hybrid", + "start_time":"2026-11-16 19:00:00", + "end_time":"2026-11-16 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Volunteerism", + "African American", + "Service" + ] + }, + { + "id":"c1cc4747-337e-4ebe-bc28-2c18d5fc227b", + "club_id":"fe03538b-8894-49c4-829c-57586fbcf636", + "name":"Event for Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter", + "preview":"This club is holding an event.", + "description":"Join the members of Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter for a thought-provoking and engaging event celebrating the legacy of African American college-trained women. Immerse yourself in a vibrant discussion exploring the rich history and impactful contributions of this esteemed organization founded in 1908. Discover how the Sorority's dedication to service extends far beyond the college years, shaping communities and championing important causes worldwide. Experience a welcoming atmosphere where individual empowerment and collective strength harmoniously converge, embodying the essence of sisterhood and social change. Don't miss this opportunity to be a part of a global movement rooted in courage, resilience, and meaningful action.", + "event_type":"in_person", + "start_time":"2024-02-15 12:30:00", + "end_time":"2024-02-15 15:30:00", + "link":"", + "location":"Marino", + "tags":[ + "African American" + ] + }, + { + "id":"91ef0171-438a-45cf-ac76-34aef4ead4c3", + "club_id":"35da0741-45de-4262-914e-ebfd8f5fda2e", + "name":"Event for Alpha Kappa Psi", + "preview":"This club is holding an event.", + "description":"Join Alpha Kappa Psi at our upcoming 'Growth Through Leadership' workshop, where you'll have the opportunity to hone your professional skills and network with like-minded individuals passionate about business. This interactive event will feature engaging speakers, hands-on activities, and a supportive community eager to help you thrive in your personal and professional endeavors. Whether you're a seasoned entrepreneur or just starting your business journey, this event is the perfect opportunity to gain valuable insights and connections that will propel your success to new heights. We can't wait to welcome you and empower you on your path to success!", + "event_type":"in_person", + "start_time":"2024-01-02 13:30:00", + "end_time":"2024-01-02 14:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Professional Development", + "Education" + ] + }, + { + "id":"fdbc1af2-2d06-419d-a58c-b7259f29fedb", + "club_id":"90f5b876-6dbe-4bc2-adb3-4859f2dcef18", + "name":"Event for Alpha Kappa Sigma", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming 'Meet the Brothers' event, where you'll have the chance to mingle with the members of Alpha Kappa Sigma and learn more about our rich history and values. Get ready for a fun evening filled with engaging conversations, laughter, and a glimpse into the amazing brotherhood that defines us. Whether you're interested in social events, professional development opportunities, or simply making lifelong friendships, our fraternity offers something special for everyone. We can't wait to welcome you into our close-knit family, so mark your calendar and come meet us at the 'Meet the Brothers' event!", + "event_type":"virtual", + "start_time":"2025-10-15 22:15:00", + "end_time":"2025-10-16 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "LGBTQ", + "Premed", + "Community Outreach", + "Volunteerism", + "Broadcasting" + ] + }, + { + "id":"ba0dc874-5aec-4cf8-95a4-d171a4d9c0bb", + "club_id":"90f5b876-6dbe-4bc2-adb3-4859f2dcef18", + "name":"Event for Alpha Kappa Sigma", + "preview":"This club is holding an event.", + "description":"Join us at Alpha Kappa Sigma's Fall Rush Kickoff event, where you'll have the opportunity to meet our vibrant brotherhood and learn about our rich history dating back to 1919. Engage in fun icebreakers, enjoy tasty snacks, and discover how our fraternity fosters personal and professional growth while forming lifelong bonds. Whether you're new to Greek life or looking to expand your network, this event is the perfect chance to connect with like-minded individuals and create unforgettable memories. We can't wait to welcome you into our close-knit community!", + "event_type":"hybrid", + "start_time":"2024-05-08 23:00:00", + "end_time":"2024-05-09 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Premed", + "LGBTQ", + "Volunteerism" + ] + }, + { + "id":"d6b8e4eb-2726-4db9-940b-c3c201c780d5", + "club_id":"35b98500-0312-4f7c-8a3e-a7e219b3b0b0", + "name":"Event for Alpha Phi Omega", + "preview":"This club is holding an event.", + "description":"Join Alpha Phi Omega for a day of service and camaraderie at our upcoming event! Dive into meaningful volunteer work with our diverse group of members as we partner with local nonprofits like Prison Book Program, Community Servings, Y2Y, National Braille Press, and more to make a positive impact on the Boston community. Whether you're a seasoned volunteer or just starting to explore service opportunities, our inclusive and welcoming environment ensures that everyone can contribute and feel a sense of belonging. Come meet new friends, develop leadership skills, and make a difference with Alpha Phi Omega!", + "event_type":"virtual", + "start_time":"2025-03-03 15:00:00", + "end_time":"2025-03-03 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "HumanRights", + "Leadership", + "Volunteerism" + ] + }, + { + "id":"6f8ec2ab-ac50-4d9e-a466-0a47f259ea77", + "club_id":"35b98500-0312-4f7c-8a3e-a7e219b3b0b0", + "name":"Event for Alpha Phi Omega", + "preview":"This club is holding an event.", + "description":"Join Alpha Phi Omega for a fun-filled afternoon of community service at the Prison Book Program in Boston! We will be sorting and packaging books to be sent to incarcerated individuals, making a direct impact on their lives through the power of literacy. This event is a great opportunity to meet fellow members, connect with the local community, and contribute to a meaningful cause. Whether you're a long-time volunteer or new to service, all are welcome to join us in spreading kindness and making a difference together.", + "event_type":"hybrid", + "start_time":"2024-05-22 15:00:00", + "end_time":"2024-05-22 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Fellowship" + ] + }, + { + "id":"e52c8818-f4e3-495e-89d3-ca19b791e7df", + "club_id":"35b98500-0312-4f7c-8a3e-a7e219b3b0b0", + "name":"Event for Alpha Phi Omega", + "preview":"This club is holding an event.", + "description":"Join Alpha Phi Omega for our upcoming 'Community Connections' event where we will be partnering with the Prison Book Program to help promote literacy and education among incarcerated individuals. This event is open to all members of the community and will provide an opportunity to make a meaningful impact while fostering new friendships and connections. Come be a part of our inclusive and diverse group that values service, leadership, and friendship. Let's work together to make a positive difference in the lives of others!", + "event_type":"in_person", + "start_time":"2025-05-17 22:15:00", + "end_time":"2025-05-18 00:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Leadership", + "Community Outreach" + ] + }, + { + "id":"c2ba3e2e-f9a5-4a2c-a2bd-85b94f81993f", + "club_id":"da233f8a-b9ec-47ea-994b-ee3ba853025b", + "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 hosted by the American Academy of Orthopedic Manual Physical Therapists Student Special Interest Group! This interactive event is the perfect opportunity to immerse yourself in the world of orthopedic manual physical therapy and enhance your skills in a supportive environment. Our experienced instructors will guide you through various techniques and principles of manual therapy, providing valuable insights to benefit your educational journey and future career. Whether you're a seasoned pro or just starting out, this event is a fantastic chance to expand your knowledge and network with like-minded peers. Don't miss this enriching experience that will empower you to excel in your studies and practice!", + "event_type":"hybrid", + "start_time":"2025-08-04 18:00:00", + "end_time":"2025-08-04 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Student Organization", + "Healthcare" + ] + }, + { + "id":"9534b5dc-c813-475a-9424-f34ab099b062", + "club_id":"c075e1b8-27a8-4982-b454-48cb4249be84", + "name":"Event for American Cancer Society On Campus at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at our annual Paint the Campus Purple event, where we transform Northeastern University into a sea of purple to raise awareness and support for cancer survivors. The event will feature live music, food trucks, interactive booths about cancer prevention, survivor testimonials, and opportunities to get involved in the fight against cancer. This is a wonderful opportunity to come together as a community, show your support, and learn more about how you can make a difference. Don't miss out on this inspiring and impactful event!", + "event_type":"in_person", + "start_time":"2025-09-23 16:00:00", + "end_time":"2025-09-23 19:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Cancer Awareness", + "Survivorship", + "Education", + "Environmental Advocacy", + "Volunteerism" + ] + }, + { + "id":"acd62af7-bd19-44fb-b5f3-e6e5e9b049ab", + "club_id":"c075e1b8-27a8-4982-b454-48cb4249be84", + "name":"Event for American Cancer Society On Campus at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for our annual ", + "event_type":"virtual", + "start_time":"2025-04-26 16:15:00", + "end_time":"2025-04-26 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Education", + "Environmental Advocacy" + ] + }, + { + "id":"e5669905-32f5-4605-8ebd-aa9d9a19ca9c", + "club_id":"c075e1b8-27a8-4982-b454-48cb4249be84", + "name":"Event for American Cancer Society On Campus at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for our annual 'Paint the Campus Purple' event, where we come together to raise awareness and show our support for those affected by cancer. The entire campus will be decked out in purple, symbolizing hope and unity in our fight against cancer. You can expect a day filled with inspirational stories, engaging activities, and a sense of community that will uplift your spirits. Whether you're a survivor, a supporter, or just curious to learn more, everyone is welcome to join us in making a colorful statement of solidarity. Let's paint the campus purple and spread the message of hope together!", + "event_type":"hybrid", + "start_time":"2025-03-03 19:30:00", + "end_time":"2025-03-03 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"764abc60-892f-4284-bdc1-7deb92799dd3", + "club_id":"a2cb86a1-8406-4f8d-ac03-b17cd4e3a32a", + "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 enriching evening exploring the diverse specialties of clinical pharmacy at our ACCP chapter event at Northeastern University! Engage with seasoned professionals as they share insights on the pivotal roles of clinical pharmacists and delve into the myriad opportunities awaiting you in this dynamic field. Discover how our club fosters leadership, professional growth, and academic excellence, empowering student pharmacists to make a lasting impact on healthcare. Don't miss this chance to deepen your understanding of clinical pharmacy and network with esteemed experts driving innovation in pharmacotherapy and research.", + "event_type":"in_person", + "start_time":"2026-01-16 19:15:00", + "end_time":"2026-01-16 22:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Health", + "Education", + "Leadership", + "Research" + ] + }, + { + "id":"5d8fda30-4db1-4d97-a11c-bc93c6edaf90", + "club_id":"a2cb86a1-8406-4f8d-ac03-b17cd4e3a32a", + "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 workshop on the diverse roles of clinical pharmacists in healthcare, hosted by the American College of Clinical Pharmacy Student Chapter of Northeastern University! Discover the exciting opportunities awaiting future experts in this field and learn about the impactful ways clinical pharmacists contribute to improving human health. Be part of an interactive session where you'll gain invaluable insights into the evolving landscape of clinical pharmacy and pharmacotherapy. Whether you're a seasoned student pharmacist or just starting your journey, this event promises to inspire, educate, and empower you towards achieving excellence in academics, research, and experiential education. Don't miss this chance to network with like-minded peers and dive deep into the world of clinical pharmacy with us!", + "event_type":"hybrid", + "start_time":"2026-09-11 14:00:00", + "end_time":"2026-09-11 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Advocacy", + "Leadership", + "Professional Development", + "Clinical Pharmacy" + ] + }, + { + "id":"6c469a0a-32be-4dc7-bbfb-93fb39fb42bf", + "club_id":"143ed18a-d99d-4832-acb2-beb1a9732034", + "name":"Event for American Institute of Architecture Students", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening at the American Institute of Architecture Students' Northeastern chapter firm crawl! Explore the vibrant architecture community in Boston and Cambridge as we visit local firms to gain valuable insights into firm culture and expectations. Whether you're a seasoned architecture enthusiast or just starting your journey, this event is the perfect opportunity to network, learn, and connect with fellow students and industry professionals. Don't miss out on this enriching experience that combines fun with invaluable knowledge!", + "event_type":"hybrid", + "start_time":"2026-11-13 17:00:00", + "end_time":"2026-11-13 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Networking" + ] + }, + { + "id":"2c5e1113-58df-470b-b5d6-5352f45051e0", + "club_id":"5d63c634-5dc2-4261-85ec-54c4487f8065", + "name":"Event for American Institute of Chemical Engineers of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening evening as the American Institute of Chemical Engineers of Northeastern University presents an exclusive student panel discussion on the latest trends and advancements in the field of Chemical Engineering. This engaging event will feature insightful perspectives from both undergraduate and graduate students, providing a unique opportunity to network and connect with industry professionals. Delve into the world of chemical engineering with us and discover how AIChE promotes excellence, ethics, diversity, and lifelong development in the profession. Don't miss this chance to expand your knowledge, grow your skills, and mingle with fellow ChemE enthusiasts at our upcoming event!", + "event_type":"hybrid", + "start_time":"2024-12-25 21:00:00", + "end_time":"2024-12-26 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Innovative Projects", + "Chemical Engineering", + "Lifelong Learning" + ] + }, + { + "id":"a30dd059-3cb0-4043-babc-6db229feca4f", + "club_id":"5d63c634-5dc2-4261-85ec-54c4487f8065", + "name":"Event for American Institute of Chemical Engineers of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the American Institute of Chemical Engineers of Northeastern University for an exciting afternoon of discovery and innovation! Our upcoming event features a fascinating student panel discussing the latest advancements in Chemical Engineering. Hear from industry experts as they share their insights and experiences, and get a behind-the-scenes look at cutting-edge research during our exclusive lab tours. Then, unwind and mingle with fellow members at our legendary ChemE Department BBQ, where connections are forged and ideas are sparked. Don't miss this opportunity to network with like-minded peers and gain valuable knowledge in a fun and welcoming environment!", + "event_type":"hybrid", + "start_time":"2025-04-22 22:15:00", + "end_time":"2025-04-23 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Student Organization", + "Lifelong Learning", + "Chemical Engineering", + "Innovative Projects" + ] + }, + { + "id":"e19c1dc3-4891-4cf2-8665-a20bc7bcd487", + "club_id":"5d63c634-5dc2-4261-85ec-54c4487f8065", + "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 informative Chem-E-Car Showcase event hosted by the American Institute of Chemical Engineers of Northeastern University! Get ready to witness the culmination of hard work and innovation as our talented students demonstrate their autonomous shoe box sized car powered by a chemical reaction. You'll have the opportunity to learn about the fascinating process involved in building the car, testing its performance, and adjusting reactants for optimal results. Don't miss this chance to experience the intersection of creativity, engineering, and competition in a fun and supportive environment!", + "event_type":"hybrid", + "start_time":"2024-12-25 19:30:00", + "end_time":"2024-12-25 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "STEM", + "Ethical Values", + "Lifelong Learning", + "Chemical Engineering" + ] + }, + { + "id":"590d7419-6b1e-440a-b4db-455c6113c67b", + "club_id":"55634b83-1739-4339-b697-4257c289fcea", + "name":"Event for American Society of Civil Engineers", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening evening as we host a lecture presented by a distinguished professional in the field of civil and environmental engineering. Our event provides a unique opportunity to dive deep into the latest trends and advancements within the industry, while connecting with like-minded individuals who share a passion for making a positive impact through engineering. Whether you're a seasoned professional or a curious student, this event promises to spark insightful discussions and foster valuable connections that can propel your career forward. Don't miss out on this engaging and enlightening experience brought to you by the American Society of Civil Engineers at Northeastern University!", + "event_type":"hybrid", + "start_time":"2024-04-22 19:00:00", + "end_time":"2024-04-22 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Civil Engineering", + "Environmental Science", + "Community Service", + "Engineering Organizations" + ] + }, + { + "id":"5121224a-efb0-491a-8692-fbef5784df56", + "club_id":"55634b83-1739-4339-b697-4257c289fcea", + "name":"Event for American Society of Civil Engineers", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening with the American Society of Civil Engineers where you'll have the opportunity to network with like-minded individuals in the civil and environmental engineering industry. Our special guest speaker, a seasoned professional in the field, will share insights and experiences that will inspire and educate attendees. Additionally, there will be group discussions and activities that aim to foster collaboration and skill development. Whether you're a student looking to explore career paths or a professional seeking to expand your network, this event promises to be both informative and enjoyable. Come be a part of our vibrant community dedicated to making a positive impact through engineering excellence!", + "event_type":"in_person", + "start_time":"2026-08-27 21:00:00", + "end_time":"2026-08-27 23:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Service", + "Civil Engineering", + "Engineering Organizations" + ] + }, + { + "id":"b729d4ab-7fd3-4bcd-ac5d-fda723b2f769", + "club_id":"39339bac-3b91-4269-811f-b92725e1f6aa", + "name":"Event for American Society of Mechanical Engineers", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming event where we will have industry professionals sharing their insights on the latest trends and technologies in the field of mechanical engineering. This is a fantastic opportunity to network, learn, and grow as a future engineer. We will also be offering a hands-on session on SolidWorks, a valuable skill to enhance your Co-op experience. Don't miss out on this chance to connect, learn, and take your engineering career to the next level!", + "event_type":"in_person", + "start_time":"2026-10-08 21:15:00", + "end_time":"2026-10-08 23:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Mechanical Engineering" + ] + }, + { + "id":"bcdae8c7-cafc-4252-a0b7-97a35d1651b7", + "club_id":"202ffa8f-699c-4373-b4d0-cd66db3864b8", + "name":"Event for Anime of NU", + "preview":"This club is holding an event.", + "description":"Join us this Saturday for a special Anime Marathon event at Anime of NU! We'll be watching a heartwarming slice-of-life anime followed by an action-packed series that will keep you on the edge of your seat. Come immerse yourself in the world of Japanese anime with fellow enthusiasts and experience the thrill of vibrant storytelling and engaging characters. After the screenings, we'll engage in lively discussions and share our thoughts and feelings about the shows. Don't miss this opportunity to connect with like-minded individuals and be part of our vibrant anime community. See you there!", + "event_type":"virtual", + "start_time":"2026-03-28 14:00:00", + "end_time":"2026-03-28 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Anime", + "Humor", + "Social Space" + ] + }, + { + "id":"2c043f60-16fc-4c75-bede-41182d8ca77f", + "club_id":"202ffa8f-699c-4373-b4d0-cd66db3864b8", + "name":"Event for Anime of NU", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming event at Anime of NU where we dive into the enchanting world of Japanese anime and culture! Immerse yourself in a heartwarming slice-of-life series filled with laughter and love, followed by an exhilarating action-packed anime that will keep you on the edge of your seat. Our club not only brings captivating stories to you every week but also serves as a welcoming social hub where you can connect with fellow enthusiasts. Don't miss out on the fun! Stay tuned for more details on the time and location, and be sure to join our Discord for the latest updates and a chance to vote on our next watchlist!", + "event_type":"hybrid", + "start_time":"2026-10-24 13:00:00", + "end_time":"2026-10-24 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Japanese Culture", + "Humor", + "Discussion", + "Community", + "Action", + "Social Space", + "Anime" + ] + }, + { + "id":"55051c06-28ca-4dc5-90b7-b1e1bfedbbd6", + "club_id":"2ce9ad2a-3625-4b17-9d9d-a6ecb9a23f81", + "name":"Event for Arab Students Association at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at the Arab Students Association at Northeastern University for a fun and insightful evening celebrating Arab culture and diversity! Meet fellow students who share your interest in the rich traditions and values of the Arab world. Engage in lively discussions, enjoy cultural performances, and savor delicious traditional snacks. Whether you are of Arab descent or simply curious about this vibrant culture, our event is the perfect opportunity to connect, learn, and broaden your horizons. Don't miss out on this chance to be part of a welcoming community that values academic and career success for all its members!", + "event_type":"in_person", + "start_time":"2024-12-20 20:15:00", + "end_time":"2024-12-21 00:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Human Rights", + "Multicultural" + ] + }, + { + "id":"09768103-fd1c-443b-acb6-b06ceef43b3d", + "club_id":"2ce9ad2a-3625-4b17-9d9d-a6ecb9a23f81", + "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 a cultural extravaganza! Immerse yourself in the vibrant colors, delicious flavors, and rich traditions of the Arab world. Meet fellow students who share a passion for discovering and celebrating diverse cultures. Whether you're of Arab descent or simply curious and eager to learn, this event offers a welcoming space to connect, exchange ideas, and embrace the beauty of cultural diversity. Come experience a night filled with engaging conversations, insightful perspectives, and the opportunity to forge lasting friendships. See you there!", + "event_type":"in_person", + "start_time":"2026-04-25 13:00:00", + "end_time":"2026-04-25 16:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Arts", + "Community Outreach", + "Middle Eastern" + ] + }, + { + "id":"318dc237-6d8b-4000-b898-3df90196bccb", + "club_id":"2ce9ad2a-3625-4b17-9d9d-a6ecb9a23f81", + "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 a cultural showcase and networking event! Immerse yourself in the vibrant Arab culture through traditional music, delicious cuisine, and engaging discussions. Whether you're of Arab descent or simply curious about the rich heritage, everyone is welcome to come together and celebrate diversity. Connect with fellow students passionate about promoting inclusivity and understanding, and learn about the resources available for academic and career support. Don't miss this opportunity to expand your cultural horizons and make meaningful connections within the Northeastern community!", + "event_type":"in_person", + "start_time":"2025-10-06 15:00:00", + "end_time":"2025-10-06 16:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Arts", + "Human Rights", + "Multicultural", + "Academic Support", + "Community Outreach" + ] + }, + { + "id":"a1dc50fc-f901-481b-bef8-cb136cba4b20", + "club_id":"07e7369d-e278-4a1f-a254-3586582b8697", + "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 a lively cultural extravaganza celebrating the rich heritage of Armenia! Our event will feature engaging presentations on Armenian history, language, music, dance, and current events, providing a vibrant showcase of our traditions. Whether you're an Armenian eager to reconnect with your roots or a non-Armenian curious to explore a new culture, this gathering is the perfect opportunity to immerse yourself in all things Armenian. Come meet our friendly members and partake in delicious Armenian cuisine while discovering the beauty of our community. Stay tuned for updates on this exciting event by following us on Instagram @asanortheastern or reaching out to our dedicated E-Board at asa@northeastern.edu. We can't wait to share this experience with you!", + "event_type":"virtual", + "start_time":"2025-12-14 19:15:00", + "end_time":"2025-12-14 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Education", + "Cultural" + ] + }, + { + "id":"d07ea532-db0d-404d-8338-550d75b2f3dc", + "club_id":"07e7369d-e278-4a1f-a254-3586582b8697", + "name":"Event for Armenian Student Association at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an immersive cultural experience at our upcoming event hosted by the Armenian Student Association at Northeastern University! Dive into the rich tapestry of Armenian history, language, music, dance, and delicious cuisine, while connecting with a vibrant community of members from all walks of life. Whether you're a seasoned ASA member or a newcomer curious to learn more, this event promises to be a delightful blend of education and fun. Stay tuned for more details on our Instagram @asanortheastern or reach out to our friendly E-Board at asa@northeastern.edu. We can't wait to share this enriching experience with you!", + "event_type":"in_person", + "start_time":"2026-01-06 17:30:00", + "end_time":"2026-01-06 18:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Student Organization" + ] + }, + { + "id":"fb0b82bb-347e-4fd9-bfef-9eac15d6ba11", + "club_id":"07e7369d-e278-4a1f-a254-3586582b8697", + "name":"Event for Armenian Student Association at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming cultural night event hosted by the Armenian Student Association at Northeastern University! Immerse yourself in an evening filled with vibrant Armenian history, traditional music and dance performances, language workshops, and of course, delicious Armenian cuisine. Whether you are a proud Armenian looking to connect with your roots or a curious non-Armenian eager to explore a new culture, this event is the perfect opportunity to experience the rich tapestry of Armenia. Our welcoming community is excited to share our heritage with you and invite you to be part of our diverse family. Stay updated on all our events by following us on Instagram @asanortheastern or reach out to our friendly E-Board at asa@northeastern.edu for more information. We can't wait to welcome you to our next event!", + "event_type":"in_person", + "start_time":"2026-04-17 17:00:00", + "end_time":"2026-04-17 21:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Education" + ] + }, + { + "id":"b1452ff7-a81b-45b6-90c0-322755f805e1", + "club_id":"188ff099-df5b-45a6-9055-def6657902cb", + "name":"Event for Art Blanche at NEU", + "preview":"This club is holding an event.", + "description":"Join us at Art Blanche at NEU for an exciting 'Figure Drawing Night' event where we will come together to practice our observational skills and capture the beauty of the human form through various art techniques. Whether you are a seasoned artist looking to refine your craft or a newcomer eager to learn, this event welcomes everyone to immerse themselves in the process of creating art. Our supportive environment encourages collaboration and growth, where attendees can receive feedback, guidance, and inspiration from fellow art enthusiasts. Let's gather, sketch, and celebrate the diverse expressions of creativity within our community!", + "event_type":"hybrid", + "start_time":"2024-10-21 12:00:00", + "end_time":"2024-10-21 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Visual Arts", + "Performing Arts", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"07136547-380d-4d64-8658-47596742df48", + "club_id":"188ff099-df5b-45a6-9055-def6657902cb", + "name":"Event for Art Blanche at NEU", + "preview":"This club is holding an event.", + "description":"Join us for a lively and enriching 'Life Drawing Session' at Art Blanche at NEU! This event is perfect for artists of all levels, from beginners looking to learn figure studies to experienced artists seeking inspiration and skill refinement. Our session will be a supportive space where attendees can freely express their creativity and receive constructive feedback. Art enthusiasts will have the opportunity to sketch from a live model, while also discussing techniques and insights with fellow members. Don't miss this chance to grow as an artist and be part of a vibrant artistic community!", + "event_type":"in_person", + "start_time":"2024-06-13 20:00:00", + "end_time":"2024-06-13 22:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Visual Arts" + ] + }, + { + "id":"ba4ad3fe-e9e1-496a-a2dd-4db972543f03", + "club_id":"963e93f3-310f-47bb-a345-bed2459f1634", + "name":"Event for Art4All", + "preview":"This club is holding an event.", + "description":"Join Art4All for our upcoming 'Art Showcase and Fundraiser' event! Experience a celebration of creativity and talent as students showcase their unique artworks in a virtual exhibition. Immerse yourself in a world of vibrant colors and diverse perspectives, as we come together to support and empower young creators. This event will feature live performances, interactive art activities, and opportunities to connect with artists and fellow art enthusiasts. Your participation helps us continue our mission of promoting accessibility, creativity, and education through the arts. Save the date and get ready to be inspired by the endless possibilities of artistic expression!", + "event_type":"virtual", + "start_time":"2024-12-02 18:30:00", + "end_time":"2024-12-02 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Visual Arts", + "Volunteerism", + "Creative Writing", + "Community Outreach" + ] + }, + { + "id":"4a4bd7d7-a3ba-4726-9f7d-de275ce74440", + "club_id":"963e93f3-310f-47bb-a345-bed2459f1634", + "name":"Event for Art4All", + "preview":"This club is holding an event.", + "description":"Join us at Art4All's annual Arts Showcase! This vibrant event celebrates the creativity and talent of our student artists, offering a colorful display of diverse artworks created with passion and dedication. From captivating paintings to unique sculptures, each piece showcases the individuality and unique perspective of our talented students. Attendees will have the opportunity to engage with the artists, learn about their inspirations, and even purchase artworks to support their artistic journey. Immerse yourself in a world of artistic expression, community collaboration, and creative empowerment at the Art4All Arts Showcase!", + "event_type":"hybrid", + "start_time":"2024-11-15 21:30:00", + "end_time":"2024-11-15 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"763bc540-85dc-49fa-996a-aa6d086b8af2", + "club_id":"64e193cd-d045-4ec1-8035-6de4b09d472e", + "name":"Event for Artificial Intelligence Club", + "preview":"This club is holding an event.", + "description":"Join us at the Artificial Intelligence Club for an exciting workshop on Deep Learning! Dive into the world of neural networks and explore the latest advancements in AI technology. Our expert guest speaker will guide you through hands-on projects and share insights on the transformative impact of Deep Learning in various fields. Whether you're a beginner or an AI enthusiast, this workshop offers a unique opportunity to expand your skills, connect with fellow AI enthusiasts, and be part of a vibrant community dedicated to harnessing the potential of artificial intelligence for positive change. Don't miss out on this enriching experience that will inspire and empower you to create cutting-edge innovations!", + "event_type":"hybrid", + "start_time":"2026-07-01 13:30:00", + "end_time":"2026-07-01 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Artificial Intelligence" + ] + }, + { + "id":"fe0d802b-e6ce-4769-8412-eea59e326e8e", + "club_id":"a3e03f05-69d7-4e4d-b1eb-adfa282dda62", + "name":"Event for Artistry Magazine", + "preview":"This club is holding an event.", + "description":"Join Artistry Magazine for an exciting evening celebrating the intersection of art and culture at our Art Showcase event! Experience a diverse display of student artworks, from stunning paintings to thought-provoking photography. Chat with fellow art enthusiasts and contributors while enjoying refreshments and live music. Whether you're an aspiring artist or simply appreciate creativity, this event is the perfect opportunity to immerse yourself in Northeastern's vibrant arts community. Don't miss out \u2013 come discover the talent and passion that make Artistry Magazine a hub of inspiration and collaboration!", + "event_type":"in_person", + "start_time":"2024-07-16 16:00:00", + "end_time":"2024-07-16 18:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Visual Arts", + "Creative Writing" + ] + }, + { + "id":"5c31bb46-6e60-49ec-b101-fc6b564290d2", + "club_id":"a3e03f05-69d7-4e4d-b1eb-adfa282dda62", + "name":"Event for Artistry Magazine", + "preview":"This club is holding an event.", + "description":"Join us at Artistry Magazine's Fall Meet and Greet event where you can mingle with fellow art enthusiasts, learn more about our organization, and discover exciting opportunities to get involved! Whether you're a writer bursting with creativity, a photographer with an eye for beauty, or a designer ready to make a visual impact, there's a place for you in our vibrant community. Connect with like-minded peers, share your passion for the arts, and explore the endless possibilities of creativity at Northeastern and beyond. Don't miss this chance to join a welcoming and dynamic group dedicated to celebrating art and culture in all its forms \u2013 see you there!", + "event_type":"in_person", + "start_time":"2026-03-26 18:00:00", + "end_time":"2026-03-26 19:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Creative Writing", + "Community Outreach", + "Photography" + ] + }, + { + "id":"07ad8cf1-2fcc-49df-b52a-f0609b3c7895", + "club_id":"e4b42a75-8046-4169-9bba-7e37518862b8", + "name":"Event for Asian American Center (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Asian American Center at Northeastern for an exciting cultural showcase celebrating the vibrant diversity of the Asian American community on campus. Experience traditional performances, interactive workshops, and insightful discussions that highlight the rich history and unique perspectives of Asian American identity. Whether you're a member of the community or simply interested in learning more, this event offers a welcoming space to engage in meaningful dialogue, forge connections, and celebrate the unity that comes from embracing our differences. Don't miss this opportunity to explore, learn, and celebrate together!", + "event_type":"virtual", + "start_time":"2026-09-26 13:30:00", + "end_time":"2026-09-26 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Asian American", + "Volunteerism", + "Creative Writing" + ] + }, + { + "id":"18fd5ac7-f1da-4ab1-a17a-04f1444b4a54", + "club_id":"b4f65c3e-1e96-46fc-b6d5-94e2c19fda9c", + "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 and insightful panel discussion on 'Navigating Legal Career Paths as an AAPI Law Student'. Hear from accomplished attorneys and alumni as they share their experiences, challenges, and triumphs in the legal field. This event is a great opportunity to network, gain valuable advice, and connect with like-minded peers. Whether you're an AAPI law student or simply interested in the legal profession, this event promises to be both informative and inspiring. Don't miss out on this enriching opportunity to broaden your horizons and expand your professional network!", + "event_type":"hybrid", + "start_time":"2025-04-04 15:15:00", + "end_time":"2025-04-04 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"531a86d4-f373-4eb9-9caa-316007bdd303", + "club_id":"fa9f31c6-992d-45c2-98f0-8ca13d1288a4", + "name":"Event for Asian Student Union", + "preview":"This club is holding an event.", + "description":"Join the Asian Student Union for an enriching Cultural Awareness Night, celebrating the vibrant diversity and rich heritage of Asian American communities. Immerse yourself in an evening filled with traditional music, art exhibitions, and interactive workshops showcasing the multifaceted beauty of Asian cultures. Connect with fellow students and community members, as we come together to share stories, foster understanding, and embrace unity. Whether you're a longstanding member or a curious newcomer, this event promises to leave you inspired and empowered with a deeper appreciation for the Asian American experience at Northeastern University and beyond.", + "event_type":"in_person", + "start_time":"2026-08-11 19:00:00", + "end_time":"2026-08-11 23:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Cultural Advocacy", + "Asian American", + "Human Rights", + "Community Outreach" + ] + }, + { + "id":"72d1b1bd-a8e9-4f17-be43-fbe666c5dfff", + "club_id":"fa9f31c6-992d-45c2-98f0-8ca13d1288a4", + "name":"Event for Asian Student Union", + "preview":"This club is holding an event.", + "description":"Join the Asian Student Union for a fun and enlightening event as we celebrate the rich tapestry of Asian American culture at Northeastern University. Engage with fellow students, alumni, and community members in a series of interactive workshops, performances, and discussions that showcase the vibrant spirit and unity of our community. Whether you're curious about Asian American experiences on campus or simply looking to connect with like-minded individuals, this event promises to be a memorable and rewarding experience for all who attend. Come be a part of our inclusive and supportive community as we come together to promote understanding, diversity, and cultural appreciation.", + "event_type":"virtual", + "start_time":"2025-04-13 22:30:00", + "end_time":"2025-04-14 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Asian American", + "Community Outreach", + "Cultural Advocacy" + ] + }, + { + "id":"ccf0ef5d-e21c-4d49-8f50-cf11a062e2d0", + "club_id":"9a91f4df-0e37-4963-8416-a367d63a3e1d", + "name":"Event for ASLA Adapt", + "preview":"This club is holding an event.", + "description":"Join us at ASLA Adapt's upcoming event where we will dive into the fascinating world of sustainable urban design! This interactive workshop will explore innovative approaches to landscape architecture, highlighting the importance of environmental conservation and sustainable practices in our rapidly evolving cities. Whether you're a seasoned landscape enthusiast or simply curious about how design can enhance our communities, this event is perfect for you. Engage with like-minded individuals, learn from industry experts, and be inspired to create a positive impact on our environment. Don't miss out on this opportunity to be a part of our mission to shape a greener, more resilient future through the power of landscape architecture!", + "event_type":"hybrid", + "start_time":"2025-12-11 14:00:00", + "end_time":"2025-12-11 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Environmental Science", + "Environmental Advocacy" + ] + }, + { + "id":"b78dacec-e557-4c8e-b117-bbae367d38e0", + "club_id":"0a3f2917-d7f8-43a1-991d-dab86f927a36", + "name":"Event for Aspiring Product Managers Club", + "preview":"This club is holding an event.", + "description":"Join the Aspiring Product Managers Club for an exciting workshop where industry experts will guide you through the fundamentals of product management. This interactive session will provide valuable insights, practical tips, and networking opportunities to help you kickstart your journey in the product management domain. Whether you're a seasoned professional or just starting out, this event is designed to inspire and equip you with the knowledge and skills needed to succeed in the dynamic world of product management. Don't miss out on this fantastic opportunity to learn, grow, and connect with like-minded individuals passionate about shaping the future of products!", + "event_type":"hybrid", + "start_time":"2025-12-01 22:00:00", + "end_time":"2025-12-01 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Entrepreneurship", + "Professional Development", + "Networking", + "Community Engagement" + ] + }, + { + "id":"ce14235e-6abe-4b81-82fa-ba1ff8400574", + "club_id":"0a3f2917-d7f8-43a1-991d-dab86f927a36", + "name":"Event for Aspiring Product Managers Club", + "preview":"This club is holding an event.", + "description":"Join the Aspiring Product Managers Club for an exciting evening of hands-on learning and networking at our upcoming Speaker Series event. Get inspired by industry professionals as they share their insights and experiences in the world of Product Management. Connect with like-minded individuals, ask questions, and gain valuable knowledge to kickstart your own journey. Don't miss this opportunity to expand your skills and grow within the dynamic field of product management!", + "event_type":"hybrid", + "start_time":"2025-09-27 21:15:00", + "end_time":"2025-09-27 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Engagement", + "Networking", + "Professional Development", + "Entrepreneurship" + ] + }, + { + "id":"8dc0afc4-3913-4796-82af-10cdf1c5ebd1", + "club_id":"0a3f2917-d7f8-43a1-991d-dab86f927a36", + "name":"Event for Aspiring Product Managers Club", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming Speaker Series event where industry experts will share their insights and experiences in the realm of Product Management. This engaging session will provide valuable knowledge and networking opportunities for aspiring product managers looking to break into the field. Don't miss out on this chance to learn from the best and connect with like-minded individuals passionate about all things product!", + "event_type":"virtual", + "start_time":"2025-12-25 20:15:00", + "end_time":"2025-12-25 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Engagement", + "Entrepreneurship", + "Professional Development", + "Technology" + ] + }, + { + "id":"983c67e1-4080-499c-8a32-95c53d0d7aa2", + "club_id":"68fcddf3-7cda-4003-970b-59eff62f2e7f", + "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 (ALPFA) at our upcoming Networking Mixer event! Connect with like-minded professionals and students in a friendly and welcoming environment while expanding your professional network. Our event will feature engaging conversations, opportunities to meet decision makers from Fortune 1000 partners, and insights on diverse career paths. Whether you are a college student looking to kickstart your career or a seasoned professional seeking new opportunities, our Networking Mixer is the perfect place to make valuable connections and grow your career. Don't miss out on this exciting opportunity to network, learn, and advance your professional journey with ALPFA!", + "event_type":"virtual", + "start_time":"2026-06-15 17:15:00", + "end_time":"2026-06-15 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Latin America", + "Networking" + ] + }, + { + "id":"cc835e6c-8b82-4325-ac15-eaad8e5c6362", + "club_id":"fd4eef65-4807-4977-b075-5fc7a290ccb7", + "name":"Event for Baja SAE Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for the annual Baja SAE Northeastern Tech Talk event where you'll get a behind-the-scenes look at our vehicle design process! From brainstorming innovative ideas and harnessing cutting-edge technology to hands-on fabrication and testing, our team members will showcase their passion for engineering in a fun and interactive setting. Whether you're a seasoned gearhead or just curious about the world of off-road racing, this event is perfect for anyone looking to dive into the world of automotive innovation and teamwork. Come meet our talented members, ask questions, and get inspired to join us on this thrilling journey of pushing boundaries and chasing victory on the race track!", + "event_type":"in_person", + "start_time":"2024-01-13 17:30:00", + "end_time":"2024-01-13 20:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Endurance Racing" + ] + }, + { + "id":"73dcb8ef-942d-4f19-8a55-ebe88bd257b9", + "club_id":"fd4eef65-4807-4977-b075-5fc7a290ccb7", + "name":"Event for Baja SAE Northeastern", + "preview":"This club is holding an event.", + "description":"Join Baja SAE Northeastern for an exhilarating hands-on experience at our annual Baja SAE design competition! Get ready to witness the culmination of hard work and innovation as teams from across the nation gather to showcase their off-road vehicles in thrilling challenges like rock crawls, hill climbs, and a demanding four-hour endurance race. Whether you're a seasoned engineer or new to the world of design and racing, our welcoming community will guide you through the engineering design cycle, CAD, manufacturing techniques, and much more. Come be a part of our close-knit team and unleash your potential as we strive to build a vehicle that will conquer the toughest obstacles and emerge victorious among peers globally. Mark your calendars and rev up your passion for unique challenges with us! See you at the competition!", + "event_type":"in_person", + "start_time":"2026-10-23 15:15:00", + "end_time":"2026-10-23 16:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Leadership Qualities", + "CAD", + "Vehicle Design", + "Management Skills", + "Engineering Design Cycle", + "Mechanical Engineering", + "Endurance Racing" + ] + }, + { + "id":"3004fcb0-8b13-470d-a482-4381093c7ff2", + "club_id":"fd4eef65-4807-4977-b075-5fc7a290ccb7", + "name":"Event for Baja SAE Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for our annual Baja Showcase Event, where you can dive into the world of off-road racing and witness firsthand the culmination of our team's hard work and dedication. Get up close and personal with our high-performance vehicle as we demonstrate its capabilities through thrilling rock crawls, heart-pounding hill climbs, and an epic four-hour endurance race. Whether you're a seasoned engineering enthusiast or just curious to learn more, this event is the perfect opportunity to engage with our passionate team members and experience the excitement of Baja SAE Northeastern. Mark your calendar and prepare for an unforgettable day of innovation, teamwork, and adrenaline-fueled fun!", + "event_type":"in_person", + "start_time":"2026-04-13 14:00:00", + "end_time":"2026-04-13 17:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Endurance Racing" + ] + }, + { + "id":"b712bafd-572d-4994-88e2-5536c895be01", + "club_id":"990c7d9d-6190-4d93-b996-944d555580b2", + "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 Workshop at Bake It Till You Make It! Whether you're a baking pro or just starting out, this event is perfect for all skill levels. Our club members will guide you in creating beautifully decorated cupcakes while sharing tips and tricks to elevate your baking game. Bring your creativity and sweet tooth, and let's sprinkle some joy and icing together!", + "event_type":"virtual", + "start_time":"2024-12-16 12:00:00", + "end_time":"2024-12-16 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Food", + "Creative Writing", + "Baking" + ] + }, + { + "id":"599f0bae-5525-435b-8a64-185588b71aa3", + "club_id":"990c7d9d-6190-4d93-b996-944d555580b2", + "name":"Event for Bake It Till You Make It", + "preview":"This club is holding an event.", + "description":"Join us at Bake It Till You Make It's upcoming 'Cupcake Extravaganza' event! Whether you're a master baker or a cupcake connoisseur-in-training, this fun-filled gathering is the perfect opportunity to unleash your creativity and indulge in the world of sweet treats. Get ready to swirl, sprinkle, and savor as we come together to bake, decorate, and share our favorite cupcake creations. No need to be a pro, just bring your passion for baking and an appetite for delicious delights. Let's mix, mingle, and make memories that are as sweet as frosting on a cupcake!", + "event_type":"hybrid", + "start_time":"2025-11-09 19:15:00", + "end_time":"2025-11-09 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Food", + "Creative Writing", + "Community Outreach", + "Baking" + ] + }, + { + "id":"66bf660f-3f7b-4aa3-946e-668228a6ea81", + "club_id":"99643d6d-19d6-4657-aa06-f42cbb2c3ad9", + "name":"Event for Baltic Northeastern Association", + "preview":"This club is holding an event.", + "description":"Join us at the Baltic Northeastern Association's upcoming event where we delve into the rich culinary heritage of the Baltic countries! This interactive cooking session will guide you through preparing some beloved traditional dishes, as we share stories and tips passed down through generations. Whether you're a seasoned chef or a novice in the kitchen, this event promises to be a flavorful journey that celebrates Baltic culture through the universal language of food. Get ready to chop, stir, and savor the flavors of the Baltics in a warm and welcoming atmosphere that embodies our club's spirit of cultural exchange and community building.", + "event_type":"virtual", + "start_time":"2024-08-14 21:30:00", + "end_time":"2024-08-14 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Film", + "Community Engagement", + "Visual Arts" + ] + }, + { + "id":"20a32992-deb1-481a-a778-86ff1e53ea06", + "club_id":"a48b9829-2487-43f5-81df-34087133886e", + "name":"Event for BAPS Campus Fellowship", + "preview":"This club is holding an event.", + "description":"Join the BAPS Campus Fellowship for an enlightening Diwali Celebration event! Delve into the vibrant traditions and festivities of the Hindu festival of lights with traditional food, music, and dance performances. Meet fellow students and learn more about the significance of Diwali while creating lasting memories together. All are welcome to come together and experience the joy and community spirit of this cherished cultural event!", + "event_type":"in_person", + "start_time":"2024-08-28 13:15:00", + "end_time":"2024-08-28 14:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Hinduism", + "Volunteerism" + ] + }, + { + "id":"f18a3879-a107-417b-b28d-756e9dbd6157", + "club_id":"874b5acf-3cd3-4ea3-8f09-bdaef4ce0ce1", + "name":"Event for Barkada", + "preview":"This club is holding an event.", + "description":"Join Barkada for an unforgettable evening of cultural celebration and community bonding at our annual Barrio Fiesta event! Immerse yourself in the vibrant sights and sounds of Filipino culture as we showcase traditional dances like Tinikling and sing along to classic OPM tunes. Indulge in delicious homemade Filipino dishes prepared with love by our talented members. Whether you're a seasoned member or a newcomer, everyone is welcome to join in the fun and experience the warmth and inclusivity that defines our Barkada family. Don't miss out on this opportunity to connect with new friends, learn about the richness of Filipino heritage, and create lasting memories together. See you there, kabarkada! \ud83c\udf89\ud83c\uddf5\ud83c\udded", + "event_type":"virtual", + "start_time":"2026-05-20 21:00:00", + "end_time":"2026-05-21 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"4eb44bd6-5405-418e-b008-381378724f22", + "club_id":"5f61afbe-3fbd-4383-9d09-9f5efb3f12c7", + "name":"Event for Bee Society", + "preview":"This club is holding an event.", + "description":"Join the Bee Society for a buzzing event where you can learn all about the fascinating world of pollinators! Our club is all about promoting pollinator interests and providing Northeastern students with the opportunity to get hands-on experience at our club hive. Come meet fellow students passionate about sustainability, environmental conservation, and the important role bees play in our ecosystem. Whether you're a seasoned beekeeper or a curious beginner, this event is the perfect opportunity to suit up and dive into the world of bees with us. Get ready to buzz with excitement and discover the magic of these tiny yet mighty creatures!", + "event_type":"in_person", + "start_time":"2026-08-20 21:15:00", + "end_time":"2026-08-20 22:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Environmental Science" + ] + }, + { + "id":"c744a546-571d-450a-9665-0c51c0dce2b0", + "club_id":"c1557565-1a46-4631-9d94-de5f60c11e54", + "name":"Event for Best Buddies", + "preview":"This club is holding an event.", + "description":"Join us for a heartwarming Night of Friendship event hosted by Best Buddies! Experience the joy of building meaningful connections and spreading love in our community. Meet our diverse group of college student volunteers who have formed incredible friendships with individuals with intellectual disabilities through our unique matching program. Together, we will celebrate inclusivity, compassion, and the beauty of friendship. Be part of this unforgettable evening filled with laughter, happiness, and the true spirit of Best Buddies!", + "event_type":"in_person", + "start_time":"2024-02-21 16:30:00", + "end_time":"2024-02-21 17:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Friendship", + "Community Outreach", + "Volunteerism", + "HumanRights" + ] + }, + { + "id":"fd26f775-1d34-4d78-abe8-62084508e7cd", + "club_id":"8c35a71b-6729-40ed-bedf-09b9fc100f1d", + "name":"Event for Beta Alpha Psi", + "preview":"This club is holding an event.", + "description":"Join Beta Alpha Psi for an exciting networking mixer where you can connect with fellow students and industry professionals in the accounting, finance, and information systems fields. This event is perfect for gaining insights into the latest trends and opportunities within the business information sector. Come and expand your knowledge, make valuable connections, and be part of a vibrant community that values excellence and professional development. Mark your calendars and don't miss out on this fantastic opportunity to grow your network and enhance your career prospects. RSVP now by emailing neubap@gmail.com to secure your spot!", + "event_type":"virtual", + "start_time":"2026-04-27 15:30:00", + "end_time":"2026-04-27 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Accounting", + "Management Information Systems", + "Community Outreach", + "Volunteerism", + "Ethics" + ] + }, + { + "id":"938304dd-50ad-421b-9769-b7a36416a8fb", + "club_id":"8c35a71b-6729-40ed-bedf-09b9fc100f1d", + "name":"Event for Beta Alpha Psi", + "preview":"This club is holding an event.", + "description":"Join Beta Alpha Psi for our annual Networking Mixer event, where students and professionals in the fields of Accounting, Finance, and Management Information Systems come together to connect, share experiences, and build valuable relationships. This vibrant gathering provides a platform for attendees to engage in meaningful conversations, learn from industry experts, and explore exciting career opportunities. Whether you're looking to expand your network, seek mentorship, or simply connect with like-minded individuals, our Networking Mixer offers a welcoming and inclusive environment for all. Be sure to RSVP by emailing neubap@gmail.com to secure your spot on our guest list!", + "event_type":"virtual", + "start_time":"2026-12-17 18:15:00", + "end_time":"2026-12-17 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Finance" + ] + }, + { + "id":"1b8f9bad-ba04-4b5f-8932-6d0a9f880204", + "club_id":"8c35a71b-6729-40ed-bedf-09b9fc100f1d", + "name":"Event for Beta Alpha Psi", + "preview":"This club is holding an event.", + "description":"Join Beta Alpha Psi at our annual networking night! This event is a fantastic opportunity for students and professionals in the fields of Accounting, Finance, and Management Information Systems to connect, share experiences, and build valuable relationships. Whether you're a seasoned professional or just starting out in your career, this event promises to provide insightful discussions, engaging activities, and a welcoming atmosphere. Don't miss out on this chance to expand your network and connect with like-minded individuals. Email neubap@gmail.com to RSVP and secure your spot on the guest list! We look forward to seeing you there!", + "event_type":"hybrid", + "start_time":"2026-07-21 16:30:00", + "end_time":"2026-07-21 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"b27940bc-c2f0-417e-93e1-d285649e2e5f", + "club_id":"09ea399c-6505-4fea-9f0a-9b3e0bfae7b5", + "name":"Event for Beta Beta Beta", + "preview":"This club is holding an event.", + "description":"Join Beta Beta Beta for a fascinating evening exploring the wonders of marine biology! Our guest speaker, Dr. Ocean Explorer, will take us on a virtual journey beneath the waves to discover the diverse marine life thriving in our oceans. Whether you're a seasoned marine biologist or simply curious about the underwater world, this event is the perfect opportunity to connect with like-minded individuals and deepen your knowledge of the oceanic environment. Don't miss out on this exciting chance to expand your horizons and dive into the intriguing realm of marine biology with Beta Beta Beta!", + "event_type":"virtual", + "start_time":"2026-11-12 21:15:00", + "end_time":"2026-11-12 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Biology", + "Community Outreach" + ] + }, + { + "id":"f5d80b09-7ae3-4972-9b1d-90da9ff27011", + "club_id":"09ea399c-6505-4fea-9f0a-9b3e0bfae7b5", + "name":"Event for Beta Beta Beta", + "preview":"This club is holding an event.", + "description":"Join Beta Beta Beta for an exciting seminar on the fascinating world of marine biology! Dive deep into the wonders of oceanic life as distinguished guest speakers share their expertise and insights. Whether you're an aspiring scientist or simply intrigued by the marine world, this event promises to inspire and educate. Don't miss this opportunity to connect with like-minded individuals and expand your knowledge in the biological sciences!", + "event_type":"virtual", + "start_time":"2026-05-25 16:30:00", + "end_time":"2026-05-25 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Biology", + "Volunteerism" + ] + }, + { + "id":"2ebcb523-a7d3-4d07-94f3-a31c03a2758e", + "club_id":"0b5478a6-bc16-488f-98cd-f7332e447d7a", + "name":"Event for Beta Chi Theta", + "preview":"This club is holding an event.", + "description":"Join Beta Chi Theta at Northeastern University for an exciting cultural showcase event celebrating South Asian heritage and promoting community unity. Immerse yourself in a night of engaging performances, traditional music, and delicious cuisine as we uphold our core values of Brotherhood, Tradition, and Service to Humanity. Meet our dedicated brothers who exemplify Academic Excellence and Social Responsibility, and learn about our commitment to fostering leadership and creating a strong, unified network. This event is sure to be a wonderful opportunity to connect, learn, and celebrate with the nation's premiere South Asian Interest Fraternity. Be a part of something special, join us at Beta Chi Theta!", + "event_type":"hybrid", + "start_time":"2025-08-12 13:15:00", + "end_time":"2025-08-12 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Asian American", + "Brotherhood", + "Academic Excellence", + "Service to Humanity", + "Leadership" + ] + }, + { + "id":"874cbef4-da80-4ccf-85e4-4828f94d92c3", + "club_id":"0b5478a6-bc16-488f-98cd-f7332e447d7a", + "name":"Event for Beta Chi Theta", + "preview":"This club is holding an event.", + "description":"Join the Beta Chi Theta fraternity for an exciting Cultural Night showcasing the rich diversity and talents of our members! Experience a vibrant mix of traditional South Asian music, dance performances, and delicious cuisine that will transport you to a world of celebration and unity. Mingle with our dedicated brothers who embody the values of Brotherhood, Tradition, and Service to Humanity, while fostering a sense of community and leadership within Northeastern University. Don't miss this opportunity to witness the excellence and camaraderie that define the Alpha Alpha Chapter of Beta Chi Theta!", + "event_type":"hybrid", + "start_time":"2025-06-26 15:15:00", + "end_time":"2025-06-26 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Asian American", + "Leadership" + ] + }, + { + "id":"a6159dcc-d7b2-46e1-81d7-a81fb3954296", + "club_id":"0b5478a6-bc16-488f-98cd-f7332e447d7a", + "name":"Event for Beta Chi Theta", + "preview":"This club is holding an event.", + "description":"Join us on Saturday for our annual Beta Chi Theta Brotherhood Retreat, where brothers from the Alpha Alpha Chapter gather for a day filled with team-building activities, leadership workshops, and bonding sessions. This event is a great opportunity to connect with fellow members, strengthen relationships, and immerse yourself in the core values of our fraternity while enjoying delicious food and lively conversations. Whether you're a seasoned brother or a new member, this retreat promises to be a memorable experience that embodies our commitment to brotherhood, tradition, and personal growth.", + "event_type":"virtual", + "start_time":"2025-07-25 21:15:00", + "end_time":"2025-07-26 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Service to Humanity" + ] + }, + { + "id":"2bed4707-d81d-4751-967a-2d862e1acf88", + "club_id":"1d84d1e7-38b2-407a-bdf9-3cb452fea748", + "name":"Event for Beta Gamma Epsilon", + "preview":"This club is holding an event.", + "description":"Join Beta Gamma Epsilon for our annual Engineering Innovation Showcase! Celebrating the brilliant minds of our members, this event features exciting project demonstrations, insightful discussions on the latest technological advancements, and networking opportunities with industry professionals. Whether you're a current member, a prospective recruit, or simply curious about the innovative work happening within our fraternity, this event is not to be missed. Come be inspired, connect with like-minded individuals, and be a part of the engineering excellence that defines Beta Gamma Epsilon!", + "event_type":"in_person", + "start_time":"2024-08-24 18:30:00", + "end_time":"2024-08-24 21:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "History" + ] + }, + { + "id":"b8eba2eb-50e4-463c-af7a-f17f513fdc7b", + "club_id":"1d84d1e7-38b2-407a-bdf9-3cb452fea748", + "name":"Event for Beta Gamma Epsilon", + "preview":"This club is holding an event.", + "description":"Join Beta Gamma Epsilon for our annual Engineering Innovation Showcase! This exciting event brings together brilliant minds from diverse engineering and science fields to showcase their cutting-edge projects and collaborate on future innovations. Whether you're a member of BΓE or just curious about the latest in tech and science, you're invited to mingle, learn, and be inspired by the incredible creativity on display. Don't miss this opportunity to connect with like-minded peers and industry professionals, all while enjoying delicious refreshments and engaging conversations. Come be a part of this vibrant community that celebrates innovation and excellence!", + "event_type":"in_person", + "start_time":"2025-11-22 19:30:00", + "end_time":"2025-11-22 20:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Computer Science" + ] + }, + { + "id":"faeee1fc-e51a-4ac1-9f10-eb8f0db48023", + "club_id":"1d84d1e7-38b2-407a-bdf9-3cb452fea748", + "name":"Event for Beta Gamma Epsilon", + "preview":"This club is holding an event.", + "description":"Join Beta Gamma Epsilon for our annual Tech Showcase event, where engineering and science enthusiasts come together to celebrate innovation and creativity. Experience firsthand the cutting-edge projects and research our members have been working on, mingle with like-minded individuals, and enjoy a night filled with inspiring conversations and new connections. Whether you're a seasoned developer or just starting your academic journey in the STEM fields, this event promises to be a unique opportunity to engage with the thriving community of BΓE and witness the impact of our fraternity's legacy in shaping the future of technology. Don't miss out on this exciting evening of discovery and exploration!", + "event_type":"virtual", + "start_time":"2025-12-19 13:00:00", + "end_time":"2025-12-19 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "History", + "Engineering" + ] + }, + { + "id":"67359725-9455-43b7-b317-ea73f84e3ff4", + "club_id":"ce6f0b07-8145-4b18-99c0-5889dd5e6037", + "name":"Event for Beta Theta Pi", + "preview":"This club is holding an event.", + "description":"Join the Beta Theta Pi club at the Eta Zeta Chapter for an exciting evening of brotherhood and camaraderie! Discover what it means to be part of a community dedicated to unsullied friendship and fidelity, where members are committed to serving both their university and the surrounding communities through acts of service, philanthropy, and leadership. Engage in meaningful conversations, forge lasting connections, and be a part of a strong network that values excellence in morals, academics, professionalism, and social interactions. Come see how you can be part of something truly special and impactful!", + "event_type":"virtual", + "start_time":"2026-06-03 15:30:00", + "end_time":"2026-06-03 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Community Outreach", + "Music", + "Service", + "Philanthropy" + ] + }, + { + "id":"0ca81725-c1d9-4d96-bbbd-173f106d2f7b", + "club_id":"f3953c60-8b9c-4bf5-a0bf-36186d653277", + "name":"Event for Big Sister Boston Northeastern", + "preview":"This club is holding an event.", + "description":"Join Big Sister Boston Northeastern for an empowering evening of inspiration and connection! Our event, 'Redefining Leadership: Femme Student Panel Discussion', invites you to hear from a diverse panel of accomplished femmes sharing their journeys and insights on leadership. Engage in thought-provoking conversations, network with like-minded individuals, and discover how you can step into your own leadership potential. Whether you're a student looking to make a difference on campus or simply eager to connect with a supportive community, this event is the perfect opportunity to fuel your passions and grow as a leader. Don't miss out on this enriching experience tailored for femme students ready to spark change and create impact!", + "event_type":"hybrid", + "start_time":"2026-06-02 16:15:00", + "end_time":"2026-06-02 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Women's Leadership", + "Human Rights", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"24d2f0c1-21d1-42d2-97d9-c084930672b1", + "club_id":"870d6905-1761-4ee8-85d8-fddd67305d17", + "name":"Event for Biochemistry Club", + "preview":"This club is holding an event.", + "description":"Join us at our next Biochemistry Club meeting where we will be hosting a panel discussion on co-op experiences in the field. Our panelists will share their insights and tips on securing and thriving in a biochemistry-related co-op position. Whether you're a seasoned co-op veteran or exploring this opportunity for the first time, this event is perfect for gathering valuable information and connecting with like-minded peers. Don't miss out on this fantastic opportunity to grow your network and knowledge within the energetic Biochemistry Club community!", + "event_type":"hybrid", + "start_time":"2024-10-11 21:30:00", + "end_time":"2024-10-12 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "HumanRights", + "Neuroscience", + "Community Outreach", + "Chemistry", + "Biology" + ] + }, + { + "id":"5403008e-b354-4838-95d2-b4fc108e95ca", + "club_id":"870d6905-1761-4ee8-85d8-fddd67305d17", + "name":"Event for Biochemistry Club", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening at the Biochemistry Club's next meeting! Get ready to connect with fellow Biochemistry enthusiasts, hear from industry professionals, and learn about exciting research opportunities in the field. Our club meetings are not only informative but also a great way to build your network and discover potential career paths in Biochemistry. Don't miss out on this chance to expand your knowledge and make meaningful connections - we can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2024-07-18 17:30:00", + "end_time":"2024-07-18 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Chemistry", + "Community Outreach" + ] + }, + { + "id":"9b93bc2a-97c5-47f4-a80d-64a424a808b1", + "club_id":"870d6905-1761-4ee8-85d8-fddd67305d17", + "name":"Event for Biochemistry Club", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming Biochemistry Club meeting where we will have a special guest speaker from the biotech industry sharing insights on the latest advancements in genetic engineering. It's a fantastic opportunity to learn about cutting-edge technologies, ask questions, and connect with like-minded individuals passionate about the field. Whether you're a seasoned Biochemistry major or just curious about the subject, all are welcome to attend and engage in enriching discussions. Don't miss out on this exciting opportunity to broaden your knowledge and network with professionals in the field!", + "event_type":"virtual", + "start_time":"2025-01-23 21:15:00", + "end_time":"2025-01-23 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Chemistry", + "Biology", + "Community Outreach" + ] + }, + { + "id":"2767c3c1-151d-400f-9605-20f4a15f7187", + "club_id":"22d64127-7d48-4b8c-ac04-04182b86cd4a", + "name":"Event for Bioengineering Graduate Student Council", + "preview":"This club is holding an event.", + "description":"Join the Bioengineering Graduate Student Council for a fun night of networking and socializing! Connect with your fellow bioengineering graduate students and enjoy engaging conversations over refreshments. This event is a great opportunity to expand your academic network and build connections that can support your career journey. Don't miss out on this chance to be part of a vibrant community that values your academic and personal growth. See you there!", + "event_type":"hybrid", + "start_time":"2024-12-08 14:15:00", + "end_time":"2024-12-08 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Bioengineering", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"d1eb520d-1894-44fd-9ce4-19827edd0de5", + "club_id":"22d64127-7d48-4b8c-ac04-04182b86cd4a", + "name":"Event for Bioengineering Graduate Student Council", + "preview":"This club is holding an event.", + "description":"Join the Bioengineering Graduate Student Council as we host our annual Welcome Mixer! This fun-filled event is a great opportunity for bioengineering graduate students to connect with peers, meet the council members, and learn about the exciting events and resources we have planned for the upcoming academic year. Come enjoy music, games, and refreshments while expanding your network and getting involved in the vibrant community that the BioE GSC has to offer. Whether you are a new student looking to make friends or a returning member seeking new opportunities, this mixer is the perfect way to kick off a successful and fulfilling academic journey with us!", + "event_type":"in_person", + "start_time":"2025-02-14 16:30:00", + "end_time":"2025-02-14 17:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Bioengineering", + "Volunteerism" + ] + }, + { + "id":"a1061552-84ab-4fc2-bfe9-657c5689e47c", + "club_id":"22d64127-7d48-4b8c-ac04-04182b86cd4a", + "name":"Event for Bioengineering Graduate Student Council", + "preview":"This club is holding an event.", + "description":"Join the Bioengineering Graduate Student Council for an engaging networking mixer at the campus courtyard! Connect with like-minded peers, industry professionals, and faculty members while enjoying refreshments and insightful conversations about the latest trends in bioengineering research. Whether you're a new student looking to expand your network or a seasoned researcher seeking collaboration opportunities, this event is the perfect platform to foster relationships and enhance your academic journey. We can't wait to welcome you into our vibrant community of aspiring bioengineers!", + "event_type":"hybrid", + "start_time":"2026-09-05 14:15:00", + "end_time":"2026-09-05 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Bioengineering" + ] + }, + { + "id":"b48474d7-0b78-4482-b348-8c459678ac1b", + "club_id":"e2c2f9a6-a116-4ad2-8f3b-2f8820d6565d", + "name":"Event for Biology Club", + "preview":"This club is holding an event.", + "description":"Join the Biology Club for a riveting guest speaker event featuring a renowned scientist in the field sharing insights on groundbreaking research and new discoveries within the realm of biology. Don't miss this opportunity to expand your knowledge, network with like-minded peers, and gain valuable exposure to the exciting world of scientific exploration. Refreshments will be provided, and attendees are encouraged to bring their curiosity and enthusiasm for all things biology!", + "event_type":"virtual", + "start_time":"2025-11-08 20:00:00", + "end_time":"2025-11-09 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Biology", + "Volunteerism", + "Community Outreach", + "Neuroscience", + "Environmental Science" + ] + }, + { + "id":"a7739092-0384-4471-a726-8db3140f7061", + "club_id":"e2c2f9a6-a116-4ad2-8f3b-2f8820d6565d", + "name":"Event for Biology Club", + "preview":"This club is holding an event.", + "description":"Join the Biology Club for an exciting and educational visit to the local aquarium! Dive into the world of marine biology as we explore the fascinating array of underwater creatures and ecosystems. It's a fantastic opportunity to network with fellow biology enthusiasts, learn about potential career paths, and simply have a blast surrounded by our club community. Get ready for a day filled with discovery, laughter, and of course, some fin-tastic fun!", + "event_type":"in_person", + "start_time":"2025-08-03 17:00:00", + "end_time":"2025-08-03 19:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Neuroscience", + "Biology" + ] + }, + { + "id":"15a4fb8f-5527-45f0-a2cc-93db8ca83cfd", + "club_id":"e2c2f9a6-a116-4ad2-8f3b-2f8820d6565d", + "name":"Event for Biology Club", + "preview":"This club is holding an event.", + "description":"Join the Biology Club for an exciting co-op panel event where you can gain valuable insights into professional opportunities in the biology field! Engage with industry experts and alumni as they share their experiences and offer advice for your future career. Whether you're a freshman beginning to explore your options or a senior preparing for graduation, this event is a fantastic opportunity to network, learn, and be inspired. Plus, don't miss out on the chance to connect with like-minded peers and possibly even discover your next career opportunity. Get ready for an informative, engaging, and inspiring evening that could shape your future in the world of biology!", + "event_type":"virtual", + "start_time":"2026-10-12 17:15:00", + "end_time":"2026-10-12 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Environmental Science", + "Volunteerism" + ] + }, + { + "id":"11bead36-269d-43ed-b282-a42b4bc19006", + "club_id":"a717828b-91af-4465-9bce-8d9c56a4dd33", + "name":"Event for Biomedical Engineering Society", + "preview":"This club is holding an event.", + "description":"Join the Biomedical Engineering Society for an exciting evening of exploring the world of medical devices! Our guest speaker, a renowned Biomedical Engineer, will walk us through groundbreaking technologies and innovative projects in the field. You'll have the chance to network with like-minded peers and get a behind-the-scenes look at the latest advancements shaping the future of healthcare. Whether you're a seasoned Biomedical Engineering enthusiast or just curious to learn more, this event promises to enlighten and inspire all who attend. Don't miss out on this unique opportunity to deepen your knowledge and passion for Biomedical Engineering!", + "event_type":"hybrid", + "start_time":"2025-11-25 22:30:00", + "end_time":"2025-11-26 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Neuroscience" + ] + }, + { + "id":"875e614b-6e37-4848-8f3c-e35a7c60a638", + "club_id":"953da9ab-ee3c-4a06-bac7-3117829b702a", + "name":"Event for Bipartisan Disagreement", + "preview":"This club is holding an event.", + "description":"Join Bipartisan Disagreement at their upcoming event, 'Bridging Perspectives: A Night of Constructive Conversations'. This engaging evening will feature lively discussions led by guest speakers from various political backgrounds, followed by an interactive Q&A session where all attendees are encouraged to share their viewpoints in a respectful and inclusive environment. Whether you're a seasoned political enthusiast or just starting to explore different ideologies, this event promises to broaden your understanding and connect you with like-minded individuals who value mutual understanding over division. Don't miss this opportunity to be a part of a community dedicated to fostering meaningful dialogues and seeking common ground for a better future!", + "event_type":"virtual", + "start_time":"2025-03-21 23:30:00", + "end_time":"2025-03-22 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Public Policy" + ] + }, + { + "id":"a04700bf-f3b5-4f3e-9c09-e3671cf6a87b", + "club_id":"953da9ab-ee3c-4a06-bac7-3117829b702a", + "name":"Event for Bipartisan Disagreement", + "preview":"This club is holding an event.", + "description":"Join Bipartisan Disagreement for a thought-provoking panel discussion on climate change policy. Our diverse panel of experts will explore different approaches to tackling this critical issue, with the goal of finding common ground and innovative solutions. This event is open to all students and community members who are passionate about creating a sustainable future. Don't miss this opportunity to engage in respectful dialogue and expand your perspectives on a pressing global challenge!", + "event_type":"virtual", + "start_time":"2024-07-19 14:00:00", + "end_time":"2024-07-19 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Public Policy", + "Political Science", + "Volunteerism", + "Community Outreach", + "Journalism" + ] + }, + { + "id":"175c71c1-8728-494f-b500-050507d12bc9", + "club_id":"953da9ab-ee3c-4a06-bac7-3117829b702a", + "name":"Event for Bipartisan Disagreement", + "preview":"This club is holding an event.", + "description":"Join us for an engaging panel discussion on bipartisan collaboration in today's political landscape! We'll have distinguished speakers sharing their insights and experiences on finding common ground, followed by a Q&A session where you can interact with the panelists. This event is open to all students and community members who are interested in learning more about how we can work together across party lines for the greater good. Don't miss this opportunity to be part of a respectful and constructive conversation that aims to bridge divides and promote unity!", + "event_type":"virtual", + "start_time":"2026-08-09 17:15:00", + "end_time":"2026-08-09 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"e00fa1d9-1214-4295-b749-27e43a75cb4f", + "club_id":"5dbb3715-68fb-4e7a-a4de-37b09a24587e", + "name":"Event for Black Athlete Caucus ", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening evening event hosted by the Black Athlete Caucus at Northeastern University! Get ready to engage with inspirational guest speakers who will share their wisdom and experiences with our Black student-athletes community. Connect with fellow athletes, participate in fundraising activities, and collaborate with us on community initiatives. This is a wonderful opportunity to be heard, make new friends, and take proactive steps towards positive change within our athletic administration. We welcome all Black student-athletes at Northeastern University to come together, network, and create a supportive and empowering environment for everyone.", + "event_type":"virtual", + "start_time":"2025-03-20 12:00:00", + "end_time":"2025-03-20 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"a97d6cc8-9c7f-4adc-97fd-7e38a7cd2c26", + "club_id":"63252198-df49-4979-a324-5de18bf95770", + "name":"Event for Black Business Student Association", + "preview":"This club is holding an event.", + "description":"Join us at the Black Business Student Association for our Networking Mixer event! This is a fantastic opportunity for students to connect with fellow peers, industry professionals, and alumni. Come enjoy engaging conversations, make valuable connections, and learn about exciting career opportunities. Whether you're a business major or just interested in entrepreneurship, this event is perfect for anyone looking to expand their network and grow both personally and professionally. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2026-07-04 17:30:00", + "end_time":"2026-07-04 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "African American" + ] + }, + { + "id":"8bc2f72c-6b28-425a-b6bb-b4b62e97e987", + "club_id":"42af7bc7-f76d-4169-b86c-57d0f02b6c41", + "name":"Event for Black Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming event 'Bible Study & Fellowship Night' hosted by the Black Christian Fellowship! Experience an evening filled with engaging discussions, uplifting messages, and a sense of community like no other. Dive deep into the word of God as we come together to learn, grow, and support each other in our faith journeys. Whether you're a seasoned believer or just starting out, all are welcome to join this warm and inclusive gathering where we explore how to apply biblical teachings to our daily lives. Mark your calendars for an enriching and spirit-filled event that promises to leave you inspired and connected with fellow students seeking to live out Christ's teachings in a meaningful way.", + "event_type":"virtual", + "start_time":"2024-05-12 23:15:00", + "end_time":"2024-05-13 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "HumanRights", + "Christianity", + "African American" + ] + }, + { + "id":"d559ac41-429d-4a8f-b90f-5412c7df862a", + "club_id":"42af7bc7-f76d-4169-b86c-57d0f02b6c41", + "name":"Event for Black Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join the Black Christian Fellowship for a special evening of worship and fellowship! Come experience the joy of community as we gather to praise and worship together. Our event will feature live music, heartfelt prayers, and engaging discussions centered around our faith journey. Whether you're a long-time member or a newcomer, all are welcome to join us in this time of spiritual growth and connection. Don't miss this opportunity to nourish your soul and build lasting relationships with fellow believers!", + "event_type":"in_person", + "start_time":"2024-07-09 17:00:00", + "end_time":"2024-07-09 21:00:00", + "link":"", + "location":"Marino", + "tags":[ + "African American" + ] + }, + { + "id":"0636ef6d-7a5a-43bc-bb94-05c572cceb75", + "club_id":"73850254-fcbb-4e16-8345-7e51277c7aae", + "name":"Event for Black Engineering Student Society", + "preview":"This club is holding an event.", + "description":"Join us for our annual STEM Fair, hosted by the Black Engineering Student Society! This exciting event is a celebration of diversity and innovation in the fields of science, technology, engineering, and math. Connect with industry professionals, explore internship opportunities, and engage in hands-on workshops and demonstrations. All students, regardless of major, are encouraged to attend and discover the endless possibilities that STEM has to offer. Come be a part of our supportive community and let your passion for engineering and technology thrive with us!", + "event_type":"virtual", + "start_time":"2025-09-23 20:00:00", + "end_time":"2025-09-23 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Professional Development", + "African American" + ] + }, + { + "id":"10f8848b-c354-49b4-b2c9-114db40200f4", + "club_id":"f37a2de9-803c-4cf3-94d0-39dbd2a0a416", + "name":"Event for Black Islamic Association", + "preview":"This club is holding an event.", + "description":"Join the Black Islamic Association for an engaging evening of 'Black Muslim History & Heritage'. This event will delve into the significant contributions and achievements of Black Muslims throughout history, shedding light on the often overlooked narratives within the Islamic world. From dynamic discussions to interactive presentations, participants will leave with a newfound appreciation for the rich cultural tapestry woven by Black Muslims. Whether you're a history enthusiast or simply eager to broaden your understanding, this event promises to be both enlightening and inspiring. Come connect with like-minded individuals and embark on a journey of discovery and celebration!", + "event_type":"hybrid", + "start_time":"2024-02-05 20:30:00", + "end_time":"2024-02-05 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "HumanRights" + ] + }, + { + "id":"b422e062-305b-4987-87d0-8b6693dbb157", + "club_id":"f37a2de9-803c-4cf3-94d0-39dbd2a0a416", + "name":"Event for Black Islamic Association", + "preview":"This club is holding an event.", + "description":"Join the Black Islamic Association for an enlightening evening centered around the theme of resilience and empowerment in the Black Muslim community. Dive into shared personal stories, engage in thought-provoking discussions on the intersection of Black and Islamic identities, and partake in uplifting activities that celebrate the diversity and strength within our community. This event is a unique opportunity to connect, learn, and grow together in a warm and inclusive atmosphere that highlights the important contributions of Black Muslims to the Islamic world. Come join us and be a part of a transformative experience that fosters unity and understanding among all attendees.", + "event_type":"in_person", + "start_time":"2024-11-18 21:00:00", + "end_time":"2024-11-19 00:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Islam" + ] + }, + { + "id":"2bdf8680-06c5-4394-a014-0f17019c5adb", + "club_id":"7bd504d7-8c11-44c4-97a1-a51c4a481ac7", + "name":"Event for Black Law Student Association, Kemet Chapter", + "preview":"This club is holding an event.", + "description":"Join us for an engaging networking event where members and guests can connect with legal professionals and fellow students of Black-African descent to share experiences, insights, and opportunities. This interactive session will feature guest speakers who will discuss the importance of diversity in the legal field and provide guidance on navigating the challenges and maximizing the potential for success. Whether you are a seasoned legal expert or just starting your journey, this event offers a supportive environment to learn, grow, and empower each other in pursuing our legal aspirations. Come be a part of a community that values inclusivity, empowerment, and advocacy for students of Black-African descent!", + "event_type":"virtual", + "start_time":"2024-01-25 14:15:00", + "end_time":"2024-01-25 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Legal Studies", + "Community Outreach", + "African American" + ] + }, + { + "id":"bf1dad25-c8ae-4657-a126-10ef76d76ffa", + "club_id":"b475aca8-72f4-4fcc-bf9d-7aca87e0705e", + "name":"Event for Blockchain@NEU", + "preview":"This club is holding an event.", + "description":"Join us at Blockchain@NEU's next event, where we will dive into the exciting world of decentralized finance (DeFi)! Whether you're a newbie or a seasoned blockchain enthusiast, our event promises insightful discussions, engaging workshops, and networking opportunities with industry experts and fellow enthusiasts. Discover how DeFi is revolutionizing finance and explore the potential impact on various industries. Don't miss this chance to connect with a diverse community of students, researchers, and professionals passionate about blockchain technology. Mark your calendar and join us for an evening filled with learning, collaboration, and inspiration!", + "event_type":"hybrid", + "start_time":"2024-06-18 17:15:00", + "end_time":"2024-06-18 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Blockchain", + "Community Outreach", + "Technology" + ] + }, + { + "id":"8f6c24cf-a6a5-45fa-962a-e82ba92ccd3b", + "club_id":"cee30d57-1a32-4ac4-abe6-07a06a70c220", + "name":"Event for Boston Health Initiative at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Boston Health Initiative at Northeastern University for our upcoming community health fair! As a student-led organization dedicated to advocating for health equity and providing health education in underserved Boston communities, we are excited to offer a day filled with informative workshops, interactive activities, and resources to promote a healthier lifestyle. Volunteers, including our dedicated undergraduate workforce, will be on hand to share their health knowledge and experiences with attendees. Don't miss this opportunity to learn more about our mission to make comprehensive, equitable health education the standard. Everyone is welcome to participate in this inclusive and engaging event!", + "event_type":"virtual", + "start_time":"2025-03-15 17:15:00", + "end_time":"2025-03-15 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "LGBTQ", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"bb4b7c05-a9f1-4f89-91fd-a5e629bc071b", + "club_id":"21a40830-071b-46d5-8b6b-0a8fe3dd6b5d", + "name":"Event for Botanical Society of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Botanical Society of Northeastern University in our upcoming 'Herbal Harvest' event, where we will explore the fascinating world of herbal plants. Dive into the secrets of herbal medicine, learn about sustainable gardening practices, and connect with fellow plant enthusiasts. This hands-on workshop will provide a unique opportunity to expand your knowledge of botanical wonders and promote environmental wellness. All are welcome to join us in this exciting journey to cultivate a deeper understanding and appreciation for the natural world. Don't miss out on this enriching experience! Reach out to us at nubsinfo@gmail.com for more details and to RSVP.", + "event_type":"hybrid", + "start_time":"2024-11-24 17:15:00", + "end_time":"2024-11-24 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Environmental Science", + "Botany", + "Nature", + "Community Outreach" + ] + }, + { + "id":"3935fdef-ff74-4672-8f73-676b66e3da62", + "club_id":"21a40830-071b-46d5-8b6b-0a8fe3dd6b5d", + "name":"Event for Botanical Society of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at the Botanical Society of Northeastern University for our upcoming 'Plant Care Workshop'! Whether you're a seasoned gardener or just starting to explore the world of plants, this interactive workshop is perfect for all levels of experience. Our knowledgeable guest speaker will guide attendees through essential plant care tips, from proper watering techniques to understanding soil health. Bring your own plant for personalized advice and be prepared to connect with fellow plant enthusiasts. Don't miss this opportunity to grow your green thumb and cultivate new friendships with like-minded individuals!", + "event_type":"hybrid", + "start_time":"2024-03-16 16:30:00", + "end_time":"2024-03-16 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Botany", + "Environmental Science", + "Nature", + "Community Outreach" + ] + }, + { + "id":"905171ca-e6c5-46a7-b308-c78fe8a5268d", + "club_id":"1c9dd4fd-cdbf-4a43-a6cb-3832471b0161", + "name":"Event for Brazilian Jiu Jitsu at Northeastern University", + "preview":"This club is holding an event.", + "description":"Come join us for our monthly open mat session at Brazilian Jiu Jitsu at Northeastern University! Whether you're a beginner looking to learn the fundamentals or a seasoned grappler seeking challenging rolls, this event is perfect for everyone. Our experienced coaches will be on hand to offer guidance and support, creating a welcoming and inclusive environment for all. Don't miss this opportunity to improve your skills, make new friends, and have a great time on the mats. Be sure to follow us on Instagram @northeasternbjj for updates, and join our Discord community at https://discord.gg/3RuzAtZ4WS to stay connected with fellow practitioners and stay updated on all our upcoming events. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2026-12-01 23:00:00", + "end_time":"2026-12-02 03:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Brazilian Jiu Jitsu", + "LGBTQ", + "Community Outreach", + "Environmental Advocacy" + ] + }, + { + "id":"60d668cd-5ccc-45d4-9d6f-57965f9b168a", + "club_id":"1c9dd4fd-cdbf-4a43-a6cb-3832471b0161", + "name":"Event for Brazilian Jiu Jitsu at Northeastern University", + "preview":"This club is holding an event.", + "description":"Come join us for a fun and energetic Brazilian Jiu Jitsu training session at Northeastern University! Whether you're a beginner looking to learn the basics or an experienced practitioner wanting to refine your skills, our inclusive and supportive environment welcomes everyone. Our passionate instructors will guide you through drills, techniques, and sparring sessions to help you grow as a martial artist. Don't miss this opportunity to enhance your Jiu Jitsu journey and connect with fellow enthusiasts. Remember to check our Discord server for updates and join our Instagram community @northeasternbjj for more exciting content!", + "event_type":"virtual", + "start_time":"2024-05-20 14:00:00", + "end_time":"2024-05-20 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Environmental Advocacy" + ] + }, + { + "id":"fbdc40f6-492f-4384-adcf-baa9b403f2bd", + "club_id":"1c9dd4fd-cdbf-4a43-a6cb-3832471b0161", + "name":"Event for Brazilian Jiu Jitsu at Northeastern University", + "preview":"This club is holding an event.", + "description":"Come join Brazilian Jiu Jitsu at Northeastern University for an exciting Open Mat session this Saturday! Whether you're a beginner or a seasoned grappler, this event is open to everyone looking to improve their skills and meet fellow BJJ enthusiasts. Our experienced instructors will be on hand to guide you through drills and techniques, while also offering valuable tips to elevate your game. Don't miss this opportunity to build your confidence on the mats and bond with our inclusive and supportive community. Can't wait to roll with you all!", + "event_type":"hybrid", + "start_time":"2026-12-21 17:00:00", + "end_time":"2026-12-21 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Brazilian Jiu Jitsu", + "LGBTQ", + "Community Outreach" + ] + }, + { + "id":"b3a43db4-e50e-4e7c-bcfe-7d147a6a3a11", + "club_id":"830a7e26-1d6f-432f-ba9a-281810acac25", + "name":"Event for Brazilian Student Association at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Brazilian Student Association at Northeastern University for a vibrant cultural extravaganza celebrating the rich heritage and diversity of Brazil! Immerse yourself in an evening of samba rhythms, traditional delicacies, and engaging discussions with fellow students passionate about Brazilian culture. Whether you're a seasoned Carnaval enthusiast or new to Brazilian traditions, this event promises to be a lively and inclusive gathering where you can connect, learn, and have a fantastic time. Don't miss this opportunity to experience the warmth and energy of Brazil right here on campus with BRASA!", + "event_type":"hybrid", + "start_time":"2024-07-19 19:30:00", + "end_time":"2024-07-19 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Latin America", + "Education" + ] + }, + { + "id":"ba8fd0ff-e161-4c6e-9033-5f0a774efa4a", + "club_id":"268bf4b3-e4da-46a9-b5c6-837f9e0dd307", + "name":"Event for Bull & Bear Research", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening evening at Bull & Bear Research where you will delve into the world of finance through our interactive stock pitch competition! This event offers a unique opportunity to sharpen your analytical skills, gain valuable insights from seasoned researchers, and network with like-minded individuals passionate about the markets. Whether you're a seasoned investor or a curious novice, this event is tailored to provide you with a fun and educational experience that will broaden your understanding of equity research and investment strategies. Come explore the exciting intersection of academia and practical finance with us!", + "event_type":"in_person", + "start_time":"2024-09-11 20:00:00", + "end_time":"2024-09-11 23:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Finance", + "Student Organizations" + ] + }, + { + "id":"02381449-edaf-41bf-b357-1d94503765c7", + "club_id":"268bf4b3-e4da-46a9-b5c6-837f9e0dd307", + "name":"Event for Bull & Bear Research", + "preview":"This club is holding an event.", + "description":"Join us at Bull & Bear Research for an engaging workshop on fundamental equity research techniques! Whether you're new to the world of finance or a seasoned investor, this event is designed to help you enhance your analytical skills and gain valuable insights into the stock market. Our experienced team will guide you through hands-on exercises and case studies, providing you with the tools to make informed investment decisions. Come meet like-minded peers, network with industry professionals, and deepen your understanding of the financial markets in a supportive and inclusive environment. Don't miss this opportunity to grow your knowledge and expand your expertise with us at Bull & Bear Research!", + "event_type":"in_person", + "start_time":"2026-11-13 21:30:00", + "end_time":"2026-11-14 00:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Investments" + ] + }, + { + "id":"3aa0f756-d8d4-4f0b-8141-c117b55bf130", + "club_id":"2ca6a63d-53d5-4855-86e1-8eb1b9f68172", + "name":"Event for Burmese Students Association of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Burmese Students Association of Northeastern University for an enriching cultural experience at our upcoming event, 'Taste of Myanmar'. Immerse yourself in the vibrant traditions and flavors of Myanmar as we showcase a variety of authentic Burmese dishes and beverages. This event is a fantastic opportunity to learn about the rich and diverse cultural heritage of Myanmar while connecting with fellow students who share a passion for exploration and global understanding. Don't miss out on this unique chance to expand your horizons and create lasting memories with our welcoming community!", + "event_type":"in_person", + "start_time":"2024-07-23 23:15:00", + "end_time":"2024-07-24 02:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism", + "Cultural Awareness" + ] + }, + { + "id":"52697f66-b1f8-47b0-af21-58d17d5a7542", + "club_id":"2ca6a63d-53d5-4855-86e1-8eb1b9f68172", + "name":"Event for Burmese Students Association of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Burmese Students Association of Northeastern University for our upcoming 'Taste of Myanmar' event! Dive into the rich and vibrant culture of Myanmar as we showcase traditional cuisine, music, and dance. This event is the perfect opportunity to connect with fellow students, learn about the fascinating heritage of Myanmar, and embrace a sense of community on campus. Whether you're a food enthusiast, culture curious, or simply looking to make new friends, this event promises an engaging and welcoming experience for all Northeastern students. Come immerse yourself in the flavors, sights, and sounds of Myanmar with us!", + "event_type":"in_person", + "start_time":"2024-11-26 19:15:00", + "end_time":"2024-11-26 21:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Asian American", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"e0e51bc8-2ad0-4eda-8c78-0cf10962f3bc", + "club_id":"2ca6a63d-53d5-4855-86e1-8eb1b9f68172", + "name":"Event for Burmese Students Association of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Burmese Students Association of Northeastern University for a delightful cultural evening celebrating the vibrant traditions of Myanmar. In this event, you'll have the opportunity to immerse yourself in the rich history, art, and cuisine of Myanmar while connecting with fellow Northeastern students who share a passion for exploring different cultures. Come learn about the diverse customs and practices of Myanmar in a warm and inviting atmosphere where everyone is welcome. Whether you're familiar with Myanmar or completely new to its wonders, this event promises to be an enlightening and enjoyable experience for all!", + "event_type":"in_person", + "start_time":"2024-03-05 12:15:00", + "end_time":"2024-03-05 15:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"072ad0ed-7df2-4eca-af5a-8efcee3a55ea", + "club_id":"f7e500ef-7442-4c94-9379-d7702919a7e6", + "name":"Event for Caribbean Students' Organization", + "preview":"This club is holding an event.", + "description":"Join the Caribbean Students' Organization for an exciting evening of Caribbean delights! Immerse yourself in the vibrant culture and rich heritage of the Caribbean as we showcase traditional music, dance, and cuisine. This event is a wonderful opportunity to connect with fellow students of Caribbean descent or those with a passion for the Caribbean. Whether you're looking to make new friends, learn more about Caribbean traditions, or simply have a good time, we welcome you with open arms. Come experience the warmth and camaraderie of our community as we celebrate unity through diversity. Don't miss out on this chance to be a part of something special!", + "event_type":"hybrid", + "start_time":"2026-03-07 15:00:00", + "end_time":"2026-03-07 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Latin America" + ] + }, + { + "id":"efc77222-dc4c-4a29-935d-27010a7d93c6", + "club_id":"f7e500ef-7442-4c94-9379-d7702919a7e6", + "name":"Event for Caribbean Students' Organization", + "preview":"This club is holding an event.", + "description":"Join us for a colorful Caribbean Night event hosted by the Caribbean Students' Organization! Get ready to immerse yourself in a vibrant celebration of Caribbean culture through music, dance, and traditional cuisine. Whether you're from the Caribbean region, have Caribbean heritage, or simply have an interest in Caribbean culture, everyone is welcome to experience the warmth and unity of our community. Connect with fellow students, embrace the rhythmic beats of Caribbean music, and savor flavorful dishes that will transport you to the islands. Let's come together to create lasting memories and foster a sense of togetherness that reflects our motto: \"Unity is strength, and our culture makes us one.\" See you there!", + "event_type":"virtual", + "start_time":"2024-10-14 17:30:00", + "end_time":"2024-10-14 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Music", + "Latin America", + "Community Outreach" + ] + }, + { + "id":"ee6c5e05-0457-49dd-8be6-26fc9a844ee1", + "club_id":"ee0c0dea-9fe7-4589-95c6-8fbc6719c2c0", + "name":"Event for Catholic Student Association", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"hybrid", + "start_time":"2025-08-08 18:30:00", + "end_time":"2025-08-08 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Spiritual Activities", + "Community Outreach" + ] + }, + { + "id":"b57fcf54-9280-49cd-b22e-618765563fa7", + "club_id":"ee0c0dea-9fe7-4589-95c6-8fbc6719c2c0", + "name":"Event for Catholic Student Association", + "preview":"This club is holding an event.", + "description":"Join the Catholic Student Association for a heartwarming Night of Prayer event at the Catholic Center at Northeastern University. Come together with fellow college students in a cozy and welcoming atmosphere to deepen your spiritual journey and strengthen your connection with Jesus and the Catholic faith. Through inspirational prayers, reflective discussions, and supportive camaraderie, this event aims to nourish your soul and uplift your spirit. Whether you're seeking guidance, companionship, or simply a peaceful sanctuary, this Night of Prayer promises to be a beacon of hope and love in your academic journey.", + "event_type":"hybrid", + "start_time":"2026-10-28 16:00:00", + "end_time":"2026-10-28 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"74e551b3-8a35-47c7-8992-17a6855c9f3f", + "club_id":"ee0c0dea-9fe7-4589-95c6-8fbc6719c2c0", + "name":"Event for Catholic Student Association", + "preview":"This club is holding an event.", + "description":"Join the Catholic Student Association for an uplifting night of faith and fellowship at our weekly praise and worship event. Open to all students seeking spiritual growth, this gathering will feature heartfelt music, inspirational reflections, and a welcoming community that will nourish your soul. Whether you're new to the Catholic faith or a seasoned believer, come as you are and experience the joy of belonging to a supportive family of like-minded individuals. Together, we will deepen our relationship with Jesus and strengthen our bond with one another in a spirit of love and unity. Mark your calendar and bring a friend to share in this enriching experience that will leave you filled with hope and renewed in faith.", + "event_type":"virtual", + "start_time":"2026-03-28 13:15:00", + "end_time":"2026-03-28 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Christianity", + "Service", + "Spiritual Activities", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"725ef277-8add-4ff9-9ca6-261ad9b09002", + "club_id":"583b5a5c-93a5-4e2d-a901-472c6770b8c0", + "name":"Event for Center for Spirituality, Dialogue and Service (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us at the Center for Spirituality, Dialogue and Service for an evening of interfaith sharing and community building. Engage in meaningful conversations with students from various religious backgrounds, explore different perspectives, and celebrate the beauty of diversity. Whether you're looking to deepen your own spiritual journey, learn about different faith traditions, or simply connect with like-minded individuals, this event is the perfect opportunity to come together in a spirit of openness and respect. Refreshments will be provided, and our friendly team will be there to welcome you with open arms. We can't wait to gather with you in our Sacred Space for a night of reflection, connection, and mutual understanding.", + "event_type":"hybrid", + "start_time":"2025-01-08 22:30:00", + "end_time":"2025-01-09 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Interfaith", + "Civic Engagement", + "Dialogue", + "Spirituality", + "Community Outreach" + ] + }, + { + "id":"0508eff5-c48f-4907-86da-e048480fd1fd", + "club_id":"583b5a5c-93a5-4e2d-a901-472c6770b8c0", + "name":"Event for Center for Spirituality, Dialogue and Service (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us at the Center for Spirituality, Dialogue and Service for an enlightening Interfaith Dialogue event where we come together to celebrate diversity and foster a sense of community and understanding. This engaging event will feature discussions led by our talented student leaders and guest speakers on various spiritual and cultural topics, providing an opportunity for everyone to share their unique perspectives and learn from one another. Come explore the Sacred Space and Reflection Room in Ell Hall, participate in enriching conversations, and connect with like-minded individuals who are passionate about interfaith dialogue and civic engagement. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2025-07-27 18:30:00", + "end_time":"2025-07-27 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Spirituality", + "Dialogue", + "Community Outreach", + "Interfaith" + ] + }, + { + "id":"1934bb80-739d-4ca6-9e36-190db957d228", + "club_id":"bbeaa30b-7d0f-4d95-a839-a4b1ce27ba91", + "name":"Event for Chabad at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at Chabad at Northeastern University for a special Shabbat dinner this Friday evening! Experience the warmth and community of our home away from home as we gather to celebrate the joy of Judaism. Enjoy delicious food, engaging discussions, and the opportunity to connect with friends old and new. Whether you're new to Jewish traditions or looking to deepen your understanding, our welcoming atmosphere will make you feel right at home. Come relax, socialize, and experience the richness of our heritage in a fun and interactive way. We can't wait to share this meaningful and memorable evening with you!", + "event_type":"in_person", + "start_time":"2024-10-09 21:00:00", + "end_time":"2024-10-09 22:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Volunteerism", + "Neuroscience", + "Community Outreach", + "Judaism" + ] + }, + { + "id":"d278de6b-782c-40d1-996b-11f97c962145", + "club_id":"dd30e52d-9b1d-41ad-b4f2-4235b167fc30", + "name":"Event for Changing Health, Attitudes, and Actions to Recreate Girls", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming 'Fitness Fusion Fun Day' event where we combine elements from various workout styles to create a dynamic and energizing fitness experience for all CHAARG members! This unique event will feature a mix of cardio, strength training, and flexibility exercises led by certified instructors from top studios like Equinox and Flywheel. Whether you're a fitness enthusiast or just starting your wellness journey, this event is perfect for all levels. Come break a sweat, meet new friends, and discover the joy of moving your body in a supportive and empowering community setting. Don't miss out on this opportunity to try new workouts, push your limits, and find your fit with CHAARG!", + "event_type":"virtual", + "start_time":"2026-08-23 20:15:00", + "end_time":"2026-08-24 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Social Events", + "Community", + "Exercise" + ] + }, + { + "id":"b188323a-2eec-44f3-a9e3-587d9a7e6f11", + "club_id":"c1839fc6-59cc-4395-9bdb-b29afe960650", + "name":"Event for Cheese Club", + "preview":"This club is holding an event.", + "description":"Join Cheese Club this Thursday at 8pm for a night of delicious cheeses and great company! Get ready to indulge in a curated selection of popular favorites, unique niche picks, and funky options for the adventurous foodies out there. Whether you're a cheese connoisseur or just looking for a fun and relaxed evening, everyone is welcome to come and join us. Stay tuned for the meeting room location updates on our Instagram @nucheeseclub and in our newsletter. We can't wait to share our passion for cheese with you and enjoy a wonderful time together. See you there!", + "event_type":"virtual", + "start_time":"2026-07-04 19:15:00", + "end_time":"2026-07-04 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Food & Drink", + "Social Event", + "LGBTQ", + "Community Outreach" + ] + }, + { + "id":"187a3d3f-9af3-4bf1-bae0-50db0a62ac2b", + "club_id":"c1839fc6-59cc-4395-9bdb-b29afe960650", + "name":"Event for Cheese Club", + "preview":"This club is holding an event.", + "description":"Join us this week at Cheese Club for a fun and delicious evening exploring the world of cheeses! We'll gather at the posted meeting room on Thursday at 8pm to savor a hand-picked selection of popular classics, unique specialties, and bold new flavors. Whether you're a cheese connoisseur or just looking for a relaxed social atmosphere, this event is open to everyone eager to taste, learn, and connect with fellow cheese enthusiasts. We can't wait to share this cheesy adventure with you!", + "event_type":"hybrid", + "start_time":"2026-10-16 14:15:00", + "end_time":"2026-10-16 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Food & Drink", + "Community Outreach", + "Social Event" + ] + }, + { + "id":"1bdb11de-d45c-475e-8cf1-24dbc77d11f1", + "club_id":"c1839fc6-59cc-4395-9bdb-b29afe960650", + "name":"Event for Cheese Club", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at 8pm for an exciting Cheese Club event where we'll be exploring a variety of delectable cheeses. Whether you're a cheese enthusiast or a newbie looking to expand your palate, this gathering promises to offer something for everyone. Our friendly and inclusive atmosphere is perfect for socializing and making new friends while indulging in savory flavors. Be sure to check our Instagram @nucheeseclub or subscribe to our newsletter for the meeting room details. We can't wait to share this cheesy experience with you!", + "event_type":"hybrid", + "start_time":"2026-02-24 18:30:00", + "end_time":"2026-02-24 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Social Event" + ] + }, + { + "id":"4e603e89-cb3a-441d-91e3-35d6814abe95", + "club_id":"9de97d46-a6eb-4b40-afb0-4184fc139a76", + "name":"Event for Chemical Engineering Graduate Student Council", + "preview":"This club is holding an event.", + "description":"Join the Chemical Engineering Graduate Student Council for an engaging workshop on sustainable practices in the field of chemical engineering. You will have the opportunity to connect with fellow students, faculty members, and industry professionals as we explore innovative approaches to reducing environmental impact in our research and beyond. Don't miss this chance to broaden your knowledge, network with like-minded individuals, and contribute to a more sustainable future for our community!", + "event_type":"hybrid", + "start_time":"2024-01-13 13:15:00", + "end_time":"2024-01-13 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "Education" + ] + }, + { + "id":"706d09f9-df83-4060-a16f-74999ca984c8", + "club_id":"2d618426-7bcf-43bb-aa82-a13dcd23ec66", + "name":"Event for Chi Epsilon", + "preview":"This club is holding an event.", + "description":"Join Chi Epsilon for our annual Career Networking Night! This engaging event offers civil and environmental engineering students the opportunity to connect with industry professionals, alumni, and fellow members of Chi Epsilon. Get valuable insights, advice, and potential job leads in a relaxed and supportive environment. Whether you're a seasoned student or just starting out, this event is the perfect place to expand your network and explore exciting career prospects. Come prepared to make meaningful connections and leave inspired to take the next step in your engineering journey!", + "event_type":"in_person", + "start_time":"2025-11-20 23:30:00", + "end_time":"2025-11-21 02:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Civil Engineering", + "FE Review Sessions", + "Environmental Engineering", + "Tutoring" + ] + }, + { + "id":"cb69f782-c928-46fb-885c-d967462d0e79", + "club_id":"2d618426-7bcf-43bb-aa82-a13dcd23ec66", + "name":"Event for Chi Epsilon", + "preview":"This club is holding an event.", + "description":"Join Chi Epsilon for our upcoming 'FE Exam Success Workshop' where we will equip engineering students with essential skills and knowledge to excel in the Fundamentals of Engineering exam. This interactive session will cover key exam topics, provide helpful study tips, and offer practice problem-solving activities. Don't miss this opportunity to boost your confidence and preparation for the FE exam. Whether you're a seasoned exam taker or just starting to think about it, our experienced tutors are here to support you every step of the way. Feel free to reach out to us at nuchiepsilon@gmail.com for more details or to reserve your spot!", + "event_type":"virtual", + "start_time":"2026-10-06 13:00:00", + "end_time":"2026-10-06 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Character", + "Scholarship" + ] + }, + { + "id":"ad5503c9-81b4-4853-b9f1-8e05fed8cd05", + "club_id":"d04b3484-1157-45bc-9fd6-3c77e66604a4", + "name":"Event for Chi Omega", + "preview":"This club is holding an event.", + "description":"Join Chi Omega for our Annual Sisterhood Retreat! This unforgettable weekend getaway is a perfect opportunity to strengthen bonds with your Chi Omega sisters while enjoying fun activities and meaningful conversations. Whether you're a new member or a seasoned initiate, this retreat promises to be filled with laughter, personal growth, and lifelong memories. Don't miss out on this chance to connect with fellow Chi Omegas, relax in a beautiful setting, and create lasting friendships that extend beyond your college years.", + "event_type":"in_person", + "start_time":"2024-05-25 21:15:00", + "end_time":"2024-05-26 01:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Broadcasting", + "Community Outreach", + "Volunteerism", + "HumanRights", + "Journalism", + "PublicRelations" + ] + }, + { + "id":"e1b061ee-c1bc-4275-a4d8-c8bc544c01b5", + "club_id":"d04b3484-1157-45bc-9fd6-3c77e66604a4", + "name":"Event for Chi Omega", + "preview":"This club is holding an event.", + "description":"Come join Chi Omega for our annual Sisterhood Retreat, a weekend full of fun activities, bonding experiences, and personal growth opportunities. Explore the picturesque surroundings of a cozy cabin as you connect with sisters, make lifelong friendships, and create unforgettable memories. From team building games to heart-to-heart conversations by the campfire, this retreat is a perfect setting to relax, recharge, and strengthen your sisterhood bonds. Whether you're a new member or a seasoned Chi Omega, this inclusive event promises to leave you feeling inspired, supported, and deeply connected to the values of our beloved sorority.", + "event_type":"in_person", + "start_time":"2026-04-23 19:00:00", + "end_time":"2026-04-23 21:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Broadcasting", + "Community Outreach", + "PublicRelations", + "Journalism", + "HumanRights", + "Volunteerism" + ] + }, + { + "id":"c28b7290-c8f1-4adb-b187-38747e957210", + "club_id":"d04b3484-1157-45bc-9fd6-3c77e66604a4", + "name":"Event for Chi Omega", + "preview":"This club is holding an event.", + "description":"Join us for the Chi Omega Annual Sisterhood Retreat, a memorable weekend getaway filled with bonding, laughter, and personal growth! This all-inclusive retreat is designed to strengthen the unique bond shared by Chi Omegas while providing opportunities for fun activities, inspiring workshops, and meaningful connections. Explore the beautiful surroundings, participate in team-building challenges, and relax in the company of your supportive sisters. Whether you're a new initiate or a seasoned member, the Sisterhood Retreat promises to be a transformative experience where you'll create lasting memories and deepen your sense of sisterhood within the Chi Omega family.", + "event_type":"virtual", + "start_time":"2024-03-15 20:15:00", + "end_time":"2024-03-15 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "PublicRelations" + ] + }, + { + "id":"4142e2a0-5547-4a63-9dd6-5ed6e583b1c6", + "club_id":"dd6bce22-1642-402d-a53e-077ec4f08738", + "name":"Event for Chinese Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join Chinese Christian Fellowship for an evening of worship, community, and fellowship! Experience uplifting songs, heartfelt prayers, and engaging discussions centered around the Christian faith. Whether you're a seasoned believer or simply curious about Christianity, our welcoming environment is open to all. Come meet new friends, explore your faith, and be part of a supportive community that values connection and growth. We can't wait to share this enriching experience with you!", + "event_type":"virtual", + "start_time":"2025-02-11 21:15:00", + "end_time":"2025-02-12 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Volunteerism", + "Asian American", + "Community Outreach" + ] + }, + { + "id":"108d6563-70d8-4bb5-be51-f2d03df81338", + "club_id":"dd6bce22-1642-402d-a53e-077ec4f08738", + "name":"Event for Chinese Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join us at Northeastern University Chinese Christian Fellowship (NUCCF) for a night of music and fellowship! Our event, 'Harmony Night', aims to bring the community together for a joyous celebration of faith and unity through uplifting songs and heartfelt conversations. Whether you are a long-time member or a newcomer, all are welcome to experience the warmth and love of our close-knit group. Come and join us in building bridges of understanding and friendship, as we sing, share, and grow in our spiritual journeys together.", + "event_type":"in_person", + "start_time":"2024-08-01 12:30:00", + "end_time":"2024-08-01 15:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Christianity" + ] + }, + { + "id":"3ea9d0a7-a8f0-4daa-9773-922ec604e8a1", + "club_id":"dd6bce22-1642-402d-a53e-077ec4f08738", + "name":"Event for Chinese Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join the Chinese Christian Fellowship for an uplifting night of worship and community at our weekly gathering. Come as you are to experience a welcoming environment where students and staff come together to grow in faith and understanding. Whether you're curious about Christianity or looking for a place to connect, we invite you to be a part of our diverse and inclusive fellowship. Expect lively music, engaging discussions, and opportunities to build lasting friendships. We can't wait to welcome you with open arms and hearts!", + "event_type":"virtual", + "start_time":"2026-07-28 17:30:00", + "end_time":"2026-07-28 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Christianity", + "Volunteerism" + ] + }, + { + "id":"77707058-0919-4ea9-acd1-5371e5be0c53", + "club_id":"0f1271fe-8528-44cd-98bf-569695a42915", + "name":"Event for Chinese Student Association", + "preview":"This club is holding an event.", + "description":"Join the Chinese Student Association for an exciting Lunar New Year celebration where we will showcase traditional Chinese performances, indulge in delicious food, and engage in fun cultural activities. This event is open to all students who are eager to immerse themselves in the rich heritage and vibrant spirit of Chinese culture. Whether you are a seasoned member or a newcomer, everyone is welcome to join in the festivities and make new friends within our welcoming community. Don't miss this opportunity to experience the joy and warmth of Lunar New Year traditions with the CSA family!", + "event_type":"hybrid", + "start_time":"2024-10-06 22:30:00", + "end_time":"2024-10-07 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Asian American", + "Visual Arts" + ] + }, + { + "id":"568d2aca-1ff1-424c-ab06-e67561804edb", + "club_id":"9e3065cc-47b0-42e6-9feb-cf1b6608a343", + "name":"Event for Chinese Students and Scholars Association", + "preview":"This club is holding an event.", + "description":"Join us for a lively cultural exchange event hosted by the Chinese Students and Scholars Association at Northeastern University! Immerse yourself in the rich traditions and vibrant community of Chinese culture as we share stories, music, and delicious cuisine together. Whether you're a Chinese student, scholar, alumni, or simply interested in learning more about our heritage, this event is the perfect opportunity to connect, celebrate diversity, and make new friends. Don't miss out on this exciting and educational experience - come explore the beauty of Chinese culture with us!", + "event_type":"in_person", + "start_time":"2024-04-07 15:15:00", + "end_time":"2024-04-07 18:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"59447c79-b70d-431b-a36c-e3eaafd9cd99", + "club_id":"9e3065cc-47b0-42e6-9feb-cf1b6608a343", + "name":"Event for Chinese Students and Scholars Association", + "preview":"This club is holding an event.", + "description":"Join the Chinese Students and Scholars Association for an immersive cultural experience as we celebrate the Mid-Autumn Festival! Enjoy traditional Chinese music, delightful mooncakes, and engaging storytelling sessions. Whether you're a seasoned member or new to the club, all are welcome to partake in the festivities and connect with fellow students, scholars, and alumni. Embrace the spirit of unity and cultural exchange in a vibrant and welcoming environment. Mark your calendars and don't miss this opportunity to cultivate friendships and broaden your cultural horizons!", + "event_type":"virtual", + "start_time":"2025-08-27 18:30:00", + "end_time":"2025-08-27 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Asian American" + ] + }, + { + "id":"f4959345-0f4e-4269-9539-7bf3a501d825", + "club_id":"22ab34e2-1fde-4ab8-9144-95d40e0245e0", + "name":"Event for Circle K", + "preview":"This club is holding an event.", + "description":"Welcome to Circle K's Virtual Art Night! Join us for a fun evening of creativity and connection as we come together to express ourselves through art. No experience necessary - all levels are welcome! Grab your favorite art supplies or simply join us to chat and enjoy the creative vibes. We'll be sharing tips, tricks, and inspiration, so whether you're a seasoned artist or just looking to unwind, we've got something for everyone. Mark your calendar for this virtual event on Thursday at 6 PM EST. Check out our Engage page for the Zoom link and get ready to unleash your inner artist with the Circle K community!", + "event_type":"hybrid", + "start_time":"2025-05-10 20:30:00", + "end_time":"2025-05-11 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"62d94ea4-c030-4e51-b831-3913612b542a", + "club_id":"22ab34e2-1fde-4ab8-9144-95d40e0245e0", + "name":"Event for Circle K", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming virtual service event where we will be transcribing historical artifacts with the Smithsonian! This is a great opportunity to give back while connecting with fellow members of the Circle K community. No prior experience necessary - just bring your enthusiasm to make a difference! We will provide all the guidance you need to make a meaningful impact. Mark your calendars for Thursday at 6 PM EST and hop on the Engage page to RSVP. Let's work together to continue our mission of service and create positive change in our community!", + "event_type":"virtual", + "start_time":"2026-01-19 19:30:00", + "end_time":"2026-01-19 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Service" + ] + }, + { + "id":"bcbe4346-499d-4b42-ba51-afff04cc049a", + "club_id":"439dc92c-304d-48ed-8957-1498632870dc", + "name":"Event for Civil & Environmental Engineering Graduate Student Council", + "preview":"This club is holding an event.", + "description":"Join the Civil & Environmental Engineering Graduate Student Council for an engaging and fun game night where students can unwind, connect, and enjoy delicious snacks together. This social function is a perfect opportunity to foster friendships and create lasting memories within our community. Whether you're a seasoned board game pro or a casual player, everyone is welcome to join in on the laughter and friendly competition. Mark your calendars for this exciting event that promises to bring smiles and camaraderie to all who attend!", + "event_type":"hybrid", + "start_time":"2026-10-19 12:00:00", + "end_time":"2026-10-19 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Networking", + "Environmental Advocacy" + ] + }, + { + "id":"4937b133-a607-43d9-885f-158032e23c5a", + "club_id":"439dc92c-304d-48ed-8957-1498632870dc", + "name":"Event for Civil & Environmental Engineering Graduate Student Council", + "preview":"This club is holding an event.", + "description":"Join the Civil & Environmental Engineering Graduate Student Council for an upcoming game night, where students gather for an evening of fun and friendly competition. This social function aims to bring our community closer together, providing an opportunity to unwind and connect with fellow CEE students in a relaxed setting. Whether you're a board game enthusiast or just looking to meet new friends, this event is perfect for all. We'll have a variety of games available, along with some delicious snacks to fuel your competitive spirit. Come join us for an evening filled with laughter, camaraderie, and a sense of belonging within our vibrant department!", + "event_type":"virtual", + "start_time":"2026-02-07 14:15:00", + "end_time":"2026-02-07 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Cultural Diversity", + "Networking", + "Environmental Advocacy", + "Social Events", + "Community Outreach" + ] + }, + { + "id":"66a4473b-288f-4cb2-840a-5e901874c499", + "club_id":"439dc92c-304d-48ed-8957-1498632870dc", + "name":"Event for Civil & Environmental Engineering Graduate Student Council", + "preview":"This club is holding an event.", + "description":"Join the Civil & Environmental Engineering Graduate Student Council for an exciting game night social function, where we gather to bond over fun games and delicious food. This event is a fantastic opportunity to connect with fellow students, share laughter, and build lasting friendships in a warm and welcoming environment. Whether you're a seasoned player or just looking to relax and mingle, everyone is welcome to join in the festivities. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2025-03-25 13:30:00", + "end_time":"2025-03-25 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"36ccd099-5310-4772-8645-430b446b6e28", + "club_id":"cf2fef52-e191-4ef1-997f-96051cc34cd6", + "name":"Event for Clay Cave", + "preview":"This club is holding an event.", + "description":"Come join us at Clay Cave's Ceramics Showcase event, a celebration of creativity and craftsmanship! This event is a wonderful opportunity for our members to display their unique and beautiful ceramic pieces crafted throughout the semester. Experience the diversity of projects, from hand-built pots to intricately sculpted art pieces, all showcasing the talent and passion of our club members. Whether you're a seasoned ceramicist or just starting out, you'll find inspiration and creativity in every piece on display. Join us for an evening filled with art, conversation, and appreciation for the wonderful world of ceramics!", + "event_type":"in_person", + "start_time":"2026-09-26 13:15:00", + "end_time":"2026-09-26 15:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Visual Arts" + ] + }, + { + "id":"803c5ed3-bbe5-4357-8dda-8adc037ee9ff", + "club_id":"cf2fef52-e191-4ef1-997f-96051cc34cd6", + "name":"Event for Clay Cave", + "preview":"This club is holding an event.", + "description":"Join us at Clay Cave's Ceramics Showcase, a festive evening where club members and guests come together to admire and celebrate the creativity and craftsmanship of our talented ceramicists. The event will feature an array of stunning ceramic pieces, from elegantly hand-built pots to intricately thrown masterpieces, showcasing the diverse skills and artistic vision of our community. As you wander through the gallery, feel free to engage with the artists, learn about their inspirations and techniques, and perhaps even find a unique piece to take home. This inclusive and vibrant event is a wonderful opportunity to immerse yourself in the world of ceramics, connect with fellow art enthusiasts, and support the passion and dedication of our club members. Whether you're a seasoned ceramicist or simply curious about the art form, the Ceramics Showcase promises to be an inspiring and uplifting experience for all attendees. We can't wait to share this special evening with you!", + "event_type":"hybrid", + "start_time":"2026-02-22 12:30:00", + "end_time":"2026-02-22 13:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Artificial Intelligence" + ] + }, + { + "id":"8bda42bd-04dd-4029-8c45-d9c70d555911", + "club_id":"e8d431a9-862b-460d-8583-5a1ca65130b1", + "name":"Event for Climbing Team", + "preview":"This club is holding an event.", + "description":"Join the Climbing Team for a fun-filled Community Climbing Day at Central Rock Climbing Gym in Cambridge! Whether you're a seasoned climber or new to the sport, this event is perfect for everyone looking to connect with fellow climbing enthusiasts and explore new routes. Team members will be on hand to offer tips and guidance, ensuring a welcoming and supportive environment for all participants. Come challenge yourself on the wall, meet like-minded individuals, and experience the thrill of rock climbing in a friendly and inclusive setting. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2024-09-16 18:15:00", + "end_time":"2024-09-16 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Climbing", + "Outdoor Sports" + ] + }, + { + "id":"9fa28362-b400-4edb-a3a0-49c0541e128f", + "club_id":"e8d431a9-862b-460d-8583-5a1ca65130b1", + "name":"Event for Climbing Team", + "preview":"This club is holding an event.", + "description":"Join the Climbing Team at Central Rock Climbing Gym in Cambridge for a fun-filled community climbing event! Whether you're a seasoned climber or a complete beginner, this event is open to all skill levels and is a great opportunity to meet fellow climbers. Our experienced team members will be on hand to offer tips and guidance, and there will be plenty of challenges to test your skills. Come join us for a day of climbing, camaraderie, and maybe even discover a new favorite hobby!", + "event_type":"hybrid", + "start_time":"2024-04-21 22:15:00", + "end_time":"2024-04-22 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"ce1c36b2-8033-4c34-b7d0-47c8a8389796", + "club_id":"e8d431a9-862b-460d-8583-5a1ca65130b1", + "name":"Event for Climbing Team", + "preview":"This club is holding an event.", + "description":"Join the Climbing Team for a fun-filled Climbing Night event at the Central Rock Climbing Gym in Watertown! Whether you're a seasoned pro or a beginner, come hang out with us and test your skills on the walls. Our experienced coaches will be on hand to offer tips and guidance, making it a great opportunity to meet fellow climbers and learn something new. We'll have snacks and drinks available, creating a welcoming atmosphere for everyone to enjoy. Don't miss out on this exciting evening of climbing and camaraderie with the Northeastern Climbing Team!", + "event_type":"virtual", + "start_time":"2026-04-16 21:15:00", + "end_time":"2026-04-17 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Outdoor Sports", + "Community Outreach", + "Climbing", + "Volunteerism" + ] + }, + { + "id":"1a136440-0d4b-4723-b6c9-7bec5cfc0355", + "club_id":"20b96306-f6d6-4ee9-8354-b8ffaabab067", + "name":"Event for Club Baseball", + "preview":"This club is holding an event.", + "description":"Join Club Baseball for a fun-filled afternoon of baseball action! Whether you're a seasoned player or new to the game, everyone is welcome to come out and enjoy some friendly competition. Our experienced coaches will be on hand to provide tips and guidance to help players improve their skills. Don't miss out on the opportunity to be a part of our winning tradition \u2013 come meet new friends, stay active, and have a blast on the field with us at Club Baseball!", + "event_type":"virtual", + "start_time":"2025-03-14 22:00:00", + "end_time":"2025-03-14 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "College Sports", + "NCBA" + ] + }, + { + "id":"b5955eb1-efa0-43a9-8fd3-e9e7a2caba82", + "club_id":"20b96306-f6d6-4ee9-8354-b8ffaabab067", + "name":"Event for Club Baseball", + "preview":"This club is holding an event.", + "description":"Join Club Baseball for a fun-filled day of baseball action! Whether you're a seasoned player or new to the game, our event welcomes all skill levels. Meet our dedicated team members who bring their passion for the sport to every game. Enjoy a friendly atmosphere while experiencing the thrill of competition at the D1 National level. Don't miss out on the opportunity to be a part of our winning legacy, with a history that includes a National Championship and multiple regional titles. Come swing by and connect with us at our next event to learn more about the exciting world of Club Baseball!", + "event_type":"virtual", + "start_time":"2026-10-23 21:15:00", + "end_time":"2026-10-24 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "NECBA", + "Baseball", + "College Sports" + ] + }, + { + "id":"4e2e92a4-1ddc-4dc8-bbb6-698545ba2cda", + "club_id":"20b96306-f6d6-4ee9-8354-b8ffaabab067", + "name":"Event for Club Baseball", + "preview":"This club is holding an event.", + "description":"Join Club Baseball for an exciting afternoon at the ballpark! Experience the thrill of collegiate competition as our team takes on a rival in a high-stakes match. Cheer on our players who have proudly represented Northeastern University since the team's inception in 2005, achieving remarkable success including a National Collegiate Baseball Association (NCBA) National Championship and three New England Club Baseball Association (NECBA) championships. Connect with fellow fans, enjoy the camaraderie, and be part of the Club Baseball community. For more information about this event and future games, feel free to reach out to us at nuclubbaseball@gmail.com. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2025-10-12 22:00:00", + "end_time":"2025-10-13 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "NECBA", + "Baseball", + "College Sports", + "National Level" + ] + }, + { + "id":"57f29eca-c13e-48b8-9484-0f03b2112710", + "club_id":"8f064d70-2051-45c7-aaf7-38fbb1793ce2", + "name":"Event for Club Esports at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled gaming tournament hosted by Club Esports at Northeastern University! Whether you're a seasoned player or a newbie looking to try your hand at competitive gaming, we welcome all skill levels. This event will be a great opportunity to meet fellow gamers, showcase your abilities, and potentially win some exciting prizes. Don't miss out on the chance to be part of our growing community! *** IMPORTANT *** If interested, please join our connected discord server using this link: linktr.ee/gonuesports. Tryouts and all other club information will be communicated through these servers. See you there!", + "event_type":"in_person", + "start_time":"2024-05-11 16:00:00", + "end_time":"2024-05-11 18:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Broadcasting", + "Data Science" + ] + }, + { + "id":"ddf5407d-98af-4776-bc48-1a189637d7fc", + "club_id":"6b585498-5ebc-44fe-857b-81c666a98d25", + "name":"Event for Club Sailing Team", + "preview":"This club is holding an event.", + "description":"Join us for our annual Club Sailing Team Regatta! Set sail with fellow sea enthusiasts for a day filled with friendly competition on the glistening waters. All skill levels are welcome to participate and experience the thrill of racing sailboats in a fun and supportive environment. Whether you're an experienced sailor or just starting out, our event promises an exciting day of camaraderie and good sportsmanship. Don't miss this opportunity to showcase your sailing skills and make lasting memories with the Club Sailing Team!", + "event_type":"virtual", + "start_time":"2025-12-02 16:30:00", + "end_time":"2025-12-02 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"095930da-15c4-418d-9bcb-19942829889c", + "club_id":"3cc51460-5d23-45e0-ac07-43d6c451a793", + "name":"Event for Code 4 Community", + "preview":"This club is holding an event.", + "description":"Join us for a fun and interactive hackathon event hosted by Code4Community! This event is a great opportunity for aspiring developers and tech enthusiasts to come together and collaborate on exciting projects that aim to make a positive impact on our local community. Whether you're a seasoned coding pro or just starting out, everyone is welcome to participate. Expect a day filled with learning, networking, and problem-solving in a supportive and inclusive environment. Don't miss this chance to apply your skills, learn something new, and contribute to meaningful software solutions that benefit non-profit organizations in Boston. Come be a part of our mission to create innovative and user-friendly applications that make a difference!", + "event_type":"hybrid", + "start_time":"2025-04-01 23:00:00", + "end_time":"2025-04-02 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Data Science", + "Software Engineering", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"5ce016ba-d666-4f24-a7ea-3e70105dfc42", + "club_id":"f1381326-bd28-4e04-95dd-5a6ebae0b215", + "name":"Event for COE PhD Council", + "preview":"This club is holding an event.", + "description":"Join the COE PhD Council for our upcoming 'STEM Networking Mixer' event! This exciting gathering will provide a platform for students from diverse engineering backgrounds to connect, share ideas, and forge new relationships. Whether you're a seasoned researcher or a fresh-faced undergrad, this is the perfect opportunity to expand your network, collaborate on innovative projects, and learn from like-minded individuals. Come join us for an evening filled with engaging conversations, insightful discussions, and the chance to build lasting connections within our vibrant STEM community. See you there!", + "event_type":"virtual", + "start_time":"2024-12-05 16:30:00", + "end_time":"2024-12-05 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Networking", + "STEM Enthusiasts", + "Community Building", + "Collaboration", + "Student Organization", + "Engineering" + ] + }, + { + "id":"f73f485b-eb1e-4391-9f99-45d989c12c1e", + "club_id":"f1381326-bd28-4e04-95dd-5a6ebae0b215", + "name":"Event for COE PhD Council", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of networking and innovation at our 'STEM Mixer Extravaganza' event! Connect with like-minded peers from various engineering disciplines, share your experiences, and spark new collaborations in a welcoming and inclusive environment. Whether you're a seasoned researcher or just starting your academic journey, this event is the perfect opportunity to meet new friends, exchange ideas, and broaden your horizons. Don't miss out on a chance to be part of a vibrant community that values diversity, collaboration, and personal growth. See you there!", + "event_type":"virtual", + "start_time":"2026-11-28 23:30:00", + "end_time":"2026-11-29 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "STEM Enthusiasts", + "Student Organization" + ] + }, + { + "id":"6f7bef3b-3791-4ac6-aa71-1d07d5e000fd", + "club_id":"d07b829e-4ea0-4350-a73c-36ea4ef8347e", + "name":"Event for COExist", + "preview":"This club is holding an event.", + "description":"Come join COExist for our Welcome Mixer event! This casual gathering is the perfect opportunity for first-year engineering students to connect with fellow peers and mentors in a relaxed setting. Meet new friends, learn about upcoming club activities, and get a head start on building your network within the Northeastern community. We'll have games, snacks, and good vibes all around! Whether you're a seasoned event-goer or a first-time attendee, everyone is welcome to come and kick off the semester with us. Mark your calendars and get ready for an evening of laughter, fun, and making lasting memories!", + "event_type":"in_person", + "start_time":"2026-10-06 17:30:00", + "end_time":"2026-10-06 19:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Engineering" + ] + }, + { + "id":"afff4163-8a58-4f0b-a062-47de094d2c0a", + "club_id":"7a543e47-bb56-46a2-b254-9d12114e2008", + "name":"Event for College of Science Student Diversity Advisory Council", + "preview":"This club is holding an event.", + "description":"Join the College of Science Student Diversity Advisory Council for an engaging panel discussion on empowering underrepresented students in the sciences. Our event will feature inspiring guest speakers who will share their journeys and offer valuable insights. Connect with peers and advisors, learn about academic and professional resources, and discover how you can make a positive impact in our inclusive community. Don't miss this opportunity to network, gain diverse perspectives, and pave the way towards a brighter future in science!", + "event_type":"in_person", + "start_time":"2026-11-04 14:15:00", + "end_time":"2026-11-04 15:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Academic Resources", + "Diversity" + ] + }, + { + "id":"aa312289-52b8-447c-930b-9db9593633e8", + "club_id":"7a543e47-bb56-46a2-b254-9d12114e2008", + "name":"Event for College of Science Student Diversity Advisory Council", + "preview":"This club is holding an event.", + "description":"Join the College of Science Student Diversity Advisory Council for an enlightening panel discussion on navigating academia as an underrepresented student. Our seasoned advisors will share their insights, while fellow students will provide valuable perspectives and strategies for success. This event is a great opportunity to connect with like-minded peers, receive academic and career guidance, and explore the various resources available to you. Let's come together to build a supportive community and empower each other to excel in the sciences of tomorrow!", + "event_type":"virtual", + "start_time":"2024-05-15 21:00:00", + "end_time":"2024-05-16 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Student Leadership" + ] + }, + { + "id":"60ff91be-33d6-4d42-a3b6-2dace55275ed", + "club_id":"7a543e47-bb56-46a2-b254-9d12114e2008", + "name":"Event for College of Science Student Diversity Advisory Council", + "preview":"This club is holding an event.", + "description":"Join the College of Science Student Diversity Advisory Council for a dynamic and engaging networking event where students of all backgrounds can come together to share experiences, gain valuable insights, and connect with like-minded peers. This event will feature interactive discussions led by industry professionals and experienced advisors, providing attendees with practical strategies to thrive in the sciences. Whether you're looking to build your professional network, seek career guidance, or simply meet new friends, this event is the perfect opportunity to expand your horizons and be part of a diverse and supportive community dedicated to empowering the leaders of tomorrow.", + "event_type":"hybrid", + "start_time":"2024-04-24 19:00:00", + "end_time":"2024-04-24 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Student Leadership", + "Academic Resources", + "Cultural Inclusion" + ] + }, + { + "id":"9d29991f-6dff-4c0f-b676-ab9e99cb72c9", + "club_id":"fc56da08-3cf8-4748-a082-127175f2ffe4", + "name":"Event for ColorStack at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at ColorStack's Welcome Social Event to kick off the semester with fun activities and great company! Meet fellow Black and Latinx students passionate about computer science, and learn about our exciting initiatives that promote academic success and community engagement. Whether you're a seasoned coder or just starting out, this event is the perfect opportunity to connect, share ideas, and get inspired. Come be a part of our supportive community dedicated to creating a more diverse and inclusive tech industry. Let's work together to make a positive impact and build a brighter future for all!", + "event_type":"virtual", + "start_time":"2025-02-10 14:15:00", + "end_time":"2025-02-10 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"4632b662-828e-4b49-ba2c-d35872297dfc", + "club_id":"312c6d92-0195-44b1-9e3f-0367c8dc5ea0", + "name":"Event for Computer Science Mentoring Organization of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting student panel where current Computer Science majors, combined majors, minors, and non-majors share their experiences with co-op placements and research opportunities. Learn from their insights, ask questions, and connect with peers who share your passion for Computer Science. This interactive session is a fantastic opportunity to gain valuable knowledge and network with like-minded individuals. Don't miss out on this chance to enhance your academic journey and broaden your horizons at CoSMO's engaging event!", + "event_type":"virtual", + "start_time":"2026-01-16 22:00:00", + "end_time":"2026-01-17 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Mentorship", + "Software Engineering", + "Community Outreach" + ] + }, + { + "id":"e2364bc5-642d-4bca-87f5-f43e18539f4e", + "club_id":"312c6d92-0195-44b1-9e3f-0367c8dc5ea0", + "name":"Event for Computer Science Mentoring Organization of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for our exciting student panel event where you can hear directly from your peers about their experiences in different majors, co-ops, and research projects related to Computer Science. Get inspired as students share their insights, challenges, and successes, and connect with like-minded individuals in the Northeastern community. Whether you are considering a major switch, looking for new opportunities, or simply curious to learn more, this event promises to be both informative and engaging. Don't miss out on this valuable chance to expand your horizons and build connections within the vibrant world of Computer Science at Northeastern University!", + "event_type":"hybrid", + "start_time":"2024-11-26 21:15:00", + "end_time":"2024-11-27 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Mentorship", + "Data Science" + ] + }, + { + "id":"35a2e2a9-fc17-4d88-829f-0288cf9d9469", + "club_id":"345edb36-361f-463b-9bc5-bf91a799ced2", + "name":"Event for Consulting & Advisory Student Experience", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of networking and professional development at our Meet the Consultants Mixer! This event is a fantastic opportunity for students of all majors to engage with experienced professionals in the consulting industry. Come prepared to expand your knowledge, make valuable connections, and gain insights into the world of consulting. Whether you're a seasoned CASE member or new to the world of consulting, this event promises to be an enriching experience that will equip you with the tools and inspiration needed to kickstart your career in this dynamic field.", + "event_type":"hybrid", + "start_time":"2025-06-13 15:00:00", + "end_time":"2025-06-13 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Consulting", + "Professional Development" + ] + }, + { + "id":"03163d7c-0fbb-4cdc-b588-442bed916268", + "club_id":"345edb36-361f-463b-9bc5-bf91a799ced2", + "name":"Event for Consulting & Advisory Student Experience", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening with CASE where you can gain valuable insights into the consulting industry! Our event will feature engaging presentations, interactive workshops, and networking opportunities with professionals and alumni. Whether you're a seasoned business student or just starting to explore the world of consulting, this event will provide you with the knowledge and connections you need to excel in the field. Don't miss out on this chance to learn, grow, and build your career with CASE!", + "event_type":"in_person", + "start_time":"2025-11-05 18:30:00", + "end_time":"2025-11-05 21:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Consulting" + ] + }, + { + "id":"4c5e7bc7-b953-441e-9376-035cd792af64", + "club_id":"f4a94b64-036d-4ab3-9d32-e32ec89c083d", + "name":"Event for Cooking Club", + "preview":"This club is holding an event.", + "description":"Join us at the Cooking Club's upcoming TV-show-style cooking competition event! Whether you're a seasoned chef or just discovering your love for cooking, this friendly and fun competition is the perfect opportunity to show off your skills, learn new techniques, and connect with fellow food enthusiasts. Get ready to unleash your creativity in the kitchen and compete for exciting prizes. Stay tuned for more details and join our Discord, Slack, or Mailing list to be the first to know about this and other exciting events!", + "event_type":"in_person", + "start_time":"2025-09-21 18:00:00", + "end_time":"2025-09-21 20:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Social Outings" + ] + }, + { + "id":"7f25687b-4c1b-4f03-9783-73ad983c86d8", + "club_id":"f4a94b64-036d-4ab3-9d32-e32ec89c083d", + "name":"Event for Cooking Club", + "preview":"This club is holding an event.", + "description":"Join the Cooking Club for an exciting TV-show-style cooking competition where you can showcase your culinary skills and creativity! Whether you're a beginner or a seasoned chef, this event promises a fun and engaging experience as you compete in timed challenges against fellow food enthusiasts. Get ready to cook up some delicious dishes and enjoy the friendly and supportive atmosphere of the club. Don't miss out on this opportunity to have a blast while honing your cooking talents!", + "event_type":"hybrid", + "start_time":"2024-05-01 21:30:00", + "end_time":"2024-05-01 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Social Outings" + ] + }, + { + "id":"e4be60d1-b045-4462-a9d6-a13e282c1749", + "club_id":"69fa7039-5e7a-46cc-bd0b-cab74cc36a14", + "name":"Event for Coptic Orthodox Student Fellowship", + "preview":"This club is holding an event.", + "description":"Join the Coptic Orthodox Student Fellowship for a special event focused on exploring the rich history and traditions of the Coptic Church culture. This gathering is open to all Northeastern University students, regardless of their religious background, who are eager to learn more and engage in meaningful conversations about faith. Come together for an evening of prayer, discussions, and fellowship as we celebrate diversity and unity within the Orthodox community. Don't miss this opportunity to deepen your understanding of the Coptic Orthodox faith and connect with like-minded peers in a welcoming and inclusive environment.", + "event_type":"virtual", + "start_time":"2024-11-24 16:00:00", + "end_time":"2024-11-24 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Creative Writing", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"beae4872-ff21-479d-aa68-f3ae5d432234", + "club_id":"69fa7039-5e7a-46cc-bd0b-cab74cc36a14", + "name":"Event for Coptic Orthodox Student Fellowship", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening evening as the Coptic Orthodox Student Fellowship explores the rich history of the Coptic Church through an interactive panel discussion led by guest speakers from various Orthodox traditions. Experience the beauty of our diverse faith community as we come together to share stories, engage in meaningful dialogue, and strengthen our bonds of fellowship. Don't miss this opportunity to deepen your understanding of Orthodox Christianity and connect with like-minded individuals in a welcoming and inclusive environment.", + "event_type":"in_person", + "start_time":"2026-10-10 19:00:00", + "end_time":"2026-10-10 22:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Volunteerism", + "Community Outreach", + "Creative Writing" + ] + }, + { + "id":"b3fe2c8e-ac54-4bda-8802-594855642fd6", + "club_id":"3ef233ab-e16e-4591-9dee-66a074adb4e1", + "name":"Event for Council for University Programs", + "preview":"This club is holding an event.", + "description":"Join the Council for University Programs for a night of laughter and fun at our upcoming comedy showcase! Get ready to enjoy side-splitting performances by talented comedians, engage in interactive Q&A sessions, and immerse yourself in the energetic atmosphere of our welcoming community. Whether you're a seasoned comedy enthusiast or just looking to unwind and make new friends, this event promises to be a memorable experience. Be sure to sign up for our newsletter to stay in the loop about all the exciting events we have planned on campus!", + "event_type":"in_person", + "start_time":"2025-03-12 15:30:00", + "end_time":"2025-03-12 16:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Creative Writing" + ] + }, + { + "id":"ef4cb22b-9201-4fb7-935b-0d2dd62f0471", + "club_id":"3ef233ab-e16e-4591-9dee-66a074adb4e1", + "name":"Event for Council for University Programs", + "preview":"This club is holding an event.", + "description":"Join the Council for University Programs for an unforgettable evening filled with laughter and talent at our upcoming comedy showcase! This free event will feature hilarious stand-up acts from up-and-coming comedians, providing a perfect opportunity to relax, unwind, and share some laughs with friends. Whether you're a comedy enthusiast or just looking for a fun night out on campus, this showcase promises to deliver an entertaining experience for all. So mark your calendars and get ready to enjoy a night of comedy magic with CUP!", + "event_type":"hybrid", + "start_time":"2024-10-08 16:00:00", + "end_time":"2024-10-08 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Creative Writing", + "Performing Arts" + ] + }, + { + "id":"f34411c0-362c-4482-ae78-e1d3e799d83e", + "club_id":"3dc9cdfd-5cdc-4f9c-83b4-3420c53e6330", + "name":"Event for Criminal Justice Student Advisory Counsel", + "preview":"This club is holding an event.", + "description":"Join the Criminal Justice Student Advisory Counsel for an engaging courthouse tour event that offers a unique insight into the inner workings of the Boston criminal justice system. Experience firsthand the legal procedures, courtrooms, and daily activities that shape our justice system. This tour is a fantastic opportunity to gain a deeper understanding of the legal process, interact with legal professionals, and explore potential career paths in the field of criminal justice. Don't miss this chance to expand your knowledge and network within the vibrant community of like-minded individuals passionate about criminal justice reform!", + "event_type":"hybrid", + "start_time":"2025-03-01 19:00:00", + "end_time":"2025-03-01 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Criminal Justice", + "HumanRights" + ] + }, + { + "id":"c833f6da-58e6-4229-be43-e3287a65b835", + "club_id":"3dc9cdfd-5cdc-4f9c-83b4-3420c53e6330", + "name":"Event for Criminal Justice Student Advisory Counsel", + "preview":"This club is holding an event.", + "description":"Join us for an engaging documentary screening event hosted by Criminal Justice Student Advisory Counsel! Step into the world of criminal justice as we delve into thought-provoking narratives that shed light on pressing societal issues. Whether you're a seasoned criminology enthusiast or just curious about the legal system, this event promises to be both educational and eye-opening. Grab some popcorn, bring your friends, and get ready for a cinematic journey that will leave you with a newfound perspective on the complexities of justice and law enforcement.", + "event_type":"virtual", + "start_time":"2024-12-09 16:00:00", + "end_time":"2024-12-09 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Criminal Justice", + "HumanRights", + "Community Outreach", + "Documentary Screenings", + "PublicRelations" + ] + }, + { + "id":"53c00ec8-a4e5-4839-a674-1768ca86df78", + "club_id":"3dc9cdfd-5cdc-4f9c-83b4-3420c53e6330", + "name":"Event for Criminal Justice Student Advisory Counsel", + "preview":"This club is holding an event.", + "description":"Join the Criminal Justice Student Advisory Counsel for an eye-opening documentary screening on the complexities of the justice system. Dive into thought-provoking discussions with fellow students from diverse backgrounds and majors as we analyze real-life cases and explore different facets of the Boston criminal justice system. This event is a unique opportunity to broaden your understanding of law and order while enjoying insightful conversations in a welcoming and inclusive environment. Don't miss out on this enriching experience!", + "event_type":"virtual", + "start_time":"2024-01-06 20:15:00", + "end_time":"2024-01-07 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "PublicRelations", + "Documentary Screenings", + "HumanRights", + "Community Outreach", + "Criminal Justice" + ] + }, + { + "id":"e372d639-443f-42ce-bcd1-8f54faa45a3b", + "club_id":"b126024d-5377-4aea-9177-75e8056788bf", + "name":"Event for Criminology Forensic Science and Neuropsychology of Criminal Minds Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening of exploring the intersection between forensic science and psychology in criminal investigations! Our guest speaker seminar will delve into the fascinating world of forensic psychology, shedding light on the minds behind criminal behavior. Whether you're a seasoned criminology student or simply intrigued by the mysteries of the criminal mind, this event promises to be both enlightening and thought-provoking. Come expand your knowledge, connect with like-minded individuals, and discover new perspectives on the complexities of criminal behavior.", + "event_type":"in_person", + "start_time":"2026-01-19 21:30:00", + "end_time":"2026-01-19 23:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Biology" + ] + }, + { + "id":"5991dbfd-f498-47d8-af2b-3c0a65c0a44a", + "club_id":"b126024d-5377-4aea-9177-75e8056788bf", + "name":"Event for Criminology Forensic Science and Neuropsychology of Criminal Minds Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for a captivating evening delving into the fascinating world of forensic psychology! Our event will feature a renowned guest speaker who will unravel the mysteries of criminal minds and explore the intersection of neuroscience and criminology. Whether you're a student studying behavioral science or simply intrigued by the enigmatic workings of the human mind, this event promises to be enlightening and engaging. Come connect with like-minded individuals and expand your understanding of the complexities of criminal behavior in a welcoming and insightful atmosphere!", + "event_type":"hybrid", + "start_time":"2024-02-24 15:15:00", + "end_time":"2024-02-24 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Forensic Science", + "Neuroscience", + "Criminology", + "Psychology", + "Biology" + ] + }, + { + "id":"9ae6fd03-4650-49e2-98dc-6cc356ce91fc", + "club_id":"34ee3ffd-1e68-4317-97ea-8b6dc1f3adfb", + "name":"Event for Criminology-Criminal Justice Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening discussion at the Criminology-Criminal Justice Graduate Student Association! This special event will focus on exploring the latest trends and challenges in the field of criminal justice and criminology. Meet fellow students and faculty members passionate about making a difference in our communities. Whether you're a new member or a seasoned graduate student, this event is a fantastic opportunity to network, share insights, and build connections that can propel your academic and professional journey. Don't miss out on this unique chance to be a part of a dynamic community dedicated to shaping the future of criminology and criminal justice!", + "event_type":"in_person", + "start_time":"2024-07-04 13:00:00", + "end_time":"2024-07-04 16:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "HumanRights" + ] + }, + { + "id":"da59da5a-d51e-4175-8a5b-f17c7eb03701", + "club_id":"34ee3ffd-1e68-4317-97ea-8b6dc1f3adfb", + "name":"Event for Criminology-Criminal Justice Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join the Criminology-Criminal Justice Graduate Student Association at our upcoming event where you'll have the opportunity to engage in lively discussions, build lasting relationships, and immerse yourself in the world of criminal justice and criminology. Whether you're a master's or doctoral student, this event is designed to promote knowledge sharing, foster professional development, and strengthen our community. Come connect with like-minded individuals, explore new opportunities, and contribute to the advancement of our field. Don't miss out on this chance to be a part of a vibrant and supportive environment that nurtures growth and collaboration among future leaders in criminology and criminal justice!", + "event_type":"hybrid", + "start_time":"2026-04-01 18:15:00", + "end_time":"2026-04-01 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "PublicRelations", + "Community Outreach", + "Criminology", + "Psychology", + "HumanRights" + ] + }, + { + "id":"44f96cfc-bac3-4c71-86aa-aaf65fb38d68", + "club_id":"ab8e0315-124c-498a-ba39-ca9772174f4b", + "name":"Event for Critical Corporate Theory Lab", + "preview":"This club is holding an event.", + "description":"Join us at the Critical Corporate Theory Lab for a thought-provoking discussion on the impact of corporate power on our everyday choices. As a branch of the renowned Harvard Critical Corporate Theory Lab, we are dedicated to shedding light on how corporate influence shapes our career paths and lifestyles. Let's explore together how we can challenge and change the status quo to create a more equitable future for all.", + "event_type":"in_person", + "start_time":"2024-10-05 22:15:00", + "end_time":"2024-10-05 23:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "HumanRights", + "Critical Thinking", + "Community Outreach", + "Journalism", + "Ethics", + "Social Justice" + ] + }, + { + "id":"aa988f2d-dd5d-43a3-8d81-557c2b00516c", + "club_id":"ab8e0315-124c-498a-ba39-ca9772174f4b", + "name":"Event for Critical Corporate Theory Lab", + "preview":"This club is holding an event.", + "description":"Join us at the Critical Corporate Theory Lab for an engaging panel discussion on the impact of corporate power in today's society. Our esteemed guest speakers will shed light on how corporate influences shape our daily choices, from the products we buy to the jobs we pursue. Discover how you can navigate this landscape with awareness and agency, and connect with like-minded individuals who are passionate about fostering change. Whether you're a seasoned corporate critic or new to the conversation, this event promises to be an enlightening and thought-provoking experience. Don't miss this opportunity to delve into the complexities of corporate power and explore potential solutions with us!", + "event_type":"hybrid", + "start_time":"2026-03-21 19:00:00", + "end_time":"2026-03-21 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Social Justice", + "Ethics" + ] + }, + { + "id":"0912833d-169d-4934-b5df-437c54067db9", + "club_id":"7c99640f-87fb-4050-8166-a22879431afa", + "name":"Event for Cruelty-Free Northeastern", + "preview":"This club is holding an event.", + "description":"Join Cruelty-Free Northeastern at our upcoming Plant-Powered Potluck event where we'll be sharing delicious vegan recipes and discussing the environmental benefits of a plant-based diet. Whether you're a seasoned vegan, a curious omnivore, or simply interested in learning more about vegan living, this is the perfect opportunity to connect with like-minded individuals in a warm and inclusive setting. Come mingle, taste some incredible food, and exchange ideas on how we can all make a positive impact on our planet through our food choices. Don't miss out on this chance to join a community passionate about creating a better world for all beings - we can't wait to welcome you with open arms!", + "event_type":"virtual", + "start_time":"2025-04-25 18:00:00", + "end_time":"2025-04-25 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Journalism", + "HumanRights" + ] + }, + { + "id":"553cecd8-5332-43ef-a0bc-44effbb6ab75", + "club_id":"7c99640f-87fb-4050-8166-a22879431afa", + "name":"Event for Cruelty-Free Northeastern", + "preview":"This club is holding an event.", + "description":"Join Cruelty-Free Northeastern for an evening of meaningful conversations and delicious plant-based treats at our upcoming potluck event! Whether you're a seasoned vegan, curious vegetarian, or dedicated omnivore, all are welcome to gather and connect over the shared love for sustainable living. Our community-oriented event will feature engaging discussions on the benefits of veganism, interactive activities to learn more about compassionate choices, and a showcase of local plant-based businesses making a difference. Come join us in building a more inclusive and eco-conscious future while enjoying the beautiful diversity of vegan cuisine. Don't forget to bring your favorite dish to share and an open mind ready to embrace positive change. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2025-04-07 16:00:00", + "end_time":"2025-04-07 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Journalism" + ] + }, + { + "id":"8cc25cb0-b5a7-4aa2-ad40-8c5ca9ac0d6f", + "club_id":"7c99640f-87fb-4050-8166-a22879431afa", + "name":"Event for Cruelty-Free Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of delicious plant-based delights at our Vegan Potluck Extravaganza! Whether you're a seasoned vegan or someone curious about incorporating more cruelty-free options into your diet, you're welcome to share in the diverse flavors and vibrant conversations that await. This event is not just about food - it's a celebration of community, sustainability, and ethical living. Plus, get the chance to connect with like-minded individuals, learn about the latest vegan trends, and discover how simple it can be to make a positive impact on your health and the planet. Come hungry, come curious, come as you are - all are welcome to feast, connect, and grow with us!", + "event_type":"virtual", + "start_time":"2025-02-01 15:00:00", + "end_time":"2025-02-01 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Environmental Advocacy", + "HumanRights", + "LGBTQ", + "Journalism" + ] + }, + { + "id":"2b804a42-87d7-4c45-8ec5-f65746af6f1f", + "club_id":"bcd2ad30-98e1-4c3e-a062-a7c254c939e6", + "name":"Event for CSC Game Room", + "preview":"This club is holding an event.", + "description":"Join us at CSC Game Room for our weekly Game Night event! Whether you're a seasoned gamer or new to the world of games, this is the perfect opportunity to unwind, socialize, and have fun with fellow enthusiasts. From classic board games to the latest video game releases, there's something for everyone to enjoy. Gather your friends or come make new ones in a cozy and inviting atmosphere at the heart of Curry Student Center. Bring your competitive spirit and get ready for an evening of entertainment and camaraderie!", + "event_type":"virtual", + "start_time":"2025-09-23 22:30:00", + "end_time":"2025-09-24 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Music", + "Performing Arts", + "LGBTQ", + "Visual Arts" + ] + }, + { + "id":"995f3043-2238-4e5d-97e3-55b92edbd4ff", + "club_id":"d0d32f5c-046e-4a19-b0c6-b87972ca7a6a", + "name":"Event for CSI Test Organization", + "preview":"This club is holding an event.", + "description":"Join CSI Test Organization for a thrilling night of investigative fun! Our next event, 'Mystery Night: Uncover the Secrets', invites you to put your detective skills to the test in an interactive game filled with twists and turns. Whether you are a seasoned investigator or just curious about the world of crime scene investigations, this event is perfect for all skill levels. Get ready to work together with other members, follow the clues, and solve the mystery together. Don't miss this exciting opportunity to step into the shoes of a detective and enjoy a night of intrigue and camaraderie. Mark your calendar and join us for an evening that's sure to be full of surprises!", + "event_type":"in_person", + "start_time":"2026-05-27 21:00:00", + "end_time":"2026-05-27 23:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Creative Writing", + "Software Engineering", + "Film", + "Community Outreach", + "Prelaw" + ] + }, + { + "id":"70ac0d0c-17ba-4066-8ad7-723b44e2666f", + "club_id":"d0d32f5c-046e-4a19-b0c6-b87972ca7a6a", + "name":"Event for CSI Test Organization", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"in_person", + "start_time":"2024-09-28 17:15:00", + "end_time":"2024-09-28 19:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "CSI Test Organization" + ] + }, + { + "id":"d73fa558-0398-4799-ab42-49c5e4424ce3", + "club_id":"64bbc25f-ca25-4b33-9355-4f109ac0eaf9", + "name":"Event for CTF Club", + "preview":"This club is holding an event.", + "description":"Join us at our next CTF Club event, where we'll dive deep into the fascinating world of cybersecurity challenges! Whether you're a seasoned pro or just starting out, our hands-on workshops provide a welcoming space for you to learn, collaborate, and put your skills to the test. Be prepared to uncover hidden vulnerabilities, solve intricate puzzles, and sharpen your problem-solving abilities in a fun and engaging environment. Come meet like-minded individuals, share your knowledge, and immerse yourself in the thrill of friendly competition - all while expanding your cybersecurity expertise. Don't miss this exciting opportunity to grow your skills and have a great time with fellow enthusiasts!", + "event_type":"in_person", + "start_time":"2024-11-10 22:30:00", + "end_time":"2024-11-11 01:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Computer Science" + ] + }, + { + "id":"85b8a96b-1653-44e3-b493-7fcb539eeb89", + "club_id":"64bbc25f-ca25-4b33-9355-4f109ac0eaf9", + "name":"Event for CTF Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting CTF Club event where you can challenge your cybersecurity skills in a fun and supportive environment! Dive deep into real-world scenarios as you work alongside like-minded enthusiasts to uncover vulnerabilities and sharpen your problem-solving techniques. Whether you're a seasoned pro or just starting out, our workshops provide a fantastic opportunity to learn, collaborate, and test your abilities in a series of engaging challenges. Don't miss this chance to enhance your knowledge and experience the thrill of friendly competition!", + "event_type":"hybrid", + "start_time":"2026-06-09 21:30:00", + "end_time":"2026-06-10 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Computer Science", + "Software Engineering", + "Cybersecurity", + "Technology" + ] + }, + { + "id":"6781f445-1d99-437d-aa05-c9088059e810", + "club_id":"c4711e7b-bbc3-47bd-bc24-4332446f9654", + "name":"Event for Data Analytics Engineering Student Organization", + "preview":"This club is holding an event.", + "description":"Join us for an interactive workshop on 'Introduction to Data Visualization' where you'll explore the power of visual representation of data to communicate insights effectively. Whether you are a beginner or a seasoned data enthusiast, this hands-on session will provide you with practical skills and tools to create compelling visualizations. Connect with fellow students passionate about data analytics, ask questions, and gain valuable knowledge to kickstart your journey in the world of data analytics and data science. Don't miss this opportunity to expand your skill set and learn how to make data speak visually!", + "event_type":"virtual", + "start_time":"2026-11-25 17:15:00", + "end_time":"2026-11-25 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Data Analytics" + ] + }, + { + "id":"6fbe39bc-3634-475f-a222-86cb2ff27d5b", + "club_id":"c4711e7b-bbc3-47bd-bc24-4332446f9654", + "name":"Event for Data Analytics Engineering Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Data Analytics Engineering Student Organization for an engaging workshop on 'Introduction to Data Visualization'. Whether you're just starting your journey in data analytics or looking to enhance your skills, this event will provide valuable insights and hands-on experience using popular visualization tools. Meet fellow students passionate about data science, network with industry professionals, and discover the endless possibilities of data visualization in today's data-driven world. Don't miss this opportunity to expand your knowledge and make meaningful connections within the data analytics community!", + "event_type":"hybrid", + "start_time":"2026-02-15 15:00:00", + "end_time":"2026-02-15 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Data Analytics", + "Software Engineering", + "Community Outreach", + "Networking" + ] + }, + { + "id":"f66033dd-d764-4da7-ade4-02cb4b8b4380", + "club_id":"7718d1af-bcb1-4f06-9cbd-eca0685a75d5", + "name":"Event for DATA Club", + "preview":"This club is holding an event.", + "description":"Join DATA Club for an exciting data workshop where you'll have the opportunity to dive deep into the world of data analytics! Our knowledgeable speakers will guide you through hands-on activities and real-life case studies that will enhance your data skills. Whether you're a beginner or an experienced data enthusiast, this event is perfect for anyone looking to expand their knowledge and network with like-minded individuals. Come join us for a fun and educational experience that will empower you on your data journey!", + "event_type":"virtual", + "start_time":"2026-08-28 13:30:00", + "end_time":"2026-08-28 14:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Mathematics" + ] + }, + { + "id":"89dfc1ba-d215-4621-bb34-cdb003b39122", + "club_id":"7718d1af-bcb1-4f06-9cbd-eca0685a75d5", + "name":"Event for DATA Club", + "preview":"This club is holding an event.", + "description":"Join DATA Club for an engaging evening of learning and networking at our 'Data Visualization Workshop'. Whether you're a beginner or an experienced data enthusiast, this workshop is designed to help you master the art of visualizing data in compelling ways. Our talented speakers will guide you through hands-on exercises and practical tips to enhance your skills in data visualization. Don't miss this opportunity to connect with like-minded individuals and elevate your data journey to new heights. See you there!", + "event_type":"hybrid", + "start_time":"2026-03-20 17:30:00", + "end_time":"2026-03-20 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Software Engineering", + "Mathematics", + "Data Science" + ] + }, + { + "id":"eb340573-4b91-47c8-896d-a5f22d71ff9f", + "club_id":"85cb08bc-715e-4faf-a3f0-916f46663b49", + "name":"Event for Delta Alpha Pi International Honor Society", + "preview":"This club is holding an event.", + "description":"Join us for a special virtual celebration of academic achievements and unity within the diverse community of Delta Alpha Pi International Honor Society. Together, we will share inspiring stories, empower each other, and engage in meaningful discussions on raising disability awareness. While we are not able to meet in person this semester, our spirits remain high as we look forward to reuniting in the fall. Stay connected for updates on future virtual events and opportunities to support our mission!", + "event_type":"hybrid", + "start_time":"2024-09-28 16:00:00", + "end_time":"2024-09-28 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Disability Awareness" + ] + }, + { + "id":"05001b3d-3275-445a-9515-ca81ef27c2df", + "club_id":"85cb08bc-715e-4faf-a3f0-916f46663b49", + "name":"Event for Delta Alpha Pi International Honor Society", + "preview":"This club is holding an event.", + "description":"Join us for our next virtual event with Delta Alpha Pi International Honor Society! We'll be gathering online to celebrate the academic achievements of students with disabilities and discuss ways to raise disability awareness in our university and community. Our events are a welcoming space where you can connect with fellow members and learn about the impact we're making. Stay tuned for more details on our upcoming virtual gathering!", + "event_type":"virtual", + "start_time":"2024-09-28 17:30:00", + "end_time":"2024-09-28 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Academic Achievement" + ] + }, + { + "id":"9220e853-fdf4-4109-9228-3953f0fa5836", + "club_id":"a15ff3dd-4fa9-44f8-aa15-f4eaddb56c2d", + "name":"Event for Delta Kappa Epsilon", + "preview":"This club is holding an event.", + "description":"Join us at Delta Kappa Epsilon's upcoming Rush Week event, where we celebrate camaraderie, scholarship, and good cheer. Meet our members and learn about the history and values of our Nu Alpha Chapter, established on June 21st, 2019. Whether you're a committed scholar, a social butterfly, or simply looking to make lasting friendships, we welcome all to experience a fun-filled evening of bonding and brotherhood!", + "event_type":"virtual", + "start_time":"2026-06-01 21:15:00", + "end_time":"2026-06-02 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Prelaw", + "Gentleman", + "Scholarship" + ] + }, + { + "id":"6667e1ba-4ed7-4e75-84bb-731e92405153", + "club_id":"a15ff3dd-4fa9-44f8-aa15-f4eaddb56c2d", + "name":"Event for Delta Kappa Epsilon", + "preview":"This club is holding an event.", + "description":"Join us at Delta Kappa Epsilon's Annual Founders Day Celebration as we commemorate the rich history and traditions of our fraternal organization. Held on June 21st, this event is a perfect opportunity to connect with fellow members, honor our founding values, and enjoy a fun-filled gathering complete with games, refreshments, and brotherly camaraderie. Whether you're a long-standing member or new to our chapter, all are welcome to celebrate and uphold the spirit of gentlemanly conduct, academic excellence, and good cheer that define our beloved fraternity.", + "event_type":"hybrid", + "start_time":"2025-11-01 23:00:00", + "end_time":"2025-11-02 03:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Scholarship", + "Community Outreach", + "Prelaw", + "Gentleman" + ] + }, + { + "id":"7e128e6c-4794-4842-8695-3f126447a2bc", + "club_id":"a15ff3dd-4fa9-44f8-aa15-f4eaddb56c2d", + "name":"Event for Delta Kappa Epsilon", + "preview":"This club is holding an event.", + "description":"Join us for our annual Welcome Back BBQ event at Delta Kappa Epsilon! Celebrate the start of the new academic year with delicious food, great music, and lots of fun activities. Meet our members and learn more about our rich history and values as the Nu Alpha Chapter. Whether you're a returning member or new to the fraternity, everyone is welcome to enjoy this day of camaraderie and good vibes. Don't miss out on the opportunity to make new friends and create lasting memories with us!", + "event_type":"hybrid", + "start_time":"2024-09-07 16:30:00", + "end_time":"2024-09-07 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Prelaw", + "Gentleman", + "Community Outreach", + "Scholarship" + ] + }, + { + "id":"777e7c74-0f3c-4636-8fd6-2b92ac41dfff", + "club_id":"717ce935-0bd2-46b2-91f8-a5dc6ee9a6c6", + "name":"Event for Delta Phi Epsilon", + "preview":"This club is holding an event.", + "description":"Join the vibrant women of Delta Phi Epsilon at our annual Spring Fling Mixer, a celebration of sisterhood and friendship. Held on the picturesque campus of Northeastern University, this event welcomes both current members and prospective new sisters to come together in the spirit of unity and empowerment. Enjoy an evening of music, laughter, and great conversation as we share our values of Justice, Love, and Sisterhood with all who attend. Whether you're a seasoned sorority member or exploring Greek life for the first time, this mixer promises to be a memorable and inclusive experience for all. We can't wait to meet you!", + "event_type":"hybrid", + "start_time":"2024-01-11 13:30:00", + "end_time":"2024-01-11 14:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Sisterhood" + ] + }, + { + "id":"66fb9086-4451-4f18-8d86-6db0fd5e8a4d", + "club_id":"717ce935-0bd2-46b2-91f8-a5dc6ee9a6c6", + "name":"Event for Delta Phi Epsilon", + "preview":"This club is holding an event.", + "description":"Join Delta Phi Epsilon at Northeastern's Phi Eta Chapter for a night of celebration and sisterhood! Our upcoming event, 'Sisterhood Soiree,' is a festive gathering where you'll have the chance to meet our members, learn about our values of Sisterhood, Justice, and Love, and experience the strong bond that unites us. Whether you're a current member or curious about joining, all are welcome to join us for an evening filled with friendship, laughter, and memories to last a lifetime. We can't wait to welcome you into our sisterhood family!", + "event_type":"virtual", + "start_time":"2026-08-18 13:15:00", + "end_time":"2026-08-18 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "LGBTQ", + "SocialJustice", + "Community Outreach" + ] + }, + { + "id":"4f6fd317-0926-45eb-9fad-4336ed8ae6c5", + "club_id":"717ce935-0bd2-46b2-91f8-a5dc6ee9a6c6", + "name":"Event for Delta Phi Epsilon", + "preview":"This club is holding an event.", + "description":"Join Delta Phi Epsilon for our annual Sisterhood Social event, where all are welcome to connect, share stories, and build lasting friendships. In the spirit of our founding principals of Sisterhood, Justice, and Love, this gathering will celebrate the bonds that unite us as Phi Eta Chapter members. Come enjoy an evening of laughter, fun activities, and meaningful conversations in a warm and inviting setting. Whether you've been part of our sorority for years or are new to the Greek life community, this event promises to be a memorable opportunity to strengthen connections and create new memories together.", + "event_type":"virtual", + "start_time":"2024-11-22 13:00:00", + "end_time":"2024-11-22 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "SocialJustice", + "Sisterhood" + ] + }, + { + "id":"393a6c24-9c21-462a-8155-4fb04af37e29", + "club_id":"875c5de3-75d1-4f8a-9a63-cb9f26e6b15d", + "name":"Event for Delta Sigma Pi", + "preview":"This club is holding an event.", + "description":"Join Delta Sigma Pi for our annual Networking Night event, where you'll have the opportunity to connect with professionals in the business world while enjoying a casual and friendly atmosphere. This is the perfect chance to expand your professional network, gain valuable insights, and build relationships that could last a lifetime. Whether you're a seasoned student looking to make new connections or just starting out in your business journey, this event is open to all. Don't miss this exciting opportunity to mix and mingle with like-minded individuals who share a passion for business and success!", + "event_type":"in_person", + "start_time":"2025-02-20 16:30:00", + "end_time":"2025-02-20 18:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Service", + "Leadership", + "Business", + "Professional Development" + ] + }, + { + "id":"d42c3f1d-3035-4121-ba2b-ae33e3bf549d", + "club_id":"875c5de3-75d1-4f8a-9a63-cb9f26e6b15d", + "name":"Event for Delta Sigma Pi", + "preview":"This club is holding an event.", + "description":"Join Delta Sigma Pi at our upcoming networking mixer event, where Business and Economic majors at Northeastern can connect with industry professionals and fellow members in a vibrant and engaging atmosphere. This event provides a fantastic opportunity to expand your professional network, exchange ideas, and gain valuable insights from experienced professionals. Whether you're looking to explore career paths, seek mentorship, or simply socialize with like-minded individuals, our networking mixer is the perfect space to cultivate new relationships and enhance your business acumen. Don't miss out on this exciting opportunity to mix, mingle, and make meaningful connections that can propel your career to new heights!", + "event_type":"in_person", + "start_time":"2024-07-07 14:30:00", + "end_time":"2024-07-07 17:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Business", + "Scholarship", + "Leadership" + ] + }, + { + "id":"43dfb001-e342-472b-aba2-0709a6ab73cd", + "club_id":"cb9938d4-09ab-47e4-a1c5-f10d271181c9", + "name":"Event for Delta Sigma Theta Sorority, Incorporated", + "preview":"This club is holding an event.", + "description":"Join the Delta Sigma Theta Sorority, Incorporated for an empowering evening celebrating sisterhood and excellence. Experience a night filled with enriching conversations, engaging activities, and meaningful connections. Whether you are a student or a professional, our event welcomes all who are passionate about social welfare and cultural enrichment. Get ready to be inspired by the legacy of the Iota Chapter, the first black sorority in the New England Area, as we come together to promote academic achievement and community impact. Mark your calendars and join us for an unforgettable event that embodies the values of leadership, service, and sisterhood!", + "event_type":"virtual", + "start_time":"2025-06-25 13:15:00", + "end_time":"2025-06-25 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"a351cf12-d982-4716-9738-cb6f8a7706e3", + "club_id":"cb9938d4-09ab-47e4-a1c5-f10d271181c9", + "name":"Event for Delta Sigma Theta Sorority, Incorporated", + "preview":"This club is holding an event.", + "description":"Join the Delta Sigma Theta Sorority, Incorporated for an empowering and inspiring evening dedicated to celebrating sisterhood and academic excellence. Be a part of a rich tradition that began in 1913, as we honor the legacy of the Iota Chapter, the pioneering force in the New England Area. Connect with like-minded individuals from Berklee College, Boston University, Emerson College, and Northeastern University as we come together to uplift, empower, and educate. Come experience the spirit of Delta Sigma Theta Sorority, Incorporated, rooted in a commitment to social welfare, cultural enrichment, and academic success. All are welcome to join us in fostering a community of driven individuals striving for positive change and unity.", + "event_type":"in_person", + "start_time":"2024-09-21 15:30:00", + "end_time":"2024-09-21 18:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"39fa818c-d7f6-451a-8484-4aa5a2611ce6", + "club_id":"87aa205f-9906-457b-ae2c-5b465965e33f", + "name":"Event for Delta Tau Delta", + "preview":"This club is holding an event.", + "description":"Join Delta Tau Delta at Northeastern University for a fun-filled charity event supporting local youth organizations. Our values-based fraternity is dedicated to excellence and community service. Come ready for a day of games, music, and delicious food as we come together to make a positive impact in the lives of those around us. Whether you're a student, alumni, or community member, everyone is welcome to join us in spreading kindness and furthering our mission of 'Committed to Lives of Excellence'!", + "event_type":"hybrid", + "start_time":"2025-02-04 20:00:00", + "end_time":"2025-02-04 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"ddb63366-2c9d-4d63-b899-a3830c38853d", + "club_id":"1c22e909-5b31-49dd-b383-c2152ffc1a06", + "name":"Event for Delta Zeta Sorority, Xi Upsilon", + "preview":"This club is holding an event.", + "description":"Don't miss out on our upcoming event, the 'Sisterhood Soir\u00e9e'! Join us for a night filled with laughter, friendship, and unforgettable memories as we celebrate the unbreakable bond of sisterhood. You'll have the opportunity to meet our amazing sisters, learn more about our values of generosity, empowerment, and friendship, and discover how you can become a part of our supportive community. Whether you're a new face or a familiar one, everyone is welcome to join in the fun and create lifelong connections. Mark your calendars and get ready for a night of sisterly love and empowerment!", + "event_type":"hybrid", + "start_time":"2025-09-15 17:15:00", + "end_time":"2025-09-15 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Friendship", + "Sisterhood Activities", + "Academic Mentoring" + ] + }, + { + "id":"14d3e789-82ab-4cca-b418-cb2251ce63b0", + "club_id":"1c22e909-5b31-49dd-b383-c2152ffc1a06", + "name":"Event for Delta Zeta Sorority, Xi Upsilon", + "preview":"This club is holding an event.", + "description":"Join the Delta Zeta Sorority, Xi Upsilon for an evening of sisterhood and empowerment! Immerse yourself in a welcoming atmosphere where you can connect with like-minded individuals who embody the core values of generosity, belonging, and curiosity. This event offers a unique opportunity to learn more about our rich history dating back to 1989 at Northeastern University. Engage in meaningful conversations, bond over shared experiences, and discover the power of friendship within our vibrant community. Whether you're a current member or curious about joining, this gathering promises to be an enriching experience filled with laughter, support, and the promise of lifelong friendships. Come be a part of Xi Upsilon's tradition of excellence and sisterhood!", + "event_type":"virtual", + "start_time":"2026-05-03 19:00:00", + "end_time":"2026-05-03 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Sisterhood Activities" + ] + }, + { + "id":"692ba0fc-1c40-437f-a131-18b057ee1de5", + "club_id":"4289b8f5-5080-4f02-a5d6-a5be4c2dfd33", + "name":"Event for Department of Marine and Environmental Sciences Terra Society", + "preview":"This club is holding an event.", + "description":"Join us for an exciting field trip organized by the Department of Marine and Environmental Sciences Terra Society! Explore the great outdoors while learning from esteemed professors in the Earth & Environmental Sciences department. This event is perfect for students interested in ecology, marine science, geology, or sustainability. It's a fantastic opportunity to broaden your knowledge, make new friends, and connect with like-minded individuals. Don't miss out on this enriching experience that promises to deepen your understanding of the natural world!", + "event_type":"virtual", + "start_time":"2026-09-24 22:15:00", + "end_time":"2026-09-24 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"6c47b3c9-70f0-4aab-9339-4c29f1640efd", + "club_id":"5b86bd18-2380-42c1-804e-492dc26725f1", + "name":"Event for Digital Health Club", + "preview":"This club is holding an event.", + "description":"Join us for an engaging panel discussion at the Digital Health Club's upcoming event, where expert speakers will share insights on the latest trends in digital health technologies and their impact on modern healthcare practices. Meet fellow members, network with industry professionals, and learn firsthand about cutting-edge advancements shaping the future of healthcare. Don't miss this unique opportunity to be part of the conversation and drive innovation in the field of digital health!", + "event_type":"virtual", + "start_time":"2024-06-27 23:15:00", + "end_time":"2024-06-28 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Healthcare", + "Innovation", + "Digital Health", + "Collaboration" + ] + }, + { + "id":"476d8198-a67d-4580-b6de-e297a8bbb70e", + "club_id":"5b86bd18-2380-42c1-804e-492dc26725f1", + "name":"Event for Digital Health Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting afternoon workshop on 'Innovations in Telemedicine', where you'll have the opportunity to dive deep into interactive case studies and discussions led by industry experts. Discover how telemedicine is revolutionizing healthcare delivery, its impact on patient outcomes, and the possibilities for future growth and integration within the healthcare system. Engage with like-minded peers, share your insights, and gain valuable knowledge that will inspire you to innovate and lead in the digital health landscape.", + "event_type":"in_person", + "start_time":"2024-07-28 13:30:00", + "end_time":"2024-07-28 16:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Healthcare", + "Innovation", + "Collaboration" + ] + }, + { + "id":"b4e45d85-def8-4ee4-8b65-88daee7f77ba", + "club_id":"52935c0d-3030-478e-801f-0e8d3ab2859e", + "name":"Event for Digital Illustration Association", + "preview":"This club is holding an event.", + "description":"Join us for our monthly drawing party extravaganza! Whether you're a seasoned digital artist or just starting out, this event is the perfect opportunity to flex your creativity and mingle with fellow art enthusiasts. Expect a fun atmosphere filled with diverse art styles, engaging conversations, and maybe even a collaborative project or two. Don't miss out on the chance to spark your imagination and make new friends in the process. See you there!", + "event_type":"hybrid", + "start_time":"2025-02-04 19:00:00", + "end_time":"2025-02-04 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Creative Writing", + "Visual Arts", + "Community Outreach" + ] + }, + { + "id":"77e154b0-7066-431e-8b08-40c2312c1222", + "club_id":"34fd31aa-93d5-48e5-bbaf-6a72b9e2aa64", + "name":"Event for Disrupt", + "preview":"This club is holding an event.", + "description":"Join us at Disrupt's upcoming event where industry experts and thought leaders in Finance Technology (FinTech) will gather to share their insights and experiences with the next generation of students. Get inspired by success stories, gain valuable knowledge about the latest trends and innovations in the field, and connect with like-minded individuals passionate about shaping the future of finance. Whether you're a seasoned professional or just getting started, this event promises to inform, empower, and ignite your passion for all things FinTech!", + "event_type":"in_person", + "start_time":"2026-08-12 16:30:00", + "end_time":"2026-08-12 18:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Finance Technology (FinTech)", + "Software Engineering", + "Artificial Intelligence", + "Data Science", + "Community Outreach" + ] + }, + { + "id":"f2b49310-54fd-4692-80e6-139b85e0a003", + "club_id":"34fd31aa-93d5-48e5-bbaf-6a72b9e2aa64", + "name":"Event for Disrupt", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"hybrid", + "start_time":"2026-07-26 22:15:00", + "end_time":"2026-07-26 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Data Science" + ] + }, + { + "id":"b2313516-afa5-4b16-bc0e-6d23268cd4d3", + "club_id":"34fd31aa-93d5-48e5-bbaf-6a72b9e2aa64", + "name":"Event for Disrupt", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"in_person", + "start_time":"2025-11-04 19:00:00", + "end_time":"2025-11-04 21:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Finance Technology (FinTech)", + "Artificial Intelligence" + ] + }, + { + "id":"645cf23b-cd0c-47f9-b2b1-57fce9cf5124", + "club_id":"fdaec67f-5424-481c-a4e1-23149c8e6c58", + "name":"Event for Distilled Harmony A Cappella", + "preview":"This club is holding an event.", + "description":"Join Distilled Harmony A Cappella for a magical evening of captivating vocal performances at their upcoming showcase event! Immerse yourself in the harmonious blend of voices as this talented group takes you on a musical journey through a mix of pop hits, classic favorites, and their own award-winning original arrangements. From powerful solo performances to energetic group numbers, get ready to experience the sheer talent and passion that defines Distilled Harmony. Whether you are a long-time fan or new to the a cappella scene, this event promises to be a night of entertainment, camaraderie, and unforgettable melodies. Don't miss out on this opportunity to witness the magic firsthand \u2013 mark your calendars and get ready to be swept away by the enchanting sounds of Distilled Harmony A Cappella!", + "event_type":"virtual", + "start_time":"2025-08-06 13:15:00", + "end_time":"2025-08-06 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Music" + ] + }, + { + "id":"ebec73f3-0ddf-43db-8e4b-d3c09ef4cdb0", + "club_id":"74b14484-1495-4010-b1a6-8bbf8c27d0f3", + "name":"Event for Diversability", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming event, where we'll be hosting a workshop on disability accommodations in academic settings. Whether you're a disabled student looking to navigate university resources or an ally wanting to learn more about inclusive practices, this interactive session is for you. Our knowledgeable speakers will cover topics such as reasonable accommodations, assistive technologies, and advocating for accessibility. Come network with fellow students and staff, share experiences, and gain practical insights that can benefit the entire community. We're committed to fostering a supportive environment for all, so mark your calendars and get ready to collaborate, innovate, and educate with Diversability!", + "event_type":"virtual", + "start_time":"2024-04-23 15:30:00", + "end_time":"2024-04-23 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Neuroscience", + "Community Outreach" + ] + }, + { + "id":"43101488-d7a5-4443-99e6-094f4d0f8422", + "club_id":"74b14484-1495-4010-b1a6-8bbf8c27d0f3", + "name":"Event for Diversability", + "preview":"This club is holding an event.", + "description":"Join Diversability for our upcoming event where we will be hosting an informative panel discussion on disability rights and advocacy. This engaging event will feature guest speakers sharing their personal experiences and insights, providing valuable perspectives on disability issues. Whether you are a disabled individual, an ally, or simply interested in learning more, everyone is welcome to join the conversation. Come connect with like-minded individuals, ask questions, and contribute to a supportive community that values diversity and inclusion. Mark your calendars and be prepared to be inspired as we come together to empower and educate each other!", + "event_type":"hybrid", + "start_time":"2026-10-17 14:15:00", + "end_time":"2026-10-17 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Environmental Advocacy", + "Community Outreach", + "Neuroscience" + ] + }, + { + "id":"dcfd8bf9-61ef-4ebc-9b7e-08e939b4c70e", + "club_id":"0bb81adb-08ef-440b-9b9d-017c7d9c8d1c", + "name":"Event for Downhillers Ski and Snowboard Club", + "preview":"This club is holding an event.", + "description":"Join the Downhillers Ski and Snowboard Club on an exciting ski trip to the beautiful mountains of Vermont this Saturday! Our club organizes weekly trips every Saturday from January to March, offering you the opportunity to experience the thrill of skiing and snowboarding while surrounded by stunning scenic views. Whether you're a seasoned rider or a beginner, you're welcome to join us as there is no membership fee! Sign up for the bus on a week-by-week basis and choose the weekends that suit you best. Don't miss out on the fun and camaraderie - we can't wait to have you join us for an unforgettable day on the slopes!", + "event_type":"hybrid", + "start_time":"2026-12-27 14:15:00", + "end_time":"2026-12-27 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Adventure", + "Community Outreach" + ] + }, + { + "id":"bcad5f74-6725-49ec-ae36-062ef6e34d32", + "club_id":"0bb81adb-08ef-440b-9b9d-017c7d9c8d1c", + "name":"Event for Downhillers Ski and Snowboard Club", + "preview":"This club is holding an event.", + "description":"Join us for a thrilling ski and snowboard adventure with Downhillers Ski and Snowboard Club! Our next exciting trip takes us to the snowy slopes of Vermont this Saturday. Experience fresh powder, breathtaking views, and endless fun with a group of passionate winter sports enthusiasts. Remember, there's no membership fee and you can sign up for the bus each week, so you have the flexibility to choose your weekends. Whether you're a seasoned pro or hitting the slopes for the first time, our friendly club welcomes all levels of experience. Don't miss out on this opportunity for an unforgettable Saturday on the mountains with us!", + "event_type":"hybrid", + "start_time":"2026-10-23 19:30:00", + "end_time":"2026-10-23 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Hiking", + "Outdoor", + "Adventure", + "Community Outreach", + "Skiing" + ] + }, + { + "id":"81da8603-80a2-4eb1-8fee-d6e9768d0576", + "club_id":"a62a9ba4-80a3-453d-afbf-269443196d5d", + "name":"Event for DREAM Program at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the DREAM Program at Northeastern University for our annual Fall Festival! This fun-filled event is a celebration of community and mentorship, bringing together NU students and children from Madison Park Village and Orchard Gardens in Roxbury, MA for a day of games, arts and crafts, and delicious food. Through engaging activities and interactive workshops, we aim to strengthen the bonds between mentors and mentees, while fostering a sense of belonging and empowerment. Don't miss this opportunity to make lasting memories and meaningful connections in the spirit of unity and support!", + "event_type":"virtual", + "start_time":"2026-04-01 19:30:00", + "end_time":"2026-04-01 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Education", + "Children", + "Determination" + ] + }, + { + "id":"56a419bf-7e64-4b93-888e-4777bdeca3e9", + "club_id":"a62a9ba4-80a3-453d-afbf-269443196d5d", + "name":"Event for DREAM Program at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for our annual Fall Festival at DREAM Program at Northeastern University! This exciting event brings together our mentors, mentees, and community members for a day of fun and learning. Enjoy games, arts and crafts, music, and delicious food while connecting with others who share a passion for empowering our youth. Learn more about how you can get involved in mentoring and positively impacting the lives of children in Madison Park Village and Orchard Gardens. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2024-01-09 20:30:00", + "end_time":"2024-01-09 23:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Children", + "Determination", + "Volunteerism", + "Mentoring", + "Education" + ] + }, + { + "id":"130debdf-0aea-41c0-b7dc-23518dfe0ef7", + "club_id":"a62a9ba4-80a3-453d-afbf-269443196d5d", + "name":"Event for DREAM Program at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for 'College Bound Day' where we inspire our mentees from Madison Park Village and Orchard Gardens to dream big and envision a future full of possibilities. This fun-filled afternoon will include interactive workshops, mentor-led activities, and a special guest speaker sharing their journey to success. Together, we will foster a sense of community, empowerment, and hope as we support our mentees on their path towards higher education and bright futures.", + "event_type":"hybrid", + "start_time":"2026-12-21 15:30:00", + "end_time":"2026-12-21 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Children", + "Education", + "Determination" + ] + }, + { + "id":"b9c5fa71-be20-4fbf-93df-54dc3e6046c6", + "club_id":"0aa57986-81c9-4dbf-b642-19003d636960", + "name":"Event for ECONPress", + "preview":"This club is holding an event.", + "description":"Join ECONPress for a lively discussion on the latest economic trends and insights, where we'll explore how different economic theories apply to real-world scenarios. Whether you're an economics major or simply curious about the subject, this event welcomes all backgrounds to participate. Bring your questions, your perspectives, and your enthusiasm to our weekly Tuesday meetings from 7-8pm. We can't wait to hear your unique take on the economic world! For more information, feel free to reach out to us via email at nueconpress@gmail.com or visit our website at https://web.northeastern.edu/econpress/", + "event_type":"in_person", + "start_time":"2026-12-13 19:15:00", + "end_time":"2026-12-13 21:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Economics", + "Community Outreach", + "Journalism", + "Undergraduate Research" + ] + }, + { + "id":"4ed15ae2-902e-4166-a70d-9ef1cc8e2a6a", + "club_id":"0aa57986-81c9-4dbf-b642-19003d636960", + "name":"Event for ECONPress", + "preview":"This club is holding an event.", + "description":"Join us at ECONPress for an engaging discussion on the impact of automation on the labor market. We'll explore how advancements in technology are reshaping traditional job roles and the implications for future career paths. Whether you're an economics enthusiast or simply curious about the future of work, this event is open to all students regardless of major. Come share your thoughts and ideas with us this Tuesday from 7-8pm in an inclusive and welcoming space. Can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2024-08-23 19:30:00", + "end_time":"2024-08-23 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Undergraduate Research" + ] + }, + { + "id":"18a3bc98-4675-4361-a812-d50c12e66e16", + "club_id":"0aa57986-81c9-4dbf-b642-19003d636960", + "name":"Event for ECONPress", + "preview":"This club is holding an event.", + "description":"Join us at the next ECONPress club meeting, where we will be diving into a fascinating discussion on the latest economic trends and real-world applications of econometrics. Whether you're an econ major looking to expand your knowledge or a student from a different background curious about economics, you'll find engaging conversations and a supportive community at our weekly Tuesday meetings from 7-8pm. Come share your ideas, gain insights, and connect with like-minded individuals passionate about undergraduate research. Have questions or interested in learning more? Feel free to reach out to us via email at nueconpress@gmail.com or visit our website at https://web.northeastern.edu/econpress/ for more information!", + "event_type":"hybrid", + "start_time":"2026-02-08 15:00:00", + "end_time":"2026-02-08 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Economics" + ] + }, + { + "id":"6bd93618-c339-4a3b-868d-65fb027c5f73", + "club_id":"0908f94a-98b8-4a74-8589-84a652f0d543", + "name":"Event for EcoScholars", + "preview":"This club is holding an event.", + "description":"Join EcoScholars this Thursday for a fun and interactive workshop at a local elementary school! Our passionate members will be leading an engaging lesson on climate change, tailored for young students. Learn about the science behind climate change and discover how you can make a positive impact on the environment. Whether you're interested in environmental science, teaching, or sustainability, this event is perfect for you. Don't miss out on this opportunity to connect with like-minded individuals and inspire the next generation to protect our planet. See you there!", + "event_type":"in_person", + "start_time":"2026-10-04 18:15:00", + "end_time":"2026-10-04 19:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Education", + "Environmental Science", + "Sustainability" + ] + }, + { + "id":"3fa39d20-2b57-4fc2-8d2f-f6a9674187a3", + "club_id":"0908f94a-98b8-4a74-8589-84a652f0d543", + "name":"Event for EcoScholars", + "preview":"This club is holding an event.", + "description":"Join EcoScholars for a fun and interactive workshop on climate change education! Whether you're a seasoned member or new to the club, this event is perfect for anyone passionate about environmental science, teaching, or sustainability. We'll discuss the latest lessons and exciting updates in our curriculum library, providing valuable insights on how to engage young students in understanding and combating climate change. Don't miss this opportunity to connect with like-minded individuals and make a positive impact in the community. See you there!", + "event_type":"in_person", + "start_time":"2024-07-10 18:15:00", + "end_time":"2024-07-10 21:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Education", + "Sustainability" + ] + }, + { + "id":"f4ca20b0-aa55-419f-8f5b-374ff56b6588", + "club_id":"20bf23a2-57ae-4564-af8e-76b6cadba587", + "name":"Event for Electric Racing at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join Electric Racing at Northeastern University for an exciting and interactive Tech Talk session where you can learn all about our innovative approach to designing, building, and testing all-electric Formula-style cars. Meet our diverse subteams including mechanical, electrical, business, and software, and discover how you can contribute to our cutting-edge projects. Whether you're a seasoned engineer or just curious about electric vehicles, this event is perfect for anyone looking to explore new opportunities and make meaningful connections within the racing community. Be sure to mark your calendars for this enlightening session taking place on February 15th at 6 pm in Ryder Hall. We can't wait to welcome you into our passionate and dedicated team!", + "event_type":"in_person", + "start_time":"2025-03-28 12:00:00", + "end_time":"2025-03-28 14:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Business", + "Student Organization" + ] + }, + { + "id":"8c3cf6a8-f3d4-4226-b192-4c77ef59d491", + "club_id":"20bf23a2-57ae-4564-af8e-76b6cadba587", + "name":"Event for Electric Racing at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join Electric Racing at Northeastern University for an exciting hands-on workshop where you can learn the ins and outs of circuit design, CAD modeling, and business project management! Our experienced members will guide you through interactive simulations, soldering exercises, and financial planning sessions. Whether you're interested in engineering, business, or software, there's a spot for you on our interdisciplinary teams. Come meet us at our upcoming Info Session on January 9th at 9 pm in Richards 300 - we can't wait to welcome you to the world of Electric Racing!", + "event_type":"in_person", + "start_time":"2024-08-05 19:30:00", + "end_time":"2024-08-05 23:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Engineering Competition", + "Student Organization", + "Electrical Engineering", + "Software Engineering", + "Mechanical Engineering", + "Business", + "Design" + ] + }, + { + "id":"ce14f7f7-8be2-4f87-9322-1cd888b68f70", + "club_id":"13023fdc-fddd-4b7b-a40e-50f9ecc616ea", + "name":"Event for Elite Heat", + "preview":"This club is holding an event.", + "description":"Join Elite Heat for our monthly Adventure Run event, where we explore new trails, tackle challenging obstacles, and build camaraderie among members of all skill levels. Whether you're a seasoned racer or just starting out, this event is the perfect opportunity to push your limits, test your agility, and have fun in a supportive and encouraging environment. Our experienced coaches will guide you through the course, offering tips and motivation along the way. After the run, we gather for a post-workout picnic to celebrate our accomplishments and share stories of triumph. Come join us and experience the thrill of conquering obstacles together with Elite Heat!", + "event_type":"virtual", + "start_time":"2025-02-10 16:30:00", + "end_time":"2025-02-10 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Strength Training", + "Community Outreach", + "Climbing", + "Hiking" + ] + }, + { + "id":"853cdbee-2d48-4e5f-be7c-48b868313c80", + "club_id":"13023fdc-fddd-4b7b-a40e-50f9ecc616ea", + "name":"Event for Elite Heat", + "preview":"This club is holding an event.", + "description":"Join us at Elite Heat for our monthly community fun run event, where we come together to tackle new obstacles, push our limits, and support each other on our fitness journey. Whether you're a seasoned racer or just starting out, this event is perfect for all skill levels. Our experienced coaches will guide you through a dynamic warm-up, followed by a scenic run that will test your endurance and have you feeling accomplished. Afterwards, we'll gather for a post-run celebration with healthy snacks, hydrating drinks, and plenty of camaraderie. Come experience the thrill of overcoming challenges with a positive and supportive group of like-minded individuals at Elite Heat!", + "event_type":"in_person", + "start_time":"2024-02-13 13:15:00", + "end_time":"2024-02-13 17:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Strength Training", + "Climbing" + ] + }, + { + "id":"f715c72c-b680-4732-a062-85b5aa3a41c1", + "club_id":"1f70d831-a411-4944-a363-30c1593fee5e", + "name":"Event for EMPOWER Weightlifting", + "preview":"This club is holding an event.", + "description":"Join EMPOWER Weightlifting for our upcoming fitness industry guest speaker event! This exciting and informative gathering will feature a renowned expert in the fitness field who will share valuable insights and tips to help you elevate your workout routine. Mingle with fellow weightlifters and fitness enthusiasts as you dive into discussions on proper lifting techniques, nutrition strategies, and the latest trends in the fitness world. Don't miss out on this opportunity to expand your knowledge, connect with like-minded individuals, and have a great time while supporting the empowering community that EMPOWER has built. See you there!", + "event_type":"hybrid", + "start_time":"2026-08-13 13:15:00", + "end_time":"2026-08-13 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Building", + "Fitness", + "Events", + "Nutrition", + "Women's Health" + ] + }, + { + "id":"2c13829a-af71-4ec6-88d0-ffc62de3c031", + "club_id":"1f70d831-a411-4944-a363-30c1593fee5e", + "name":"Event for EMPOWER Weightlifting", + "preview":"This club is holding an event.", + "description":"Join EMPOWER Weightlifting for our upcoming Group Lift event! Whether you're a seasoned weightlifter or just starting out, this event is perfect for anyone looking to improve their lifting technique, gain confidence, and have some fun! Our experienced coaches will be on hand to provide guidance and tips, ensuring that everyone has a safe and enjoyable workout. After the lifts, we'll gather for a social session to chat, connect, and share our fitness journeys. Don't miss this opportunity to meet like-minded individuals, push your limits, and grow together as part of our supportive fitness community at EMPOWER Weightlifting!", + "event_type":"in_person", + "start_time":"2026-09-25 19:15:00", + "end_time":"2026-09-25 23:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Nutrition", + "Women's Health", + "Events", + "Fitness" + ] + }, + { + "id":"eb002ee4-d686-48dc-add0-b7088bd1ff2e", + "club_id":"1f70d831-a411-4944-a363-30c1593fee5e", + "name":"Event for EMPOWER Weightlifting", + "preview":"This club is holding an event.", + "description":"Join EMPOWER Weightlifting for a special guest speaker event where you'll hear from a renowned fitness industry expert sharing valuable insights on strength training, nutrition, and wellness. This event is the perfect opportunity to expand your knowledge, connect with like-minded individuals, and be inspired to reach new fitness goals. Don't miss this chance to enhance your gym experience and be a part of our supportive community at EMPOWER Weightlifting!", + "event_type":"hybrid", + "start_time":"2026-05-10 18:30:00", + "end_time":"2026-05-10 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Nutrition", + "Events", + "Community Building", + "Women's Health", + "Fitness" + ] + }, + { + "id":"4987e41a-7525-463c-81e0-d39acf239259", + "club_id":"3ef3f3d0-d4d2-4479-8a8a-e01d00f085a8", + "name":"Event for Encounter Every Nation Campus Ministries of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join Encounter Every Nation Campus Ministries of Northeastern University for an unforgettable evening of community and spiritual growth! Discover the joy of encountering God and His love through engaging conversations, biblical teachings, and supportive friendships. Whether you are a seasoned believer or exploring faith for the first time, this event is open to all, regardless of background or beliefs. Come be a part of our God-centered family as we learn, discuss, and grow together in the heart of Northeastern University and beyond.", + "event_type":"hybrid", + "start_time":"2026-09-20 19:00:00", + "end_time":"2026-09-20 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Christianity" + ] + }, + { + "id":"4035f8da-669f-47bf-a08c-54af6bfc9054", + "club_id":"3ef3f3d0-d4d2-4479-8a8a-e01d00f085a8", + "name":"Event for Encounter Every Nation Campus Ministries of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join Encounter Every Nation Campus Ministries of Northeastern University for an uplifting and engaging night of encountering God's love and gifts! Dive deep into Gospel-centered discussions, learn about the gifts of the spirit, and connect with a supportive community of like-minded individuals. Whether you're a seasoned Christian or simply curious about spirituality, this event is open to all and promises an enriching experience where you can grow in your faith and build lasting connections. Come as you are and experience the warmth and welcoming embrace of Encounter as we journey together towards a deeper understanding of God's presence in our lives.", + "event_type":"virtual", + "start_time":"2025-06-13 21:15:00", + "end_time":"2025-06-14 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Mentorship", + "Bible Study", + "Christianity", + "Community Outreach" + ] + }, + { + "id":"988ac781-f9e7-4872-889a-91a6bae81fb6", + "club_id":"5e7a9843-a603-4bee-91ee-6aa2633c556c", + "name":"Event for Engineers Without Borders", + "preview":"This club is holding an event.", + "description":"Join Engineers Without Borders for our upcoming fundraiser event, where we will be showcasing the impactful projects we have been working on in Guatemala, Uganda, and Panama. Come learn about our initiatives to provide accessible drinking water to communities in need and how you can get involved. Enjoy live music, delicious food, and engaging conversations with our dedicated members. Whether you're a seasoned volunteer or new to our cause, this event is open to everyone who shares our passion for making a positive difference in the world. We can't wait to connect with you and inspire change together!", + "event_type":"in_person", + "start_time":"2024-08-20 16:15:00", + "end_time":"2024-08-20 20:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Environmental Advocacy" + ] + }, + { + "id":"dc238f2f-723b-4505-a895-8d31809a6ce9", + "club_id":"5e7a9843-a603-4bee-91ee-6aa2633c556c", + "name":"Event for Engineers Without Borders", + "preview":"This club is holding an event.", + "description":"Join Engineers Without Borders for a unique and impactful event focused on bringing clean water to communities in need. As a student-led organization, EWB works tirelessly in Guatemala, Uganda, and Panama to ensure access to safe drinking water for all. Learn how you can get involved and make a real difference in people's lives by attending this event. Be a part of a global movement that started in 2004 and is supported by EWB-USA, a national nonprofit with over 250 chapters across the United States and active projects in more than 45 countries worldwide. Come join us and be a changemaker!", + "event_type":"in_person", + "start_time":"2026-05-22 18:30:00", + "end_time":"2026-05-22 19:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Latin America", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"1a69e5c3-9f71-439a-99c5-80d278ecee59", + "club_id":"9cc87e0f-b194-4a47-8447-4d2a48538821", + "name":"Event for English Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"in_person", + "start_time":"2025-09-04 14:30:00", + "end_time":"2025-09-04 18:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "HumanRights", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"90775dee-7698-427e-9a7c-3f46c8ce5662", + "club_id":"9cc87e0f-b194-4a47-8447-4d2a48538821", + "name":"Event for English Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join the English Graduate Student Association for an engaging academic mixer! Whether you're a seasoned graduate student or just starting your journey in the English Department at Northeastern, this event is the perfect opportunity to connect with like-minded peers and faculty members. Enjoy lively discussions, insightful workshops, and ample networking opportunities as we come together to strengthen our community and support each other's academic pursuits. Mark your calendars and get ready for an evening filled with intellectual exchange, mutual encouragement, and a shared passion for all things literary. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2025-06-25 16:00:00", + "end_time":"2025-06-25 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"9bfe3da9-9404-48eb-8bb3-d052d0388b7c", + "club_id":"9cc87e0f-b194-4a47-8447-4d2a48538821", + "name":"Event for English Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join the English Graduate Student Association for a delightful evening of academic camaraderie and professional growth! Our upcoming event will feature insightful discussions led by our dedicated elected representatives, designed to enrich your graduate student experience. Engage in meaningful dialogue, connect with fellow students, and build lasting relationships within the Northeastern English Department community. Prepare to be inspired as we collaborate on new policies and procedures that will enhance the quality of our graduate programs. This is your opportunity to strengthen faculty-student communication and foster a culture of inclusivity and support. Don't miss out on this chance to contribute to our shared mission of elevating the graduate student experience and promoting personal and academic growth for all members!", + "event_type":"virtual", + "start_time":"2024-03-11 12:15:00", + "end_time":"2024-03-11 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"2ed51083-a92c-4798-9573-5f04f8c80010", + "club_id":"2d1727a5-7b30-4be8-8128-ab8ed51d55ca", + "name":"Event for Entrepreneurs Club", + "preview":"This club is holding an event.", + "description":"Join us this Friday for an exciting workshop on how to turn your innovative idea into a successful startup at the Entrepreneurs Club! Our engaging speaker will share insights and strategies to help you kickstart your entrepreneurial journey. Whether you're a seasoned entrepreneur or just starting out, this event is the perfect opportunity to connect with like-minded individuals, learn new skills, and be part of our vibrant entrepreneurial community. Don't miss out on this inspiring opportunity to fuel your passion for innovation and business growth!", + "event_type":"in_person", + "start_time":"2026-04-01 23:15:00", + "end_time":"2026-04-02 03:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"9e842dc3-feb1-4975-8a98-0b94464042b5", + "club_id":"2d1727a5-7b30-4be8-8128-ab8ed51d55ca", + "name":"Event for Entrepreneurs Club", + "preview":"This club is holding an event.", + "description":"Join the Entrepreneurs Club at Northeastern University for an exciting workshop on building your personal brand. This interactive session will provide practical tips on creating a standout online presence to attract opportunities and connections. Whether you're a seasoned entrepreneur or just starting out, this event is designed to inspire and empower you on your entrepreneurial journey. Don't miss this chance to network with like-minded individuals and take your branding to the next level!", + "event_type":"hybrid", + "start_time":"2025-09-23 12:00:00", + "end_time":"2025-09-23 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Workshops", + "Entrepreneurship", + "Startup Incubator" + ] + }, + { + "id":"da7f9635-08a6-4181-bfb1-d887dcb71e18", + "club_id":"2d1727a5-7b30-4be8-8128-ab8ed51d55ca", + "name":"Event for Entrepreneurs Club", + "preview":"This club is holding an event.", + "description":"Join the Entrepreneurs Club for an evening of innovation and networking at the Startup Showcase event! The event will feature pitches from student entrepreneurs, interactive demos of new technologies, and opportunities to connect with industry professionals. Whether you're a seasoned entrepreneur or just beginning your journey, this event is the perfect chance to explore new ideas, learn from experts, and grow your network within the vibrant NU Entrepreneurs Club community.", + "event_type":"hybrid", + "start_time":"2024-02-20 13:00:00", + "end_time":"2024-02-20 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Startup Incubator", + "Entrepreneurship", + "Community Outreach", + "Workshops" + ] + }, + { + "id":"3e7366e1-abb0-4fe0-b9b2-29db363dab10", + "club_id":"bd2c1ef8-c329-4a6f-a107-6faccf32ee4d", + "name":"Event for Environmental Science and Policy Leaders for the Environment", + "preview":"This club is holding an event.", + "description":"Join the Environmental Science and Policy Leaders for the Environment for our upcoming Sustainable Futures Summit, where we will gather to discuss cutting-edge solutions to pressing environmental challenges. This event will feature engaging panel discussions with industry experts, interactive workshops on sustainability practices, and networking opportunities to connect with like-minded individuals passionate about making a positive impact on our planet. Whether you're a seasoned environmental advocate or just starting your journey in the field, this summit is designed to inspire, educate, and empower you to become a leader in creating a more sustainable future for all. Don't miss out on this exciting opportunity to be part of the change-makers shaping our world!", + "event_type":"hybrid", + "start_time":"2024-04-17 14:30:00", + "end_time":"2024-04-17 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Diversity", + "Community Involvement", + "Equity", + "Environmental Science", + "Career Development", + "Advocacy", + "Leadership" + ] + }, + { + "id":"3f541406-da4b-4d85-b69e-b4acf37219c8", + "club_id":"2fb17293-5007-47a9-bc34-271a8711e461", + "name":"Event for Eon Dance Troupe", + "preview":"This club is holding an event.", + "description":"Join Eon Dance Troupe for a captivating evening of cultural celebration through dance! Our upcoming event will showcase a vibrant mix of classical, ethnic, and fusion dances that beautifully express the rich history and diversity within Chinese dance. Whether you're an experienced dancer or simply curious to learn, our welcoming atmosphere invites individuals of all backgrounds to participate, connect, and enjoy the beauty of movement together. Don't miss this opportunity to immerse yourself in the artistry and community spirit that Eon Dance Troupe embodies. Stay updated on all our exciting activities by following us on Instagram and signing up for our weekly mailing list!", + "event_type":"virtual", + "start_time":"2025-01-22 20:30:00", + "end_time":"2025-01-22 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"845d1629-f14f-43fd-899b-6fd8cd9bd1d6", + "club_id":"2fb17293-5007-47a9-bc34-271a8711e461", + "name":"Event for Eon Dance Troupe", + "preview":"This club is holding an event.", + "description":"Come join Eon Dance Troupe for our annual 'Cultural Rhythms Showcase' where we celebrate the vibrant tapestry of Chinese dance traditions! This event will feature a captivating performance blending classical, ethnic, and modern fusion dances that beautifully showcase the diversity and richness of Chinese culture. Whether you're a seasoned dancer or just beginning your dance journey, this event is open to all with our inclusive non-audition policy. Immerse yourself in an evening of stunning choreography, rhythmic music, and joyful camaraderie as we come together to share our passion for dance and cultural expression. Don't miss out - mark your calendars and bring your friends along for an unforgettable experience that will leave you inspired and energized!", + "event_type":"in_person", + "start_time":"2025-11-22 21:15:00", + "end_time":"2025-11-22 22:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"cc6d703d-7f2a-4d50-b58f-f4c1290c3ba4", + "club_id":"3f178adf-3b3b-4950-9489-cca3eeea1222", + "name":"Event for Eta Kappa Nu", + "preview":"This club is holding an event.", + "description":"Join Eta Kappa Nu at their annual ECE Mixer Event! This fun and engaging gathering is the perfect opportunity to connect with fellow Northeastern students passionate about electrical and computer engineering. Whether you're a seasoned member or a newcomer, this event welcomes all with open arms. Come mingle, share experiences, and learn about the exciting opportunities HKN offers such as tutoring services, research information sessions, and scholarship chances. Don't miss this chance to expand your network and grow both academically and professionally with Eta Kappa Nu!", + "event_type":"virtual", + "start_time":"2026-08-26 16:00:00", + "end_time":"2026-08-26 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Research", + "Alumni Outreach", + "Electrical Engineering", + "Scholarship" + ] + }, + { + "id":"611ad665-97e0-4540-8cd2-e490f47970db", + "club_id":"3f178adf-3b3b-4950-9489-cca3eeea1222", + "name":"Event for Eta Kappa Nu", + "preview":"This club is holding an event.", + "description":"Join Eta Kappa Nu, Gamma Beta Chapter, for an exciting evening of networking and skill-building! Our event will feature informative sessions on research opportunities and graduate studies, as well as valuable tips for academic and professional success. Whether you're a member or non-member, our welcoming community is here to support you through tutoring services and scholarship opportunities. Come meet fellow students, engage with inspiring alumni, and explore the endless possibilities HKN has to offer for your Electrical and Computer Engineering journey!", + "event_type":"hybrid", + "start_time":"2025-10-05 17:30:00", + "end_time":"2025-10-05 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Alumni Outreach" + ] + }, + { + "id":"b416e991-d11d-426f-8940-e8a7a32a405e", + "club_id":"3f178adf-3b3b-4950-9489-cca3eeea1222", + "name":"Event for Eta Kappa Nu", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"hybrid", + "start_time":"2024-09-25 18:00:00", + "end_time":"2024-09-25 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Research", + "Academic Support" + ] + }, + { + "id":"2cc6a614-6bfb-4005-97be-ae1cc1148365", + "club_id":"03f1eab3-cc13-432a-adbb-e7640054fd8e", + "name":"Event for Ethiopian and Eritrean Student Association ", + "preview":"This club is holding an event.", + "description":"Join us at the Ethiopian and Eritrean Student Association (EESA) for a vibrant cultural exchange event where we celebrate the rich traditions and histories of Ethiopia and Eritrea. Come meet fellow students eager to share their heritage and stories, while also learning about the fascinating customs and current affairs of these East African nations. Whether you have roots in Ethiopia or Eritrea or simply an interest in exploring new cultures, this event is open to all who seek to connect, learn, and foster a sense of togetherness. We warmly invite you to join our community where friendship and knowledge intertwine to create a welcoming space for intellectual and social growth. Come discover the beauty of Ethiopia and Eritrea with us \u2013 everyone is welcome!", + "event_type":"virtual", + "start_time":"2024-09-16 22:00:00", + "end_time":"2024-09-16 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Volunteerism", + "African American", + "Environmental Advocacy" + ] + }, + { + "id":"9a84be55-8ce7-4057-8183-3f6873be3e69", + "club_id":"03f1eab3-cc13-432a-adbb-e7640054fd8e", + "name":"Event for Ethiopian and Eritrean Student Association ", + "preview":"This club is holding an event.", + "description":"Come join us at our Cultural Exchange Night, an evening filled with rich traditions, vibrant music, and delicious flavors from Ethiopia and Eritrea. Connect with fellow students, share stories, and immerse yourself in the beauty of our heritage. Discover the history and customs that shape our communities while enjoying a warm and inviting atmosphere where everyone is welcome. Let's celebrate diversity and unity together as we learn, laugh, and create lasting memories. Join us at the Ethiopian and Eritrean Student Association - where friendship knows no borders!", + "event_type":"hybrid", + "start_time":"2024-11-10 18:15:00", + "end_time":"2024-11-10 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Environmental Advocacy", + "African American" + ] + }, + { + "id":"70264c81-1e46-4e99-9c0e-ef7960005434", + "club_id":"7c33e487-4349-4774-b58f-a468aa37e6e8", + "name":"Event for Evolve", + "preview":"This club is holding an event.", + "description":"Join us at Evolve's Startup Showcase event, where you can immerse yourself in the dynamic world of early-stage healthcare and life sciences ventures. Discover the innovative projects that are shaping the future of the industry, network with passionate entrepreneurs, and gain insights from experienced industry experts. Whether you're a student looking to explore entrepreneurship or an investor seeking promising opportunities, this event is the perfect platform to connect, learn, and be inspired. Don't miss out on this exciting opportunity to witness the next generation of healthcare innovation unfold before your eyes!", + "event_type":"in_person", + "start_time":"2024-06-15 13:30:00", + "end_time":"2024-06-15 14:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Neuroscience", + "Entrepreneurship", + "Community Outreach" + ] + }, + { + "id":"20e4cbb7-361a-4abd-b7c0-24d692d8f726", + "club_id":"ead32b48-e7aa-4cdd-8cc5-ed82faad2f1e", + "name":"Event for Family Business Consulting Club", + "preview":"This club is holding an event.", + "description":"Join us for 'Coffee Chat with Family Businesses' where you'll have the opportunity to network with local family business owners and learn about their industry challenges. Our club members will also share success stories from previous consulting projects, giving you insight into the impactful work we do. Whether you're a seasoned business professional or just starting out, this event is open to all who are eager to contribute their skills and passion to support family-owned businesses in our community.", + "event_type":"virtual", + "start_time":"2024-02-02 19:15:00", + "end_time":"2024-02-02 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Consulting" + ] + }, + { + "id":"c7790fe2-7bda-4181-b48c-bbb7cdf4bcbf", + "club_id":"ead32b48-e7aa-4cdd-8cc5-ed82faad2f1e", + "name":"Event for Family Business Consulting Club", + "preview":"This club is holding an event.", + "description":"Join the Family Business Consulting Club for an engaging workshop on 'Maximizing Sales for Family-Owned Businesses'. Learn key strategies and best practices to boost revenue and improve profitability for family businesses of all sizes. Our experienced team leads will share insights on sales optimization techniques, effective customer analysis, and actionable growth strategies. This is a fantastic opportunity to network with like-minded individuals, collaborate on real-world case studies, and enhance your consulting skills in a supportive and encouraging environment. Whether you're new to consulting or a seasoned pro, this event promises to be insightful, interactive, and a great way to connect with the FBC Club community!", + "event_type":"hybrid", + "start_time":"2025-03-19 20:30:00", + "end_time":"2025-03-19 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Management Consulting", + "Business", + "Sales Optimization", + "Financial Analysis", + "Teamwork", + "Consulting" + ] + }, + { + "id":"be1dde32-5249-42f5-8d75-8bdbfeac50aa", + "club_id":"812d8e65-1e91-49f2-8f49-d7569991bce3", + "name":"Event for Fellowship and Manhood", + "preview":"This club is holding an event.", + "description":"Join Fellowship and Manhood for our upcoming 'Brotherhood Mixer' event! This is an evening dedicated to forging new connections and strengthening existing bonds within our community. Come meet fellow Black men on campus, share your experiences, and engage in meaningful conversations that uplift and empower. Enjoy music, games, and refreshments in a warm and welcoming atmosphere where every voice is valued. Whether you're a new member or a long-time participant, this event is the perfect opportunity to connect, support one another, and build lasting friendships based on the values of manhood and unity.", + "event_type":"in_person", + "start_time":"2026-11-15 17:15:00", + "end_time":"2026-11-15 18:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Brotherhood", + "Creative Writing" + ] + }, + { + "id":"92121bd1-5843-4f3d-89a5-b33af8a6cb6f", + "club_id":"812d8e65-1e91-49f2-8f49-d7569991bce3", + "name":"Event for Fellowship and Manhood", + "preview":"This club is holding an event.", + "description":"Join Fellowship and Manhood for 'Brotherhood Night' this Friday! A casual and fun evening where Black men can come together to connect, share experiences, and build lasting friendships. Enjoy engaging conversations, games, and activities that strengthen the bonds of brotherhood. Whether you want to unwind after a long week or make new friends, this event is the perfect opportunity to be a part of a supportive and welcoming community that values every member's voice and journey.", + "event_type":"in_person", + "start_time":"2026-09-06 23:00:00", + "end_time":"2026-09-07 00:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Brotherhood", + "HumanRights", + "Community Outreach" + ] + }, + { + "id":"0bb108bc-e370-4d9c-bd66-e9c0a74fd75d", + "club_id":"812d8e65-1e91-49f2-8f49-d7569991bce3", + "name":"Event for Fellowship and Manhood", + "preview":"This club is holding an event.", + "description":"Join us for 'Brotherhood Night' at Fellowship and Manhood! This event is all about building connections, sharing experiences, and uplifting each other. You can look forward to engaging discussions on topics relevant to our community, fun activities that encourage teamwork, and opportunities to relax and enjoy the company of like-minded individuals. Whether you're a new member or a long-time participant, 'Brotherhood Night' is the perfect chance to strengthen bonds, discover new perspectives, and be a part of a supportive network that values you for who you are. Come join us and experience firsthand the warmth, camaraderie, and sense of belonging that define our club!", + "event_type":"hybrid", + "start_time":"2026-04-25 16:30:00", + "end_time":"2026-04-25 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Creative Writing", + "African American", + "Brotherhood", + "HumanRights" + ] + }, + { + "id":"b4f30c5a-0eca-4874-85f0-d5cbc20411c9", + "club_id":"9de78542-dbd2-478d-aaa6-de6aa59a33a9", + "name":"Event for Feminist Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Feminist Student Organization (FSO) for an engaging evening of deep dives into feminist theory and current events! This event will feature thought-provoking discussions on topics ranging from gender equality to social justice initiatives. Come ready to share your perspective and engage in respectful dialogue with fellow members. We look forward to welcoming new faces and fostering a community of empowerment and activism. Don't miss out on this opportunity to be part of a dynamic group dedicated to creating positive change on campus and beyond!", + "event_type":"hybrid", + "start_time":"2024-10-04 19:00:00", + "end_time":"2024-10-04 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Feminist Student Organization" + ] + }, + { + "id":"0da3cb1d-f642-4133-863d-aa06615f308d", + "club_id":"9de78542-dbd2-478d-aaa6-de6aa59a33a9", + "name":"Event for Feminist Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Feminist Student Organization for an empowering evening of discussion and connection! Our upcoming event, 'Breaking Barriers Book Club,' will focus on exploring the works of diverse feminist authors and delving into thought-provoking conversations on gender equality and social justice. This event is open to all students passionate about making a difference and creating positive change in our community. Come meet like-minded individuals and be part of the movement towards a more inclusive and equal society. We look forward to seeing you on Thursday at 8pm in Curry Student Center room 144 (aka the Center for Intercultural Engagement [CIE])!", + "event_type":"virtual", + "start_time":"2025-12-28 14:15:00", + "end_time":"2025-12-28 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Women's Rights", + "Community Outreach", + "Feminist Student Organization" + ] + }, + { + "id":"0a0101d9-b7e5-498b-8f14-a2c3afe71f64", + "club_id":"11fc6ea7-941b-4f58-ade5-30b5c521a5cb", + "name":"Event for Fiction Addiction Book Club", + "preview":"This club is holding an event.", + "description":"Join Fiction Addiction Book Club for an exciting evening of bookish fun at our annual Blind Date with a Book event! This unique gathering allows members to choose a book based on a brief, intriguing description without knowing the title or author beforehand. It's a great opportunity to discover new genres and authors, and engage in lively discussions with fellow book enthusiasts. Whether you're a long-time member or new to the club, this event promises an enjoyable and enriching experience that celebrates the love of reading and sharing stories together.", + "event_type":"virtual", + "start_time":"2026-09-08 22:15:00", + "end_time":"2026-09-08 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Book Club", + "Visual Arts" + ] + }, + { + "id":"c0d3f5d3-a85e-49f1-aa69-7bfc7c4111f8", + "club_id":"f722c61d-cb70-45c1-8ece-4fa6909dd0b7", + "name":"Event for Fighting Game Club at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for our Friday Night Fight event where members of the Fighting Game Club at Northeastern University come together for a night of intense but friendly competition. Whether you're a beginner looking to learn the ropes or a seasoned player aiming to level up your skills, this event welcomes all levels of players. Bring your best combos, your favorite characters, and your competitive spirit as we engage in friendly matches, share tips and tricks, and bond over our shared love for fighting games. Our experienced players will be on hand to offer guidance, answer questions, and provide valuable feedback to help you improve your gameplay. Don't miss this opportunity to connect with fellow gamers, test your skills, and have a blast in a supportive and welcoming environment!", + "event_type":"hybrid", + "start_time":"2024-12-03 23:30:00", + "end_time":"2024-12-04 03:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Video Games", + "Performing Arts" + ] + }, + { + "id":"10392d41-3e16-4d46-9992-a6192181512f", + "club_id":"f722c61d-cb70-45c1-8ece-4fa6909dd0b7", + "name":"Event for Fighting Game Club at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for our monthly FGCNU Community Night, where players of all skill levels come together to bond over their love of fighting games! Whether you're a seasoned pro or just picking up a controller for the first time, this event is the perfect opportunity to learn, grow, and have fun in a positive and supportive environment. Share strategies, receive helpful tips, and challenge fellow members to friendly matches. Don't miss out on the chance to make new friends, improve your gameplay, and be part of our vibrant Fighting Game Club community!", + "event_type":"hybrid", + "start_time":"2026-10-26 16:15:00", + "end_time":"2026-10-26 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"f9e4d5ca-b52d-4360-ace9-ea0dd5b1d627", + "club_id":"1d6ad534-4f91-408a-8331-72cf63b8d397", + "name":"Event for Finance and Investment Club", + "preview":"This club is holding an event.", + "description":"Join us at Finance and Investment Club's next event, where we will have a special guest speaker sharing insights on the latest trends in the stock market. This interactive session will provide valuable knowledge on investment strategies and tips for navigating the financial world. Whether you're a seasoned investor or just starting out, this event is open to all students passionate about finance. Don't miss this opportunity to network, learn, and grow with like-minded peers. See you there!", + "event_type":"virtual", + "start_time":"2026-01-04 15:15:00", + "end_time":"2026-01-04 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Business" + ] + }, + { + "id":"09b9bbd8-153c-4fa2-8520-48318e15bcc2", + "club_id":"1d6ad534-4f91-408a-8331-72cf63b8d397", + "name":"Event for Finance and Investment Club", + "preview":"This club is holding an event.", + "description":"Join us at the Finance and Investment Club's upcoming event where we will be hosting a dynamic discussion led by a renowned financial expert. This engaging session will provide valuable insights into the current trends and opportunities in the finance industry, offering you a unique chance to enhance your knowledge and network with like-minded peers. Whether you are a seasoned investor or a newcomer eager to explore the world of finance, this event promises to be both educational and inspiring. Be sure to mark your calendars and join us on Monday from 6-7pm for an enriching experience!", + "event_type":"in_person", + "start_time":"2025-09-08 14:30:00", + "end_time":"2025-09-08 18:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Business" + ] + }, + { + "id":"2de0e515-ff40-4b41-a88b-87a65be71835", + "club_id":"1d6ad534-4f91-408a-8331-72cf63b8d397", + "name":"Event for Finance and Investment Club", + "preview":"This club is holding an event.", + "description":"Join us this Monday from 6-7pm at the Finance and Investment Club as we dive into the exciting world of investment banking! Our guest speaker, a seasoned professional in the field, will share valuable insights and career advice to help you navigate your own path to success. Whether you're a finance enthusiast or just curious about the industry, this event is a fantastic opportunity to expand your knowledge and network with like-minded peers. Don't miss out on this enriching experience that could set you on the right course toward a prosperous future!", + "event_type":"virtual", + "start_time":"2024-05-24 17:30:00", + "end_time":"2024-05-24 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Networking", + "Business", + "Career Development", + "Finance and Investment" + ] + }, + { + "id":"51723e18-8b7c-4746-ad6b-cee5aed90c7d", + "club_id":"41dbd85c-9bda-4ed1-8dcc-95443d0d3287", + "name":"Event for Finance Board", + "preview":"This club is holding an event.", + "description":"Join the Finance Board for an exciting night of laughter and entertainment at the annual comedy showcase! Get ready to unwind and enjoy hilarious performances from talented comedians as we come together to celebrate the diverse and vibrant student community at Northeastern University. This event is just one of the many ways the Finance Board supports student organizations in bringing engaging and memorable experiences to campus. Bring your friends and come prepared to laugh the night away!", + "event_type":"in_person", + "start_time":"2025-02-17 18:00:00", + "end_time":"2025-02-17 21:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Finance" + ] + }, + { + "id":"58fa521a-9d3e-4253-a894-711c390e2b34", + "club_id":"07ab2265-ef20-483b-b93c-83731a27a8c8", + "name":"Event for Finance For the Community", + "preview":"This club is holding an event.", + "description":"Join us for an exciting event hosted by Finance For the Community (FFC)! Come learn how you can make a real impact by teaching personal finance to Boston Public High School students. At this event, you'll discover the simple financial literacy curriculum that FFC offers and see how you can guide BPHS students through engaging small group activities, presentations, and fun games. No prior experience is required, so don't worry if you're new to personal finance - we welcome everyone! By joining us, you'll have the chance to connect with the community, enrich the lives of local students, enhance your financial literacy, strengthen your resume, and even practice your public speaking skills. Our meetings are held every Monday from 7 to 8 pm. Get involved and be a part of this rewarding experience by clicking the link to join here: http://bit.ly/ffcemail.", + "event_type":"in_person", + "start_time":"2026-12-10 22:00:00", + "end_time":"2026-12-11 00:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "Finance" + ] + }, + { + "id":"3e41091b-135d-48d4-9a42-0ff5705f5777", + "club_id":"07ab2265-ef20-483b-b93c-83731a27a8c8", + "name":"Event for Finance For the Community", + "preview":"This club is holding an event.", + "description":"Join us for a fun and educational evening at Finance For the Community's next event! Discover the joy of teaching financial literacy to Boston Public High School students in a supportive and collaborative environment. No prior experience is needed - just bring your enthusiasm and willingness to make a positive impact! Whether you're looking to give back to the community, enhance your own financial knowledge, or build your public speaking skills, this event has something for everyone. Come join us on Monday from 7-8 pm to be part of this rewarding experience. Click the link to register: http://bit.ly/ffcemail", + "event_type":"virtual", + "start_time":"2026-01-13 15:15:00", + "end_time":"2026-01-13 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Finance" + ] + }, + { + "id":"9c0a507b-eb33-42d2-9252-1cfe1a5b059e", + "club_id":"07ab2265-ef20-483b-b93c-83731a27a8c8", + "name":"Event for Finance For the Community", + "preview":"This club is holding an event.", + "description":"Join us this Monday for an engaging and informative session with Finance For the Community! Learn how to make a positive impact on Boston Public High School students by teaching them valuable personal finance skills. You'll have the opportunity to participate in small group activities, presentations, and games to make learning fun and interactive. Whether you're new to personal finance or looking to enhance your understanding, this event is perfect for anyone interested in giving back to the community while gaining valuable skills. Don't miss out on this chance to connect with like-minded individuals, boost your resume, and improve your financial fitness. Mark your calendars for Monday, 7-8 pm, and join us at the link provided to start making a difference today!", + "event_type":"in_person", + "start_time":"2024-02-03 19:15:00", + "end_time":"2024-02-03 23:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "PublicRelations", + "Finance", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"3d672324-5f82-4c72-9afd-e87d532f3760", + "club_id":"310775b7-2114-4e76-9c36-99ba73e3f060", + "name":"Event for First and Foremost Literary Magazine", + "preview":"This club is holding an event.", + "description":"Join the First and Foremost Literary Magazine for an inspiring evening celebrating the diverse voices of first-gen, low-income, and undocumented students and their allies. Immerse yourself in a showcase of art and literature that vividly captures the unique perspectives and experiences of these communities. This event promises to be a vibrant space where creativity thrives, voices are amplified, and connections are made. Come be a part of this inclusive platform that champions the power of storytelling and expression!", + "event_type":"in_person", + "start_time":"2024-10-02 23:30:00", + "end_time":"2024-10-03 03:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"538939cf-2c7f-4121-a33c-47e5acce57b3", + "club_id":"310775b7-2114-4e76-9c36-99ba73e3f060", + "name":"Event for First and Foremost Literary Magazine", + "preview":"This club is holding an event.", + "description":"Join First and Foremost Literary Magazine for an inspiring evening of storytelling and artistic expression at our upcoming event, 'Voices of Resilience'. Discover the powerful narratives and talents of first-gen, low-income, and undocumented students and their allies as they share their unique perspectives through poetry readings, discussions, and other interactive activities. Be a part of this inclusive community gathering that celebrates diversity, creativity, and the strength of marginalized voices. Everyone is welcome to join us in honoring and uplifting these important narratives within a supportive and welcoming atmosphere.", + "event_type":"hybrid", + "start_time":"2025-09-20 23:00:00", + "end_time":"2025-09-21 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "HumanRights" + ] + }, + { + "id":"2cd10e11-8a7f-4ccd-a04e-eabdca654c5f", + "club_id":"310775b7-2114-4e76-9c36-99ba73e3f060", + "name":"Event for First and Foremost Literary Magazine", + "preview":"This club is holding an event.", + "description":"Join First and Foremost Literary Magazine for a captivating evening celebrating diverse voices and perspectives. This event will showcase a collection of thought-provoking literature and art created by first-gen, low-income, and undocumented students, as well as their allies. Immerse yourself in a rich tapestry of creativity and storytelling, where every piece serves as a powerful testament to resilience and unity. Whether you're a seasoned artist or an enthusiastic supporter, this is an opportunity to connect, inspire, and uplift each other in a warm and inclusive setting. Come discover the magic of First and Foremost, a platform passionately crafted to amplify unheard stories and foster a community of shared experiences.", + "event_type":"virtual", + "start_time":"2026-06-13 20:00:00", + "end_time":"2026-06-13 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Visual Arts", + "Creative Writing", + "HumanRights", + "Community Outreach" + ] + }, + { + "id":"28a23298-7861-4bf2-bcf0-1b7b73248d54", + "club_id":"d20ac57c-5e4e-4a54-b7f6-dfda9b09466d", + "name":"Event for First Generation | Low Income Student Union", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at 6 PM for an engaging workshop on college acceleration, where we'll dive into tips and strategies to help first-generation and low-income students thrive in their academic journey. The event will be held in the welcoming atmosphere of the CIE (144 First Floor Curry), providing a supportive space for learning and growth. Whether you're seeking guidance on course selection or exploring career opportunities, this workshop is designed to empower you with valuable insights and resources. Don't miss out on this opportunity to connect with peers, gain new skills, and shape your path towards success. See you there!", + "event_type":"in_person", + "start_time":"2024-05-19 13:30:00", + "end_time":"2024-05-19 17:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Financial Literacy", + "Student Support", + "Education Empowerment", + "Community Outreach" + ] + }, + { + "id":"789a099f-1348-4319-a064-123a90d2e8fc", + "club_id":"d20ac57c-5e4e-4a54-b7f6-dfda9b09466d", + "name":"Event for First Generation | Low Income Student Union", + "preview":"This club is holding an event.", + "description":"Join us this Thursday for a fun and informative workshop hosted by First Generation | Low Income Student Union! Dive into a lively discussion on financial literacy and learn practical tips to navigate college expenses. Our engaging facilitators will provide useful resources and insights to help you thrive academically and financially. Bring your friends and join our supportive community at 6 PM in the CIE (144 First Floor Curry) - we can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2025-11-27 19:15:00", + "end_time":"2025-11-27 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Financial Literacy", + "Student Support" + ] + }, + { + "id":"9d95815b-849c-4c9e-93ee-84f093e985a3", + "club_id":"d20ac57c-5e4e-4a54-b7f6-dfda9b09466d", + "name":"Event for First Generation | Low Income Student Union", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at 6 PM in the CIE for an engaging workshop on navigating the world of internships and career opportunities. Whether you're looking to gain insights on resume building or networking strategies, our experts will share valuable tips to help you excel in your professional journey. Connect with fellow first-generation and low-income students in a supportive and welcoming space where you can learn, grow, and empower each other. Don't miss out on this opportunity to expand your skill set and build your future with FGLISU!", + "event_type":"in_person", + "start_time":"2026-01-16 13:00:00", + "end_time":"2026-01-16 17:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Education Empowerment", + "Community Outreach", + "Financial Literacy" + ] + }, + { + "id":"d33755d1-977c-4c1c-91c0-8565eb8df1ac", + "club_id":"7aadfd34-5e1e-40b3-b044-9dff62f0297e", + "name":"Event for FIRST Robotics Team 125 - The NUTRONs", + "preview":"This club is holding an event.", + "description":"Join the FIRST Robotics Team 125 - The NUTRONs at their exciting Robot Demo Day! Engage with innovative high school students as they showcase their cutting-edge robotics projects. Meet our team of dedicated professional and college mentors who are passionate about guiding the next generation of STEM leaders. Whether you're an experienced mentor or a new recruit, this event is the perfect opportunity to learn more about our mission to promote STEAM education through robotics and how you can get involved. Don't miss out on this chance to experience the excitement and camaraderie of the FIRST community!", + "event_type":"virtual", + "start_time":"2024-09-08 21:00:00", + "end_time":"2024-09-09 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "High School", + "Robotics", + "Programming", + "STEM", + "STEAM", + "Mentoring" + ] + }, + { + "id":"6ae251f0-1a2b-4076-8d45-8c0835d47a99", + "club_id":"7aadfd34-5e1e-40b3-b044-9dff62f0297e", + "name":"Event for FIRST Robotics Team 125 - The NUTRONs", + "preview":"This club is holding an event.", + "description":"Join us for our annual FIRST Robotics Showcase where the NUTRONs team, Team 125, will be showcasing their innovative robot creations and sharing their passion for robotics with the community. This exciting event is a great opportunity for high school students interested in STEAM to witness firsthand the impact of mentorship and collaboration. Whether you're a seasoned robotics enthusiast or just curious to learn more, everyone is welcome to join in on the fun! Be prepared to be inspired and get involved in the exciting world of FIRST robotics programs.", + "event_type":"hybrid", + "start_time":"2026-07-14 21:30:00", + "end_time":"2026-07-14 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism", + "STEM", + "Robotics", + "STEAM" + ] + }, + { + "id":"6d9641da-d7ae-44f8-a3b3-040cf92b2981", + "club_id":"da055084-7387-4fb3-8b3c-d505cbc89983", + "name":"Event for FirstByte", + "preview":"This club is holding an event.", + "description":"Join FirstByte for an exciting coding workshop at our local library, where we'll be showcasing our new Scratch programming curriculum. Whether you're a seasoned coder or just starting out, our friendly team will guide you through fun and interactive exercises that will help you unlock the potential of coding. Come broaden your tech skills, connect with fellow educators, and discover the endless possibilities of integrating technology into your classroom!", + "event_type":"in_person", + "start_time":"2024-01-01 19:15:00", + "end_time":"2024-01-01 22:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Professional Development", + "STEM" + ] + }, + { + "id":"cc6eb3e3-dfa8-4995-8364-10185dc9bbf0", + "club_id":"d4f711af-3613-4ec9-bd8e-2d17fa4e2593", + "name":"Event for Food Allergy Awareness Club", + "preview":"This club is holding an event.", + "description":"Join us for an afternoon of learning and delicious treats at our Food Allergy Friendly Cooking Workshop! This event is perfect for anyone interested in exploring allergy-friendly recipes and cooking tips. Our experienced chef will guide participants through hands-on cooking demonstrations, showcasing how to prepare tasty dishes without common allergens. Whether you have food restrictions or simply want to expand your culinary skills, this workshop offers a fun and supportive environment for all attendees. Come discover new ways to navigate food allergies while enjoying the camaraderie of the FAAC community!", + "event_type":"hybrid", + "start_time":"2025-06-07 16:15:00", + "end_time":"2025-06-07 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "PublicRelations", + "Environmental Advocacy", + "Community Outreach" + ] + }, + { + "id":"fec96823-008e-44a0-881c-6678b974d8a0", + "club_id":"e815a8e3-c8da-4274-9940-24dcc694abf4", + "name":"Event for Food Recovery Network", + "preview":"This club is holding an event.", + "description":"Join Food Recovery Network for our community potluck event! Bring a dish made from rescued surplus food or simply come enjoy a meal with us. Learn about the impact of food recovery on reducing waste and combating hunger while connecting with like-minded individuals passionate about food justice. We'll have interactive activities, guest speakers, and a raffle to raise awareness and support for our cause. Whether you're a seasoned food recovery enthusiast or new to the movement, everyone is welcome to participate in this celebration of good food and meaningful connections.", + "event_type":"virtual", + "start_time":"2024-11-08 23:00:00", + "end_time":"2024-11-09 03:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "HumanRights", + "Volunteerism" + ] + }, + { + "id":"e60b47b5-7d5d-4610-bf20-2398c58695c1", + "club_id":"e815a8e3-c8da-4274-9940-24dcc694abf4", + "name":"Event for Food Recovery Network", + "preview":"This club is holding an event.", + "description":"Join Food Recovery Network for our upcoming Food Drive Event! Be a part of our mission to tackle food insecurity and waste by collecting donations of non-perishable food items. This event is open to everyone who wants to make a difference in our community. Come meet like-minded individuals, learn more about food recovery efforts, and contribute to a great cause. Together, we can create positive change and support those in need!", + "event_type":"in_person", + "start_time":"2026-10-01 12:00:00", + "end_time":"2026-10-01 13:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"4871542f-ab0a-4be5-9cda-4a20ac38f3e0", + "club_id":"e815a8e3-c8da-4274-9940-24dcc694abf4", + "name":"Event for Food Recovery Network", + "preview":"This club is holding an event.", + "description":"Join us for our annual Food Recovery Day event! It's a fun-filled day where volunteers come together to collect surplus food from local markets and restaurants, and then distribute it to those in need at nearby shelters. This event is not only about making a difference in the lives of others, but also about fostering a sense of community and togetherness. There will be music, games, and plenty of delicious food to enjoy. Whether you're a seasoned volunteer or brand new to the cause, we welcome everyone to join us in our mission to combat food insecurity and waste in our community.", + "event_type":"in_person", + "start_time":"2024-07-18 14:00:00", + "end_time":"2024-07-18 16:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"a0e5e343-0a31-43c7-83cd-50b28779362e", + "club_id":"404e2245-40dc-434c-9079-b882edb02f0f", + "name":"Event for Friends of MSF Chapter at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Friends of MSF Chapter at Northeastern University for an enlightening evening discussing the impactful work of Doctors Without Borders. Engage with like-minded individuals as we delve into fundraising strategies, community involvement opportunities, and advocacy campaigns. Whether you're passionate about global health crises or looking to expand your knowledge, this event is perfect for students of all majors. Come together to make a difference and learn how you can contribute to medical humanitarian efforts around the world!", + "event_type":"virtual", + "start_time":"2026-01-21 18:30:00", + "end_time":"2026-01-21 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Advocacy", + "Volunteerism", + "HumanRights" + ] + }, + { + "id":"39367d34-f773-436c-ad91-dd86ca659bcd", + "club_id":"404e2245-40dc-434c-9079-b882edb02f0f", + "name":"Event for Friends of MSF Chapter at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Friends of MSF Chapter at Northeastern University for an engaging event focused on raising awareness and knowledge about MSF's impactful work. Connect with like-minded students passionate about global health crises and humanitarian efforts. Our event will feature a special guest speaker from Doctors Without Borders, sharing insights and stories from the field. Learn how you can make a difference through fundraising, advocacy campaigns, and volunteer opportunities. Whether you're a pre-health student or pursuing other disciplines, this event offers a valuable opportunity to get involved and contribute to meaningful causes. Don't miss out on this chance to be part of a community dedicated to making a positive impact on the world!", + "event_type":"in_person", + "start_time":"2026-11-08 12:00:00", + "end_time":"2026-11-08 15:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "HumanRights" + ] + }, + { + "id":"d0582605-7a4f-43c5-8410-f3527cb73f66", + "club_id":"404e2245-40dc-434c-9079-b882edb02f0f", + "name":"Event for Friends of MSF Chapter at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Friends of MSF Chapter at Northeastern University for an engaging event where we will dive deep into the impactful work of Doctors Without Borders. Discover how you can get involved in fundraising, volunteer efforts, and advocacy campaigns that contribute to global health crises. Connect with like-minded students, hear from inspiring guest speakers, and learn how you can make a difference in the world by supporting medical humanitarian efforts. Whether you are passionate about healthcare, community service, or global issues, this event is the perfect opportunity to learn, grow, and take action with Friends of MSF!", + "event_type":"hybrid", + "start_time":"2025-06-16 16:30:00", + "end_time":"2025-06-16 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Healthcare", + "Advocacy", + "Community Outreach", + "HumanRights", + "Volunteerism" + ] + }, + { + "id":"d8105c72-1bd3-493a-89cb-b97edd440ce8", + "club_id":"91813aaf-5c1a-45e4-8088-7d12ded15662", + "name":"Event for Game Studio Club", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at Game Studio Club's workshop focused on game art! Whether you're a seasoned artist looking to sharpen your skills or a newcomer eager to learn the basics, this event is for you. We'll cover topics like character design, environment art, and creating captivating visuals for games. Bring your creativity and enthusiasm, and let's make some beautiful game art together! Don't forget to connect with us on Discord and visit our Club Website for more information.", + "event_type":"virtual", + "start_time":"2025-10-09 13:00:00", + "end_time":"2025-10-09 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Visual Arts", + "Software Engineering", + "Music" + ] + }, + { + "id":"7c70bf65-dc96-4f13-93ce-4847a06ae778", + "club_id":"91813aaf-5c1a-45e4-8088-7d12ded15662", + "name":"Event for Game Studio Club", + "preview":"This club is holding an event.", + "description":"Join us this week for a special game jam event at Game Studio Club! Whether you're a seasoned developer or a complete beginner, this is the perfect opportunity to collaborate with others, flex your creative muscles, and create something awesome together. We'll have workshops, mentorship sessions, and of course, plenty of snacks to fuel your game-making adventures. Come on down and let's have a blast bringing our game ideas to life!", + "event_type":"in_person", + "start_time":"2024-10-12 21:15:00", + "end_time":"2024-10-13 01:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Software Engineering", + "Visual Arts", + "Creative Writing", + "Music" + ] + }, + { + "id":"d7bf8c5e-e234-4c4e-bbfb-8ca54cfc2048", + "club_id":"8a727384-e672-4e58-b29e-513acbf39a6b", + "name":"Event for Genetics Club", + "preview":"This club is holding an event.", + "description":"Join Genetics Club for an engaging and interactive panel discussion on the latest advancements in genetic research! Our expert guest speakers will share their insights and experiences in the field, covering topics such as CRISPR technology, personalized medicine, and genetic counseling practices. This event is open to all students curious about the future of genetics, whether you're a seasoned enthusiast or just starting to explore the possibilities. Don't miss this opportunity to connect with like-minded peers, ask questions, and gain valuable knowledge to guide your academic and career journey in the fascinating world of genetics!", + "event_type":"in_person", + "start_time":"2025-03-02 15:30:00", + "end_time":"2025-03-02 18:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Genetics", + "Healthcare", + "Networking", + "Biology", + "Career Development", + "Community Building", + "Research", + "Informational Sessions" + ] + }, + { + "id":"bc3e3eef-8ce0-4e6c-960b-c69961076ae4", + "club_id":"8a727384-e672-4e58-b29e-513acbf39a6b", + "name":"Event for Genetics Club", + "preview":"This club is holding an event.", + "description":"Join Genetics Club for an engaging and enriching workshop on 'Exploring Career Paths in Genetics'. Discover the diverse opportunities available in genetics professions, from genetic counseling to bioinformatics and everything in between. Hear from industry experts and connect with like-minded peers as we navigate the exciting world of genetics together. Whether you're a seasoned genetic counselor hopeful or just curious about the field, this event is the perfect opportunity to expand your knowledge and network with professionals in the genetics community. Don't miss out on this chance to gain valuable insights and career guidance! RSVP now to secure your spot and take the next step towards a fulfilling career in genetics.", + "event_type":"virtual", + "start_time":"2024-10-10 21:00:00", + "end_time":"2024-10-10 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Genetics" + ] + }, + { + "id":"53ae378b-fde8-4b2b-a0f0-c30ee3dca2bb", + "club_id":"3b013275-1ed1-4581-bd10-19d36897ccfe", + "name":"Event for German Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for Sprachstunde with the German Club of Northeastern University! Whether you're a native German speaker or just starting to learn the language, this casual gathering is the perfect opportunity to practice your German skills, connect with fellow language enthusiasts, and immerse yourself in the rich traditions of German culture. Bring your questions, favorite phrases, or simply your curiosity, and enjoy a relaxed and supportive environment where you can grow your language proficiency while making new friends. Sprachstunde is just one of the many fun events the German Club hosts on-campus to foster a sense of community and appreciation for all things German. Wir freuen uns auf dich (We look forward to seeing you)!", + "event_type":"in_person", + "start_time":"2024-01-26 22:30:00", + "end_time":"2024-01-27 01:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Language", + "Cultural Exchange" + ] + }, + { + "id":"811dd46b-8e96-4885-ade0-a7e91240297f", + "club_id":"3b013275-1ed1-4581-bd10-19d36897ccfe", + "name":"Event for German Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the German Club of Northeastern University for an exciting Sprachstunde event where you can practice conversing in German with fellow students and native speakers from Germany, Austria, and Switzerland. Whether you are a beginner or fluent speaker, this interactive session offers a welcoming space to enhance your language skills in a fun and supportive environment. Come participate in language activities, learn about German culture, and make new friends along the way. We look forward to seeing you there!", + "event_type":"in_person", + "start_time":"2024-02-01 12:30:00", + "end_time":"2024-02-01 14:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Cultural Exchange", + "German Club", + "Language" + ] + }, + { + "id":"532dee84-46bd-477a-9a62-28dc1edf8825", + "club_id":"d3703e0a-9a44-463b-9f4e-ed6d99608f50", + "name":"Event for Give a Hand", + "preview":"This club is holding an event.", + "description":"Join Give a Hand at our upcoming 'Build a Hand' event where we come together as a community of students from diverse backgrounds to design and create affordable 3D printed prosthetic hands for those in need. This hands-on event will provide an opportunity for you to learn the innovative process of fabricating prosthetics while making a tangible impact on someone's life. We believe in the power of collaboration and volunteerism to transform accessibility to essential medical devices. Come be a part of this inspiring initiative to give the gift of mobility and independence to those in the bay area who deserve it most.", + "event_type":"virtual", + "start_time":"2025-11-01 14:15:00", + "end_time":"2025-11-01 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Design", + "Healthcare" + ] + }, + { + "id":"53bf03bf-6780-444b-9ad9-50436cda47c0", + "club_id":"d3703e0a-9a44-463b-9f4e-ed6d99608f50", + "name":"Event for Give a Hand", + "preview":"This club is holding an event.", + "description":"Join Give a Hand at our upcoming 'Community Hand Day' event where we come together to fabricate affordable 3D printed prosthetic hands for those in need in the bay area. This hands-on event is open to all students regardless of their major and offers a unique opportunity to learn about design and manufacturing while making a meaningful impact. We will guide you through the process of creating customizable prosthetics that will bring joy and functionality to those receiving them. Come be a part of our mission to make life-changing medical devices accessible to everyone!", + "event_type":"hybrid", + "start_time":"2025-02-24 16:15:00", + "end_time":"2025-02-24 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Innovation", + "Community Outreach", + "Engineering" + ] + }, + { + "id":"8fb37334-298d-4bb2-904d-bcf7b8c2e03e", + "club_id":"d3703e0a-9a44-463b-9f4e-ed6d99608f50", + "name":"Event for Give a Hand", + "preview":"This club is holding an event.", + "description":"Join us at Give a Hand's upcoming event where we will gather students of all backgrounds to come together and make a difference in the lives of those in need. Experience the joy of designing and fabricating affordable 3D printed prosthetic hands that will bring smiles to individuals facing hand malformations or amputations. Our welcoming environment encourages creativity and collaboration as we work towards providing these life-changing devices for under $50 each. Be part of a local network of volunteers dedicated to transforming the accessibility of medical devices and spreading hope and empowerment. Visit our website to learn more about our mission and the incredible impact you can have at \u200b\u200bhttps://www.giveahandclub.org/.", + "event_type":"hybrid", + "start_time":"2026-02-21 12:15:00", + "end_time":"2026-02-21 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "Community Outreach", + "Design", + "Engineering", + "Healthcare", + "Medical Devices", + "Innovation" + ] + }, + { + "id":"ff13dad3-4ec2-4d03-b0b0-a6a8a0fadbbe", + "club_id":"0422f50e-08f9-4942-85d0-0affe10c4a03", + "name":"Event for Global Dental Brigades", + "preview":"This club is holding an event.", + "description":"Join us for our Global Dental Brigades Info Night! Are you a pre-dental student, interested in healthcare, or passionate about humanitarian work abroad? Come learn about how you can get involved with our mission to promote oral health globally in a sustainable way. Discover the opportunities to volunteer, fundraise, and make a real difference in communities in need. Expect engaging presentations, inspiring stories, and a warm community of like-minded individuals dedicated to making an impact. See you there!", + "event_type":"virtual", + "start_time":"2025-01-21 15:15:00", + "end_time":"2025-01-21 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Humanitarian Work", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"5701fb8e-4875-44db-bf47-b11e89235641", + "club_id":"0422f50e-08f9-4942-85d0-0affe10c4a03", + "name":"Event for Global Dental Brigades", + "preview":"This club is holding an event.", + "description":"Join Global Dental Brigades for an exciting Virtual Fundraiser Night! This event will be a fun opportunity to learn more about our mission to promote oral health globally while also enjoying engaging activities and chances to win prizes. Get to know our passionate members and hear inspiring stories from past brigades. Whether you're a pre-dental student, healthcare enthusiast, or simply interested in making a difference, this event is perfect for you. We'll discuss our fundraising goals and how you can contribute to our cause, all while fostering a sense of community and camaraderie. Don't miss out on this wonderful chance to support a great cause and connect with like-minded individuals!", + "event_type":"in_person", + "start_time":"2024-06-12 15:00:00", + "end_time":"2024-06-12 16:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Global Health", + "Healthcare", + "Community Outreach", + "Humanitarian Work" + ] + }, + { + "id":"38bb8a5c-1c1e-486c-8f56-f511d8d9e7c6", + "club_id":"0422f50e-08f9-4942-85d0-0affe10c4a03", + "name":"Event for Global Dental Brigades", + "preview":"This club is holding an event.", + "description":"Join us for a Dental Care Day at the Park! Global Dental Brigades, a dedicated group of enthusiastic students promoting oral health, invites you to a fun and educational event. Learn about proper dental care, try out interactive activities, and get tips from our experienced volunteers. Whether you're interested in pursuing a dental career, looking to make a difference, or simply curious about healthcare abroad, this event is perfect for you. Bring your friends and family for a day of knowledge sharing, community building, and smiles all around!", + "event_type":"hybrid", + "start_time":"2025-08-13 18:15:00", + "end_time":"2025-08-13 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Volunteerism", + "Global Health", + "Community Outreach", + "Healthcare" + ] + }, + { + "id":"cd7e856f-55bd-4340-9c12-273206e0e1df", + "club_id":"35b1e873-7a5b-4010-97ad-a247f0b19fb7", + "name":"Event for Global Journal for International Affairs", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of storytelling and cultural exchange at the Global Journal for International Affairs club event! Whether you've studied abroad, participated in a Co-Op overseas, or simply have a passion for different cultures, this event is open to all members of the Northeastern community. Share your adventures, insider tips, and unforgettable moments with fellow students and staff. Let's come together to celebrate diversity, learn from each other, and make lasting connections at this enriching gathering!", + "event_type":"virtual", + "start_time":"2024-04-28 19:15:00", + "end_time":"2024-04-28 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Journalism", + "Global Affairs", + "International Relations" + ] + }, + { + "id":"df1fd914-2382-4538-9ac6-6fa7577ae0af", + "club_id":"35b1e873-7a5b-4010-97ad-a247f0b19fb7", + "name":"Event for Global Journal for International Affairs", + "preview":"This club is holding an event.", + "description":"Join the Global Journal for International Affairs in an exciting evening of storytelling and sharing experiences from around the globe! Whether you've studied abroad, participated in an international Co-Op, or simply have a passion for global affairs, this event is for you. Connect with fellow students, faculty, alumni, and Co-Op employers to hear diverse perspectives and gain valuable insights. Bring your stories, tips, and tricks to contribute to the vibrant tapestry of international experiences within the Northeastern community. Let's come together to celebrate our shared passion for cultural exchange and global engagement!", + "event_type":"hybrid", + "start_time":"2025-04-28 23:00:00", + "end_time":"2025-04-29 03:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "International Relations" + ] + }, + { + "id":"2d853854-70d3-4e86-87fb-fadb4014117a", + "club_id":"35b1e873-7a5b-4010-97ad-a247f0b19fb7", + "name":"Event for Global Journal for International Affairs", + "preview":"This club is holding an event.", + "description":"Join the Global Journal for International Affairs club for an engaging evening of storytelling and inspiration! This event is open to all members of the Northeastern community who have participated in NU.in, Dialogue, or international Co-Op experiences. Share your adventures, tips, and insider knowledge with fellow students and staff as we come together to celebrate the diversity and richness of our global experiences. Whether you're a seasoned explorer or dreaming of your first international adventure, this event is the perfect opportunity to connect, learn, and be inspired by the amazing stories of our community members. Don't miss out on this chance to be a part of an inclusive and vibrant gathering where every voice is welcomed and celebrated!", + "event_type":"virtual", + "start_time":"2026-11-15 13:15:00", + "end_time":"2026-11-15 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Global Affairs", + "Journalism" + ] + }, + { + "id":"83ea7760-93b5-43e1-85a8-cd0de2a81ace", + "club_id":"4e9c3911-42e9-41f5-8537-1218851aecf4", + "name":"Event for Global Markets Association", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening at the Global Markets Association's upcoming event where we will dive deep into the world of Real Estate markets. Our expert speakers will provide valuable insights into the current trends and future outlook of the Real Estate market, offering you a unique opportunity to expand your knowledge and understanding. Don't miss this chance to participate in insightful discussions, ask questions, and network with fellow members who share your passion for global markets. Whether you're a seasoned enthusiast or just starting your journey, this event promises to be a rewarding experience that will leave you with a fresh perspective on the global economic landscape.", + "event_type":"virtual", + "start_time":"2026-09-24 23:15:00", + "end_time":"2026-09-25 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Finance", + "Economics", + "Global Markets", + "Research", + "Education", + "International Relations" + ] + }, + { + "id":"485445cb-23eb-4d87-a4f2-17fb4756f7cd", + "club_id":"065b6eef-40a0-4052-a097-6fd6ca9d804f", + "name":"Event for Global Medical Brigades", + "preview":"This club is holding an event.", + "description":"Join Global Medical Brigades at our upcoming Health Fair event where we will be offering free medical consultations and health screenings to the local community! Licensed medical professionals and community health workers will be on hand to provide a range of services including blood pressure checks, heart rate monitoring, and respiratory rate assessments. This is a fantastic opportunity for volunteers to engage with patients, triage individuals in need, and assist with pharmacy operations under the guidance of experienced pharmacists. Come be a part of our mission to deliver comprehensive health care services to underprivileged rural communities and make a positive impact on global development!", + "event_type":"virtual", + "start_time":"2026-07-17 20:30:00", + "end_time":"2026-07-17 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Premed", + "Volunteerism" + ] + }, + { + "id":"438ca6eb-6414-4c5a-b239-8c9be766de96", + "club_id":"065b6eef-40a0-4052-a097-6fd6ca9d804f", + "name":"Event for Global Medical Brigades", + "preview":"This club is holding an event.", + "description":"Come join Global Medical Brigades for our annual Health Fair Fundraiser! This exciting event will feature interactive booths where you can learn about global health initiatives and how you can get involved. Meet our passionate members who will share their experiences working with licensed medical professionals in rural communities around the world. Enjoy delicious snacks and drinks while mingling with like-minded individuals who care about making a difference. Don't miss this opportunity to support our mission of providing comprehensive health services to those in need while gaining valuable insights into global development. See you there!", + "event_type":"hybrid", + "start_time":"2024-11-06 16:30:00", + "end_time":"2024-11-06 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Global Medical Brigades", + "Premed", + "Community Outreach", + "HumanRights", + "Volunteerism" + ] + }, + { + "id":"31e53c4a-79b3-4001-bb46-5245cb97ebc4", + "club_id":"82e04557-b7bc-4d93-ba45-db72123825e0", + "name":"Event for Global Research and Consulting Group - Northeastern Branch", + "preview":"This club is holding an event.", + "description":"Join the Global Research and Consulting Group - Northeastern Branch for an exciting virtual showcase as we share insights from our latest pro bono consulting projects with non-profits around the world! Connect with like-minded students passionate about making a positive impact globally while gaining practical skills in research and consulting. This interactive event is open to everyone interested in learning more about our mission and opportunities to get involved. Don't miss out on this chance to be part of a dynamic community dedicated to social impact and empowering the next generation of changemakers!", + "event_type":"virtual", + "start_time":"2024-10-27 23:15:00", + "end_time":"2024-10-28 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "NGOs", + "Social Impact", + "Community Outreach", + "Education", + "Non-profit", + "Volunteerism", + "Consulting" + ] + }, + { + "id":"ba90cf08-5f90-4ba5-9d8c-2b302c411697", + "club_id":"3dee8ee1-28f6-4716-a8c5-6ec21fcf5855", + "name":"Event for Global Student Success (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join Global Student Success (Campus Resource) for an engaging Language and Culture Workshop where you can immerse yourself in diverse traditions and practices. This interactive session will broaden your understanding of different cultures while honing your language skills in a fun and supportive environment. Don't miss this opportunity to connect with fellow international and non-native English-speaking students as we celebrate global diversity together!", + "event_type":"hybrid", + "start_time":"2024-10-17 15:15:00", + "end_time":"2024-10-17 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Academic Support", + "English Language" + ] + }, + { + "id":"c2c87113-8587-4beb-84f1-69d1e0113edb", + "club_id":"3dee8ee1-28f6-4716-a8c5-6ec21fcf5855", + "name":"Event for Global Student Success (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join Global Student Success (Campus Resource) for an engaging Writing Workshop where you can enhance your skills in grammar, organization, and citations to excel in your academic journey! Our supportive tutors are here to assist you in a friendly and welcoming environment, designed to help international and non-native English-speaking students thrive. Don't miss this opportunity to boost your writing proficiency with GSS \u2013 open to all members of the Northeastern community!", + "event_type":"in_person", + "start_time":"2025-12-16 19:00:00", + "end_time":"2025-12-16 21:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Academic Support", + "International Students" + ] + }, + { + "id":"37199d72-5108-4352-8077-8050230f4692", + "club_id":"3dee8ee1-28f6-4716-a8c5-6ec21fcf5855", + "name":"Event for Global Student Success (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us at Global Student Success (Campus Resource) for a fun and interactive Writing Workshop focusing on Grammar! Whether you're looking to polish your academic writing skills or simply want to brush up on grammar rules, this session is perfect for you. Our experienced tutors will guide you through exercises and tips to help improve your writing proficiency. Open to all international and non-native English-speaking students, scholars, faculty, and staff across Northeastern University, this workshop is a great opportunity to enhance your language skills in a supportive environment. Don't miss out on this chance to boost your grammar knowledge and elevate your writing abilities!", + "event_type":"hybrid", + "start_time":"2025-08-17 19:15:00", + "end_time":"2025-08-17 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Cultural Support", + "Academic Support" + ] + }, + { + "id":"a72f8b95-a5ae-4a3a-9304-f16e4f74e6c3", + "club_id":"a80c4522-446c-4c56-80e5-98ef85e4c733", + "name":"Event for GlobeMed", + "preview":"This club is holding an event.", + "description":"Join GlobeMed at Northeastern for an engaging virtual discussion on our impactful hygiene and sanitation project in Masaka, Uganda. Learn about how our fundraising efforts are making a difference in alleviating health challenges caused by unclean water. Hear firsthand stories from our volunteers serving internationally with Kitovu Mobile LTD and locally within the community. This event is a fantastic opportunity to connect with like-minded individuals passionate about global health and social impact. Don't miss out \u2013 email us at northeastern@globemed.org to RSVP and receive the link to the recording of our latest information session!", + "event_type":"in_person", + "start_time":"2025-09-22 12:00:00", + "end_time":"2025-09-22 13:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Global Health", + "Environmental Advocacy", + "HumanRights", + "African American" + ] + }, + { + "id":"80cf4aca-bb01-47ad-b680-db27801fef95", + "club_id":"a80c4522-446c-4c56-80e5-98ef85e4c733", + "name":"Event for GlobeMed", + "preview":"This club is holding an event.", + "description":"Join GlobeMed for our upcoming interactive workshop on global health initiatives! Learn how you can make a positive impact by getting involved in our hygiene and sanitation project in Masaka, Uganda. Gain insights into the importance of clean water and sanitation practices while connecting with like-minded individuals who are passionate about creating change. Whether you're a seasoned activist or new to the world of global health, this event promises to inspire and empower you to take meaningful action. Don't miss out on this opportunity to be part of a community dedicated to making a difference locally and internationally. RSVP now to secure your spot and be part of something truly meaningful!", + "event_type":"in_person", + "start_time":"2024-11-09 17:15:00", + "end_time":"2024-11-09 19:15:00", + "link":"", + "location":"Marino", + "tags":[ + "HumanRights" + ] + }, + { + "id":"1f16a082-6d7c-4dc9-b141-196549436ab3", + "club_id":"89c125ea-28da-48e5-8e95-664ec9c41195", + "name":"Event for Goldies Dance Team", + "preview":"This club is holding an event.", + "description":"Join Goldies Dance Team for an exciting Open Style Dance Workshop! Whether you're a beginner or a seasoned dancer, come experience a fun and judgment-free environment where you can learn new moves and techniques. Our talented instructors will guide you through different dance styles and help you improve your skills. Don't miss this opportunity to connect with fellow dancers and be a part of the vibrant Boston dance community. See you on the dance floor!", + "event_type":"hybrid", + "start_time":"2026-01-06 22:00:00", + "end_time":"2026-01-07 02:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Dance", + "Music" + ] + }, + { + "id":"78aaa4c8-4672-4b2d-9bba-48449f17e04a", + "club_id":"89c125ea-28da-48e5-8e95-664ec9c41195", + "name":"Event for Goldies Dance Team", + "preview":"This club is holding an event.", + "description":"Join Goldies Dance Team for a night of dance excitement at our Open Style Dance Workshop! Whether you're a seasoned dancer or just looking to try something new, this workshop is perfect for all skill levels. Our experienced instructors will guide you through various dance styles in a fun and supportive environment. Meet fellow dancers, unleash your creativity, and learn new moves to add to your repertoire. Don't miss this opportunity to be a part of our welcoming community and embrace the vibrant dance culture of the Boston area with us!", + "event_type":"virtual", + "start_time":"2026-05-21 20:30:00", + "end_time":"2026-05-21 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Performing Arts" + ] + }, + { + "id":"c7aebb35-1280-4390-a3b6-43b3867ab253", + "club_id":"ca154231-a8f7-4367-9b21-ad93c3779a67", + "name":"Event for Graduate Consulting Club", + "preview":"This club is holding an event.", + "description":"Join the Graduate Consulting Club for an engaging networking session where you'll have the opportunity to connect with experienced professionals in the consulting industry. Discover valuable insights, sharpen your skills, and expand your network with like-minded individuals who share your passion for consultancy. Don't miss this chance to enhance your knowledge, grow your expertise, and take meaningful steps towards a successful career in consulting!", + "event_type":"in_person", + "start_time":"2026-05-09 13:15:00", + "end_time":"2026-05-09 16:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Professional Development", + "Mentorship", + "Networking", + "Business", + "Consulting" + ] + }, + { + "id":"398614fa-ee55-45bb-86a3-5b24033abc2e", + "club_id":"ca154231-a8f7-4367-9b21-ad93c3779a67", + "name":"Event for Graduate Consulting Club", + "preview":"This club is holding an event.", + "description":"Join us at the Graduate Consulting Club's upcoming 'Consulting Connections Mixer' where you'll have the opportunity to network with seasoned professionals, engage in insightful discussions, and gain valuable industry insights. Whether you're a seasoned consulting enthusiast or just dipping your toes into the field, this event is the perfect platform to expand your skills, build meaningful relationships, and take your consulting aspirations to new heights. Come experience a welcoming atmosphere where learning, growth, and connection thrive!", + "event_type":"virtual", + "start_time":"2025-06-09 18:30:00", + "end_time":"2025-06-09 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Mentorship", + "Networking", + "Professional Development" + ] + }, + { + "id":"e8fce6f7-37e0-45fb-94d8-388c5293ee91", + "club_id":"19212260-f06f-41a4-84ac-ef0f3435910f", + "name":"Event for Graduate Student Education Research Association", + "preview":"This club is holding an event.", + "description":"Join the Graduate Student Education Research Association (GSERA) for an exciting and enriching virtual networking event where you can connect with fellow graduate students, educators, and researchers. This event will feature engaging discussions, professional development opportunities, and mentorship programs to help you navigate the academic journey. Whether you're looking to build your professional network, explore research topics, or enhance your skills in education, this event is the perfect opportunity to engage with scholars from around the world and tap into valuable resources. Don't miss out on this chance to be part of a supportive community dedicated to your growth and success!", + "event_type":"in_person", + "start_time":"2025-12-01 12:30:00", + "end_time":"2025-12-01 14:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Professional development", + "Student advocacy", + "Networking", + "Community building, experiential learning, and networking", + "Education", + "Academic life", + "Meeting and event planning" + ] + }, + { + "id":"c9a703d5-448c-4fd8-9386-379973732d56", + "club_id":"19212260-f06f-41a4-84ac-ef0f3435910f", + "name":"Event for Graduate Student Education Research Association", + "preview":"This club is holding an event.", + "description":"Join the Graduate Student Education Research Association for an exciting networking event to connect with fellow students, faculty, and education professionals. Discover opportunities for professional growth, mentorship, and collaboration through engaging discussions and hands-on activities. Whether you're interested in community building, advocacy, self-governance, research dissemination, or event planning, this event offers something for everyone. Come be a part of a welcoming community dedicated to supporting your journey from graduate student to successful practitioner, educator, or researcher!", + "event_type":"virtual", + "start_time":"2025-02-13 14:00:00", + "end_time":"2025-02-13 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Professional development" + ] + }, + { + "id":"2706d124-5d58-4894-9554-b9d5c53ae7c3", + "club_id":"19212260-f06f-41a4-84ac-ef0f3435910f", + "name":"Event for Graduate Student Education Research Association", + "preview":"This club is holding an event.", + "description":"Join the Graduate Student Education Research Association for an engaging panel discussion on the importance of community building in academia. This event will feature insightful presentations from experienced practitioners, educators, and researchers, offering valuable perspectives on networking, student advocacy, and self-governance. Attendees will have the opportunity to collaborate with peers, share experiences, and explore opportunities for professional development and mentoring. Come be a part of this vibrant community that is dedicated to supporting the growth and advancement of graduate students in education research!", + "event_type":"hybrid", + "start_time":"2024-01-24 23:30:00", + "end_time":"2024-01-25 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Networking", + "Education" + ] + }, + { + "id":"982473b6-22e4-437a-9513-8f4232302d4e", + "club_id":"7c890c38-a29e-4117-9681-6775388e7c2b", + "name":"Event for Graduate Student Government", + "preview":"This club is holding an event.", + "description":"Join the Graduate Student Government for an exciting evening of networking and community building! Connect with fellow graduate students at our cozy cafe meet-up as we discuss research projects, share tips on navigating academia, and unwind with good company. Whether you're a new graduate student looking to make friends or a seasoned academic seeking new collaborations, this event is the perfect opportunity to bond over shared experiences and create lasting friendships within the Northeastern University graduate community. Mark your calendars and come join us for an evening filled with laughter, support, and camaraderie!", + "event_type":"virtual", + "start_time":"2025-09-11 12:15:00", + "end_time":"2025-09-11 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Higher Education", + "Networking", + "Community Outreach", + "Volunteerism", + "Leadership" + ] + }, + { + "id":"b230aee8-29c5-4a99-9c67-93ae17ee5c87", + "club_id":"7c890c38-a29e-4117-9681-6775388e7c2b", + "name":"Event for Graduate Student Government", + "preview":"This club is holding an event.", + "description":"Join the Graduate Student Government for a fun and engaging social mixer at the GSG Lounge! Mingle with fellow graduate students from various programs, enjoy some light refreshments, and learn more about the exciting events and opportunities GSG has in store for you this semester. Whether you're a new or returning member, this is a great chance to connect, unwind, and be a part of the vibrant grad student community at Northeastern University. Don't miss out on this fantastic chance to meet new friends, make valuable connections, and be involved in shaping your graduate student experience!", + "event_type":"hybrid", + "start_time":"2026-01-14 12:15:00", + "end_time":"2026-01-14 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Leadership", + "Community Outreach", + "Networking" + ] + }, + { + "id":"3a3f6b66-92ef-4247-91af-8b26f3bb1776", + "club_id":"7c890c38-a29e-4117-9681-6775388e7c2b", + "name":"Event for Graduate Student Government", + "preview":"This club is holding an event.", + "description":"Join the Graduate Student Government for an exciting evening of networking and socializing with fellow graduate students at Northeastern University. Mingle with like-minded peers, share ideas, and learn about upcoming funding and research opportunities to enhance your graduate experience. Don't miss out on this fantastic chance to connect with the GSG community and make your voice heard in a welcoming and supportive environment. Visit our website for details on the next event and how to get involved!", + "event_type":"virtual", + "start_time":"2024-06-15 13:00:00", + "end_time":"2024-06-15 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"0345af26-3f80-4dd3-99a7-35219dd481c5", + "club_id":"1a5ddac2-5dc5-40f6-a510-4f2789cd0344", + "name":"Event for Graduate Students of Color Collective", + "preview":"This club is holding an event.", + "description":"Join the Graduate Students of Color Collective for an evening of celebration and empowerment! Our event will feature engaging discussions led by BIPOC scholars, art showcases highlighting diverse voices, and networking opportunities with like-minded individuals. Come connect with fellow domestic and international graduate students from all Northeastern University campuses as we continue to foster relationships within our community and empower each other through education, professionalism, and civic duty. Embrace the spirit of inclusivity and join us in creating a vibrant campus home where BIPOC voices are uplifted and appreciated. Let's stand together in solidarity, acknowledging the struggles of marginalized populations and working towards a brighter future for all.", + "event_type":"virtual", + "start_time":"2026-09-24 20:30:00", + "end_time":"2026-09-24 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "HumanRights", + "BIPOC" + ] + }, + { + "id":"b106d012-0201-4b0c-8abe-b19f953f9853", + "club_id":"f7a5e10b-c26b-4b10-8458-56c1e6ffa0ac", + "name":"Event for Graduate Women in Science and Engineering", + "preview":"This club is holding an event.", + "description":"Join us for an inspiring and informative networking event hosted by Graduate Women in Science and Engineering (GWISE)! This event is open to all graduate students and postdocs interested in advancing women in science and engineering at Northeastern University. Connect with like-minded individuals, learn about diverse career options, and gain valuable insights on work-life balance in STEM fields. Come be a part of our supportive community, where we aim to empower women and underrepresented groups in STEM. Subscribe to our mailing list at gwise.neu@gmail.com with the subject line 'Subscribe' to stay updated on this event and more. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2024-05-10 15:30:00", + "end_time":"2024-05-10 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Career Development", + "Women in STEM", + "Empowerment", + "Networking", + "Community Outreach" + ] + }, + { + "id":"293d7614-f30d-412a-a161-032cdee9c0f3", + "club_id":"f7a5e10b-c26b-4b10-8458-56c1e6ffa0ac", + "name":"Event for Graduate Women in Science and Engineering", + "preview":"This club is holding an event.", + "description":"Join Graduate Women in Science and Engineering for our upcoming event on networking in STEM fields! This interactive session will provide valuable insights and tips on building connections, enhancing communication skills, and navigating professional relationships in the science and engineering industry. Whether you're a graduate student, postdoc, or early-career professional, this event is designed to empower and support you on your journey towards a successful career. Come meet like-minded individuals, share experiences, and expand your network in a welcoming and inclusive environment. Don't miss out on this opportunity to learn, connect, and grow with GWISE!", + "event_type":"in_person", + "start_time":"2026-05-05 23:30:00", + "end_time":"2026-05-06 01:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Women in STEM" + ] + }, + { + "id":"77a72ddd-f844-43f2-b8dd-9badd4b98bf3", + "club_id":"e6caa6c3-9054-4b24-9035-77dc689d4a24", + "name":"Event for Green Line Records", + "preview":"This club is holding an event.", + "description":"Join us for the Green Line Records Annual Showcase, a night filled with electrifying performances by our talented roster of emerging artists. Experience the dynamic energy of Northeastern University's student-driven record label as we showcase the best in local music talent. From soulful ballads to high-energy rock, our diverse lineup promises something for every music lover. Come support the next big names in the music industry and immerse yourself in the vibrant Boston music scene. See you there!", + "event_type":"in_person", + "start_time":"2024-02-13 21:15:00", + "end_time":"2024-02-14 01:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Performing Arts", + "Music", + "Broadcasting", + "Visual Arts", + "Creative Writing" + ] + }, + { + "id":"3daeedff-2eeb-4f28-be1b-df652bd33216", + "club_id":"e6caa6c3-9054-4b24-9035-77dc689d4a24", + "name":"Event for Green Line Records", + "preview":"This club is holding an event.", + "description":"Join us for an exciting showcase at Green Line Records, Northeastern University's vibrant student-driven record label in Boston, Massachusetts! Experience the incredible talent of our emerging artists as they perform live on stage, showcasing their unique sounds and stories. Immerse yourself in a night filled with captivating music, engaging visuals, and a shared passion for supporting local artistry. Don't miss this opportunity to connect with fellow music enthusiasts and be part of the dynamic community that Green Line Records nurtures with dedication and passion.", + "event_type":"virtual", + "start_time":"2025-01-22 15:15:00", + "end_time":"2025-01-22 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Broadcasting", + "Performing Arts" + ] + }, + { + "id":"0df564ba-7c3b-4dc4-a26f-88b2f028e514", + "club_id":"b634e734-37c5-4341-8e53-9d89d3542bd1", + "name":"Event for Habitat for Humanity Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for our annual 'Build for a Better Future' event, where volunteers of all skill levels come together to make a meaningful impact in our community. At Habitat for Humanity Northeastern, we believe in the power of collaboration and solidarity to create positive change. This event is an opportunity for you to roll up your sleeves, work alongside passionate individuals, and help build or repair homes for families in need. Whether you're a seasoned builder or a first-time volunteer, there's a place for you in our welcoming and inclusive environment. By participating in 'Build for a Better Future,' you'll not only learn new skills and make a tangible difference in someone's life but also become part of a movement dedicated to breaking the cycle of poverty and improving lives through stable housing solutions. Together, we can create a brighter future for our community!", + "event_type":"virtual", + "start_time":"2024-12-22 14:15:00", + "end_time":"2024-12-22 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Community Outreach", + "Environmental Advocacy" + ] + }, + { + "id":"d3235d6a-a8b8-4283-a4f9-8fc05b2ac785", + "club_id":"82dd18f7-b370-418e-8573-4690ef52c25d", + "name":"Event for Haitian Student Unity (HSU)", + "preview":"This club is holding an event.", + "description":"Join Haitian Student Unity (HSU) for a lively cultural celebration of Haitian music, dance, and cuisine at our annual 'Colors of Haiti' event. Immerse yourself in the vibrant rhythms of Kompa music, sway along with traditional dance performances, and savor the flavors of authentic Haitian dishes. Whether you're a seasoned admirer of Haitian culture or simply curious to learn more, this festive gathering promises an evening of shared experiences, newfound friendships, and a deeper appreciation for the rich heritage of Haiti. Mark your calendars and come be a part of this colorful tapestry of unity and diversity!", + "event_type":"hybrid", + "start_time":"2026-10-02 15:30:00", + "end_time":"2026-10-02 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Visual Arts", + "Haitian Student Unity", + "Latin America" + ] + }, + { + "id":"49e18df6-8563-4951-ae9f-52a850bcccd2", + "club_id":"82dd18f7-b370-418e-8573-4690ef52c25d", + "name":"Event for Haitian Student Unity (HSU)", + "preview":"This club is holding an event.", + "description":"Join Haitian Student Unity (HSU) for an enchanting evening of Haitian folklore and music, where we will dive into the vibrant history and captivating traditions of Haiti. Immerse yourself in a cultural journey filled with mesmerizing dance performances, live music, and delicious traditional cuisine. Whether you're a seasoned admirer of Haitian culture or looking to expand your cultural horizons, this event offers a warm and inviting space for everyone to come together, learn, and celebrate the richness of Haiti's heritage. Don't miss this opportunity to connect with fellow students and community members as we share stories, create memories, and foster unity in the spirit of Haitian culture!", + "event_type":"hybrid", + "start_time":"2024-07-24 13:15:00", + "end_time":"2024-07-24 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Latin America", + "Cultural Heritage" + ] + }, + { + "id":"f5091055-ebb5-4ead-a0cc-115a1516fa88", + "club_id":"82dd18f7-b370-418e-8573-4690ef52c25d", + "name":"Event for Haitian Student Unity (HSU)", + "preview":"This club is holding an event.", + "description":"Join the Haitian Student Unity (HSU) club at Northeastern University for an immersive Creole language workshop! Whether you're a beginner or fluent, come together with fellow students to learn the basics or enhance your conversational skills. Our friendly instructors will guide you through the unique sounds and phrases of Creole, while sharing fascinating insights into Haitian culture and traditions. This hands-on workshop is a perfect opportunity to connect with the vibrant Haitian community on campus and deepen your appreciation for the rich heritage of Haiti. Don't miss this chance to broaden your language skills and make new friends in a welcoming and inclusive environment!", + "event_type":"virtual", + "start_time":"2024-07-01 17:15:00", + "end_time":"2024-07-01 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Latin America", + "Community Outreach", + "Haitian Student Unity", + "Visual Arts" + ] + }, + { + "id":"83c10511-5e17-4106-825e-ccf5759f9e9e", + "club_id":"dca375dd-00d9-41a5-86f9-a2c0ec774524", + "name":"Event for Half Asian People's Association", + "preview":"This club is holding an event.", + "description":"Join us for our monthly Hapa Meet-Up event where we come together to share stories, experiences, and delicious food in a welcoming and supportive environment. Our gathering provides a space for mixed-race individuals and those interested in Asian and Pacific Islander cultures to connect, learn, and celebrate diversity. Whether you're a long-time member or brand new to the community, you'll find a warm and inclusive atmosphere where everyone's unique background is valued and respected. Don't miss this opportunity to make new friends, learn more about Hapa identity, and be a part of a vibrant community that embraces diversity and understanding. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2025-06-24 17:30:00", + "end_time":"2025-06-24 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Visual Arts", + "Asian American", + "Creative Writing" + ] + }, + { + "id":"9c0d6894-bbcb-4722-b07e-a13f6cedc8c3", + "club_id":"dca375dd-00d9-41a5-86f9-a2c0ec774524", + "name":"Event for Half Asian People's Association", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming Hapa Kitchen Night event where we'll be sharing and savoring delicious recipes that showcase the diverse culinary heritage of mixed-race and Asian cultures. Whether you're a seasoned cook or a novice in the kitchen, this interactive and fun evening is perfect for bonding over food while learning about the rich flavors that represent our unique community. Let's cook, chat, and connect as we celebrate the vibrant tapestry of Hapa identities together!", + "event_type":"virtual", + "start_time":"2026-05-25 21:30:00", + "end_time":"2026-05-25 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Visual Arts", + "Asian American", + "LGBTQ" + ] + }, + { + "id":"9da149c9-3fdd-440e-a259-07c815289a6b", + "club_id":"cc6ef32d-290d-4bf6-b0c2-93c1b1fe6218", + "name":"Event for Hawaii Ohana at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Hawaii Ohana at Northeastern University for an exciting Luau Night event! Immerse yourself in the vibrant culture of Hawaii as we celebrate through traditional dances, music, and delicious island-style cuisine. Whether you are from Hawaii or simply curious about the Aloha spirit, this event is the perfect opportunity to connect with new friends and learn about the unique traditions of the islands. Bring your friends and make memories that will transport you to the beautiful shores of Hawaii right here in Boston. Aloha!", + "event_type":"virtual", + "start_time":"2025-07-14 19:15:00", + "end_time":"2025-07-14 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Asian American", + "Cultural Exchange", + "Volunteerism" + ] + }, + { + "id":"1ae6aae6-0dd6-44d1-8842-2193032259b4", + "club_id":"392db338-5ba2-44a2-bc3b-7d1f9678e3f7", + "name":"Event for Health Disparities Student Collaborative", + "preview":"This club is holding an event.", + "description":"Join the Health Disparities Student Collaborative for our annual Health Equity Fair! This exciting event brings together students and community members to learn, advocate, and engage in service projects aimed at closing the health gap in Boston. Explore interactive booths, attend informative workshops, and connect with like-minded individuals who believe in creating a healthier, more equitable future for all. Don't miss this opportunity to be part of a passionate community dedicated to making a lasting impact on local health disparities!", + "event_type":"hybrid", + "start_time":"2024-04-09 13:15:00", + "end_time":"2024-04-09 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Health Disparities", + "PublicRelations", + "Community Outreach" + ] + }, + { + "id":"5198a25d-b175-4794-ac74-d45ed255b9dc", + "club_id":"392db338-5ba2-44a2-bc3b-7d1f9678e3f7", + "name":"Event for Health Disparities Student Collaborative", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming event hosted by the Health Disparities Student Collaborative (HDSC) in Boston! Come experience a fun and informative community health fair where you can learn and participate in activities focused on promoting health equity. Engage with fellow students and community members as we raise awareness and discuss strategies to address local health disparities. Don't miss this opportunity to be part of a movement towards a healthier and more inclusive community!", + "event_type":"virtual", + "start_time":"2024-01-20 15:00:00", + "end_time":"2024-01-20 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Health Disparities", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"fb320492-552c-4b5d-a852-29d9ec9f4426", + "club_id":"392db338-5ba2-44a2-bc3b-7d1f9678e3f7", + "name":"Event for Health Disparities Student Collaborative", + "preview":"This club is holding an event.", + "description":"Join the Health Disparities Student Collaborative for our upcoming community health fair, where we will be offering free health screenings, wellness resources, and interactive workshops on how to address local health disparities in Boston. Connect with like-minded students and community members who are passionate about achieving health equity through education, advocacy, and service. Whether you're interested in learning more about public health issues or looking to get involved in meaningful university-community collaborations, this event is the perfect opportunity to make a difference in our local communities. Come and be a part of our mission to build partnerships and close the gap on health disparities together!", + "event_type":"in_person", + "start_time":"2024-08-15 16:15:00", + "end_time":"2024-08-15 17:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Community Outreach", + "PublicRelations" + ] + }, + { + "id":"f97c96dc-c1b9-4af3-869b-11f4ab09451b", + "club_id":"ff77d21c-fec1-444d-9bef-212a714c1d46", + "name":"Event for Health Humanities Club", + "preview":"This club is holding an event.", + "description":"Join us for an engaging panel discussion led by experienced professionals in the health humanities field! This event will provide valuable insights into how the humanities can enhance medical practice and our understanding of health. Whether you're new to the subject or well-versed, come connect with like-minded individuals and explore the diverse opportunities in this fascinating field. Don't miss out on this enriching experience that bridges the gap between healthcare and humanities!", + "event_type":"virtual", + "start_time":"2024-04-05 18:00:00", + "end_time":"2024-04-05 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Creative Writing", + "HumanRights", + "Premed", + "Health Humanities" + ] + }, + { + "id":"11b1fc94-7916-4cdf-b8d5-54361b8e2e23", + "club_id":"ff77d21c-fec1-444d-9bef-212a714c1d46", + "name":"Event for Health Humanities Club", + "preview":"This club is holding an event.", + "description":"Join us for an engaging discussion on how the health humanities can reshape perceptions of healthcare delivery and patient experiences. This event aims to bridge the gap between medical practice and the humanistic aspects of health, offering unique insights and perspectives that are often overlooked. Whether you are well-versed in the field or just curious to learn more, this event promises to be a thought-provoking and enriching experience for all attendees. Come be a part of our vibrant community and discover the transformative potential of the health humanities with us!", + "event_type":"in_person", + "start_time":"2025-05-05 17:30:00", + "end_time":"2025-05-05 20:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Health Humanities", + "Psychology", + "Premed", + "Creative Writing", + "HumanRights" + ] + }, + { + "id":"892fcb8c-db6d-47b4-8ed3-da05a1eacafe", + "club_id":"9b8877f5-500a-44b1-9a85-5c34651e73c7", + "name":"Event for Healthcare Management and Consulting Club", + "preview":"This club is holding an event.", + "description":"Join us for an engaging panel discussion featuring industry professionals sharing insights on healthcare management and consulting career paths. Whether you're curious about the diverse opportunities in this field or seeking guidance on breaking into the industry, this event is a great opportunity to connect with like-minded peers and gain valuable knowledge. The session will conclude with a networking mixer where you can build meaningful connections with both students and professionals passionate about transforming healthcare. Don't miss this chance to learn, network, and grow with the Healthcare Management and Consulting Club!", + "event_type":"in_person", + "start_time":"2024-06-05 21:30:00", + "end_time":"2024-06-06 00:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Business", + "Professional Development", + "Innovation" + ] + }, + { + "id":"290e0da2-ea92-41d7-8da2-32ac51ea902c", + "club_id":"9b8877f5-500a-44b1-9a85-5c34651e73c7", + "name":"Event for Healthcare Management and Consulting Club", + "preview":"This club is holding an event.", + "description":"Join the Healthcare Management and Consulting Club for an engaging panel discussion featuring industry experts sharing insights on the latest trends and challenges in healthcare management. Network with fellow students, alumni, and professionals to expand your knowledge and build valuable connections. Gain practical skills and strategies to excel in the ever-evolving healthcare industry, while also enjoying some refreshments and a friendly atmosphere. Whether you're a seasoned healthcare enthusiast or just curious about the field, this event is the perfect opportunity to learn, connect, and grow with like-minded individuals passionate about transforming the future of healthcare.", + "event_type":"in_person", + "start_time":"2024-08-25 18:15:00", + "end_time":"2024-08-25 20:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Professional Development" + ] + }, + { + "id":"e14c0f78-a20b-4878-9492-e6a12a9f6364", + "club_id":"9b8877f5-500a-44b1-9a85-5c34651e73c7", + "name":"Event for Healthcare Management and Consulting Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting panel discussion on 'Trends and Innovations in Healthcare Management'. Our distinguished speakers will share their expertise and insights on the latest developments in the industry, providing valuable knowledge to all attendees. Whether you're a seasoned professional or just starting out, this event is the perfect opportunity to expand your network, learn from industry leaders, and gain a deeper understanding of the dynamic world of healthcare management. Don't miss out on this enriching experience hosted by the Healthcare Management and Consulting Club!", + "event_type":"virtual", + "start_time":"2024-08-04 14:30:00", + "end_time":"2024-08-04 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community", + "Innovation", + "Networking", + "Business", + "Healthcare Management", + "Consulting", + "Leadership" + ] + }, + { + "id":"71d449be-f180-4250-a7d2-19388103ad24", + "club_id":"a5afabca-239d-4d2a-a89c-c16ebc9e806e", + "name":"Event for Hearts For The Homeless NEU", + "preview":"This club is holding an event.", + "description":"Join Hearts For The Homeless NEU at their upcoming event where they will be offering free heart health education sessions to the homeless community in Boston. Our caring volunteers will provide hands-on demonstrations with electronic blood pressure machines and share invaluable information approved by the American Heart Association. Come learn how to take charge of your heart health in a warm and welcoming environment filled with compassion and support!", + "event_type":"hybrid", + "start_time":"2026-06-04 13:15:00", + "end_time":"2026-06-04 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "HumanRights", + "Medical", + "Volunteerism" + ] + }, + { + "id":"d06c3912-1ec0-43f0-8565-97bc5b77009d", + "club_id":"a5afabca-239d-4d2a-a89c-c16ebc9e806e", + "name":"Event for Hearts For The Homeless NEU", + "preview":"This club is holding an event.", + "description":"Join Hearts for the Homeless NEU at our upcoming Heart Health Fair! This interactive event is a wonderful opportunity to learn about maintaining a healthy heart and to get your blood pressure checked for free. Our passionate team members will be there to provide valuable information approved by the American Heart Association, ensuring that you leave feeling empowered and informed about your heart health. Come meet our team, enjoy some refreshments, and take a step towards a healthier heart with Hearts for the Homeless NEU!", + "event_type":"virtual", + "start_time":"2025-01-11 16:30:00", + "end_time":"2025-01-11 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "PublicRelations" + ] + }, + { + "id":"4d0ce936-c937-4ba4-a19b-4ae2f37f145f", + "club_id":"a5afabca-239d-4d2a-a89c-c16ebc9e806e", + "name":"Event for Hearts For The Homeless NEU", + "preview":"This club is holding an event.", + "description":"Join Hearts for the Homeless NEU for an empowering heart health education event in the heart of Boston! Our dedicated team will be offering free blood pressure checks using electronic machines, along with valuable heart health information certified by the American Heart Association. Let's come together to support our homeless community and spread awareness about the importance of cardiovascular health. All are welcome to participate and learn how small lifestyle changes can make a big impact on heart wellness. See you there!", + "event_type":"hybrid", + "start_time":"2025-05-03 23:00:00", + "end_time":"2025-05-04 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"fe4beb71-d854-464e-8e8e-4c11156f3695", + "club_id":"42649175-4d89-4bdc-bf48-cb04e03d801e", + "name":"Event for Hellenic Society of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Hellenic Society of Northeastern University for a fun and educational evening celebrating Greek cuisine! Come together with fellow Greek students to indulge in authentic dishes, share cultural anecdotes, and immerse yourself in the rich traditions of Greece. Whether you're a seasoned foodie or just curious to explore new flavors, this event promises to be a delightful experience filled with good company and delicious bites. Don't miss this opportunity to expand your culinary horizons and connect with like-minded individuals in a warm and inviting atmosphere!", + "event_type":"hybrid", + "start_time":"2026-01-21 20:15:00", + "end_time":"2026-01-22 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Hellenic", + "Friendship", + "Community Outreach", + "Cultural Education", + "Networking", + "Northeastern University" + ] + }, + { + "id":"d128ac49-9fc6-424a-8575-096d0404f2a4", + "club_id":"42649175-4d89-4bdc-bf48-cb04e03d801e", + "name":"Event for Hellenic Society of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Hellenic Society of Northeastern University for a fun and engaging Greek cooking workshop, where you'll have the opportunity to learn how to make traditional dishes while connecting with fellow Greek students in a warm and inviting environment. Our experienced instructors will guide you through the steps of crafting delicious recipes, sharing insights into the rich culinary heritage of Hellenic culture. Whether you're a cooking enthusiast or simply curious to explore new flavors, this event promises to be a delightful mix of learning, laughter, and of course, plenty of tasty treats to savor together. Don't miss out on this exciting opportunity to immerse yourself in Greek culinary traditions and make new friends along the way!", + "event_type":"in_person", + "start_time":"2024-08-19 12:15:00", + "end_time":"2024-08-19 15:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Friendship", + "Hellenic", + "Community Outreach", + "Northeastern University" + ] + }, + { + "id":"7822a140-873d-41f0-938b-18423c635447", + "club_id":"53eb49f4-4b81-47a9-9e5d-f75224db5bbd", + "name":"Event for Her Campus Northeastern", + "preview":"This club is holding an event.", + "description":"Join Her Campus Northeastern this Monday for our weekly meeting! Our club, a chapter of Her Campus Media, is a vibrant community run by female-identifying college students. Together, we create engaging social media content and thought-provoking articles covering topics such as mental health, news, pop culture, career advice, culture, style, and beauty. Founded in 2009 by three inspirational Harvard graduates, our roots are firmly planted in Boston, and we take pride in being one of the city's local chapters. Come meet us in East Village 002 from 6:15-7pm as we share ideas, stories, and support. Don't forget to check out our Slack through our Instagram bio and discover how you can become a part of our empowering network!", + "event_type":"hybrid", + "start_time":"2024-06-08 15:15:00", + "end_time":"2024-06-08 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "LGBTQ", + "Women Empowerment", + "Journalism", + "Creative Writing" + ] + }, + { + "id":"e0e8d57f-0170-4774-bddd-9184f5882e44", + "club_id":"53eb49f4-4b81-47a9-9e5d-f75224db5bbd", + "name":"Event for Her Campus Northeastern", + "preview":"This club is holding an event.", + "description":"Join Her Campus Northeastern for a fun and engaging workshop on navigating mental health in college! In this session, we will discuss self-care tips, resources on campus, and share personal experiences in a safe and supportive environment. Whether you're struggling or just curious, come connect with like-minded individuals and gain valuable insights to help prioritize your mental well-being. Bring a friend and join us on Monday at 6:15pm in East Village 002 - we can't wait to see you there!", + "event_type":"virtual", + "start_time":"2024-04-24 14:15:00", + "end_time":"2024-04-24 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Women Empowerment", + "Creative Writing" + ] + }, + { + "id":"0fb10d5a-d582-42c7-a25a-028cf9bc90d6", + "club_id":"e30d0b5e-cffe-42a7-a300-fce96fed413a", + "name":"Event for Hillel Club", + "preview":"This club is holding an event.", + "description":"Join us at the Hillel Club for an engaging discussion on Jewish culture and traditions, where students of all backgrounds can come together to learn, share experiences, and foster a sense of community. Our event will feature insightful speakers, interactive activities, and opportunities to connect with fellow peers who are passionate about exploring Jewish identity. Whether you're looking to deepen your understanding of Jewish heritage or simply curious to learn more, this event offers a welcoming space for you to engage, ask questions, and participate in meaningful conversations. Come be a part of this enriching experience and embrace the diversity and unity that defines our Hillel community!", + "event_type":"virtual", + "start_time":"2026-01-27 23:30:00", + "end_time":"2026-01-28 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Judaism", + "Volunteerism" + ] + }, + { + "id":"7cee77c2-0338-4aea-850e-bf2b749a5561", + "club_id":"49a4ac69-cf9f-4e60-8593-4c11e8652509", + "name":"Event for Hindu Community of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Hindu Community of Northeastern University for an enriching evening of Vedic wisdom and spiritual growth. Dive into thought-provoking discussions that stimulate the mind and uplift the spirit. Immerse yourself in healing yoga and meditation practices that nurture your physical, mental, and emotional well-being. Experience the vibrant culture through engaging demonstrations that showcase the beauty and richness of Hindu traditions. This event promises to be a harmonious blend of learning, self-discovery, and community building, welcoming all to explore and embrace the timeless teachings of the Vedas.", + "event_type":"hybrid", + "start_time":"2026-12-16 15:30:00", + "end_time":"2026-12-16 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Yoga/Meditation", + "Community Outreach", + "Cultural Demonstrations", + "Hinduism" + ] + }, + { + "id":"047066fd-d738-499f-9e93-bc4a36e48b9b", + "club_id":"49a4ac69-cf9f-4e60-8593-4c11e8652509", + "name":"Event for Hindu Community of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Hindu Community of Northeastern University for an enlightening evening of Vedic wisdom and cultural celebration! Dive deep into thought-provoking discussions that uplift the mind, participate in rejuvenating yoga and meditation practices that nourish the body and soul, and immerse yourself in vibrant cultural demonstrations that showcase the beauty of ancient traditions. Whether you are a seasoned practitioner or a curious newcomer, this event is a welcoming space for all to explore and experience the richness of Hindu wisdom and traditions.", + "event_type":"virtual", + "start_time":"2024-05-01 13:15:00", + "end_time":"2024-05-01 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Yoga/Meditation", + "Community Outreach", + "Cultural Demonstrations", + "Hinduism" + ] + }, + { + "id":"110c49b8-c380-490e-99ef-ff687b1a5f4e", + "club_id":"49a4ac69-cf9f-4e60-8593-4c11e8652509", + "name":"Event for Hindu Community of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Hindu Community of Northeastern University for a special event focused on exploring the transformative power of healing yoga and meditation practices. Dive deep into the sacred principles of the Vedas to nourish your physical, mental, emotional, and spiritual well-being. Engage in thought-provoking discussions and experience healthy cultural demonstrations that promote harmony and inner peace. All are welcome to come together in a welcoming space to rejuvenate the body, mind, and soul.", + "event_type":"virtual", + "start_time":"2025-07-11 22:30:00", + "end_time":"2025-07-12 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Hinduism", + "Community Outreach", + "Cultural Demonstrations" + ] + }, + { + "id":"bd9b6ac4-7f3f-47e9-87a6-3c7effee50f0", + "club_id":"db2a27eb-edaa-4220-af2f-1a9c679a16d9", + "name":"Event for Hindu Undergraduate Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Hindu Undergraduate Student Organization for a serene evening of meditation and wellness workshops, where you can learn ancient techniques to cultivate inner strength and peace. Our friendly community welcomes all undergraduate students, regardless of background, to come together and connect with Hindu culture in a welcoming and inclusive environment. Take this opportunity to relax, unwind, and foster meaningful connections with your peers in a supportive setting.", + "event_type":"virtual", + "start_time":"2025-09-12 12:15:00", + "end_time":"2025-09-12 13:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Volunteerism", + "Social Mixers" + ] + }, + { + "id":"eb25fc52-5342-4b3c-827c-ffdc5d395f17", + "club_id":"db2a27eb-edaa-4220-af2f-1a9c679a16d9", + "name":"Event for Hindu Undergraduate Student Organization", + "preview":"This club is holding an event.", + "description":"Join us for an uplifting evening at the Hindu Undergraduate Student Organization as we come together to celebrate the beauty of Hindu culture through a traditional Puja ceremony. Connect with your inner peace and tranquility during our guided meditation session led by experienced instructors. Afterwards, mingle with fellow students and make new friends at our social mixer filled with laughter and good conversations. This event is open to all undergraduate students, providing a warm and inclusive atmosphere where everyone is welcome to join in the festivities.", + "event_type":"hybrid", + "start_time":"2024-06-06 19:30:00", + "end_time":"2024-06-06 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"0010e9f2-0ece-4463-bea5-0924558182b0", + "club_id":"d66419f0-03d5-48e3-8987-d6537976657d", + "name":"Event for Historical Review", + "preview":"This club is holding an event.", + "description":"Join us at Historical Review's upcoming event, 'Research Showcase and Feedback Session', where students will have the opportunity to present their historical research projects to a supportive audience. This event is a great chance to share your passion for history, gain valuable feedback from fellow members, and connect with like-minded individuals. Whether you are an experienced researcher or just getting started, everyone is welcome to participate and provide insights on a wide range of historical topics. Don't miss this exciting opportunity to celebrate the diverse research efforts within our community!", + "event_type":"in_person", + "start_time":"2024-11-28 22:15:00", + "end_time":"2024-11-29 00:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Journalism" + ] + }, + { + "id":"262385ed-35ff-456b-a1d1-a76aa4481d65", + "club_id":"d66419f0-03d5-48e3-8987-d6537976657d", + "name":"Event for Historical Review", + "preview":"This club is holding an event.", + "description":"Join us for our annual Historical Review Expo, where students from diverse backgrounds come together to showcase their research projects on a wide range of historical topics. Get inspired by the fascinating discoveries and insights shared at this event, and interact with fellow history enthusiasts in a welcoming and collaborative environment. From thought-provoking presentations to insightful discussions, the Historical Review Expo promises a day filled with learning, networking, and appreciation for the rich tapestry of historical narratives waiting to be explored.", + "event_type":"virtual", + "start_time":"2025-07-19 21:15:00", + "end_time":"2025-07-19 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Creative Writing", + "Journalism" + ] + }, + { + "id":"c365f6cf-b475-4403-b73c-69431b5a8a28", + "club_id":"d66419f0-03d5-48e3-8987-d6537976657d", + "name":"Event for Historical Review", + "preview":"This club is holding an event.", + "description":"Join us for a fascinating journey through history at Historical Review's upcoming event! Dive into intriguing historical topics, meet fellow student researchers, and explore the opportunities available to you in the world of historical research. Whether you're an undergraduate or graduate student, our club welcomes individuals from all backgrounds to contribute their unique perspectives and insights. Don't miss this chance to engage in lively discussions, receive valuable feedback on your research, and learn how you can collaborate with peers to bring your work to the public eye. Be part of our vibrant community dedicated to making history come alive through shared knowledge and creativity!", + "event_type":"in_person", + "start_time":"2025-07-07 12:00:00", + "end_time":"2025-07-07 16:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "History", + "Community Outreach", + "Journalism", + "Creative Writing" + ] + }, + { + "id":"626e5a65-f57e-40b3-9e71-454f7f7ac725", + "club_id":"d7f5f3a4-383e-4145-b403-8741e9203f79", + "name":"Event for History Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join us for an evening of intellectual stimulation at our annual History Trivia Night event hosted by the History Graduate Student Association! Test your knowledge of historical facts, figures, and events in a fun and friendly environment. Meet fellow History graduate students, connect with faculty members from the History Department, and deepen your understanding of the field. Refreshments will be provided as we engage in lively discussions and celebrate our shared passion for history. Whether you're a trivia enthusiast or just looking to socialize, this event is the perfect opportunity to expand your academic network and have a great time!", + "event_type":"in_person", + "start_time":"2025-02-01 19:30:00", + "end_time":"2025-02-01 20:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"a619186b-12dd-421e-8f5e-f8370016f11f", + "club_id":"d7f5f3a4-383e-4145-b403-8741e9203f79", + "name":"Event for History Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join the History Graduate Student Association for an engaging evening discussion titled 'Exploring Historical Narratives'. This event provides a platform for students and faculty to delve into various perspectives of historical events, fostering a deeper understanding of the past. Open to all members of the History Department and College of Arts & Sciences, this interactive session promises to spark insightful conversations and build connections within the academic community. Don't miss this opportunity to expand your knowledge and network with fellow history enthusiasts!", + "event_type":"hybrid", + "start_time":"2026-05-26 20:30:00", + "end_time":"2026-05-27 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Academic Events", + "History", + "Graduate Students" + ] + }, + { + "id":"e1cf1207-8a9c-42a7-92ce-b108e83419a1", + "club_id":"a43eb52c-e6b8-49db-8bbe-2aa49771f043", + "name":"Event for Hong Kong Student Association", + "preview":"This club is holding an event.", + "description":"Join the Hong Kong Student Association for an exciting Dim Sum Brunch event where you can indulge in traditional Hong Kong delicacies while mingling with fellow students who share a passion for Cantonese culture. This casual gathering is the perfect opportunity to make new friends, swap stories, and immerse yourself in the vibrant sights and sounds of Hong Kong. Whether you're a Cantonese cuisine connoisseur or simply curious about this rich cultural heritage, all are welcome to join us for a memorable morning of great food and even greater company!", + "event_type":"hybrid", + "start_time":"2025-09-12 18:00:00", + "end_time":"2025-09-12 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"6183400c-3fdd-4347-a6f4-3bd34bd1b0db", + "club_id":"dc25e0b6-f13f-43df-b182-4444a5ab4ebd", + "name":"Event for Human Services Organization", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming event, a panel discussion on 'Pathways to Social Impact'. This engaging session will feature successful professionals in the Human Services field sharing their insights and experiences. It's a fantastic opportunity to network, gain valuable knowledge, and connect with like-minded individuals who are passionate about creating positive change in our community. Whether you're a Human Services major or simply interested in making a difference, this event is open to all and promises to be both enlightening and inspiring!", + "event_type":"in_person", + "start_time":"2024-08-20 21:15:00", + "end_time":"2024-08-21 00:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"fa9ad18c-0873-4870-85eb-e231451b4fdd", + "club_id":"dc25e0b6-f13f-43df-b182-4444a5ab4ebd", + "name":"Event for Human Services Organization", + "preview":"This club is holding an event.", + "description":"Join the Human Services Organization for our upcoming event, 'Empower Hour'! This enlightening session will feature a panel of industry professionals discussing career opportunities in human services and practical tips for making a meaningful impact in our communities. Whether you're a freshman exploring majors or a seasoned advocate for social change, all are welcome to connect, learn, and be inspired. Come and engage with like-minded students, expand your knowledge, and discover how you can contribute to creating a more just and caring world. Save the date and get ready to be motivated, informed, and energized at 'Empower Hour'!", + "event_type":"virtual", + "start_time":"2024-02-16 15:00:00", + "end_time":"2024-02-16 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Social Change", + "Volunteerism", + "HumanRights" + ] + }, + { + "id":"755b4e71-3656-40e6-a400-21818f350fc2", + "club_id":"72dc25e9-3bef-44fc-8401-ab7c92420ec2", + "name":"Event for Huntington Angels Network", + "preview":"This club is holding an event.", + "description":"Join the Huntington Angels Network for an exciting evening of innovation and networking! Our upcoming event will feature a dynamic pitch session where promising startups will showcase their ideas to a room full of experienced investors and like-minded entrepreneurs. Whether you're a seasoned investor looking for the next big opportunity or a budding entrepreneur seeking funding and mentorship, this event is the perfect place to connect, collaborate, and spark new partnerships. Come be a part of our vibrant community that is dedicated to supporting startups on their journey to success!", + "event_type":"hybrid", + "start_time":"2026-03-20 19:30:00", + "end_time":"2026-03-20 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Entrepreneurship", + "Venture Capital", + "Student Organizations", + "Angel Investing", + "Networking", + "Startups", + "Technology", + "Investment" + ] + }, + { + "id":"6f9ad99a-bc6e-46cd-9bbc-b122201b4154", + "club_id":"72dc25e9-3bef-44fc-8401-ab7c92420ec2", + "name":"Event for Huntington Angels Network", + "preview":"This club is holding an event.", + "description":"Join us at the Huntington Angels Network's upcoming event where we will be showcasing a diverse group of innovative startups ready to take on the next steps in their journey. Our event will feature engaging pitches from entrepreneurs looking to secure angel funding between $25,000 and $2,000,000 to propel their companies forward. Come meet our passionate team of student enthusiasts in the Venture Capital industry who are committed to bridging the gap between startups and investors. Whether you're a seasoned investor or simply curious about the startup world, this event is the perfect opportunity to network, learn, and be inspired by the entrepreneurial spirit. We don't take equity, but we do connect, support, and nurture growth in the vibrant startup ecosystem. Be a part of something bigger with us at the Huntington Angels Network event!", + "event_type":"virtual", + "start_time":"2026-03-16 13:15:00", + "end_time":"2026-03-16 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Venture Capital", + "Investment", + "Angel Investing", + "Entrepreneurship", + "Startups", + "Technology" + ] + }, + { + "id":"b0843edf-883c-4882-a5c6-6920550c4da7", + "club_id":"47facb0a-44c0-48c1-bdcb-d0827da28bf1", + "name":"Event for Huntington United Ski Nordic Club", + "preview":"This club is holding an event.", + "description":"Join us this weekend for our beginner-friendly cross country skiing event at the beautiful trails near Northeastern's campus! Whether you're new to the sport or a seasoned skier, our club welcomes all levels of experience. Our experienced coaches will provide instruction and guidance, ensuring a fun and safe experience for everyone. Don't miss this opportunity to explore the winter wonderland together with fellow enthusiasts. Remember to check out our main website for more details and to stay updated on all the upcoming activities!", + "event_type":"hybrid", + "start_time":"2024-06-28 12:30:00", + "end_time":"2024-06-28 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Outdoor Recreation" + ] + }, + { + "id":"1e961eb2-fac4-4617-a2ad-63da044c93ec", + "club_id":"47facb0a-44c0-48c1-bdcb-d0827da28bf1", + "name":"Event for Huntington United Ski Nordic Club", + "preview":"This club is holding an event.", + "description":"Join the Huntington United Ski Nordic Club for a fun-filled day of cross country skiing! Whether you're a seasoned skier or a beginner looking to hit the snow for the first time, our club welcomes all skill levels. Come together with fellow students and grad students from various colleges to enjoy a day of outdoor adventure and camaraderie. Our events are designed to cater to everyone, from training sessions for the upcoming intercollegiate racing league to skill-building activities for beginners. Don't miss out on the opportunity to be part of our vibrant and growing community. Visit our website for more information and get ready to hit the slopes with HUski Nordic!", + "event_type":"virtual", + "start_time":"2024-06-24 17:15:00", + "end_time":"2024-06-24 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Outdoor Recreation", + "Community Engagement", + "New Club", + "Winter Sports" + ] + }, + { + "id":"f87b53c1-a145-4f0b-b6c8-3eb611a3a58a", + "club_id":"47facb0a-44c0-48c1-bdcb-d0827da28bf1", + "name":"Event for Huntington United Ski Nordic Club", + "preview":"This club is holding an event.", + "description":"Join the Huntington United Ski Nordic Club for a fun-filled day of cross country skiing adventure! Whether you're a seasoned skier or looking to try it out for the first time, this event is perfect for skiers of all levels. Meet fellow students on campus for our weekly dryland practice sessions and then hit the snow together at a nearby location. Grad students and students from nearby colleges are also welcome to join in on the excitement. Come be a part of our growing community as we prepare for the upcoming intercollegiate racing league. Don't miss out on this opportunity to experience the exhilaration of Nordic skiing with us!", + "event_type":"virtual", + "start_time":"2026-07-28 23:30:00", + "end_time":"2026-07-29 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Outdoor Recreation", + "Student Organization" + ] + }, + { + "id":"24c88d58-21f1-44c3-89f6-ac5fc21e6601", + "club_id":"3b59d74c-b33c-4aae-b51f-3e298f2f6109", + "name":"Event for Huskick\u2018s Sneakers Club", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming Sneaker Showcase event at Huskick's Sneakers Club! Whether you're a seasoned sneakerhead or just starting your collection, this event is for you. Our showcase will feature rare and unique sneakers from members of our community, with each pair sharing a special story and showcasing individual style. Come connect with fellow huskies, share your own sneaker tales, and maybe even find your next grail pair. From vintage classics to the latest releases, there's something for everyone at our Sneaker Showcase. Don't miss out on this opportunity to dive deep into the vibrant world of sneaker culture and be a part of our growing community. See you there!", + "event_type":"hybrid", + "start_time":"2024-10-03 22:15:00", + "end_time":"2024-10-04 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Visual Arts", + "Creative Writing", + "Volunteerism" + ] + }, + { + "id":"b0ac137a-f73e-4ca6-9bc0-93399c7944a5", + "club_id":"3b59d74c-b33c-4aae-b51f-3e298f2f6109", + "name":"Event for Huskick\u2018s Sneakers Club", + "preview":"This club is holding an event.", + "description":"Join us this Saturday for our Sneaker Showcase event at Huskick\u2019s Sneakers Club! Whether you're a longtime sneaker enthusiast or just starting your collection, this event is the perfect opportunity to share your own sneaker stories, connect with fellow huskies, and discover the latest trends in the sneaker world. From vintage classics to limited-edition releases, there will be something for everyone to marvel at and discuss. Bring your favorite pairs, your enthusiasm, and be ready to immerse yourself in a vibrant community of sneaker lovers. Don't miss out on this chance to celebrate the culture and history of footwear with us! Click the link to our Discord server for more details and to RSVP: https://discord.gg/ujjvyRAWAr", + "event_type":"virtual", + "start_time":"2025-06-12 13:00:00", + "end_time":"2025-06-12 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Creative Writing", + "Volunteerism" + ] + }, + { + "id":"2465f7db-7736-4fe5-80d4-79f880539305", + "club_id":"f8f5adcc-83c9-46c0-89b5-81b6f3591d59", + "name":"Event for Huskies Club Ultimate Frisbee", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled Ultimate Frisbee clinic this Saturday at our home field! Whether you're an experienced player looking to improve your skills or a beginner eager to learn the ropes, this event is perfect for anyone interested in joining our enthusiastic Huskies Club Ultimate Frisbee community. Our talented coaches will provide expert guidance and advice, while our friendly team members will be there to support and encourage you every step of the way. Come on out and experience the camaraderie and excitement of Northeastern Ultimate Frisbee - we can't wait to welcome you with open arms!", + "event_type":"hybrid", + "start_time":"2026-08-27 23:30:00", + "end_time":"2026-08-28 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"e2f648dc-44b4-4003-9dd1-9d7995fb2e2c", + "club_id":"f8f5adcc-83c9-46c0-89b5-81b6f3591d59", + "name":"Event for Huskies Club Ultimate Frisbee", + "preview":"This club is holding an event.", + "description":"Come join us for a fun-filled Ultimate Frisbee clinic where you'll get the chance to learn from our experienced players and coaches! This event is perfect for both beginners looking to try out the sport for the first time and seasoned players wanting to improve their skills. We'll have drills, games, and friendly scrimmages to help you develop as a player and connect with others who share your love for Ultimate. Whether you dream of making it to the A team or just want to enjoy the game in a relaxed setting, this clinic is the perfect opportunity to get involved with the Huskies Club Ultimate Frisbee family. Don't miss out on this exciting chance to be a part of our growing and welcoming community!", + "event_type":"in_person", + "start_time":"2025-07-27 12:30:00", + "end_time":"2025-07-27 13:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Soccer", + "Visual Arts" + ] + }, + { + "id":"88271b7c-91fc-4d46-b079-0ca7d2039f85", + "club_id":"f8f5adcc-83c9-46c0-89b5-81b6f3591d59", + "name":"Event for Huskies Club Ultimate Frisbee", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled weekend Ultimate Frisbee clinic where players of all skill levels can come together to learn, practice, and connect. Led by experienced coaches and players from Huskies Club Ultimate Frisbee, this event will feature skill-building drills, friendly scrimmages, and valuable tips to elevate your game. Whether you're a seasoned player looking to sharpen your skills or a newcomer eager to experience the joy of Ultimate, this clinic is the perfect opportunity to immerse yourself in the vibrant Ultimate Frisbee community at Northeastern University. Don't miss out on this chance to improve your game, make new friends, and be part of our inclusive and supportive Ultimate family!", + "event_type":"virtual", + "start_time":"2024-10-17 22:15:00", + "end_time":"2024-10-17 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Visual Arts", + "Soccer", + "Volunteerism" + ] + }, + { + "id":"f24a0f1a-e597-4841-afdd-ccb37d06df68", + "club_id":"795ee5f4-46bd-4f18-8627-8651b29c29e3", + "name":"Event for Huskies for Israel", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"in_person", + "start_time":"2024-09-11 18:30:00", + "end_time":"2024-09-11 19:30:00", + "link":"", + "location":"Marino", + "tags":[ + "HumanRights", + "Advocacy" + ] + }, + { + "id":"47c6457f-c0d8-4c39-919a-3f365f6c5789", + "club_id":"795ee5f4-46bd-4f18-8627-8651b29c29e3", + "name":"Event for Huskies for Israel", + "preview":"This club is holding an event.", + "description":"Join Huskies for Israel at our upcoming cultural event celebrating Israeli Independence Day! Immerse yourself in a night of music, dance, and delicious traditional cuisine as we honor Israel's rich history and vibrant culture. Don't miss the chance to connect with fellow students who share your passion for Israel. Whether you're a seasoned advocate or just curious to learn more, this event promises to be a memorable and engaging experience. Stay tuned for updates on our social media channels and newsletter so you can be part of this festive celebration!", + "event_type":"hybrid", + "start_time":"2026-10-06 19:00:00", + "end_time":"2026-10-06 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Israel", + "Education", + "HumanRights" + ] + }, + { + "id":"1ea4f086-c850-4ff8-b4ed-1655b9d9cf87", + "club_id":"795ee5f4-46bd-4f18-8627-8651b29c29e3", + "name":"Event for Huskies for Israel", + "preview":"This club is holding an event.", + "description":"Join us for an evening of Israeli film, food, and discussion at our 'Israeli Movie Night' event! Immerse yourself in the vibrant culture of Israel as we screen a critically acclaimed film, indulge in delicious Israeli snacks, and engage in lively conversations about the themes and perspectives presented in the movie. Whether you're a seasoned cinephile or just curious to learn more about Israel, this event promises to be a delightful mix of entertainment and education. Don't miss this opportunity to connect with fellow students who share your passion for Israel and expand your understanding of this diverse and dynamic country. Everyone is welcome, so bring your friends and join us for an unforgettable cinematic experience!", + "event_type":"in_person", + "start_time":"2025-01-02 12:00:00", + "end_time":"2025-01-02 14:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Education", + "Israel", + "Advocacy", + "HumanRights" + ] + }, + { + "id":"a2c7c542-9cda-4b68-ab36-e915d10a4c27", + "club_id":"40466c85-4003-4f9f-a1fc-ec8a9cdc7122", + "name":"Event for Husky Ambassadors (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Husky Ambassadors (Campus Resource) for an exciting Campus Tour Day, where you'll have the chance to explore Northeastern University with our enthusiastic student leaders as your guides. Learn about the rich history, innovative programs, and vibrant community that make Northeastern a top choice for students from around the world. Interact with current students, ask questions, and discover what sets our university apart. Whether you're a prospective student, a parent, or simply curious about campus life, this event promises to be an engaging and informative experience that showcases the essence of a Northeastern education. We can't wait to share our stories with you and provide you with a glimpse into the unique opportunities that await you at Northeastern!", + "event_type":"hybrid", + "start_time":"2024-08-20 20:30:00", + "end_time":"2024-08-20 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Professional Development", + "Volunteerism" + ] + }, + { + "id":"b3f79c16-173d-4e34-b5dc-55d3b1af5d75", + "club_id":"40466c85-4003-4f9f-a1fc-ec8a9cdc7122", + "name":"Event for Husky Ambassadors (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Husky Ambassadors for a special campus tour event tailored for prospective students and their families! Get ready to embark on an exciting journey through Northeastern's vibrant campus led by our enthusiastic student leaders. You'll have the opportunity to learn about the unique academic programs, engaging campus life, and impressive global opportunities that make Northeastern stand out. As you walk along our picturesque pathways and modern buildings, our Husky Ambassadors will share their personal stories and experiences, giving you a glimpse into what life is like as a Northeastern student. This interactive and informative tour is the perfect way to discover why Northeastern could be the ideal fit for your educational journey. Come join us and start crafting your own Northeastern story today!", + "event_type":"virtual", + "start_time":"2026-05-27 13:00:00", + "end_time":"2026-05-27 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"bc0c07a1-a02a-48c6-871b-5b0ead245482", + "club_id":"7076ba6c-0efe-40af-936e-2d26aef603c9", + "name":"Event for Husky Communicators", + "preview":"This club is holding an event.", + "description":"Join us at Husky Communicators for an exciting Event Planning workshop where students will have the opportunity to dive into the world of event development and execution. Learn how to bring creative ideas to life, collaborate with peers, and gain hands-on experience in organizing unforgettable events that bring our community together. Whether you're a seasoned event planner or completely new to the process, this workshop will offer valuable insights and practical skills to enhance your event planning abilities.", + "event_type":"hybrid", + "start_time":"2025-09-16 21:30:00", + "end_time":"2025-09-17 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Social Media", + "Website Management", + "Creative Writing", + "Event Planning" + ] + }, + { + "id":"fbded9c1-74c8-47b0-9a00-51ae0de89550", + "club_id":"64e0975c-9715-4825-baee-a2aef6a33790", + "name":"Event for Husky Competitive Programming Club", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming HCPC workshop on dynamic programming techniques! Whether you're new to competitive programming or a seasoned coder, this interactive session will cover key concepts and strategies to tackle dynamic programming problems effectively. Bring your curiosity and enthusiasm to explore this fundamental topic in a supportive and engaging environment. Don't miss out on this opportunity to level up your problem-solving skills and connect with like-minded peers. See you there!", + "event_type":"hybrid", + "start_time":"2024-06-11 14:00:00", + "end_time":"2024-06-11 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Technical Interviews", + "Software Engineering", + "Competitive Programming", + "Mathematics", + "Coding Challenges", + "Workshops" + ] + }, + { + "id":"7f3b35af-0376-46aa-804d-dd973843c392", + "club_id":"16bdf987-571c-4ab0-8df2-aa25eb32771d", + "name":"Event for Husky Environmental Action Team", + "preview":"This club is holding an event.", + "description":"Join the Husky Environmental Action Team for an interactive workshop on sustainable living practices in college dorms! Learn easy tips and tricks to reduce your carbon footprint and live more eco-consciously while connecting with like-minded peers. Our HEAT members will share insightful information on recycling, energy conservation, and sustainable consumer choices to help you make a positive impact on our environment. Don't miss this opportunity to be part of the movement towards a greener campus and a brighter future for all!", + "event_type":"in_person", + "start_time":"2026-02-24 18:00:00", + "end_time":"2026-02-24 21:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Environmental Advocacy" + ] + }, + { + "id":"fd7e8ae0-8e8a-4f33-b8fc-523c56ad6210", + "club_id":"16bdf987-571c-4ab0-8df2-aa25eb32771d", + "name":"Event for Husky Environmental Action Team", + "preview":"This club is holding an event.", + "description":"Join the Husky Environmental Action Team (HEAT) for a lively and enlightening workshop on reducing food waste! Learn practical tips and innovative strategies to minimize food waste in your daily life while contributing towards a more sustainable and eco-friendly future. Come meet like-minded individuals, share ideas, and be part of the movement towards a greener Northeastern University community. Let's work together to make a positive impact and create a more sustainable world for us and future generations!", + "event_type":"hybrid", + "start_time":"2024-10-18 18:15:00", + "end_time":"2024-10-18 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Volunteerism", + "Environmental Advocacy", + "Environmental Science" + ] + }, + { + "id":"45193b8d-8886-4ad5-b69e-7ed236781751", + "club_id":"16bdf987-571c-4ab0-8df2-aa25eb32771d", + "name":"Event for Husky Environmental Action Team", + "preview":"This club is holding an event.", + "description":"Join the Husky Environmental Action Team (HEAT) for an engaging workshop on sustainable food choices and reducing food waste on campus. Learn practical tips on how to minimize your environmental footprint while enjoying tasty snacks prepared from locally sourced ingredients. Connect with like-minded peers and discover how simple actions can make a big difference in our community's journey towards carbon neutrality and sustainability. Don't miss this opportunity to be part of the positive change we can all create together!", + "event_type":"hybrid", + "start_time":"2025-03-23 18:00:00", + "end_time":"2025-03-23 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"78acb600-6629-43c0-ac34-e422befe9756", + "club_id":"7d24b7b8-ee70-4c51-ae92-25e577a91646", + "name":"Event for Husky Systers Code", + "preview":"This club is holding an event.", + "description":"Join us for a fun and engaging workshop on building strong fundamental technical skills and boosting confidence in expressing ideas and beliefs! Our event is designed to provide a supportive and welcoming space for graduate women in the technical domain to connect, learn, and grow together. Whether you are just starting out or looking to enhance your skills, this workshop is perfect for you. Come network with like-minded peers and take part in activities that will empower you to tap into your potential and tackle real-world problem-solving. Don't miss this opportunity to be part of our vibrant community at Husky Systers Code!", + "event_type":"in_person", + "start_time":"2024-09-12 12:30:00", + "end_time":"2024-09-12 14:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Networking", + "Women in Tech", + "Empowerment", + "Software Engineering" + ] + }, + { + "id":"14afc70a-f22e-4b05-9c07-f096907791e0", + "club_id":"f28a56ce-bff4-438f-b798-be75b4c7f1df", + "name":"Event for iGEM", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"hybrid", + "start_time":"2026-09-27 15:00:00", + "end_time":"2026-09-27 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Environmental Science" + ] + }, + { + "id":"06762606-0857-4f25-a14b-c42bf5bdf8b5", + "club_id":"f28a56ce-bff4-438f-b798-be75b4c7f1df", + "name":"Event for iGEM", + "preview":"This club is holding an event.", + "description":"Join iGEM for an exciting Hackathon Workshop where you can dive into the world of synthetic biology! This interactive event is perfect for beginners and experts alike, as we explore cutting-edge technology and innovative solutions together. Get ready to unleash your creativity and collaborate with other like-minded individuals in a fun and supportive environment. Don't miss this opportunity to learn, network, and be inspired by the endless possibilities of bioengineering! Click the link to watch a short video about our club: https://www.youtube.com/watch?v=WXy7ifxYRgw", + "event_type":"in_person", + "start_time":"2026-02-06 14:15:00", + "end_time":"2026-02-06 15:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Neuroscience", + "Environmental Science" + ] + }, + { + "id":"75c0086c-f265-4bc5-92f4-a1daed85f78d", + "club_id":"c4c071ce-2b52-4048-8309-f57b55268153", + "name":"Event for inCrease", + "preview":"This club is holding an event.", + "description":"Join inCrease for an exciting workshop on making your own double tissue paper! This hands-on event will guide you through the process of creating this specialized paper essential for intricate origami projects. Whether you are a novice or experienced paper folder, this workshop is a great opportunity to enhance your skills and learn a new technique. Our friendly and inclusive atmosphere ensures that everyone can participate and enjoy the creative process together. Don't miss out on this chance to expand your origami repertoire and connect with fellow enthusiasts in a fun and collaborative setting!", + "event_type":"in_person", + "start_time":"2025-08-08 14:15:00", + "end_time":"2025-08-08 17:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Collaboration" + ] + }, + { + "id":"d31bca9c-0675-4afb-9b48-e788d497b423", + "club_id":"c4c071ce-2b52-4048-8309-f57b55268153", + "name":"Event for inCrease", + "preview":"This club is holding an event.", + "description":"Join inCrease for a fun and interactive workshop on making your own double tissue paper! This hands-on session is perfect for all skill levels, whether you are a seasoned folder or just starting out. You'll learn tips and tricks to create your own unique paper that will enhance your origami projects. Our welcoming and supportive group of students will guide you through the process, ensuring you leave with newfound knowledge and inspiration. Don't miss this opportunity to expand your paperfolding skills and connect with fellow origami enthusiasts!", + "event_type":"virtual", + "start_time":"2024-06-28 16:15:00", + "end_time":"2024-06-28 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Collaboration" + ] + }, + { + "id":"98163413-1f9c-4f75-85d4-8e7bd7800eeb", + "club_id":"e77f04d9-7394-4f8a-8f86-018d923781bf", + "name":"Event for Indonesian Student Association", + "preview":"This club is holding an event.", + "description":"Join the Indonesian Student Association for a vibrant and cultural evening celebrating the rich traditions of Indonesia! Immerse yourself in Indonesian music, dance, and cuisine as we come together to showcase the diverse heritage of our community. Whether you're a seasoned Indonesian culture enthusiast or simply curious to learn more, this event promises to be a fun and educational experience for all. Bring your friends and an open mind for an unforgettable journey into the heart of Indonesia!", + "event_type":"in_person", + "start_time":"2024-01-17 19:15:00", + "end_time":"2024-01-17 23:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Cultural", + "Asian American" + ] + }, + { + "id":"4e050af5-1f44-4a3a-9375-278803cd1ca0", + "club_id":"e77f04d9-7394-4f8a-8f86-018d923781bf", + "name":"Event for Indonesian Student Association", + "preview":"This club is holding an event.", + "description":"Join the Indonesian Student Association for our annual cultural showcase, where we celebrate the rich heritage of Indonesia through dance, music, and traditional cuisine. Whether you're a seasoned member or new to the community, everyone is welcome to immerse themselves in the vibrant colors and rhythms of Indonesian culture. Don't miss this opportunity to experience the warmth and hospitality of our tight-knit community while learning more about the diverse traditions that define us. Mark your calendars and get ready for an unforgettable evening of culture and connection!", + "event_type":"hybrid", + "start_time":"2026-09-03 18:15:00", + "end_time":"2026-09-03 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Cultural" + ] + }, + { + "id":"2cd65ed9-6c2e-465c-9563-fd946fe2ae28", + "club_id":"697fcc26-7284-4b45-84fe-080ff689600f", + "name":"Event for Industry Pharmacists Organization", + "preview":"This club is holding an event.", + "description":"Join the Industry Pharmacists Organization for an exciting evening of networking and learning! Dive into the world of pharmaceutical industry with us as we explore the diverse roles and opportunities available to pharmacist professionals. Connect with like-minded individuals, share insights, and expand your knowledge on drug development, safety regulations, and so much more. Whether you're a seasoned industry expert or a budding student pharmacist, this event is guaranteed to be informative, engaging, and full of valuable connections waiting to be made. Don't miss out on this chance to be part of a dynamic community shaping the future of pharmaceuticals!", + "event_type":"virtual", + "start_time":"2026-10-21 13:15:00", + "end_time":"2026-10-21 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Chemistry" + ] + }, + { + "id":"ff3ff117-7d7a-4a39-a37c-dcff96a41fe4", + "club_id":"697fcc26-7284-4b45-84fe-080ff689600f", + "name":"Event for Industry Pharmacists Organization", + "preview":"This club is holding an event.", + "description":"Join us for a captivating seminar where industry experts from the pharmaceutical field will share invaluable insights on drug development, regulatory processes, and the pivotal role of pharmacists in ensuring drug safety and efficacy. This engaging event will provide a deeper understanding of the pharmaceutical industry, allowing attendees to explore career opportunities and network with like-minded professionals. Whether you're a seasoned pharmacist or a student aspiring to join the industry, this event promises to be a rewarding experience filled with knowledge-sharing and camaraderie. Don't miss this opportunity to learn, connect, and be inspired with the Industry Pharmacists Organization!", + "event_type":"hybrid", + "start_time":"2026-09-13 18:30:00", + "end_time":"2026-09-13 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Pharmacology" + ] + }, + { + "id":"52628cfe-621a-401a-9c16-5126cecfefe7", + "club_id":"c757a9e5-2bf1-4570-9d3a-10896dc833b3", + "name":"Event for Innovators for Global Health", + "preview":"This club is holding an event.", + "description":"Join us for an engaging virtual panel discussion at Innovators for Global Health where we will be hosting experts in the global health field to share insights on sustainable medical device design and the impact of global partnerships on healthcare access. Learn about our ongoing projects like the oxygen regulator splitter and medical suction pump valve/alarm, and discover how you can get involved regardless of your background or experience. Get inspired and engaged with our vibrant community dedicated to making a difference in global health!", + "event_type":"in_person", + "start_time":"2025-07-28 23:00:00", + "end_time":"2025-07-29 02:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Engineering", + "Low-cost Solutions" + ] + }, + { + "id":"ba0ff44a-86c6-49c7-abd7-aa872de1f6c0", + "club_id":"02471f2e-9740-4ddb-86c3-c5c3f1f1ce2c", + "name":"Event for inSIGHT", + "preview":"This club is holding an event.", + "description":"Join inSIGHT's biweekly meeting where we delve into the fascinating world of eye care advancements and career opportunities. This session will feature a special guest, an experienced optometrist, who will share valuable insights and experiences in the field. We'll also discuss upcoming application deadlines, testing strategies, and connect with optometry school representatives to explore educational pathways. Whether you're a seasoned professional or just starting to explore eye health, this event offers a warm and inclusive space to learn, network, and uncover your passion for the eye world!", + "event_type":"in_person", + "start_time":"2024-04-17 20:30:00", + "end_time":"2024-04-17 22:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Neuroscience", + "Volunteerism", + "Biology" + ] + }, + { + "id":"45cb181e-a84e-4fc8-9ba9-f561a3b27707", + "club_id":"f6195722-9043-4b45-b4ae-4192f3b68c1c", + "name":"Event for Institute for Operations Research and Management Sciences at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of insightful discussions and networking opportunities at the Institute for Operations Research and Management Sciences at Northeastern University. Our event will bring together Analytics Professionals and Operations Researchers from all backgrounds, including educators, scientists, students, managers, analysts, and consultants. Whether you are looking to expand your knowledge, connect with like-minded professionals, or simply explore the cutting-edge developments in the field, this event is the perfect platform for you. Dive into engaging conversations, exchange innovative ideas, and stay updated on the latest trends in analytics and operations research. Don't miss this chance to be a part of our vibrant community and elevate your professional growth!", + "event_type":"in_person", + "start_time":"2025-05-06 20:30:00", + "end_time":"2025-05-06 22:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Analytics", + "Operations Research" + ] + }, + { + "id":"d892f786-ae0d-496f-a67f-13ef3542fe09", + "club_id":"f6195722-9043-4b45-b4ae-4192f3b68c1c", + "name":"Event for Institute for Operations Research and Management Sciences at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at the Institute for Operations Research and Management Sciences at Northeastern University for an exciting evening of networking and knowledge sharing! This event is open to Analytics Professionals and Operations Researchers of all levels, including educators, scientists, students, managers, analysts, and consultants. Whether you're looking to connect with like-minded professionals, showcase your latest research, or simply expand your knowledge in the field of analytics and O.R., this event is the perfect opportunity. Come be a part of our vibrant community as we come together to learn, grow, and collaborate in the ever-evolving world of operations research and management sciences.", + "event_type":"virtual", + "start_time":"2026-07-20 18:15:00", + "end_time":"2026-07-20 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Analytics", + "Data Science", + "Mathematics" + ] + }, + { + "id":"c005bad8-2b8e-4dfb-8c50-02791081fc6c", + "club_id":"f6195722-9043-4b45-b4ae-4192f3b68c1c", + "name":"Event for Institute for Operations Research and Management Sciences at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Institute for Operations Research and Management Sciences at Northeastern University for an exciting evening of networking and learning! Connect with fellow Analytics Professionals and Operations Researchers including educators, scientists, students, managers, analysts, and consultants. This event will serve as a welcoming space for professionals in the field to engage in meaningful discussions, share insights, and explore new opportunities together. Don't miss out on this chance to connect with the vibrant community of analytics and O.R. professionals and broaden your professional network!", + "event_type":"hybrid", + "start_time":"2026-12-18 14:30:00", + "end_time":"2026-12-18 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Data Science", + "Mathematics", + "Analytics", + "Operations Research" + ] + }, + { + "id":"91aba7ca-d0f3-4a46-aa37-0d88353811f3", + "club_id":"c1c09e50-346c-42df-bb84-8a5efa74632b", + "name":"Event for Institute of Electrical and Electronics Engineers", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening with the Institute of Electrical and Electronics Engineers at Northeastern University! Dive into the world of cutting-edge technology and innovation as we explore the latest advancements in electrical engineering. Network with industry experts, engage in hands-on workshops, and develop your skills in a supportive and collaborative environment. Whether you're a seasoned pro or just starting out, our event is the perfect opportunity to expand your knowledge, connect with like-minded individuals, and gain valuable insights into the ever-evolving field of electro and information technologies. Don't miss this chance to be inspired, learn, and grow with us!", + "event_type":"virtual", + "start_time":"2024-03-06 16:00:00", + "end_time":"2024-03-06 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Software Engineering", + "Electrical Engineering", + "Industrial Engineering" + ] + }, + { + "id":"bb9addce-77c0-4092-8683-0cd2918c2f05", + "club_id":"c1c09e50-346c-42df-bb84-8a5efa74632b", + "name":"Event for Institute of Electrical and Electronics Engineers", + "preview":"This club is holding an event.", + "description":"Join us for a captivating virtual workshop hosted by the Institute of Electrical and Electronics Engineers at Northeastern University! Discover the latest innovations in electro and information technologies as we delve into hands-on projects and engaging discussions with industry experts. Whether you're a seasoned enthusiast or just starting out, our event offers a welcoming space to explore the forefront of engineering advancements and connect with like-minded individuals passionate about shaping the future of technology for the betterment of humanity and the profession. Don't miss this opportunity to expand your knowledge, network with industry leaders, and be inspired to make a meaningful impact in the world of engineering!", + "event_type":"hybrid", + "start_time":"2026-01-01 14:15:00", + "end_time":"2026-01-01 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Industrial Engineering", + "Software Engineering", + "Community Outreach" + ] + }, + { + "id":"50985315-a165-4114-93c5-431d7e87bed1", + "club_id":"967ddf95-dbab-4f43-93e5-7be161d0b6a5", + "name":"Event for Institute of Industrial and Systems Engineers", + "preview":"This club is holding an event.", + "description":"Join us for a special networking event hosted by the Institute of Industrial and Systems Engineers at Northeastern University! Come mingle with fellow students and industry professionals while enjoying refreshments and insightful discussions on the latest trends in Industrial Engineering. Acquire valuable insights, make new connections, and discover exciting opportunities in the field. Whether you are a seasoned professional or just starting out in the industry, this event promises to be a great platform for learning, networking, and fostering a sense of community among Industrial Engineering enthusiasts. Don't miss out on this wonderful chance to broaden your horizons and make lasting memories with like-minded individuals!", + "event_type":"virtual", + "start_time":"2026-02-11 15:00:00", + "end_time":"2026-02-11 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Industrial Engineering" + ] + }, + { + "id":"8950e49c-486f-416a-af12-5053c4ba8efd", + "club_id":"967ddf95-dbab-4f43-93e5-7be161d0b6a5", + "name":"Event for Institute of Industrial and Systems Engineers", + "preview":"This club is holding an event.", + "description":"Join us for a special networking event hosted by the Institute of Industrial and Systems Engineers at Northeastern University. This evening will be filled with engaging conversations on industrial engineering advancements, career opportunities, and the latest industry trends. Meet fellow students passionate about IE, connect with seasoned professionals, and gain valuable insights to help elevate your career. You'll also have the chance to participate in interactive workshops, enjoy refreshments, and expand your network in a welcoming and collaborative environment. Whether you're a current member or new to our community, this event promises to be a fantastic opportunity to learn, grow, and connect with like-minded individuals. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2025-03-08 20:30:00", + "end_time":"2025-03-09 00:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Professional Growth", + "Community Service", + "Industrial Engineering", + "Leadership Skills", + "Community Outreach", + "Networking" + ] + }, + { + "id":"4c45db84-7593-4964-aa89-099152b5510b", + "club_id":"cffed400-1850-4165-97d0-b7923e1cc130", + "name":"Event for Interfraternity Council", + "preview":"This club is holding an event.", + "description":"Join us for our annual Interfraternity Council Recruitment Event! Discover the vibrant community of our 12 recognized member and associate member chapters, including Alpha Epsilon Pi, Alpha Kappa Sigma, Beta Gamma Epsilon, Beta Theta Pi, Delta Kappa Epsilon, Delta Tau Delta, Kappa Sigma, Phi Delta Theta, Phi Gamma Delta (FIJI), Pi Kappa Phi, Sigma Phi Epsilon, and Zeta Beta Tau. Meet our dedicated members, learn about our values and philanthropic efforts, and explore the various opportunities for personal growth and lifelong friendships. Whether you're curious about fraternity life or looking to join a supportive brotherhood, this event is the perfect opportunity to connect, ask questions, and find your place within our inclusive and dynamic community. We can't wait to welcome you with open arms and share the excitement of being part of the Interfraternity Council family!", + "event_type":"virtual", + "start_time":"2026-02-07 16:30:00", + "end_time":"2026-02-07 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "LGBTQ" + ] + }, + { + "id":"cbb9bc79-5664-4396-89d6-7812588eecda", + "club_id":"cffed400-1850-4165-97d0-b7923e1cc130", + "name":"Event for Interfraternity Council", + "preview":"This club is holding an event.", + "description":"Join us for Interfraternity Council's annual Welcome Back BBQ event where all 12 of our recognized member and associate member chapters will come together to celebrate the start of the new academic year. Enjoy delicious food, music, and the chance to meet and connect with members from Alpha Epsilon Pi, Alpha Kappa Sigma, Beta Gamma Epsilon, Beta Theta Pi, Delta Kappa Epsilon, Delta Tau Delta, Kappa Sigma, Phi Delta Theta, Phi Gamma Delta (FIJI), Pi Kappa Phi, Sigma Phi Epsilon, and Zeta Beta Tau. Whether you're a current member, interested in joining, or simply looking to make new friends, this event is the perfect opportunity to get to know the diverse and vibrant community that makes up the Interfraternity Council. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2024-07-13 17:30:00", + "end_time":"2024-07-13 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Social Justice", + "Community Outreach", + "Volunteerism", + "LGBTQ" + ] + }, + { + "id":"25a8a83c-2702-4dd5-8497-3ba3d65fb490", + "club_id":"cffed400-1850-4165-97d0-b7923e1cc130", + "name":"Event for Interfraternity Council", + "preview":"This club is holding an event.", + "description":"Join us for our annual Interfraternity Council Mixer where members from all our recognized member and associate member chapters come together for a night of camaraderie and fun! Meet the brothers of Alpha Epsilon Pi, Alpha Kappa Sigma, Beta Gamma Epsilon, Beta Theta Pi, Delta Kappa Epsilon, Delta Tau Delta, Kappa Sigma, Phi Delta Theta, Phi Gamma Delta (FIJI), Pi Kappa Phi, Sigma Phi Epsilon, and Zeta Beta Tau, and get to know the diverse and inclusive community we've built together. Whether you're a prospective member looking to learn more about our chapters or a current member excited for a night of celebration, this event is the perfect opportunity to connect with like-minded individuals and experience the spirit of brotherhood that defines the Interfraternity Council!", + "event_type":"hybrid", + "start_time":"2024-08-27 18:30:00", + "end_time":"2024-08-27 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Volunteerism", + "Social Justice", + "LGBTQ" + ] + }, + { + "id":"b58c107b-c336-4e9b-b84c-b6cb62aaa03c", + "club_id":"850264be-52d7-49dd-a31d-c8301fb0cec3", + "name":"Event for International Business Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of networking and knowledge sharing at the International Business Club's Global Business Mixer! This event will feature engaging discussions on topics such as Conflict Resolution, Global Management, and Ethical Reasoning, allowing members to deepen their understanding of modern international business practices. Whether you're a seasoned business professional or just starting your journey in the world of global commerce, this event is the perfect opportunity to connect with like-minded individuals and expand your network in the exciting realm of international business. We welcome students from all majors who have a passion for global affairs to join us for an evening of learning, growth, and building connections with aspiring global professionals.", + "event_type":"in_person", + "start_time":"2024-11-12 13:15:00", + "end_time":"2024-11-12 16:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Ethical Reasoning" + ] + }, + { + "id":"908f20b8-3aff-4e2e-93ef-eb8706b59469", + "club_id":"850264be-52d7-49dd-a31d-c8301fb0cec3", + "name":"Event for International Business Club", + "preview":"This club is holding an event.", + "description":"Join the International Business Club at our upcoming event where we will be exploring the latest trends and innovations in the world of international business. Whether you are a seasoned business enthusiast or new to the field, this event is the perfect opportunity to network with like-minded individuals and gain valuable insights into key topics such as globalization, conflict resolution, trade compliance, and more. Come expand your knowledge, stretch your boundaries, and connect with a diverse community of aspiring global professionals. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2025-10-26 13:00:00", + "end_time":"2025-10-26 15:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Globalization", + "Ethical Reasoning", + "Global Management", + "Strategy" + ] + }, + { + "id":"3668c9dc-f4b7-42b3-8983-454cc4fe8954", + "club_id":"850264be-52d7-49dd-a31d-c8301fb0cec3", + "name":"Event for International Business Club", + "preview":"This club is holding an event.", + "description":"Join the International Business Club for an exciting evening of networking and knowledge sharing! This event will feature guest speakers who are experts in globalization, conflict resolution, trade compliance, global management, strategy, and ethical reasoning. Engage in lively discussions, expand your understanding of modern international business practices, and connect with like-minded peers from various academic backgrounds. Whether you're a seasoned international business enthusiast or just beginning to explore the global business landscape, this event is a great opportunity to learn, grow, and broaden your horizons. We welcome students of all majors to come together and embark on a journey of exploration and discovery in the world of international business!", + "event_type":"hybrid", + "start_time":"2026-09-13 19:30:00", + "end_time":"2026-09-13 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Strategy", + "Ethical Reasoning" + ] + }, + { + "id":"f124a2b5-7932-419c-ad1b-6db7e7f51a41", + "club_id":"9115baef-4f41-41ed-8496-18770f3c1405", + "name":"Event for International Relations Council", + "preview":"This club is holding an event.", + "description":"Join the International Relations Council for a stimulating and engaging discussion on the current geopolitical landscape. Dive deep into foreign policy, international relations, and global politics in an interactive setting. Connect with like-minded individuals and hone your debate and public speaking skills while staying informed about the latest international events. Whether you're a seasoned delegate or just starting out, our event is perfect for students looking to make a meaningful impact. Don't miss this opportunity to be part of our dynamic community. Email us at northeastern.irc@gmail.com to learn more and get involved!", + "event_type":"hybrid", + "start_time":"2026-08-07 18:30:00", + "end_time":"2026-08-07 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Model NATO", + "High School Conferences", + "Model UN", + "Middle School Conferences", + "Public Speaking", + "Global Politics" + ] + }, + { + "id":"da57fe91-c7e6-446a-9a85-abce79c47619", + "club_id":"9115baef-4f41-41ed-8496-18770f3c1405", + "name":"Event for International Relations Council", + "preview":"This club is holding an event.", + "description":"Join the International Relations Council for an exciting and engaging Model UN workshop where you can enhance your diplomatic skills and delve into pressing global issues. Led by experienced members, this interactive session will provide valuable insights into the world of international relations while fostering teamwork and critical thinking. Whether you're a seasoned delegate or new to the world of diplomacy, this workshop promises to be a rewarding experience filled with lively discussions and learning opportunities. Don't miss out on this chance to broaden your perspective and make new friends passionate about making a difference on the global stage!", + "event_type":"virtual", + "start_time":"2024-08-24 17:00:00", + "end_time":"2024-08-24 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Model UN", + "Public Speaking" + ] + }, + { + "id":"ef6a3f3e-95d4-42b8-8b2f-537e58208974", + "club_id":"8093bb0b-f1bb-4203-b033-d8843d619c0d", + "name":"Event for International Students in Business", + "preview":"This club is holding an event.", + "description":"Join us for an engaging event hosted by International Students in Business! Discover valuable insights and practical tips on navigating the US workforce as an international student. Our event will feature inspiring guest speakers sharing their expertise on how to excel as a global business leader. Connect with like-minded peers and learn about job opportunities that are available to international students. Come be a part of our inclusive community dedicated to supporting each other in achieving career success after graduation.", + "event_type":"virtual", + "start_time":"2025-08-02 19:00:00", + "end_time":"2025-08-02 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Research", + "Global Business", + "Guest Speakers", + "Professional Development" + ] + }, + { + "id":"238d0978-738e-4545-a5cb-7e9c3dd34d4b", + "club_id":"c512a3c2-7bc2-49e6-a60b-4efc17496589", + "name":"Event for InterVarsity Multiethnic Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join us this Friday for our 'Unity in Diversity' event, where we come together to celebrate our differences and explore how we can grow in love, faith, and understanding. From interactive workshops on racial reconciliation to thought-provoking discussions on social justice, this event is designed to deepen our connections and expand our perspectives. Whether you're a long-time member or new to NUIV, your voice and presence are valued as we journey together towards a more inclusive and compassionate community. Don't miss this opportunity to engage with fellow students, learn from diverse viewpoints, and experience the transformative power of unity in Christ.", + "event_type":"virtual", + "start_time":"2026-04-24 16:15:00", + "end_time":"2026-04-24 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Bible Study", + "Christianity", + "Community Outreach", + "Ethnic Reconciliation", + "Multiculturalism", + "Spiritual Growth", + "Volunteerism" + ] + }, + { + "id":"db9600e3-8157-47b6-aa28-8735c7bcb52f", + "club_id":"c512a3c2-7bc2-49e6-a60b-4efc17496589", + "name":"Event for InterVarsity Multiethnic Christian Fellowship", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening of discussions and games where we'll dive into exploring how our faith intersects with the real-world issues we face today. You can expect a warm and inclusive atmosphere where we'll tackle thought-provoking questions about life, faith, and social justice. Whether you're a curious beginner or a seasoned believer, this event is the perfect place to connect, learn, and grow in community with others who share a passion for deepening their understanding of Jesus Christ. Together, we'll build bridges of understanding, explore diverse perspectives, and have a great time bonding over our shared values. Don't miss this opportunity to be part of a meaningful conversation that challenges and inspires us to live out the love of Jesus in our daily lives!", + "event_type":"in_person", + "start_time":"2026-09-07 13:00:00", + "end_time":"2026-09-07 14:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"e838e4f8-20f5-40a0-a9f2-672e52c3cc03", + "club_id":"8d0108bd-450b-4aeb-8314-2b75a89946be", + "name":"Event for IoT Connect of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of hands-on learning at the Raspberry Pi Workshop! Whether you're new to the world of IoT or a seasoned pro, this workshop is designed to cater to all skill levels. Our experienced mentors will guide you through setting up your Raspberry Pi, exploring its capabilities, and starting your own IoT project. Don't miss this opportunity to connect with other IoT enthusiasts, gain practical skills, and have fun tinkering with cutting-edge technology. Mark your calendars and get ready to dive into the endless possibilities of IoT with us!", + "event_type":"in_person", + "start_time":"2025-10-05 23:00:00", + "end_time":"2025-10-06 02:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Software Engineering", + "Data Science" + ] + }, + { + "id":"c126aab7-499b-4da0-b768-084e3df9a2f9", + "club_id":"8d0108bd-450b-4aeb-8314-2b75a89946be", + "name":"Event for IoT Connect of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join IoT Connect of Northeastern University at our upcoming workshop where we will dive deep into the world of smart home automation and its applications in daily life. Whether you're a curious beginner or an experienced professional, this event is open to all who have a passion for IoT technology. Learn from industry experts, network with fellow enthusiasts, and discover exciting career opportunities in this rapidly growing field. Don't miss out on this chance to connect, learn, and explore the endless possibilities of IoT with us!", + "event_type":"in_person", + "start_time":"2024-08-06 17:30:00", + "end_time":"2024-08-06 19:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Data Science", + "Electrical Engineering", + "Volunteerism", + "Community Outreach", + "Software Engineering" + ] + }, + { + "id":"95a9a621-76d0-405c-84b5-1b6582ad03c4", + "club_id":"8d0108bd-450b-4aeb-8314-2b75a89946be", + "name":"Event for IoT Connect of Northeastern University", + "preview":"This club is holding an event.", + "description":"Welcome to our IoT Connect of Northeastern University networking event! Join us for an evening filled with engaging conversations, where students, faculty, alumni, and industry professionals come together to explore the exciting possibilities in the Internet of Things field. Experience firsthand the collaborative spirit of our community as we share insights, showcase real-world projects, and discuss the latest trends shaping the future of IoT. Whether you're new to the field or a seasoned expert, this event is the perfect opportunity to connect with like-minded individuals and expand your network. Don't miss out on this chance to build meaningful relationships and stay informed in the ever-evolving world of smart technologies!", + "event_type":"in_person", + "start_time":"2024-05-16 17:15:00", + "end_time":"2024-05-16 21:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Electrical Engineering", + "Volunteerism", + "Data Science" + ] + }, + { + "id":"a861aabc-af88-4ada-815a-aa8ce4b65173", + "club_id":"cc293b25-978d-4084-9fd1-416120e874dd", + "name":"Event for Iranian Student Association of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Iranian Student Association of Northeastern University for a delightful evening celebrating Persian culture and heritage! Immerse yourself in the rich tapestry of our traditions through vibrant music, tantalizing food, and engaging conversations. Whether you are a student, faculty member, or simply curious about our culture, you are warmly welcomed to be a part of this gathering. Connect with like-minded individuals, explore our language and ideals, and feel the sense of community that binds us together. Come experience the beauty of our culture and make lasting memories with us!", + "event_type":"hybrid", + "start_time":"2026-02-24 14:30:00", + "end_time":"2026-02-24 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Visual Arts", + "Music", + "Community Outreach" + ] + }, + { + "id":"f0721481-54ce-4365-b1ae-1234d053c367", + "club_id":"cc293b25-978d-4084-9fd1-416120e874dd", + "name":"Event for Iranian Student Association of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Iranian Student Association of Northeastern University for a delightful evening of Persian cultural exploration! Immerse yourself in the vibrant world of Iranian music, taste the delicious flavors of our traditional cuisine, and engage in insightful conversations with fellow students and faculty members. Whether you're a member of the Persian community or simply interested in learning more about our rich heritage, this event is the perfect opportunity to connect, share, and celebrate together. We can't wait to welcome you with open arms and create memorable experiences that showcase the beauty of our culture!", + "event_type":"hybrid", + "start_time":"2024-08-16 21:00:00", + "end_time":"2024-08-17 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Music", + "Cultural Organization", + "Asian American", + "Visual Arts" + ] + }, + { + "id":"af0b9f40-6b49-4c6f-810b-eb22141269bf", + "club_id":"6802ce71-0014-48c2-8222-d82178a735d9", + "name":"Event for Irish Dance Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of Irish dance at the Irish Dance Club of Northeastern University's annual Fall Fling! This special event welcomes dancers of all levels to showcase their talents, with captivating performances and even some fun workshops for everyone to join. Whether you're a beginner looking to try out some new moves or a seasoned championship dancer honing your skills, there's something for everyone at the Fall Fling. Mark your calendars and invite your friends for a night filled with Irish culture, community, and of course, plenty of high-spirited dancing. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2025-09-04 23:30:00", + "end_time":"2025-09-05 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"20b2cf39-b4ee-4ef2-bfc9-724b3759b370", + "club_id":"6802ce71-0014-48c2-8222-d82178a735d9", + "name":"Event for Irish Dance Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Irish Dance Club of Northeastern University for a fun and engaging Irish dance workshop! Whether you're a seasoned performer or brand new to Irish dance, this event is the perfect opportunity to learn new steps, practice choreography, and improve your skills in a supportive and inclusive environment. Our experienced instructors will guide you through traditional and contemporary dances, offering valuable feedback and encouragement along the way. Don't miss this chance to connect with fellow dancers, share your love for Irish dance, and embrace the rich culture and history behind this captivating art form. All levels are welcome, so grab your dancing shoes and get ready to jig and reel the night away with us!", + "event_type":"in_person", + "start_time":"2025-05-15 18:30:00", + "end_time":"2025-05-15 21:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Performing Arts", + "Volunteerism" + ] + }, + { + "id":"025aa714-cd3e-40ad-a6b0-0640ed7e0b3d", + "club_id":"795eec0b-1da3-4833-9b48-66ec50052765", + "name":"Event for Islamic Society of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Islamic Society of Northeastern University for an evening of enriching conversations and delicious snacks at our weekly programming event. Held every Monday evening, this is a perfect opportunity to connect with Muslim-identifying students and engage in community building exercises, religious programming, and thought-provoking discussions. Whether you are a student looking to learn more about Islamic culture or someone interested in fostering connections with a diverse community, our doors are always open to you. Come join us for a warm and welcoming experience!", + "event_type":"virtual", + "start_time":"2026-06-13 19:30:00", + "end_time":"2026-06-13 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Islam", + "Volunteerism", + "Interfaith Dialogue", + "Performing Arts", + "Community Outreach" + ] + }, + { + "id":"e25c2899-f0cc-4bd2-9e03-f960e94d7546", + "club_id":"795eec0b-1da3-4833-9b48-66ec50052765", + "name":"Event for Islamic Society of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Islamic Society of Northeastern University for an engaging and thought-provoking evening of community building and religious programming! Our weekly event on Monday nights offers a warm and welcoming environment where students from all backgrounds can come together to enjoy snacks or dinner while participating in enriching discussions and activities. Whether you're interested in learning more about Islam, connecting with fellow students, or simply looking for a space to unwind, everyone is welcome to join us. Don't miss out on this opportunity to be a part of our inclusive and vibrant community!", + "event_type":"virtual", + "start_time":"2025-12-17 22:30:00", + "end_time":"2025-12-18 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Islam" + ] + }, + { + "id":"88326de8-959c-47cd-9e43-8a312911707a", + "club_id":"3c31a16b-eaf6-426d-9d77-cf52aaa6980e", + "name":"Event for Japanese Culture Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting movie night at Japanese Culture Club (JCC) where we'll be screening a popular Japanese film! Get ready to immerse yourself in the vibrant world of Japanese cinema while enjoying snacks and drinks with fellow club members. It's a fantastic opportunity to relax, have fun, and learn more about Japanese culture. Whether you're a film buff or just looking for a fun evening out, this event is perfect for everyone. Mark your calendars and make sure to invite your friends for a memorable movie night with JCC!", + "event_type":"virtual", + "start_time":"2025-07-17 23:30:00", + "end_time":"2025-07-18 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Creative Writing", + "Performing Arts" + ] + }, + { + "id":"97084345-09f5-4b94-a9ed-951dec5fdf27", + "club_id":"3c31a16b-eaf6-426d-9d77-cf52aaa6980e", + "name":"Event for Japanese Culture Club", + "preview":"This club is holding an event.", + "description":"Join the Japanese Culture Club (JCC) this Friday for a fun and engaging movie night at Curry Student Center 342 at 6:00 PM. Our cozy gatherings are perfect for relaxing and enjoying a great film while surrounded by fellow enthusiasts of Japanese culture. Bring your friends and immerse yourself in the unique cinema experience that only the JCC can provide. Don't miss out on this opportunity to connect with like-minded individuals and share in the excitement of exploring Japanese arts and entertainment!", + "event_type":"in_person", + "start_time":"2026-06-14 17:00:00", + "end_time":"2026-06-14 21:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Asian American", + "Performing Arts", + "Community Outreach", + "Creative Writing" + ] + }, + { + "id":"fc612203-26d3-4cd5-90ae-55d241a1a738", + "club_id":"3c31a16b-eaf6-426d-9d77-cf52aaa6980e", + "name":"Event for Japanese Culture Club", + "preview":"This club is holding an event.", + "description":"Join the Japanese Culture Club (JCC) for a fun and engaging movie night event this Friday at 6:00 PM in Curry Student Center 342! Immerse yourself in Japanese cinema while enjoying snacks and discussions with fellow club members. Whether you're a film buff or just curious about Japanese culture, this event is the perfect opportunity to relax and connect with like-minded individuals. Don't miss out on this chance to experience a taste of Japan right here on campus!", + "event_type":"in_person", + "start_time":"2025-06-23 23:15:00", + "end_time":"2025-06-24 02:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Creative Writing", + "Community Outreach", + "Performing Arts" + ] + }, + { + "id":"a3e8e378-b28d-43cd-ae19-e9baa581fc14", + "club_id":"239d298b-6215-4a55-ace1-e6fbab14cb7f", + "name":"Event for Japanese National Honor Society", + "preview":"This club is holding an event.", + "description":"Join us for an exciting cultural exchange event where members can showcase their language skills, share traditional practices, and immerse themselves in the rich tapestry of Japanese culture. From interactive language workshops to engaging hands-on activities like origami and calligraphy, this event is designed to inspire curiosity and foster a deeper appreciation for the beauty of Japan. Whether you are a seasoned language learner looking to practice your conversational Japanese or a newcomer eager to explore new horizons, this event offers something for everyone. Come and experience the warmth and camaraderie of our community as we come together to celebrate our shared love for all things Japanese!", + "event_type":"in_person", + "start_time":"2025-09-11 23:00:00", + "end_time":"2025-09-12 01:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Visual Arts", + "Japanese National Honor Society" + ] + }, + { + "id":"863c95d5-86ab-4190-80fb-3b115a67bf84", + "club_id":"ae592f38-2b44-4b07-a122-89e276368ad7", + "name":"Event for Japanese Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a fun cultural night at the Japanese Student Association! \ud83c\udf89 Immerse yourself in the beauty of traditional Japanese music, dance, and cuisine. Whether you're a seasoned Japan enthusiast or just curious to learn more, this event is open to everyone! Don't miss this opportunity to connect with like-minded peers and experience the rich cultural tapestry of Japan. Make sure to follow us on Instagram @neujsa and sign up for our Newsletter to stay updated on all our exciting events. We can't wait to see you there! \u304a\u697d\u3057\u307f\u306b\uff01\ud83c\udf1f", + "event_type":"hybrid", + "start_time":"2025-08-26 18:00:00", + "end_time":"2025-08-26 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Visual Arts", + "Creative Writing", + "Japanese Student Association", + "Asian American" + ] + }, + { + "id":"976c2600-c5a2-4ab4-bc18-50622403206d", + "club_id":"4b7db588-aeac-434d-bb43-a3302f39787a", + "name":"Event for Jewish Student Union", + "preview":"This club is holding an event.", + "description":"Join the Jewish Student Union for an enriching Shabbat experience! Connect with fellow Jewish students in a warm and inviting setting, where you can unwind from the week's stress and immerse yourself in meaningful conversations. Whether you're looking to deepen your spiritual practice, make new friends, or simply enjoy a delicious kosher meal, this event is the perfect opportunity to come together as a community. All are welcome to join us for an evening of unity, reflection, and celebration of our shared heritage.", + "event_type":"hybrid", + "start_time":"2024-06-02 17:30:00", + "end_time":"2024-06-02 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"572b1ce8-996f-413d-89b9-70479a688a87", + "club_id":"ff702d8a-a629-48e9-aa07-3c34e3163741", + "name":"Event for John D. O'Bryant African-American Institute (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us at the John D. O'Bryant African-American Institute (Campus Resource) for an inspiring evening celebrating African-American and African-Diaspora culture. This event will feature thought-provoking discussions, engaging programs, and opportunities to connect with our vibrant community. Whether you're a student, alumni, or community member, come experience the rich heritage and research advancements that define our institute. Be a part of our journey towards self-sustainability through research, development, and active alumni involvement. We welcome you to be an integral part in shaping the future of our institute and making a lasting impact on our community.", + "event_type":"hybrid", + "start_time":"2026-02-23 13:00:00", + "end_time":"2026-02-23 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "HumanRights", + "African American", + "Community Outreach", + "Creative Writing", + "Visual Arts" + ] + }, + { + "id":"20335659-aa2a-432d-b74d-6e9519f76cdd", + "club_id":"ff702d8a-a629-48e9-aa07-3c34e3163741", + "name":"Event for John D. O'Bryant African-American Institute (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us at the John D. O'Bryant African-American Institute for an inspiring evening celebrating the rich cultural heritage of the African-American and African-Diaspora communities. Immerse yourself in thought-provoking discussions, vibrant performances, and engaging activities that highlight our commitment to providing meaningful service and programs. Let's come together as a community to nurture connections, promote research, and showcase the incredible talent within our midst. Be a part of our shared journey towards self-sufficiency, driven by groundbreaking research, innovative development initiatives, and the unwavering support of our dedicated alumni. Come and experience firsthand the spirit of unity, excellence, and growth that defines our institute!", + "event_type":"virtual", + "start_time":"2026-03-25 13:15:00", + "end_time":"2026-03-25 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Visual Arts", + "HumanRights", + "Creative Writing", + "Community Outreach", + "African American" + ] + }, + { + "id":"1d4826de-5a94-4b3b-9cbf-3dd16301ff93", + "club_id":"08c4d1aa-27d9-481c-ad36-be7e89c6d6ab", + "name":"Event for Journalism Graduate Caucus of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Journalism Graduate Caucus of Northeastern University for an engaging networking session where you can connect with fellow graduate students from the School of Journalism and Media Innovation. This event is a perfect opportunity to build relationships, share experiences, and foster a supportive community within the university. Whether you're looking to expand your social circle or discuss the latest trends in media, this event promises to be an enriching and enjoyable experience for all attendees.", + "event_type":"in_person", + "start_time":"2024-03-03 21:15:00", + "end_time":"2024-03-04 00:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Journalism", + "Public Relations" + ] + }, + { + "id":"2933c3e3-0c80-43b4-91cf-bc22053ac861", + "club_id":"1fe60ee6-a910-4e60-9c31-db397e393129", + "name":"Event for KADA K-Pop Dance Team", + "preview":"This club is holding an event.", + "description":"Join the KADA K-Pop Dance Team at our upcoming 'Dance Fusion Workshop' where members will have the opportunity to blend traditional K-Pop choreography with modern dance styles, fostering creativity and individual expression. Led by experienced instructors, this event aims to enhance dance skills, build confidence, and create a supportive community for dancers of all levels. Don't miss this chance to connect with fellow K-Pop enthusiasts, learn new moves, and immerse yourself in the vibrant world of K-Pop dance culture! See you there!", + "event_type":"virtual", + "start_time":"2025-11-10 19:30:00", + "end_time":"2025-11-10 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Asian American", + "Performing Arts", + "Community Outreach", + "Dance" + ] + }, + { + "id":"66fcbcaa-34ca-466e-877f-c04d51b84455", + "club_id":"dd530d00-1164-4c1b-ac09-2fd060a74f07", + "name":"Event for Kaliente Dance Group", + "preview":"This club is holding an event.", + "description":"Join us for an electrifying evening filled with the rhythms and spirit of Latin dance hosted by Kaliente Dance Group! Immerse yourself in the vibrant world of salsa linear, merengue, and bachata as our talented team showcases their passion for Latin culture through mesmerizing performances. Whether you're a seasoned dancer or new to the dance floor, our event promises to be a celebration of diversity and community. Come share in the joy of music, movement, and camaraderie as we bring a taste of Latin flavor to the heart of Northeastern and the bustling streets of Boston!", + "event_type":"hybrid", + "start_time":"2026-11-12 21:30:00", + "end_time":"2026-11-13 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"d1401254-e27f-4656-9450-b5082be51aeb", + "club_id":"ffb652ea-4087-4744-8501-11cdacc284bc", + "name":"Event for Kappa Alpha Psi Fraternity, Incorporated", + "preview":"This club is holding an event.", + "description":"Join us for a night of brotherhood and celebration as Kappa Alpha Psi Fraternity, Incorporated hosts its annual Founders Day Gala. This special event honors the 10 Revered Founders who planted the seeds of our fraternal tree back in 1911, creating a space where college men of all backgrounds can come together in unity. Enjoy an evening filled with music, dance, and camaraderie, as we continue to uphold our values of achievement, diversity, and inclusivity. Whether you're a member of our esteemed organization or a guest interested in learning more, all are welcome to join us for this memorable occasion.", + "event_type":"in_person", + "start_time":"2026-12-25 15:15:00", + "end_time":"2026-12-25 16:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Journalism", + "African American" + ] + }, + { + "id":"1c5f8086-834d-4cda-8ec5-b915d3a8aa69", + "club_id":"a443baa6-a2ca-4022-aeb7-46e8ce620d86", + "name":"Event for Kappa Delta Sorority", + "preview":"This club is holding an event.", + "description":"Join the Eta Kappa chapter of Kappa Delta Sorority at Northeastern University for our upcoming 'Empowerment Workshop'! This interactive event is designed to inspire and empower young women through leadership development, self-care practices, and networking opportunities. Discover the power within you as we come together to support one another in a welcoming and inclusive space. Whether you're a current member or interested in learning more about Kappa Delta Sorority, this event is the perfect opportunity to connect with confident and strong women who embody our values of honor, beauty, and excellence. Don't miss out on this enriching experience and RSVP today!", + "event_type":"in_person", + "start_time":"2026-12-22 16:30:00", + "end_time":"2026-12-22 19:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "HumanRights", + "Community Outreach", + "Education", + "Environmental Advocacy" + ] + }, + { + "id":"acaaca9b-6845-4e66-9f8c-04b960b40f4b", + "club_id":"a443baa6-a2ca-4022-aeb7-46e8ce620d86", + "name":"Event for Kappa Delta Sorority", + "preview":"This club is holding an event.", + "description":"Come join the Kappa Delta Sorority at Northeastern University for a fun and empowering evening celebrating sisterhood and philanthropy! Connect with confident and independent women who are dedicated to making a positive impact in the community. Our event will feature activities that support our national philanthropies, including the Girl Scouts of the USA and Prevent Child Abuse America. Whether you're a current member or interested in learning more, we welcome you to be a part of our mission for honor, beauty, and excellence. For more details, visit our social media pages on Facebook, Twitter, and Instagram, or check out our website at www.neukappadelta.com. Feel free to reach out to our President, Jada, at nukdpresident@gmail.com for any questions or to RSVP! We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2026-12-22 13:00:00", + "end_time":"2026-12-22 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "Education" + ] + }, + { + "id":"31def2ac-8e92-4c26-9b95-fb361f431aa3", + "club_id":"51c1251d-fdc1-4187-838c-423bee8fdcfc", + "name":"Event for Kappa Kappa Gamma - Eta Omicron Chapter", + "preview":"This club is holding an event.", + "description":"Join the ladies of Kappa Kappa Gamma - Eta Omicron Chapter for a fun-filled evening celebrating sisterhood and personal growth! Our event features interactive workshops, guest speakers, and networking opportunities to help you forge lifelong friendships and unlock your full potential. Whether you're a seasoned member or new to our sisterhood, you're invited to immerse yourself in a supportive community where intellectual stimulation and ethical values are at the forefront. Come find your place among like-minded women and embark on a journey of empowerment and camaraderie!", + "event_type":"in_person", + "start_time":"2024-05-07 18:00:00", + "end_time":"2024-05-07 20:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Leadership Development", + "Women Empowerment", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"8972c37f-a64a-41df-bbc4-1d9cf2f4b3f4", + "club_id":"d7725273-cf7a-4e92-8a72-ff4e05312edf", + "name":"Event for Kappa Phi Lambda", + "preview":"This club is holding an event.", + "description":"Join Kappa Phi Lambda for our annual multicultural night, where we celebrate the rich tapestry of Asian cultures through a variety of performances, workshops, and delicious cuisine. Experience the spirit of sisterhood as we come together to showcase the talent and diversity within our community. Whether you're a member, prospective member, or simply curious about our sorority, you're invited to immerse yourself in a night of cultural exchange and meaningful connections. Let's create memories and strengthen bonds as we embrace the values of service, sisterhood, and cultural diversity that define Kappa Phi Lambda!", + "event_type":"hybrid", + "start_time":"2024-07-21 13:00:00", + "end_time":"2024-07-21 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Service", + "Sisterhood" + ] + }, + { + "id":"e0e98644-23f4-40a2-9ec5-fcfc542ad755", + "club_id":"d7725273-cf7a-4e92-8a72-ff4e05312edf", + "name":"Event for Kappa Phi Lambda", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening evening at Kappa Phi Lambda's Xi Chapter in Boston! Discover the essence of sisterhood, service, and cultural diversity in an inclusive and vibrant environment. Engage in meaningful conversations, forge new connections, and experience the values that define our Asian-interest sorority. Be part of a community that celebrates individuality and unity. Come share in our traditions and experiences as we continue to uphold the legacy of our chapter established on June 15, 2002. We look forward to welcoming you to our home where friendships blossom and memories are made!", + "event_type":"hybrid", + "start_time":"2026-11-17 20:00:00", + "end_time":"2026-11-17 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Service", + "Sisterhood", + "Community Outreach", + "Asian American" + ] + }, + { + "id":"ecc7ea49-81ad-4756-8414-b4ff2f993f9f", + "club_id":"d7725273-cf7a-4e92-8a72-ff4e05312edf", + "name":"Event for Kappa Phi Lambda", + "preview":"This club is holding an event.", + "description":"Join Kappa Phi Lambda for a fun and enlightening cultural exchange event where we celebrate diversity and sisterhood! Dive deep into Asian cultural traditions, enjoy delicious food, and connect with amazing individuals who share a passion for unity and service. Let's come together at Xi Chapter of Kappa Phi Lambda in the heart of Boston to create unforgettable memories and embrace the beautiful tapestry of our differences. All are welcome to be part of this joyful experience!", + "event_type":"virtual", + "start_time":"2024-05-02 16:30:00", + "end_time":"2024-05-02 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Asian American", + "Sisterhood", + "Community Outreach" + ] + }, + { + "id":"3f8e3984-b3be-4dec-9fec-2276110dbc59", + "club_id":"66751dfe-5cdb-4f44-9b94-58e608eb1980", + "name":"Event for Kappa Psi Pharmaceutical Fraternity, Inc.", + "preview":"This club is holding an event.", + "description":"Join us for a special seminar hosted by the distinguished members of Kappa Psi Pharmaceutical Fraternity, Inc. at Northeastern University! Learn about the rich history and noble mission of our fraternity, the oldest and largest professional pharmaceutical fraternity in the world. Discover how our values of high ideals, sobriety, industry, and fellowship drive us to excel in advancing the profession of pharmacy. Whether you're a pharmacy student, a healthcare professional, or simply interested in making a difference in your community, this event is the perfect opportunity to connect with like-minded individuals. Come engage in thoughtful discussions, network with passionate individuals, and explore ways to get involved in professional events, community service projects, and philanthropic endeavors. Let's work together to make a positive impact on the world of pharmacy!", + "event_type":"virtual", + "start_time":"2024-07-22 21:15:00", + "end_time":"2024-07-23 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "Professional Networking", + "Pharmacy", + "Community Outreach" + ] + }, + { + "id":"eae9c0ce-80d2-4010-a48e-bb4960553f07", + "club_id":"66751dfe-5cdb-4f44-9b94-58e608eb1980", + "name":"Event for Kappa Psi Pharmaceutical Fraternity, Inc.", + "preview":"This club is holding an event.", + "description":"Join the Kappa Psi Pharmaceutical Fraternity for our annual Health Fair Extravaganza! This exciting event aims to promote health and wellness in our community by offering free health screenings, educational seminars on medication safety, and interactive pharmacy demonstrations. Attendees will have the opportunity to meet our passionate members and learn about the impact of pharmacy in healthcare. Whether you're a student aspiring to join the profession or a community member seeking valuable health resources, this event is a fantastic opportunity to engage with our dedicated fraternity and support our mission of advancing the field of pharmacy. Come join us for a day filled with learning, fun, and community spirit!", + "event_type":"hybrid", + "start_time":"2024-09-11 12:15:00", + "end_time":"2024-09-11 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Professional Networking" + ] + }, + { + "id":"96097e97-c6ec-4f95-9e71-0b7cebe7fe46", + "club_id":"66751dfe-5cdb-4f44-9b94-58e608eb1980", + "name":"Event for Kappa Psi Pharmaceutical Fraternity, Inc.", + "preview":"This club is holding an event.", + "description":"Join us for an engaging and interactive workshop hosted by the esteemed Kappa Psi Pharmaceutical Fraternity, Inc. The event will feature distinguished speakers sharing insights on the latest trends in the pharmaceutical industry, providing valuable knowledge and networking opportunities for attendees. Whether you are a student aspiring to join the profession or a seasoned pharmacist looking to stay updated, this event is perfect for anyone passionate about pharmacy. Come connect with like-minded individuals, exchange ideas, and be a part of our mission to advance the profession of pharmacy at Northeastern and beyond. Don't miss out on this opportunity to learn, grow, and make a difference in the pharmaceutical community!", + "event_type":"in_person", + "start_time":"2024-05-10 20:15:00", + "end_time":"2024-05-10 21:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Professional Networking", + "Volunteerism", + "Pharmacy" + ] + }, + { + "id":"68adb933-f313-4f12-be6f-de5db239ef7f", + "club_id":"aabff649-a373-4810-b1c9-ce7d8936ae00", + "name":"Event for Kappa Sigma", + "preview":"This club is holding an event.", + "description":"Join Kappa Sigma Xi-Beta for a memorable evening of fraternity fellowship and community engagement! Our event will feature a fun mix of social activities, academic discussions, and philanthropic initiatives, showcasing our commitment to excellence in all aspects of university life. Experience firsthand the strong bonds of brotherhood and the spirit of service that define Kappa Sigma, a venerable organization with a rich history of promoting fellowship, leadership, scholarship, and service. Whether you're an active member, an alumni brother, or a newcomer interested in learning more about our values, this event is a perfect opportunity to connect with like-minded individuals and be a part of something truly special. Come join us and discover the unique blend of camaraderie and impact that makes Kappa Sigma Xi-Beta a standout chapter at Northeastern University!", + "event_type":"in_person", + "start_time":"2025-10-16 14:30:00", + "end_time":"2025-10-16 16:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"fbbecbc1-d82f-45cc-aae2-109f9f1f31a9", + "club_id":"aabff649-a373-4810-b1c9-ce7d8936ae00", + "name":"Event for Kappa Sigma", + "preview":"This club is holding an event.", + "description":"Join Kappa Sigma Xi-Beta for our annual Brotherhood BBQ Bash! Celebrate camaraderie and fun as we grill, play games, and enjoy good company under the summer sun. This event is open to all Northeastern University students interested in learning more about our active social life, commitment to academic excellence, and dedication to community service. Meet our Brothers and learn about our involvement in various campus organizations. Don't miss this opportunity to experience firsthand the strong bonds and fellowship that define Kappa Sigma Xi-Beta!", + "event_type":"virtual", + "start_time":"2025-11-14 22:30:00", + "end_time":"2025-11-14 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Service" + ] + }, + { + "id":"e8695a01-599e-4e2b-a4df-3effac3e46b3", + "club_id":"aabff649-a373-4810-b1c9-ce7d8936ae00", + "name":"Event for Kappa Sigma", + "preview":"This club is holding an event.", + "description":"Join Kappa Sigma Xi-Beta at their annual Brotherhood Bonfire event, a cherished tradition where brothers and friends come together to celebrate unity and friendship under the stars. Enjoy lively conversations, laughter, and delicious food around the crackling fire, making memories that will last a lifetime. As a chapter known for its strong bonds, this event exemplifies the true spirit of Brotherhood that Kappa Sigma stands for. Whether you're a member of the fraternity or a newcomer looking to connect with like-minded individuals, you're invited to experience the warmth and camaraderie of our Kappa Sigma family at the Brotherhood Bonfire event!", + "event_type":"hybrid", + "start_time":"2026-10-27 13:15:00", + "end_time":"2026-10-27 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Volunteerism", + "Community Outreach", + "Leadership", + "Service" + ] + }, + { + "id":"a17f118a-9fe2-48ee-85b6-81f463dc35b3", + "club_id":"683fb0cd-d65f-47aa-8327-4226d48bb657", + "name":"Event for Khoury Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a fun and engaging networking event hosted by the Khoury Graduate Student Association (KGSA)! Connect with fellow graduate students in the Khoury College of Computer Sciences at Northeastern University while enjoying refreshments and meaningful conversations. Get to know more about our community-building initiatives and upcoming activities to enhance your graduate student experience. Don't miss out on this opportunity to be part of a supportive and welcoming environment created just for you!", + "event_type":"virtual", + "start_time":"2026-10-20 15:15:00", + "end_time":"2026-10-20 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"ded00a13-fbce-461b-b07a-aa4af6d7ba3a", + "club_id":"683fb0cd-d65f-47aa-8327-4226d48bb657", + "name":"Event for Khoury Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join us at the Khoury Graduate Student Association's Welcome Mixer event, where you can meet and connect with fellow graduate students from the Khoury College of Computer Sciences at Northeastern University. This casual gathering is a perfect opportunity to forge new friendships, learn more about our community, and get involved in exciting upcoming initiatives. Whether you're a new or returning student, our welcoming atmosphere promises a fun and engaging experience for everyone. We'll have refreshments, activities, and plenty of warm smiles to make you feel right at home. Don't miss out on this chance to be a part of our vibrant Khoury GSA family!", + "event_type":"hybrid", + "start_time":"2024-06-14 18:30:00", + "end_time":"2024-06-14 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "LGBTQ", + "Software Engineering" + ] + }, + { + "id":"d649984b-6aa9-4b48-b4c2-4efcf01f7f46", + "club_id":"f07222b1-bc7e-457f-855d-4808025e0bba", + "name":"Event for Khoury Masters Student Council", + "preview":"This club is holding an event.", + "description":"Join the Khoury Masters Student Council for our Annual Welcome Mixer! Whether you're a new student eager to meet fellow classmates or a returning student excited to reconnect, this event is the perfect opportunity to mingle and network within our vibrant community. Expect fun icebreakers, engaging conversations, and delicious refreshments as we kick off the new academic year with enthusiasm and camaraderie. Get ready to share your ideas, learn more about upcoming events, and discover how you can actively contribute to shaping the Khoury masters experience. We can't wait to welcome you with open arms and create unforgettable memories together!", + "event_type":"in_person", + "start_time":"2024-06-03 16:30:00", + "end_time":"2024-06-03 19:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Advocacy", + "Leadership", + "Community Outreach", + "Volunteerism", + "Student Council" + ] + }, + { + "id":"411783de-878c-4d0f-a95e-a7ace87c7d00", + "club_id":"a823d831-7cfa-4a59-ae78-502134086c85", + "name":"Event for Kids in Nutrition", + "preview":"This club is holding an event.", + "description":"Join us at 'Taste the Rainbow' where kids will explore the colorful world of fruits and veggies! At this event hosted by Kids in Nutrition (KIN), children will have the opportunity to taste a variety of delicious and nutritious foods while learning about the benefits of eating a rainbow of colors. Our engaging college student volunteers will lead interactive games and activities to help kids understand how different colors represent various vitamins and minerals that are essential for their health. Come join the fun and discover how making colorful food choices can make a positive impact on your body and the environment!", + "event_type":"hybrid", + "start_time":"2024-07-02 13:00:00", + "end_time":"2024-07-02 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"edac0244-66e2-40b6-a4ca-4b820979b3e0", + "club_id":"a823d831-7cfa-4a59-ae78-502134086c85", + "name":"Event for Kids in Nutrition", + "preview":"This club is holding an event.", + "description":"Join Kids in Nutrition (KIN) for an exciting Cooking Carnival event where college students team up with local elementary students to whip up delicious and nutritious meals! This interactive cooking adventure will not only teach kids about the importance of healthy eating but also inspire them to make positive food choices every day. Get ready to have a blast while exploring the wonderful world of nutrition together!", + "event_type":"in_person", + "start_time":"2026-09-16 21:00:00", + "end_time":"2026-09-17 01:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Nutrition Education", + "Kids Health", + "Community Outreach" + ] + }, + { + "id":"e696e0a2-8186-4efb-a2c6-87405ad3b3c4", + "club_id":"a823d831-7cfa-4a59-ae78-502134086c85", + "name":"Event for Kids in Nutrition", + "preview":"This club is holding an event.", + "description":"Join Kids in Nutrition for an exciting event filled with interactive games and activities that make learning about healthy eating fun for kids of all ages! Our passionate college student volunteers will guide local elementary students through hands-on experiences that teach the importance of nutritious food choices. Together, we'll explore how simple adjustments to our diets can have a big impact on our health and the world we live in. Come be a part of this engaging and educational event that inspires young minds to make positive changes for a healthier future!", + "event_type":"virtual", + "start_time":"2025-01-20 17:30:00", + "end_time":"2025-01-20 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Kids Health", + "Community Outreach", + "Nutrition Education", + "Volunteerism" + ] + }, + { + "id":"829374ba-3ba0-453f-a0e0-ddfb9533f63d", + "club_id":"b6b11dd2-52e9-46e6-8c65-95f749581376", + "name":"Event for Kinematix Dance Troupe", + "preview":"This club is holding an event.", + "description":"Join Kinematix Dance Troupe for a night of electrifying performances that showcase the fusion of diverse dance styles and captivating choreography. Embrace the rhythm and energy as our talented dancers take the stage to amplify the magic of music through their movements. Whether you are a seasoned dancer or a newbie to the dance floor, our event promises an unforgettable experience filled with creativity, passion, and a vibrant sense of community. Don't miss this opportunity to witness 'bodies in motion' come alive in a mesmerizing celebration of dance with Kinematix!", + "event_type":"in_person", + "start_time":"2025-07-12 14:15:00", + "end_time":"2025-07-12 17:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Performing Arts", + "Community Outreach", + "Creative Writing", + "Music" + ] + }, + { + "id":"7a3696b2-34b7-4ce4-9445-ffd1e3129000", + "club_id":"e964060f-44cc-44cd-b793-f844bdbc43fd", + "name":"Event for Korea Campus Crusade for Christ", + "preview":"This club is holding an event.", + "description":"Join us for our weekly Large Group meeting on Wednesday from 7:30-9:30 PM in Robinson 109. Experience uplifting worship, inspiring messages, and a warm community of believers eager to welcome you. If you're looking for a more intimate setting, we also offer various Small Group meetings throughout the week - just reach out to any of our leaders for more details. And don't forget to start your mornings right with our Morning Prayer sessions on Tuesday to Thursday at 7 AM. Whether you're a seasoned member or new to our organization, we invite you to fill out our form so we can stay connected and support you on your spiritual journey!", + "event_type":"virtual", + "start_time":"2025-04-12 21:30:00", + "end_time":"2025-04-12 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Christianity", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"ff19b45c-a622-4363-b908-177fba5cd9e1", + "club_id":"e964060f-44cc-44cd-b793-f844bdbc43fd", + "name":"Event for Korea Campus Crusade for Christ", + "preview":"This club is holding an event.", + "description":"Join us for our weekly Large Group meeting on Wednesday from 7:30-9:30 PM at Robinson 109! It's a great opportunity to meet new friends, worship together, and dive into God's Word. Whether you're a Northeastern University student or faculty member, everyone is welcome to come and experience a community that is passionate about sharing the love of Jesus. Can't make it to the Large Group? Consider joining one of our Small Groups that meet throughout the week for more intimate fellowship and discussion. And don't forget to start your mornings with us in prayer from Tuesday to Thursday at 7 AM. We would love for you to be part of our mission, so please fill out the form on our website to stay connected with all our upcoming events and activities!", + "event_type":"in_person", + "start_time":"2024-01-10 13:15:00", + "end_time":"2024-01-10 17:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Christianity", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"bac86579-cf47-4e98-97f4-05ce45e8de55", + "club_id":"e964060f-44cc-44cd-b793-f844bdbc43fd", + "name":"Event for Korea Campus Crusade for Christ", + "preview":"This club is holding an event.", + "description":"Join us this Wednesday for our weekly Large Group meeting at Robinson 109 from 7:30-9:30 PM! It will be a time of worship, fellowship, and learning from God's Word. Whether you are a long-time member or a curious newcomer, everyone is welcome to come and experience the joy of community in Christ. Don't miss out on this opportunity to grow in your faith and meet others who share the same passion for spreading the Gospel. We look forward to seeing you there!", + "event_type":"virtual", + "start_time":"2024-01-12 20:30:00", + "end_time":"2024-01-13 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Christianity", + "Community Outreach", + "Morning Prayer" + ] + }, + { + "id":"68c97c3f-86da-4a31-be28-d9b0403e7a95", + "club_id":"6fe9e742-2c88-4d09-a687-519a67128e5d", + "name":"Event for Korean American Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a lively Korean food festival hosted by the Korean American Student Association at Northeastern University! Experience a delicious array of traditional Korean dishes like bibimbap and kimchi stew while immersing yourself in our vibrant cultural showcase featuring K-pop dance performances and hanbok fashion show. This event is the perfect opportunity to connect with fellow students, learn about Korea's rich heritage, and celebrate diversity in a fun and welcoming environment. Mark your calendars and get ready to savor the flavors of Korea with NEU KASA!", + "event_type":"hybrid", + "start_time":"2026-09-07 19:30:00", + "end_time":"2026-09-07 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Asian American", + "Education", + "Community Outreach" + ] + }, + { + "id":"585addc9-3bec-4ef0-8b3e-d5e788b0751f", + "club_id":"5d87dcde-908a-4146-91d5-da5ea0a8014d", + "name":"Event for Korean International Student Association", + "preview":"This club is holding an event.", + "description":"Join the Korean International Student Association for a heartwarming movie night under the stars, where we'll be showcasing a classic Korean film to celebrate our rich cultural heritage. Snuggle up with your fellow students, make new friends, and immerse yourself in the beauty of Korean cinema. Popcorn and drinks will be provided as we gather to share laughter and enjoy a cozy evening together. Don't miss out on this opportunity to experience the warmth and camaraderie of the KISA community!", + "event_type":"hybrid", + "start_time":"2024-11-25 18:00:00", + "end_time":"2024-11-25 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "PublicRelations", + "Asian American" + ] + }, + { + "id":"a4c619c0-69e4-4619-8ad3-77bb3c0a7208", + "club_id":"a81b831b-f940-4eeb-a2e6-8bbec50dc062", + "name":"Event for Korean Investment Society at D\u2019Amore-McKim School of Business", + "preview":"This club is holding an event.", + "description":"Join us for an exciting networking event hosted by the Korean Investment Society at D\u2019Amore-McKim School of Business! Connect with like-minded students and industry professionals while learning about the latest trends and opportunities in the Korean entrepreneurial market. This is a great chance to expand your knowledge, build valuable connections, and take the first step towards a successful future in business.", + "event_type":"hybrid", + "start_time":"2026-05-21 13:30:00", + "end_time":"2026-05-21 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "South Korea", + "Finance" + ] + }, + { + "id":"778cad15-5ca7-4a52-b014-55890adf6246", + "club_id":"062093da-7f55-4344-9a8e-75767df51067", + "name":"Event for Korean-American Scientists and Engineers Association", + "preview":"This club is holding an event.", + "description":"Join the Korean-American Scientists and Engineers Association at Northeastern University for our upcoming networking mixer event! Connect with professionals in the science and technology fields, exchange ideas, and discover new opportunities for collaboration. Whether you're a seasoned expert or a budding enthusiast, this event is the perfect place to expand your network and learn from experienced individuals who share your passion for innovation. Don't miss out on this exciting opportunity to engage with like-minded individuals and advance your career in the dynamic world of STEM!", + "event_type":"hybrid", + "start_time":"2024-03-04 17:15:00", + "end_time":"2024-03-04 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Professional Organization", + "International Cooperation", + "Career Development", + "Technology" + ] + }, + { + "id":"bcb36d0d-fd13-4a60-9a78-fefff5381d59", + "club_id":"cf378988-4240-4fb9-91d3-cd773990f05a", + "name":"Event for Lambda Kappa Sigma", + "preview":"This club is holding an event.", + "description":"Join us at Lambda Kappa Sigma's Women's Health Symposium, where we bring together leading experts, passionate advocates, and enthusiastic members to discuss the latest advancements and challenges in women's healthcare. This engaging event will feature informative panel discussions, interactive workshops, and networking opportunities, offering a platform for learning, sharing ideas, and promoting positive change in our communities. Whether you're a seasoned professional or a student aspiring to make a difference, this symposium is your chance to connect, empower, and inspire in a welcoming and inclusive environment.", + "event_type":"virtual", + "start_time":"2024-05-16 19:30:00", + "end_time":"2024-05-16 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Service" + ] + }, + { + "id":"cb47c748-b5a7-4e67-a0d6-69cdb3e34c07", + "club_id":"cf378988-4240-4fb9-91d3-cd773990f05a", + "name":"Event for Lambda Kappa Sigma", + "preview":"This club is holding an event.", + "description":"Join Lambda Kappa Sigma for an exciting and informative networking event focused on empowering women in pharmacy. Meet fellow members and industry professionals while learning about the latest advancements in pharmaceutical care. Engage in discussions about women's health issues and how we can make a positive impact in our communities. Whether you're a student looking to kickstart your pharmacy career or an experienced professional seeking new connections, this event is designed to inspire excellence and encourage personal growth. Come be a part of our supportive community dedicated to fostering leadership, integrity, and passion in pharmacy!", + "event_type":"in_person", + "start_time":"2025-12-17 13:15:00", + "end_time":"2025-12-17 16:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Lifelong Learning" + ] + }, + { + "id":"a9285fac-7877-45c6-be42-f678f9258e2b", + "club_id":"cf378988-4240-4fb9-91d3-cd773990f05a", + "name":"Event for Lambda Kappa Sigma", + "preview":"This club is holding an event.", + "description":"Join Lambda Kappa Sigma for our annual Health Fair event! This family-friendly gathering is a celebration of wellness and community, featuring interactive booths led by our passionate members. From free health screenings to informative sessions on women's health issues, there's something for everyone to enjoy. Meet our dedicated members who are committed to making a positive impact in the healthcare field and learn how you can get involved in advocating for a healthier tomorrow. Come discover how Lambda Kappa Sigma bridges professional excellence with personal growth, creating a supportive environment where all are welcome to thrive. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2025-11-01 22:00:00", + "end_time":"2025-11-02 02:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Lifelong Learning", + "Professional Excellence", + "Women's Health Advocacy", + "Community Service" + ] + }, + { + "id":"adcdbf9c-3392-4770-ab1a-100d52a8835e", + "club_id":"84e93e9b-61b2-411c-a55d-8e9b89ad0ccb", + "name":"Event for Lambda Phi Epsilon, Inc.", + "preview":"This club is holding an event.", + "description":"Join us at Lambda Phi Epsilon, Inc. for an enriching cultural exchange event where we celebrate diversity and unity within our community. Experience a vibrant mix of traditional Asian American performances, engaging discussions on leadership and personal growth, and opportunities to connect with like-minded individuals who share our vision of making a positive impact. Come be a part of our mission to promote Asian American awareness, academic excellence, and philanthropy while fostering a spirit of fellowship. All are welcome to participate in this event that embodies our commitment to setting new standards of excellence and building bridges between communities.", + "event_type":"virtual", + "start_time":"2025-01-04 22:15:00", + "end_time":"2025-01-05 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Leadership Development", + "Asian American", + "Community Outreach" + ] + }, + { + "id":"2606bf75-da20-4fcb-9c1d-da9c37436bb5", + "club_id":"32cc663e-832b-4a8c-93dd-1d35cb5bb399", + "name":"Event for Latin American Law Student Association", + "preview":"This club is holding an event.", + "description":"Join the Latin American Law Student Association for an exciting evening of cultural celebration and community building! Dive into the vibrant world of Latinx heritage as we come together to share stories, traditions, and experiences. Whether you're a seasoned law student or new to the Latin American culture, this event is the perfect opportunity to connect, learn, and have fun in a welcoming and inclusive environment. Mark your calendars and come join us in embracing the richness of our shared heritage!", + "event_type":"hybrid", + "start_time":"2025-05-19 18:15:00", + "end_time":"2025-05-19 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "HumanRights", + "Community Outreach", + "Volunteerism", + "Latin America" + ] + }, + { + "id":"6a9df814-5142-4058-93f0-3186675f6f6f", + "club_id":"dc818941-04af-4700-8fc0-8a915accdee6", + "name":"Event for Latin American Student Organization", + "preview":"This club is holding an event.", + "description":"Join us at the Latin American Student Organization's Annual Cultural Showcase for a night filled with vibrant performances, delicious traditional food, and an immersive cultural experience! Celebrate the rich heritage and diversity of Latin American culture through music, dance, and art showcased by talented performers within our community. Immerse yourself in the rhythm of our traditions and connect with fellow students who share a passion for our vibrant cultures. Whether you're looking to embrace your roots, learn something new, or simply enjoy a fun night out, this event welcomes everyone with open arms. Don't miss this opportunity to be a part of an evening that celebrates the Advancement of Our Culture and the Preservation of Our Identity!", + "event_type":"in_person", + "start_time":"2024-11-05 16:30:00", + "end_time":"2024-11-05 20:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Latin America", + "Leadership" + ] + }, + { + "id":"a0cc5c44-d64f-4f20-b326-c571984a826b", + "club_id":"dc818941-04af-4700-8fc0-8a915accdee6", + "name":"Event for Latin American Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Latin American Student Organization for an exciting cultural showcase event celebrating the vibrant traditions, music, and flavors of Latin America! Immerse yourself in a night filled with captivating performances, delicious food, and engaging conversations that highlight the rich diversity and heritage of our community. This event is a fantastic opportunity to connect with like-minded individuals, learn more about our mission of preserving our identity and promoting leadership, and be a part of the inclusive atmosphere that LASO proudly fosters. Whether you're a student at Northeastern University or a member of the broader community, come share in the passion and joy that our organization brings to campus and beyond!", + "event_type":"virtual", + "start_time":"2024-05-01 18:00:00", + "end_time":"2024-05-01 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Latin America", + "Community Outreach", + "Leadership" + ] + }, + { + "id":"f1d1599c-ec90-47b5-b9d6-30a71cc71c64", + "club_id":"dc818941-04af-4700-8fc0-8a915accdee6", + "name":"Event for Latin American Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Latin American Student Organization (LASO) for an exciting cultural celebration event! Immerse yourself in the rich tapestry of Latin American traditions while enjoying delicious food, vibrant music, and engaging activities. Get ready to connect with fellow students who share a passion for promoting positivity and leadership within our community. Whether you're looking to learn more about Latin American culture, make new friends, or simply have a great time, this event is the perfect opportunity to come together and celebrate diversity and unity at Northeastern University!", + "event_type":"hybrid", + "start_time":"2024-06-19 12:00:00", + "end_time":"2024-06-19 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Cultural Identity", + "Latin America" + ] + }, + { + "id":"b1ba2d78-6aef-4289-9b2b-5302ba1f1a6c", + "club_id":"01b0617b-b5a4-4d3f-807a-8599ffe5a743", + "name":"Event for Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc.", + "preview":"This club is holding an event.", + "description":"Join Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc. at our upcoming Networking Social! Connect with like-minded individuals in a warm and inclusive environment while enjoying delicious Latin cuisine. This event is perfect for making new friends, building relationships, and expanding your professional network. Don't miss out on this opportunity to engage with the community and be a part of our empowering sisterhood.", + "event_type":"virtual", + "start_time":"2026-08-04 18:15:00", + "end_time":"2026-08-04 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Latin America", + "LGBTQ", + "Volunteerism" + ] + }, + { + "id":"8e94d16e-d77d-44ef-821b-6c66f4f46b95", + "club_id":"01b0617b-b5a4-4d3f-807a-8599ffe5a743", + "name":"Event for Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc.", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming Empowerment Mixer, where we will gather for a night of networking, empowerment, and fun. This event is open to all individuals who are passionate about creating positive change and supporting one another's personal and professional growth. Enjoy delicious Latin cuisine while connecting with like-minded individuals and learning from our guest speakers. Whether you are looking to expand your social circle, gain valuable insights, or simply have a good time, this mixer is the perfect opportunity to immerse yourself in our community of empowered women dedicated to making a difference.", + "event_type":"virtual", + "start_time":"2024-07-06 18:30:00", + "end_time":"2024-07-06 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Latin America", + "LGBTQ" + ] + }, + { + "id":"2c5fc159-58bb-490b-be2e-31bdc347208a", + "club_id":"62df416b-bc1c-46a8-b7f2-6c2b4af52671", + "name":"Event for Latinx Student Cultural Center (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Latinx Student Cultural Center (LSCC) for an exciting evening of cultural immersion at the 'Latinx Heritage Night' event! Celebrate the rich and vibrant Latinx heritage through engaging activities, heartfelt discussions, and delicious traditional cuisine. Whether you're a seasoned advocate or just starting to explore Latinx culture, this event offers a warm and inclusive space for networking, learning, and celebrating diversity. Come experience the power of community and embrace the spirit of unity with us at the Latinx Student Cultural Center!", + "event_type":"hybrid", + "start_time":"2025-05-20 21:00:00", + "end_time":"2025-05-20 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "LGBTQ", + "Community Outreach" + ] + }, + { + "id":"b9135501-efde-4499-bfbc-d7ebf8bbbf97", + "club_id":"62df416b-bc1c-46a8-b7f2-6c2b4af52671", + "name":"Event for Latinx Student Cultural Center (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Latinx Student Cultural Center (LSCC) for a lively and enriching salsa night event! Immerse yourself in the vibrant rhythms of Latin music as you learn basic salsa steps and techniques. Whether you're a seasoned dancer or a complete novice, this event is open to all members of the Northeastern community looking to have fun, make new friends, and celebrate Latinx culture together. Come shake off the stress of the week and inject some energy into your evening at our welcoming space where everyone is encouraged to dance, laugh, and enjoy the cultural experience.", + "event_type":"hybrid", + "start_time":"2026-07-22 13:00:00", + "end_time":"2026-07-22 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Volunteerism", + "LGBTQ", + "Community Outreach" + ] + }, + { + "id":"9f08681a-edb6-4d3e-bf08-53604b30dbd8", + "club_id":"bb8ee6d9-a5e3-4aa9-a185-1bf9e877c6e3", + "name":"Event for LEAD360 (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join LEAD360 (Campus Resource) for an engaging workshop on Effective Communication Strategies, where you'll learn how to express your ideas confidently and connect with others in a meaningful way. This interactive session will provide you with practical skills to enhance your communication style, whether you're working on group projects or engaging in campus activities. Bring your enthusiasm and curiosity as we explore the power of effective communication together!", + "event_type":"in_person", + "start_time":"2024-07-17 23:30:00", + "end_time":"2024-07-18 01:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Leadership", + "Community Engagement", + "Experiential Learning", + "Interpersonal Skills", + "Team Collaboration", + "Social Responsibility" + ] + }, + { + "id":"b677ef39-d318-48f5-9311-585ce5054ad9", + "club_id":"bb8ee6d9-a5e3-4aa9-a185-1bf9e877c6e3", + "name":"Event for LEAD360 (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join LEAD360 for an engaging workshop on effective communication skills in leadership. During this interactive session, you will have the opportunity to practice active listening, articulate your ideas confidently, and enhance your ability to inspire and motivate others. Whether you're a seasoned leader or just starting on your leadership journey, this event is designed to help you develop the tools and techniques needed to make a positive impact in your community and beyond. Don't miss this chance to connect with like-minded individuals, gain valuable insights, and empower yourself to be a change-maker!", + "event_type":"in_person", + "start_time":"2026-03-14 12:30:00", + "end_time":"2026-03-14 14:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Social Responsibility", + "Community Engagement" + ] + }, + { + "id":"83f5380a-4b77-4ad0-8a10-800baaa71233", + "club_id":"941ae879-259c-4514-86e9-eb71006e285b", + "name":"Event for Lean Endeavors at Northeastern Club", + "preview":"This club is holding an event.", + "description":"Join Lean Endeavors at Northeastern Club for our upcoming workshop on Lean Concepts in Sales and Supply Chain Management! Discover how lean principles can revolutionize processes in these vital business functions. Engage in interactive exercises, case studies, and discussions led by experienced professionals to deepen your understanding and practical skills. This event is a fantastic opportunity to network with like-minded peers from diverse academic backgrounds, collaborate on real-world projects, and enhance your problem-solving abilities. Don't miss out on this unique chance to explore the power of lean thinking in a dynamic and supportive environment!", + "event_type":"virtual", + "start_time":"2026-06-19 15:00:00", + "end_time":"2026-06-19 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Industrial Engineering", + "Supply Chain", + "Project Management" + ] + }, + { + "id":"16a45514-d42e-452d-ad97-8a0b274ce936", + "club_id":"c293c036-847c-4b48-8df4-afbba9f135e8", + "name":"Event for Lean On Me", + "preview":"This club is holding an event.", + "description":"Join Lean On Me for our annual Supporter Training Day! On this special occasion, we welcome new volunteers who are eager to make a difference in their community through empathetic listening and communication. Our training sessions are designed to equip Supporters with the necessary skills to provide unconditional support to fellow students who reach out to Lean On Me for assistance. By joining us, you'll become part of a caring community that envisions a world where nobody has to face their challenges alone. Come be a part of something meaningful and make a positive impact by becoming a crucial part of our supportive network!", + "event_type":"hybrid", + "start_time":"2026-12-08 20:00:00", + "end_time":"2026-12-08 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Communication", + "HumanRights" + ] + }, + { + "id":"2d4a53a5-16d8-47f5-b592-36688624f00e", + "club_id":"5762055f-b99d-47b3-abdd-79e9b5decaf5", + "name":"Event for Legacy Mentoring Program (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us for our annual Legacy Mentoring Program Welcome Reception! This event is a wonderful opportunity to connect with fellow students, mentors, faculty, and alumni in a warm and inclusive setting. We will have engaging activities, inspirational speakers, and valuable resources to kick off the new academic year. Whether you are a returning member or new to the program, this reception is the perfect chance to foster new friendships, gain insights, and dive into a supportive community dedicated to your personal growth and academic success. Let's celebrate diversity, excellence, and empowerment together!", + "event_type":"virtual", + "start_time":"2024-08-01 14:30:00", + "end_time":"2024-08-01 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "African American" + ] + }, + { + "id":"edbc9468-1231-44c6-9d0a-47219790fc1e", + "club_id":"5762055f-b99d-47b3-abdd-79e9b5decaf5", + "name":"Event for Legacy Mentoring Program (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us for the Legacy Mentoring Program's annual Diversity Career Fair! This exciting event brings together students of color, NU undergraduates, professionals, and alumni for a day of networking, career development workshops, and opportunities to connect with potential mentors and employers. Discover internships, job openings, and resources to help you excel academically and professionally. Don't miss this chance to expand your network, gain valuable insights, and take the next step towards your personal growth and career success!", + "event_type":"hybrid", + "start_time":"2026-06-10 21:30:00", + "end_time":"2026-06-11 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "African American", + "Academic Excellence", + "Professional Development", + "Community Outreach" + ] + }, + { + "id":"cf238314-df90-4728-b1f1-de4210c8d9fb", + "club_id":"18daf79b-9398-4447-8267-4f4617619a31", + "name":"Event for Letters of Love Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for a heartwarming card-making event hosted by Letters of Love Northeastern! Show your creativity and compassion as we come together to make special cards for children in hospitals, spreading love and support to those who need it most. Whether you're a seasoned crafter or a beginner, everyone is welcome to join in the fun and make a difference in a child's day. Come enjoy snacks, music, and good company while we work towards our mission of bringing smiles to young faces across the country. Let's make this event a day filled with love, kindness, and joy!", + "event_type":"virtual", + "start_time":"2025-09-19 15:00:00", + "end_time":"2025-09-19 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Creative Writing", + "HumanRights", + "Volunteerism", + "Visual Arts" + ] + }, + { + "id":"3fd41c67-60d5-4bec-ae37-277e078bd3de", + "club_id":"18daf79b-9398-4447-8267-4f4617619a31", + "name":"Event for Letters of Love Northeastern", + "preview":"This club is holding an event.", + "description":"Join Letters of Love Northeastern for our annual 'Hearts for Health' event, where we come together to create heartwarming cards and care packages for children in need. This family-friendly event is a wonderful opportunity to spread kindness and make a direct impact on the lives of young patients in hospitals across the country. Whether you're a seasoned volunteer or new to our community, everyone is welcome to attend and help us share love and support with those who need it most. Come join us for an afternoon of crafting, camaraderie, and compassion!", + "event_type":"hybrid", + "start_time":"2025-06-24 17:15:00", + "end_time":"2025-06-24 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism", + "HumanRights", + "Creative Writing", + "Music" + ] + }, + { + "id":"e2c4713a-412a-4711-badb-d697d1d0d46b", + "club_id":"d5d37d54-18d4-4f20-af7a-2a5b4fce45d8", + "name":"Event for LGBTQA Resource Center (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the LGBTQA Resource Center for a fun and informative workshop on exploring gender identities and expression. This interactive session will provide a safe space for open discussion and learning, where you can share your experiences, ask questions, and connect with fellow members of the LGBTQIA+ community. Whether you're new to exploring gender diversity or a seasoned advocate, this event is designed to empower and educate attendees on the beautiful spectrum of gender. Come join us as we celebrate diversity and work towards creating a more inclusive campus environment for all!", + "event_type":"in_person", + "start_time":"2026-03-02 18:00:00", + "end_time":"2026-03-02 22:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "HumanRights", + "Community Outreach", + "LGBTQ" + ] + }, + { + "id":"29ca7516-476b-400b-ba47-e91b8ec4ea6e", + "club_id":"1bae0934-fe5a-4e58-b6bc-85058fc7b3c3", + "name":"Event for Live Music Association", + "preview":"This club is holding an event.", + "description":"Join us at Live Music Association's next event, the Diversity in Music Festival, where we celebrate and showcase a diverse array of talented artists representing various backgrounds and genres. This festival is not just about the music, but also an opportunity to promote social justice, raise awareness for marginalized communities, and support important causes. Come enjoy a vibrant lineup of performances, engaging panel discussions on music and social equity, interactive workshops, and more. Connect with like-minded individuals, immerse yourself in the power of music, and be a part of a meaningful movement towards inclusivity and equality. Follow us on Instagram & Tiktok (@livemusicneu) for event updates and information on how to get involved!", + "event_type":"virtual", + "start_time":"2025-04-27 14:15:00", + "end_time":"2025-04-27 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "LGBTQ", + "Performing Arts", + "Social Justice", + "Music" + ] + }, + { + "id":"1bf43d41-1f8d-4e43-8fbe-f677c59f1f9b", + "club_id":"1bae0934-fe5a-4e58-b6bc-85058fc7b3c3", + "name":"Event for Live Music Association", + "preview":"This club is holding an event.", + "description":"Join Live Music Association for an unforgettable evening at our upcoming open mic night, where you can showcase your musical talents in a supportive and lively atmosphere. Whether you're an experienced performer or a first-timer, all Northeastern students are welcome to take the stage and share their creativity with a friendly audience. This event is a perfect opportunity to connect with like-minded peers, discover new talents, and enjoy a night filled with diverse music performances. Don't miss out on this chance to be a part of our vibrant music community \u2013 mark your calendars and get ready to make some magical musical memories!", + "event_type":"hybrid", + "start_time":"2025-09-03 22:00:00", + "end_time":"2025-09-04 02:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Social Justice", + "Music", + "Community Outreach", + "Performing Arts" + ] + }, + { + "id":"7c18bf8a-8fc7-4019-b455-c910b768dfe2", + "club_id":"1bae0934-fe5a-4e58-b6bc-85058fc7b3c3", + "name":"Event for Live Music Association", + "preview":"This club is holding an event.", + "description":"Join Live Music Association for an unforgettable evening at our upcoming Open Mic Night! Whether you're an experienced performer or taking the stage for the first time, our welcoming community is here to cheer you on. Enjoy a diverse lineup of talented Northeastern students showcasing their musical passion and creativity. It's the perfect opportunity to connect with fellow music enthusiasts, make new friends, and support local talent. Don't miss out on this exciting chance to be a part of the vibrant live music scene at Northeastern University!", + "event_type":"in_person", + "start_time":"2025-11-26 13:15:00", + "end_time":"2025-11-26 14:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Social Justice", + "Community Outreach", + "Performing Arts", + "LGBTQ", + "Music" + ] + }, + { + "id":"642e474d-1696-4d74-b756-3b625d8ce762", + "club_id":"e0a1009a-ed57-45e5-8b88-2f3bd55f4ac0", + "name":"Event for Lutheran-Episcopal Campus Ministry", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at 5:45 pm for our weekly gathering at Northeastern's beautiful Spiritual Life Center (201 Ell)! Our event will include a time of worship, reflection, and community as we explore questions about faith and life together. Whether you're a Lutheran, an Episcopalian, or from any other background, all are welcome to join our open and affirming community. Come and connect with fellow students, faculty, and staff as we share stories about how God is working in our lives and build meaningful relationships with one another. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2026-07-16 21:15:00", + "end_time":"2026-07-17 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "LGBTQ", + "Christianity", + "Volunteerism", + "Music" + ] + }, + { + "id":"6a53c656-59e5-483a-8bd2-431b0ed9dcd3", + "club_id":"e0a1009a-ed57-45e5-8b88-2f3bd55f4ac0", + "name":"Event for Lutheran-Episcopal Campus Ministry", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at 5:45 pm in Northeastern's Spiritual Life Center for a special event hosted by the Lutheran-Episcopal Campus Ministry! Experience a warm and welcoming atmosphere where students, faculty, and staff come together to worship, reflect, and engage in meaningful conversations about faith and life. Whether you're Lutheran, Episcopalian, or simply curious, all are welcome to join our open and affirming community. Let's build relationships, explore spirituality, and discover the ways in which God is working in our lives. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2026-08-20 21:30:00", + "end_time":"2026-08-21 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "LGBTQ", + "Christianity" + ] + }, + { + "id":"905509c6-8141-4b30-b1ce-0e1e4be9aa04", + "club_id":"a039ddac-f85d-425e-a954-f3ee04527887", + "name":"Event for Malaysian-Singaporean Student Association", + "preview":"This club is holding an event.", + "description":"Join the Malaysian-Singaporean Student Association for a delightful cultural extravaganza! Immerse yourself in the vibrant traditions and flavors of Malaysia and Singapore as we come together to celebrate our rich heritage. From tantalizing food tastings to lively performances, this event is the perfect opportunity to make new friends, share experiences, and feel a sense of belonging in our welcoming community. Whether you're a Malaysian or Singaporean student missing the taste of home or simply curious about these diverse cultures, everyone is warmly invited to connect, learn, and have a great time with us!", + "event_type":"virtual", + "start_time":"2026-05-06 20:30:00", + "end_time":"2026-05-06 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Social Events", + "Multiculturalism", + "Cultural Exchange", + "Community Outreach", + "Volunteerism", + "Asian American" + ] + }, + { + "id":"8b5d03b2-9b20-4f56-a270-bb3cc17d3c70", + "club_id":"5db9cc73-d619-4020-bbb9-810e3e26f0b0", + "name":"Event for Malhar", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening of Indian classical dance presented by Malhar! Experience the grace and beauty of Bharatanatyam, Kuchipudi, and Kathak, as our talented performers bring ancient traditions to life with a modern twist. Our passionate team invites you to immerse yourself in the artistry and culture of India through captivating performances that blend history with innovation. Whether you're a seasoned enthusiast or a newcomer to the world of classical dance, our event promises to inspire and delight. Be part of the magic as we showcase the rich heritage of Indian dance forms in a vibrant and dynamic show that celebrates tradition and creativity!", + "event_type":"hybrid", + "start_time":"2026-04-10 12:15:00", + "end_time":"2026-04-10 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Asian American", + "Visual Arts" + ] + }, + { + "id":"b288cde0-63b2-4b5a-9c80-df0047b48661", + "club_id":"5db9cc73-d619-4020-bbb9-810e3e26f0b0", + "name":"Event for Malhar", + "preview":"This club is holding an event.", + "description":"Join us at our annual 'Expressions of Elegance' showcase, where Malhar will mesmerize you with a vibrant blend of Bharatanatyam, Kuchipudi, and Kathak performances. Immerse yourself in the graceful movements and captivating expressions that tell stories of tradition and culture. Whether you're a seasoned dance enthusiast or new to the art form, this event promises to delight and inspire. Mark your calendars and experience the magic of classical Indian dance with Malhar!", + "event_type":"hybrid", + "start_time":"2025-12-26 17:15:00", + "end_time":"2025-12-26 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Visual Arts", + "Asian American", + "Performing Arts" + ] + }, + { + "id":"6bed3c8f-2895-454e-a4f8-0cf5ad33a04f", + "club_id":"5d46162d-fd99-4758-84ea-382f7ceb1336", + "name":"Event for Marine Science Center Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join the Marine Science Center Graduate Student Association for a captivating evening of marine trivia night! Test your knowledge of oceanic wonders in a fun and engaging atmosphere surrounded by fellow graduate students passionate about marine science. Dive deep into a friendly competition as you team up and challenge your peers, all while enjoying refreshments and making new connections. Whether you're a seasoned marine enthusiast or just dipping your toes into the world of oceanography, this event promises to be educational, entertaining, and a great opportunity to mingle with like-minded individuals at the Marine Science Center.", + "event_type":"hybrid", + "start_time":"2024-07-04 23:30:00", + "end_time":"2024-07-05 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Environmental Science" + ] + }, + { + "id":"7ad70286-c5b4-4101-9578-f5f8b40b0d79", + "club_id":"5d46162d-fd99-4758-84ea-382f7ceb1336", + "name":"Event for Marine Science Center Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a fun and educational beach cleanup event organized by the Marine Science Center Graduate Student Association! We will come together as a community of aspiring marine scientists to show our care for the environment and marine life. Bring your friends and a positive attitude as we make a difference with each piece of trash we pick up. You'll have the opportunity to connect with fellow graduate students, learn more about conservation efforts, and maybe even spot some interesting marine creatures along the way. Let's make our oceans cleaner and healthier together in this rewarding and meaningful event!", + "event_type":"virtual", + "start_time":"2024-11-06 20:30:00", + "end_time":"2024-11-06 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Environmental Science", + "Volunteerism", + "Marine Science" + ] + }, + { + "id":"c2f01b8b-09f9-415f-ba1b-cb620eb0af89", + "club_id":"5d46162d-fd99-4758-84ea-382f7ceb1336", + "name":"Event for Marine Science Center Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join the Marine Science Center Graduate Student Association for an exciting evening of marine trivia and networking! Dive deep into the wonders of the ocean as you connect with fellow graduate students passionate about marine science. Whether you're a seasoned marine biologist or simply curious about the underwater world, this event promises to be a great opportunity to expand your knowledge, make new friends, and have a splashing good time. Come along and ride the wave of engaging conversations and shared enthusiasm for our blue planet!", + "event_type":"hybrid", + "start_time":"2024-12-13 13:30:00", + "end_time":"2024-12-13 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Marine Science", + "Community Outreach" + ] + }, + { + "id":"b25ab64e-9f6a-4541-85a6-774c9edc8f24", + "club_id":"c1d31e86-2300-4efd-b98d-fa8546fc659f", + "name":"Event for Math Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at the Math Club of Northeastern University for our next exciting event! This week, we have a special guest speaker who will be diving into the fascinating world of prime numbers. Whether you're a seasoned mathematician or just curious about the subject, this is a great opportunity to expand your knowledge and connect with others who share your passion for math. As always, we'll have plenty of pizza to go around, including vegan and gluten-free options, so come hungry and ready to engage in stimulating discussions and problem-solving activities. Don't miss out on this chance to learn, socialize, and grow with us. See you there!", + "event_type":"in_person", + "start_time":"2024-08-26 19:30:00", + "end_time":"2024-08-26 21:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Education", + "Community Outreach", + "Problem-Solving", + "Mathematics", + "Networking" + ] + }, + { + "id":"d1e0883d-9927-4920-a015-9db077d48572", + "club_id":"d5e731d8-6e15-4a06-b37d-df33b0cf5871", + "name":"Event for Mathematics Engagement and Mentorship Association", + "preview":"This club is holding an event.", + "description":"Join the Mathematics Engagement and Mentorship Association for a cozy virtual movie night this weekend! Grab your favorite snacks, get comfortable, and connect with fellow students as we watch an inspiring film together. It's a great opportunity to relax, have fun, and bond with peers while exploring the world of mathematics in an entertaining way. Whether you're a math enthusiast or just curious to learn more, this event promises a delightful evening of entertainment and camaraderie. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2024-01-01 15:30:00", + "end_time":"2024-01-01 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Mathematics", + "Mentorship", + "Education", + "Community Outreach", + "Student-run" + ] + }, + { + "id":"37b86eea-c3f7-4ae3-8791-50abb2f1f312", + "club_id":"4769b78e-b773-4b78-a49e-70fcb2fb42c4", + "name":"Event for Mathematics Graduate Students Association", + "preview":"This club is holding an event.", + "description":"Join the Mathematics Graduate Students Association for an engaging workshop on problem-solving strategies in abstract algebra! Whether you're a seasoned math enthusiast or just dipping your toes into the world of mathematics, this event is designed to cater to all levels of expertise. Come meet fellow graduate students passionate about math and expand your knowledge while having fun in a supportive and inclusive environment. Don't miss this opportunity to learn, collaborate, and grow with like-minded individuals in the vibrant community of Northeastern University's Department of Mathematics!", + "event_type":"virtual", + "start_time":"2025-10-15 18:15:00", + "end_time":"2025-10-15 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Mathematics", + "Student Association" + ] + }, + { + "id":"9cd8d557-cbf0-47be-bfc9-f9e3be8083df", + "club_id":"4769b78e-b773-4b78-a49e-70fcb2fb42c4", + "name":"Event for Mathematics Graduate Students Association", + "preview":"This club is holding an event.", + "description":"Join the Mathematics Graduate Students Association for a fun and informative workshop on exploring career opportunities in the field of mathematics! Whether you're a first-year grad student or close to finishing your program, this event is perfect for networking with fellow math enthusiasts and learning about potential career paths after graduation. Come connect with industry professionals, chat with alumni, and gain valuable insights to help you navigate your future with confidence. Don't miss this fantastic opportunity to expand your horizons and make meaningful connections within the mathematics community!", + "event_type":"in_person", + "start_time":"2025-12-16 23:00:00", + "end_time":"2025-12-17 02:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Mathematics", + "Community Outreach" + ] + }, + { + "id":"23b35e79-a327-4ba7-a570-9d9981be1ceb", + "club_id":"a8883ab8-4e54-4497-86d4-85e3977fb51d", + "name":"Event for MEDLIFE Northeastern", + "preview":"This club is holding an event.", + "description":"Join MEDLIFE Northeastern for an enriching Healthcare Workshop where you will learn about global health disparities and ways to make a positive impact in communities facing challenges. Our workshop will feature guest speakers from the healthcare field sharing their experiences and insights. Whether you're a pre-med student eager to learn or simply interested in humanitarianism, this event is open to all Northeastern students looking to broaden their knowledge and skills in the field of medicine and global health. Come connect with like-minded peers and be inspired to make a difference in the world!", + "event_type":"hybrid", + "start_time":"2026-04-26 17:30:00", + "end_time":"2026-04-26 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "HumanRights", + "Healthcare", + "Fundraising", + "Community Outreach" + ] + }, + { + "id":"382a224a-cfcb-4a94-b109-09b2375b8dd7", + "club_id":"a8883ab8-4e54-4497-86d4-85e3977fb51d", + "name":"Event for MEDLIFE Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for an engaging Healthcare Workshop hosted by MEDLIFE Northeastern! Our workshop will cover essential skills for providing healthcare in underserved communities and hands-on training sessions. Whether you're a pre-health student or simply passionate about humanitarianism, this event is perfect for gaining valuable knowledge and practical experience. Come learn from experienced professionals and connect with like-minded peers to make a difference in global health. Don't miss this opportunity to expand your horizons and contribute to meaningful projects that positively impact communities in need!", + "event_type":"in_person", + "start_time":"2025-09-25 21:00:00", + "end_time":"2025-09-25 22:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "HumanRights", + "Community Outreach", + "Global Health" + ] + }, + { + "id":"c233cedd-7ae0-4999-ad69-bc7140beb04f", + "club_id":"ccd7502e-9122-4492-9c78-d03d073d2ff0", + "name":"Event for Men's Club Basketball Team", + "preview":"This club is holding an event.", + "description":"Join us for our annual Men's Club Basketball Team Open House! This event is perfect for anyone interested in getting involved with our team, whether you're a seasoned player looking for a competitive outlet or a beginner eager to learn the game. Meet our friendly team members, learn about our upcoming schedule of games and practices, and discover how you can become a part of our close-knit basketball community at Northeastern University. We'll have snacks, music, and plenty of basketball action to showcase our passion for the game. Come shoot some hoops, make new friends, and see what makes our club the perfect place to hone your skills and have a blast on and off the court!", + "event_type":"in_person", + "start_time":"2024-11-26 22:15:00", + "end_time":"2024-11-26 23:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Northeastern University", + "NCBBA", + "Competitive", + "Student-Run", + "Tournaments" + ] + }, + { + "id":"231b534b-7afb-4041-8843-80a9ecad41eb", + "club_id":"ccd7502e-9122-4492-9c78-d03d073d2ff0", + "name":"Event for Men's Club Basketball Team", + "preview":"This club is holding an event.", + "description":"Join us for our annual Men's Club Basketball Team Showcase event, where we celebrate the spirit of competition and camaraderie! This fun-filled day will feature exciting matchups, skills challenges, and opportunities to connect with fellow basketball enthusiasts. Whether you're a seasoned player looking to showcase your talents or a newcomer eager to learn and grow, this event is the perfect chance to immerse yourself in the world of club basketball. Come be a part of our supportive community and experience firsthand the passion and dedication that drive our team to success both on and off the court. We can't wait to dribble, shoot, and score with you at the Men's Club Basketball Team Showcase!", + "event_type":"hybrid", + "start_time":"2025-05-07 17:00:00", + "end_time":"2025-05-07 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Competitive", + "NCBBA" + ] + }, + { + "id":"033755cf-dace-4ca5-8eaa-facaa151d9cd", + "club_id":"03724f8b-8ae7-41bb-945b-25898d0dfb86", + "name":"Event for Men's Squash Team", + "preview":"This club is holding an event.", + "description":"Join the Men's Squash Team for an exhilarating Friday night exhibition match where our seasoned players will showcase their strategic prowess and unmatched skills on the court. Cheer on your fellow teammates as they compete with spirit and sportsmanship, creating an electric atmosphere filled with thrilling rallies and intense moments. Whether you're a squash enthusiast or a newcomer to the game, this event promises an exciting opportunity to witness the camaraderie and competitive spirit of our team. Don't miss out on this chance to experience the thrill of high-level squash competition right here in New England!", + "event_type":"in_person", + "start_time":"2024-12-27 17:30:00", + "end_time":"2024-12-27 20:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Dedication", + "Soccer" + ] + }, + { + "id":"7422dfc9-b6ad-4eb9-b94b-78cea76a9225", + "club_id":"03724f8b-8ae7-41bb-945b-25898d0dfb86", + "name":"Event for Men's Squash Team", + "preview":"This club is holding an event.", + "description":"Join the Men's Squash Team for an exhilarating intra-team tournament this weekend! This friendly competition is a great opportunity to bond with fellow members while showcasing your skills on the court. Whether you're a seasoned player or new to the game, this event is open to all levels, fostering a welcoming and inclusive atmosphere. Come support your teammates, enjoy some healthy rivalry, and experience the camaraderie that defines our club. Snacks and refreshments will be provided, so bring your A-game and let's make this event a memorable one!", + "event_type":"virtual", + "start_time":"2026-06-22 13:00:00", + "end_time":"2026-06-22 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Dedication", + "Soccer", + "Competitive Sports", + "Training" + ] + }, + { + "id":"fed0139e-20d2-46f0-b69d-8a2574750f72", + "club_id":"03724f8b-8ae7-41bb-945b-25898d0dfb86", + "name":"Event for Men's Squash Team", + "preview":"This club is holding an event.", + "description":"Join the Men's Squash Team for our annual Open House event! Whether you're a seasoned player looking for a new challenge or a beginner eager to learn the ropes, this event is the perfect opportunity to meet our friendly team members, tour our top-notch facilities, and get a taste of the competitive yet welcoming atmosphere that defines us. Coaches and current players will be on hand to provide insights, tips, and answer any questions you may have. We'll also have exciting exhibition matches showcasing our team's skills and dedication. Don't miss out on this chance to be a part of our ambitious journey towards becoming the #1 club team in the nation - see you there!", + "event_type":"virtual", + "start_time":"2025-07-11 13:30:00", + "end_time":"2025-07-11 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Soccer", + "Training" + ] + }, + { + "id":"255fab93-bfd9-4660-8327-2d57f1a2dd19", + "club_id":"8f39d470-7f63-405c-a2c5-31c5207315ad", + "name":"Event for Menstrual Equity at Northeastern", + "preview":"This club is holding an event.", + "description":"Join the Menstrual Equity Club at Northeastern for our upcoming 'Period Positive Workshop' where we will provide an engaging space for students to learn about menstrual health, period poverty, and ways to support our community members in need. This workshop will feature interactive discussions, expert speakers, and hands-on activities to help break the stigma surrounding menstruation. Together, we can make a difference by empowering each other with knowledge and compassion. All are welcome to join us in creating a more inclusive and equitable future for all menstruators!", + "event_type":"in_person", + "start_time":"2024-07-16 13:30:00", + "end_time":"2024-07-16 14:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "HumanRights", + "Community Outreach", + "SocialJustice", + "PublicHealth" + ] + }, + { + "id":"29308771-3215-4b9e-bef3-b1eb762d2870", + "club_id":"93d9186e-36c8-401f-b9c1-e1aef2ad9914", + "name":"Event for Mexican Student Association", + "preview":"This club is holding an event.", + "description":"Join the Mexican Student Association (MEXSA) for a fantastic evening of cultural celebration and connection at our upcoming event, \u00a1Viva Mexico! Immerse yourself in the vibrant colors, flavors, and rhythms of Mexico as we showcase traditional dances, authentic cuisine, and engaging conversations about Mexican culture. Whether you're a curious newcomer or a proud Mexican looking for a piece of home, this event promises to be a lively gathering where friendships are fostered and memories are made. Don't miss this opportunity to experience the warmth and spirit of Mexico right here at Northeastern University!", + "event_type":"in_person", + "start_time":"2024-08-07 12:00:00", + "end_time":"2024-08-07 16:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Latin America", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"11c61623-c6c5-41c8-b63d-de3b2d50e2e0", + "club_id":"04f1d98c-875d-4188-83ff-6e2e6678c01d", + "name":"Event for Minority Association of Pre-health Students", + "preview":"This club is holding an event.", + "description":"Join the Minority Association of Pre-health Students for our upcoming 'Health Professions Panel' event, where you'll have the opportunity to hear from diverse healthcare professionals sharing their personal journeys and insights into the field. Whether you're aspiring to be a doctor, PA, dentist, or other healthcare provider, this panel discussion will provide valuable information and inspiration. Don't miss out on this chance to connect with like-minded peers, ask questions, and gain valuable knowledge to support your pre-health journey. All students, regardless of background, are welcome to attend and participate in this inclusive and enriching experience!", + "event_type":"hybrid", + "start_time":"2026-11-20 12:00:00", + "end_time":"2026-11-20 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Premed", + "Community Outreach", + "Neuroscience", + "Volunteerism" + ] + }, + { + "id":"37fbfa47-dbc9-4c98-858d-a0d0a01c5a68", + "club_id":"363852ba-0e62-4222-a36f-615f3f89de47", + "name":"Event for Mixed Student Union", + "preview":"This club is holding an event.", + "description":"Join the Mixed Student Union at Northeastern University for our upcoming event, 'Cultural Connections Night'. This engaging evening will provide a platform for students of biracial, multiracial, multiethnic, and multicultural backgrounds to come together in a welcoming and inclusive space. Through fun activities, group discussions, and shared experiences, we aim to build bridges and strengthen connections within our diverse community. Don't miss this opportunity to celebrate our unique identities, learn from one another, and create lasting memories together!", + "event_type":"hybrid", + "start_time":"2024-12-10 18:30:00", + "end_time":"2024-12-10 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Multicultural", + "Advocacy", + "Community Outreach", + "Education" + ] + }, + { + "id":"be133512-b724-4cee-9681-bf99b48d262e", + "club_id":"bddbc3d5-10bd-4614-9839-4366293b3373", + "name":"Event for Multi-diverse Unified Leaders in Technology Industry", + "preview":"This club is holding an event.", + "description":"Join us at MULTI's upcoming event where we will dive deep into the world of tech through a series of engaging workshops and inspiring career talks. This is a fantastic opportunity for students from diverse backgrounds to come together, learn, and network in a supportive and inclusive environment. Be ready to connect with industry professionals, share your insights, and discover new pathways to success in the ever-evolving tech industry. Don't miss out on this enriching experience that will empower you to thrive in your tech journey!", + "event_type":"in_person", + "start_time":"2026-04-15 21:00:00", + "end_time":"2026-04-16 01:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Diversity & Inclusion", + "Community Outreach", + "Inclusive Learning", + "Career Development", + "Technology", + "Leadership" + ] + }, + { + "id":"45c1baed-5bf4-43aa-b3bb-d4fc420a4f0a", + "club_id":"bddbc3d5-10bd-4614-9839-4366293b3373", + "name":"Event for Multi-diverse Unified Leaders in Technology Industry", + "preview":"This club is holding an event.", + "description":"Join us for a fun and enlightening workshop hosted by Multi-diverse Unified Leaders in Technology Industry (MULTI)! This interactive session will explore the importance of diversity and inclusion in the tech field, providing valuable insights and strategies for students from all backgrounds interested in pursuing a career in technology. Come engage with industry professionals, share your perspectives, and gain valuable skills to advance your journey. Be part of our inclusive learning community and contribute to shaping the future of technology through meaningful discussions and collaborative initiatives!", + "event_type":"in_person", + "start_time":"2024-09-19 12:15:00", + "end_time":"2024-09-19 16:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Community Outreach", + "Inclusive Learning", + "Diversity & Inclusion" + ] + }, + { + "id":"50ea9415-8976-49d2-96bc-0a9bf8e10ce6", + "club_id":"74d8313d-2423-4605-a018-410d06bd572f", + "name":"Event for Multicultural Greek Council", + "preview":"This club is holding an event.", + "description":"Join the Multicultural Greek Council for an enriching cultural showcase event, where you can experience a diverse blend of traditions, music, and flavors from various backgrounds. This vibrant gathering will celebrate unity and diversity, offering a platform for our member organizations to showcase their unique heritage and values. Immerse yourself in a tapestry of performances, interactive exhibits, and engaging conversations that aim to foster understanding and appreciation of different cultures. Whether you're a seasoned member or a newcomer, this event promises to be a memorable experience of inclusivity, friendship, and mutual respect. Come and be a part of this joyous occasion that embodies the spirit of togetherness and cultural exchange!", + "event_type":"in_person", + "start_time":"2026-02-14 13:00:00", + "end_time":"2026-02-14 16:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Community Outreach", + "Diversity" + ] + }, + { + "id":"9c819d13-2774-4038-86ee-1fe7d5f86fe4", + "club_id":"74d8313d-2423-4605-a018-410d06bd572f", + "name":"Event for Multicultural Greek Council", + "preview":"This club is holding an event.", + "description":"Join the Multicultural Greek Council for a vibrant and engaging cultural showcase event celebrating diversity and unity on campus! Immerse yourself in a kaleidoscope of traditions, music, and flavors as we come together to honor and share the rich tapestry of our affiliated fraternity and sorority organizations. This event is a testament to our commitment to fostering inclusivity, understanding, and friendship among our members, the university community, and beyond. Experience the joy of multicultural exchange and celebrate the spirit of togetherness with us!", + "event_type":"in_person", + "start_time":"2024-03-16 13:30:00", + "end_time":"2024-03-16 17:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Volunteerism", + "Diversity" + ] + }, + { + "id":"e968c76b-10a5-4cf3-8d48-49566c401f56", + "club_id":"74d8313d-2423-4605-a018-410d06bd572f", + "name":"Event for Multicultural Greek Council", + "preview":"This club is holding an event.", + "description":"Join the Multicultural Greek Council for a captivating cultural showcase event celebrating diversity and unity within our community! Experience a vibrant display of performances, art, and traditional cuisine from various cultures, presented by our fraternity and sorority affiliated members. This event offers a unique opportunity to immerse yourself in different traditions, connect with like-minded individuals, and support the mission of promoting intercultural awareness and cooperation. Don't miss out on this enriching experience that will inspire, educate, and entertain while fostering a sense of belonging and inclusivity for all attendees!", + "event_type":"hybrid", + "start_time":"2024-03-04 15:00:00", + "end_time":"2024-03-04 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Cultural Awareness", + "Diversity", + "Volunteerism" + ] + }, + { + "id":"b99fbe2e-fad5-48b7-a88c-2a85c41c041c", + "club_id":"3a8763de-04db-48f0-958a-47946e6843c2", + "name":"Event for Multicultural International Student Association", + "preview":"This club is holding an event.", + "description":"Join the Multicultural International Student Association for an enlightening how-to session on navigating the co-op process as an international student. Learn insider tips on managing visa status, travel records, and social security numbers in an interactive and supportive environment. Our special speakers from Northeastern offices will provide the latest resources and guidance to empower you on your academic journey. Bring your questions and curiosity to this event tailored to help you succeed as a global student at Northeastern!", + "event_type":"virtual", + "start_time":"2024-06-10 18:30:00", + "end_time":"2024-06-10 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "International Relations", + "Cultural Diversity" + ] + }, + { + "id":"7e36a9eb-527c-4b02-ae31-6e89d9ba632d", + "club_id":"3a8763de-04db-48f0-958a-47946e6843c2", + "name":"Event for Multicultural International Student Association", + "preview":"This club is holding an event.", + "description":"Join the Multicultural International Student Association for an engaging and informative session on navigating the co-op process as an international student. Learn valuable insights on visa status, travel documentation, and social security numbers from experts in Northeastern University offices. This event is a fantastic opportunity to expand your knowledge and connect with fellow students in a welcoming and inclusive environment. Don't miss out on the chance to enhance your cultural understanding and personal development with MISA!", + "event_type":"virtual", + "start_time":"2025-03-21 22:00:00", + "end_time":"2025-03-21 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "International Relations", + "Cultural Diversity" + ] + }, + { + "id":"f5aa8823-b7da-4c27-83c9-828c6da72754", + "club_id":"e7493e39-6c96-42e1-bfd9-1b376fb936ba", + "name":"Event for Music In Hospitals and Nursing Homes Using Entertainment As Therapy", + "preview":"This club is holding an event.", + "description":"Join Music In Hospitals and Nursing Homes Using Entertainment As Therapy for a heartwarming concert at Sunny Acres Nursing Home this Saturday! Our talented student musicians will be performing a mix of classical and contemporary music to bring joy and relaxation to the residents. Whether you're a solo performer or part of a small group, there's a place for you to share your musical talents and brighten someone's day. Don't miss this opportunity to make meaningful connections with fellow Northeastern students while making a positive impact in the community!", + "event_type":"hybrid", + "start_time":"2024-04-22 22:15:00", + "end_time":"2024-04-23 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"604b0be0-c8a3-489f-b22f-22de11b6816b", + "club_id":"34ff9e99-8840-4530-a0f4-4da490e93c27", + "name":"Event for Music Production Club", + "preview":"This club is holding an event.", + "description":"Join us for our weekly WIP (work in progress) share event, where our advanced members gather to showcase their latest music projects and exchange valuable feedback. This is a great opportunity to learn from each other, collaborate, and elevate your music production skills to new heights. Whether you're seeking constructive criticism or simply want to share your passion for music, everyone is welcome to join in the supportive and creative atmosphere of the Music Production Club!", + "event_type":"virtual", + "start_time":"2025-10-01 13:00:00", + "end_time":"2025-10-01 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Music", + "Creative Writing", + "Performing Arts" + ] + }, + { + "id":"daae88b3-edbb-4373-a550-2102e723b047", + "club_id":"34ff9e99-8840-4530-a0f4-4da490e93c27", + "name":"Event for Music Production Club", + "preview":"This club is holding an event.", + "description":"Join us for our weekly beginner-oriented meeting where we dive into the fundamental aspects of music production, perfect for newcomers and seasoned producers alike! We'll cover topics like beat structure, mixing techniques, and software recommendations. Bring your questions and curiosity, and get ready to connect with fellow music enthusiasts. Don't miss out on this opportunity to expand your skills and make new friends in the Music Production Club community!", + "event_type":"hybrid", + "start_time":"2026-04-15 14:30:00", + "end_time":"2026-04-15 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Creative Writing", + "Community Outreach", + "Performing Arts" + ] + }, + { + "id":"87d0ae44-8532-4f7e-86b9-d7ed6c2e3028", + "club_id":"34ff9e99-8840-4530-a0f4-4da490e93c27", + "name":"Event for Music Production Club", + "preview":"This club is holding an event.", + "description":"Join us for our weekly WIP (work in progress) share event! Whether you're just starting out or a seasoned producer, this is the perfect opportunity to showcase your latest beats and get valuable feedback from a supportive community of music enthusiasts. Our welcoming atmosphere encourages open dialogue and creative brainstorming, making it easy to connect with fellow members and exchange ideas. Be part of the vibrant music production scene within the Music Production Club, where you can refine your skills, gain inspiration, and grow as a music producer. Don't miss out on this exciting chance to collaborate and elevate your music to the next level. See you there!", + "event_type":"virtual", + "start_time":"2025-07-20 16:30:00", + "end_time":"2025-07-20 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Performing Arts", + "Creative Writing" + ] + }, + { + "id":"96a3173e-f803-49b5-9417-6888864adc5f", + "club_id":"e8d9865a-c2ca-4876-8570-0944248ab1e8", + "name":"Event for Mutual Aid", + "preview":"This club is holding an event.", + "description":"Join us for our Community Fridge Refresh Event! At Mutual Aid, we believe in supporting the well-being of all Northeastern students, staff, and community members. This event is an opportunity for us to come together and restock our community fridge with essential items. Whether you're donating, volunteering, or just stopping by to say hello, your participation makes a real difference in our community. Let's work together to ensure everyone has access to food and essentials during these challenging times. Visit numutualaid.org to learn more about our impactful initiatives and how you can get involved today!", + "event_type":"in_person", + "start_time":"2024-12-09 20:00:00", + "end_time":"2024-12-09 23:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "HumanRights", + "Volunteerism", + "Environmental Advocacy", + "LGBTQ", + "Community Outreach" + ] + }, + { + "id":"22b272f1-23e0-4e16-b159-aa64c6641162", + "club_id":"e8d9865a-c2ca-4876-8570-0944248ab1e8", + "name":"Event for Mutual Aid", + "preview":"This club is holding an event.", + "description":"Join us for a heartwarming Virtual Community Potluck hosted by Mutual Aid! Share a meal and connect with fellow Northeastern students, staff, and community members in a casual and supportive online setting. Whether you're a seasoned cook or just learning your way around the kitchen, this event is all about coming together, sharing stories, and building meaningful relationships. Feel free to bring a dish that holds significance to you, or simply show up with an open heart. We'll be discussing upcoming projects and ways to get involved, so come prepared with your ideas and enthusiasm. Let's strengthen our community bonds and spread positivity during these challenging times. RSVP at numutualaid.org/events and follow us on @numutualaid for updates. All are welcome, and we can't wait to see you there!", + "event_type":"in_person", + "start_time":"2026-02-07 13:15:00", + "end_time":"2026-02-07 17:15:00", + "link":"", + "location":"Marino", + "tags":[ + "LGBTQ", + "Community Outreach", + "HumanRights", + "Environmental Advocacy", + "Volunteerism" + ] + }, + { + "id":"8c0dae38-e929-4d41-a623-e7e043ecb92b", + "club_id":"e8d9865a-c2ca-4876-8570-0944248ab1e8", + "name":"Event for Mutual Aid", + "preview":"This club is holding an event.", + "description":"Join Mutual Aid at Northeastern University for a fun and meaningful community cleanup event! Bring your energy and enthusiasm as we work together to beautify our campus and show our care for the environment. We'll provide all the necessary supplies and instruction, so just bring yourself and a smile. Whether you're a long-time member or brand new, everyone is welcome to participate and make a difference. Come meet like-minded individuals, bond over shared values, and make new friends while doing good for our community. Let's make our campus shine with Mutual Aid spirit!", + "event_type":"in_person", + "start_time":"2024-06-03 20:30:00", + "end_time":"2024-06-04 00:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "LGBTQ", + "Community Outreach", + "Environmental Advocacy" + ] + }, + { + "id":"47ea23c7-e575-4d98-b91d-da2e04a87665", + "club_id":"24353a05-a9a2-40b9-8a93-4f9c05a3baa1", + "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 musical heritage of South Asia. Immerse yourself in the soul-stirring melodies of hindustani classical, ghazal, qawali, and carnatic music beautifully harmonized in an A Cappella setting. Our diverse group of talented musicians from different South Asian countries will captivate you with their harmonious blend of voices, creating a truly unique musical experience that transcends borders and cultures. Come experience the magic of NAAD as we unite music lovers in a celebration of the eternal sound that connects us all.", + "event_type":"hybrid", + "start_time":"2025-03-04 22:00:00", + "end_time":"2025-03-04 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Asian American", + "Creative Writing", + "Performing Arts" + ] + }, + { + "id":"d41dc9ed-6b00-4acf-b247-ffd067cd4eb5", + "club_id":"24353a05-a9a2-40b9-8a93-4f9c05a3baa1", + "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) at our upcoming event 'Desi Melodies Unite' where we celebrate the rich musical heritage of South Asia! Immerse yourself in the enchanting sounds of hindustani classical, ghazal, qawali, and carnatic music expertly performed by our talented musicians hailing from various South Asian countries. Experience the fusion of traditional melodies with the contemporary flair of A Cappella in a vibrant showcase that transcends borders and cultures. Come together with fellow music enthusiasts to enjoy an unforgettable evening of unity, diversity, and the eternal harmony of NAAD!", + "event_type":"hybrid", + "start_time":"2024-06-16 19:00:00", + "end_time":"2024-06-16 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Asian American" + ] + }, + { + "id":"40ea1443-2498-4578-86f0-ce5997e1493f", + "club_id":"8170aa47-a44e-4486-a01c-391745eabbe3", + "name":"Event for NakhRAAS", + "preview":"This club is holding an event.", + "description":"Welcome to NakhRAAS' Spring Showcase! Join us for an evening of vibrant cultural celebration as our talented dancers showcase their skills in the traditional dance forms of garba and raas. You'll be mesmerized by the colorful costumes, energetic music, and rhythmic footwork that define these art forms. Whether you're a seasoned dancer or just looking to experience something new, this event is the perfect opportunity to immerse yourself in the rich heritage of Indian folk dance. Come support our team as we blend tradition with innovation and passion with precision. We can't wait to share this memorable evening with you!", + "event_type":"virtual", + "start_time":"2024-12-05 17:00:00", + "end_time":"2024-12-05 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Music", + "Asian American", + "Dance" + ] + }, + { + "id":"a5ba85c6-7b3e-4ec3-95c7-4c15218962ba", + "club_id":"6d24aeb1-e3bb-4fc4-b852-a7225b556bc5", + "name":"Event for National Community Pharmacists Association", + "preview":"This club is holding an event.", + "description":"Join the National Community Pharmacists Association (NCPA) for an exciting Pharmacists' Mixer event where pharmacy students and aspiring entrepreneurs come together to network, share insights, and explore innovative opportunities in the world of independent pharmacy ownership. Connect with like-minded peers, industry professionals, and business experts to discover how NCPA Student Affairs can support your journey towards a successful career in pharmacy. Enjoy a night filled with engaging discussions, interactive workshops, and valuable resources that will inspire you to pursue your passion for community pharmacy. Whether you're a first-year pharmacy student or a non-pharmacy student curious about entrepreneurship, this event is open to all who are eager to learn, grow, and make a difference in the healthcare industry.", + "event_type":"hybrid", + "start_time":"2026-09-01 14:15:00", + "end_time":"2026-09-01 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Career Development", + "Business", + "Pharmacy", + "Networking" + ] + }, + { + "id":"b710c6f3-aa0f-469b-b320-57502d216274", + "club_id":"6d24aeb1-e3bb-4fc4-b852-a7225b556bc5", + "name":"Event for National Community Pharmacists Association", + "preview":"This club is holding an event.", + "description":"Join us at the National Community Pharmacists Association (NCPA) for an exciting Business Plan Competition where pharmacy students can showcase their entrepreneurial spirit and creativity. This event is a fantastic opportunity to network, gain valuable real-world experience, and work towards building a successful career in community pharmacy ownership. Whether you are a seasoned professional or just starting out in the field, the competition is open to all pharmacy students and non-pharmacy students interested in exploring the business side of pharmacy. Get ready to unleash your innovative ideas, collaborate with like-minded individuals, and take your passion for pharmacy to the next level at NCPA!", + "event_type":"in_person", + "start_time":"2026-04-04 14:15:00", + "end_time":"2026-04-04 18:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Pharmacy", + "Health Fair", + "Business", + "Community Pharmacy" + ] + }, + { + "id":"b9deb58d-b76a-4eb8-aee8-423c3430542e", + "club_id":"6d24aeb1-e3bb-4fc4-b852-a7225b556bc5", + "name":"Event for National Community Pharmacists Association", + "preview":"This club is holding an event.", + "description":"Join us for the NCPA Student Affairs Expo, where pharmacy students can explore a variety of opportunities to enhance their education and skills, network with industry professionals, and have a great time! This exciting event will feature interactive workshops, scholarship information sessions, and hands-on activities like the Prescription Disposal Program demonstration and Health Fair planning showcase. Whether you're interested in community pharmacy ownership, entrepreneurship, or simply looking to expand your career horizons, this expo is the perfect place to connect, learn, and grow. Open to all pharmacy students and non-pharmacy students eager to get involved in the Business Plan Competition. Don't miss out on this fantastic chance to empower your future in pharmacy!", + "event_type":"in_person", + "start_time":"2025-09-03 16:15:00", + "end_time":"2025-09-03 17:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Health Fair", + "Entrepreneurship" + ] + }, + { + "id":"85736820-4483-4f59-980c-6b9b55f0abd7", + "club_id":"0605fed8-e30a-4f2b-adb2-fc693828db9d", + "name":"Event for National Marrow Donor Program", + "preview":"This club is holding an event.", + "description":"Join the National Marrow Donor Program at our upcoming Swab-a-Thon event! We're dedicated to saving lives through blood stem cell transplants and helping patients with blood cancers find their perfect match. Come get swabbed and join the registry to make a difference. Our friendly team will guide you through the process and answer any questions you may have. Together, we can expand and diversify the donor registry, advocate for better outcomes, and ultimately save more lives. Be a hero \u2013 join us and be the match that saves a life!", + "event_type":"hybrid", + "start_time":"2024-08-19 23:30:00", + "end_time":"2024-08-20 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Healthcare", + "Volunteerism" + ] + }, + { + "id":"76b52a44-bcda-44cc-95a4-1ccae535a5fd", + "club_id":"0605fed8-e30a-4f2b-adb2-fc693828db9d", + "name":"Event for National Marrow Donor Program", + "preview":"This club is holding an event.", + "description":"Join us at the National Marrow Donor Program's upcoming Swab-A-Thon event! This is a fantastic opportunity to make a real difference in the lives of those battling blood cancers. Our friendly team will guide you through a painless swabbing process to potentially match you with a patient in need of a life-saving transplant. Whether you're a student looking to give back or a community member eager to make an impact, our event welcomes everyone with open arms. Together, we can increase diversity in the donor registry and save even more lives. Mark your calendar and be a part of this incredible mission!", + "event_type":"virtual", + "start_time":"2024-08-14 14:00:00", + "end_time":"2024-08-14 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "HumanRights", + "Volunteerism", + "Healthcare", + "Community Outreach" + ] + }, + { + "id":"0d547138-01ca-4d60-8b22-7ab1e8373fce", + "club_id":"0605fed8-e30a-4f2b-adb2-fc693828db9d", + "name":"Event for National Marrow Donor Program", + "preview":"This club is holding an event.", + "description":"Join us at the National Marrow Donor Program's upcoming Swabbing Spectacular event! Discover how easy it is to potentially save a life by simply swabbing your cheek. Our friendly team will guide you through the quick and painless process and provide you with all the information you need to become a registered donor. Whether you're a student, faculty member, or community member, everyone is welcome to participate in this impactful event. Come be a part of our mission to fight against blood cancers and help us add more potential lifesavers to the registry. Your swab could be the match someone is waiting for!", + "event_type":"in_person", + "start_time":"2024-12-04 23:00:00", + "end_time":"2024-12-05 02:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Healthcare" + ] + }, + { + "id":"a74a2ba0-5edc-4b50-876c-4b0e870031eb", + "club_id":"0495ed56-e0c7-4d67-a32b-1d3f44d6ba9b", + "name":"Event for National Organization of Minority Architecture Students", + "preview":"This club is holding an event.", + "description":"Join the National Organization of Minority Architecture Students for an inspiring Design Workshop event where you can collaborate with fellow students and experienced architects to explore innovative ideas and design solutions. This interactive workshop will provide a platform for you to enhance your skills, network with industry professionals, and gain valuable insights into the world of architecture. Whether you are a seasoned designer or just starting out, this event welcomes everyone to participate and contribute to a vibrant community dedicated to diversity, creativity, and social change.", + "event_type":"hybrid", + "start_time":"2025-06-02 22:15:00", + "end_time":"2025-06-03 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "MinorityStudents", + "CommunityOutreach", + "SocialJustice" + ] + }, + { + "id":"35f8b790-cab5-4fd8-8d4a-6323d2621848", + "club_id":"0495ed56-e0c7-4d67-a32b-1d3f44d6ba9b", + "name":"Event for National Organization of Minority Architecture Students", + "preview":"This club is holding an event.", + "description":"Join us for a dynamic panel discussion on 'Diversity and Inclusion in Architecture' where students will have the opportunity to engage with experienced minority architects. Gain valuable insights into how to navigate the industry as a minority architect and hear inspiring stories from professionals who have overcome challenges. This event is open to all students passionate about promoting diversity in architecture and creating an inclusive community within the field. Don't miss this chance to broaden your perspective and build meaningful connections with like-minded individuals!", + "event_type":"hybrid", + "start_time":"2026-08-17 18:15:00", + "end_time":"2026-08-17 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "MinorityStudents" + ] + }, + { + "id":"d0144c21-759b-4b4c-842f-dabbfe7462e3", + "club_id":"0495ed56-e0c7-4d67-a32b-1d3f44d6ba9b", + "name":"Event for National Organization of Minority Architecture Students", + "preview":"This club is holding an event.", + "description":"Join the National Organization of Minority Architecture Students for a vibrant and engaging networking event where you can connect with fellow students passionate about supporting diversity in architecture. Discover opportunities to get involved in the architecture community and meet inspiring minority architects. Dive into thought-provoking discussions on social justice issues and learn how you can contribute through community service projects. Don't miss this chance to be part of a community that celebrates differences and empowers students to make a positive impact!", + "event_type":"virtual", + "start_time":"2026-05-03 18:00:00", + "end_time":"2026-05-03 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Architecture", + "CommunityService", + "MinorityStudents" + ] + }, + { + "id":"45cc0323-7c91-4215-b82f-3d6cb25f1347", + "club_id":"e149e93d-d461-4f54-856c-19d60a8d9a45", + "name":"Event for National Pan-Hellenic Council - Northeastern University Chapter", + "preview":"This club is holding an event.", + "description":"Join the National Pan-Hellenic Council - Northeastern University Chapter for an exciting evening of cultural celebration and unity! The event will feature a showcase of the diverse traditions and history of the Divine 9 organizations, including Alpha Phi Alpha, Alpha Kappa Alpha, Kappa Alpha Psi, Omega Psi Phi, Delta Sigma Theta, Phi Beta Sigma, Zeta Phi Beta, Sigma Gamma Rho, and Iota Phi Theta. Meet fellow students interested in Greek life and learn more about the NPHC's mission to promote unanimity of thought and action within the collegiate fraternity and sorority community. Don't miss this opportunity to be part of a supportive and inclusive network dedicated to addressing mutual issues and fostering meaningful connections on campus.", + "event_type":"in_person", + "start_time":"2026-01-05 15:15:00", + "end_time":"2026-01-05 17:15:00", + "link":"", + "location":"Marino", + "tags":[ + "African American", + "HumanRights", + "Community Outreach" + ] + }, + { + "id":"770539f7-2f72-41c4-b092-cfdaf80eeeea", + "club_id":"e149e93d-d461-4f54-856c-19d60a8d9a45", + "name":"Event for National Pan-Hellenic Council - Northeastern University Chapter", + "preview":"This club is holding an event.", + "description":"Join the National Pan-Hellenic Council - Northeastern University Chapter for our upcoming event celebrating unity and brotherhood/sisterhood! This special occasion will bring together members of the Divine 9 organizations including Alpha Phi Alpha, Alpha Kappa Alpha, Kappa Alpha Psi, Omega Psi Phi, Delta Sigma Theta, Phi Beta Sigma, Zeta Phi Beta, Sigma Gamma Rho, and Iota Phi Theta. Come connect with fellow members and allies in a vibrant and inclusive atmosphere where we honor our rich history and shared values. Be a part of meaningful conversations, engaging activities, and opportunities to learn and grow together. Let's uphold our mission of promoting unanimity of thought and action within our Greek letter collegiate fraternities and sororities. Stay tuned for more details and get ready to create lasting memories with your NPHC family!", + "event_type":"virtual", + "start_time":"2026-09-26 19:30:00", + "end_time":"2026-09-26 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "African American" + ] + }, + { + "id":"552bb7e1-6fdb-4fa2-947e-b25dcaafc7af", + "club_id":"675bdfd4-05be-4dbe-87d2-40e2800d3de4", + "name":"Event for National Society of Leadership and Success", + "preview":"This club is holding an event.", + "description":"Join the National Society of Leadership and Success for our annual Leadership Summit, a dynamic event that brings together talented students and seasoned professionals for a day of interactive workshops, inspiring talks, and networking opportunities. Whether you're a budding leader looking to enhance your skills or a seasoned pro eager to share your wisdom, this summit is the perfect space to connect, grow, and be inspired. From motivational keynotes to hands-on leadership exercises, this event is designed to empower you to unleash your full potential and make a lasting impact in your community. Don't miss this opportunity to be part of a vibrant community of leaders dedicated to creating positive change and building a brighter future together!", + "event_type":"in_person", + "start_time":"2024-03-08 21:15:00", + "end_time":"2024-03-08 23:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Leadership", + "Empowerment", + "Community Outreach", + "Volunteerism", + "HumanRights" + ] + }, + { + "id":"45d83b6f-9c66-4df5-933e-9cc3b801acc5", + "club_id":"92d0f232-b9b7-4ff6-8883-288e8a20d9e6", + "name":"Event for Net Impact of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Net Impact club at Northeastern University for an exciting seminar on sustainable fashion practices in the industry. Our expert guest speaker will delve into the importance of ethical sourcing, fair labor practices, and eco-friendly materials in creating a more sustainable future. This interactive event will not only educate you on the impact of your fashion choices but also inspire you to make a positive difference in the world. Don't miss this opportunity to connect with like-minded peers, exchange ideas, and be part of a community dedicated to environmental responsibility and social justice.", + "event_type":"hybrid", + "start_time":"2024-02-21 23:00:00", + "end_time":"2024-02-22 03:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Social Justice" + ] + }, + { + "id":"5f9db5d0-e28e-4c63-bc47-3358d220f77d", + "club_id":"92d0f232-b9b7-4ff6-8883-288e8a20d9e6", + "name":"Event for Net Impact of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join Net Impact of Northeastern University at our upcoming 'Sustainable Solutions Showcase' event where we will spotlight innovative projects and initiatives aimed at creating a positive impact on the environment and society. This interactive event will feature inspiring presentations, insightful panel discussions, and networking opportunities with like-minded individuals passionate about sustainability. Whether you're a seasoned sustainability advocate or just starting your journey towards a greener future, this event provides a welcoming space to learn, connect, and take action towards building a more sustainable world together. Stay tuned for more details on our Instagram account @netimpactnu!", + "event_type":"in_person", + "start_time":"2026-02-10 23:00:00", + "end_time":"2026-02-11 00:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Environmental Science", + "Community Outreach", + "Social Justice", + "Environmental Advocacy" + ] + }, + { + "id":"930b9e3c-201f-4181-b26c-33c7dd3dac43", + "club_id":"92d0f232-b9b7-4ff6-8883-288e8a20d9e6", + "name":"Event for Net Impact of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an inspiring panel discussion on the intersection of fashion and sustainability, where industry experts and passionate individuals will share insights on how we can make ethical fashion choices without compromising style. Get ready to engage in thought-provoking conversations, network with like-minded individuals, and enjoy delicious sustainable snacks. Whether you're a fashion enthusiast, sustainability advocate, or simply curious about the impact of your wardrobe choices, this event is the perfect opportunity to learn, connect, and be part of the positive change we're driving together at Net Impact of Northeastern University.", + "event_type":"virtual", + "start_time":"2024-12-10 14:15:00", + "end_time":"2024-12-10 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Social Justice", + "Community Outreach", + "Environmental Advocacy" + ] + }, + { + "id":"263108fe-80ef-4e48-bcad-7e4563fbf082", + "club_id":"9bf62f50-e055-4f96-a383-004e66f6329b", + "name":"Event for Network Science Institute Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"virtual", + "start_time":"2024-02-25 13:30:00", + "end_time":"2024-02-25 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Environmental Advocacy", + "Community Outreach" + ] + }, + { + "id":"e88d27d8-a62b-4f43-a2b1-338eb23d2025", + "club_id":"9bf62f50-e055-4f96-a383-004e66f6329b", + "name":"Event for Network Science Institute Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a fun and engaging networking event hosted by the Network Science Institute Graduate Student Association! Connect with fellow students, researchers, and industry professionals passionate about network science. Whether you're a seasoned network scientist or just curious about the field, this event is a great way to build relationships, share ideas, and explore exciting opportunities together. Come share your experiences and learn from others in a supportive and inclusive environment. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2024-03-12 14:15:00", + "end_time":"2024-03-12 16:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Volunteerism", + "HumanRights" + ] + }, + { + "id":"2c6ec4f7-04b2-4631-ab95-19595c5e6fb9", + "club_id":"9bf62f50-e055-4f96-a383-004e66f6329b", + "name":"Event for Network Science Institute Graduate Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a fun and insightful seminar on the latest advancements in network science! Hosted by the Network Science Institute Graduate Student Association, this event is perfect for students and professionals interested in exploring the intricate web of connections that shape our world. Whether you're a seasoned network science enthusiast or simply curious about the field, our welcoming community is excited to connect with you. Come network with fellow attendees, engage in thought-provoking discussions, and leave with new insights and inspiration to fuel your own academic or professional endeavors. Don't miss out on this opportunity to be part of a vibrant community of like-minded individuals passionate about unraveling the complexities of network science!", + "event_type":"hybrid", + "start_time":"2026-01-22 18:15:00", + "end_time":"2026-01-22 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "HumanRights" + ] + }, + { + "id":"c1a41bdf-c256-4e81-bb44-52aea89395cb", + "club_id":"bd6e535a-bd57-4943-a47e-1b42c74bb4c8", + "name":"Event for NEU Chinese Language Table", + "preview":"This club is holding an event.", + "description":"Join us this Saturday for our Conversational Table Meeting at NEU Chinese Language Table! Whether you're a beginner looking to practice your Mandarin skills or an advanced speaker wanting to engage with fellow language enthusiasts, this event is perfect for everyone. Enjoy a fun and interactive session where you can participate in language games, cultural activities, and fruitful discussions. Our experienced mentors will be there to guide you through conversations and help you improve your language proficiency. Don't miss this opportunity to connect with like-minded individuals and immerse yourself in Chinese culture. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2026-08-26 17:15:00", + "end_time":"2026-08-26 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Language Learning" + ] + }, + { + "id":"f6e0cfe1-6234-4936-b12d-83214961d2c9", + "club_id":"bd6e535a-bd57-4943-a47e-1b42c74bb4c8", + "name":"Event for NEU Chinese Language Table", + "preview":"This club is holding an event.", + "description":"Join us for our next Conversational Table Meeting at NEU Chinese Language Table! Whether you're a beginner looking to practice Mandarin with native speakers or an advanced learner wanting to immerse yourself in Chinese culture, our meetings provide a welcoming and engaging environment for everyone. Come prepared to participate in fun language activities, cultural discussions, and interactive learning experiences. Our Mentorship program will also be available for those seeking extra support and guidance on their language journey. Don't miss this opportunity to connect with fellow language enthusiasts and improve your Mandarin skills in a relaxed and inclusive setting!", + "event_type":"hybrid", + "start_time":"2026-12-07 23:15:00", + "end_time":"2026-12-08 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Language Learning", + "Community Outreach" + ] + }, + { + "id":"8d6e0d40-a81b-452b-ba66-9017772a81f3", + "club_id":"6686f477-c19d-43c0-9136-b3b9508de73c", + "name":"Event for New Renaissance Theatre Company", + "preview":"This club is holding an event.", + "description":"Join us at New Renaissance Theatre Company for an exciting evening celebrating the voices of marginalized communities through the power of theatre! Our upcoming event, 'Inclusive Voices Spotlight', aims to showcase the diverse talent within Northeastern's student body with a series of thought-provoking performances. Whether you're new to theatre or a seasoned performer, this event is open to all who share our passion for representation and creative collaboration. Come experience the magic of storytelling in a supportive and inclusive environment where every voice is valued and celebrated. Don't miss this opportunity to connect with fellow artists and support our mission of amplifying underrepresented voices on stage!", + "event_type":"in_person", + "start_time":"2025-01-10 15:00:00", + "end_time":"2025-01-10 19:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Performing Arts", + "Creative Writing", + "Community Outreach", + "Diversity", + "Visual Arts" + ] + }, + { + "id":"4e2d7c9a-b957-450b-99ca-3eb89f28330a", + "club_id":"6686f477-c19d-43c0-9136-b3b9508de73c", + "name":"Event for New Renaissance Theatre Company", + "preview":"This club is holding an event.", + "description":"Join the New Renaissance Theatre Company for an exciting evening of script readings and improv workshops! Our inclusive and supportive environment is open to all, whether you're an experienced performer or stepping onto the stage for the first time. Come meet fellow artists and explore new ways to express yourself through the magical world of theatre. Let's celebrate diversity, creativity, and community together at this fun and engaging event!", + "event_type":"hybrid", + "start_time":"2026-09-08 15:00:00", + "end_time":"2026-09-08 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"58b86de9-8008-4407-8d5b-8d0842c6e7a9", + "club_id":"6686f477-c19d-43c0-9136-b3b9508de73c", + "name":"Event for New Renaissance Theatre Company", + "preview":"This club is holding an event.", + "description":"Join the New Renaissance Theatre Company for a night of storytelling and creativity as we showcase the talents of students from all backgrounds in a celebration of diversity and inclusion. This event promises to be a vibrant and engaging experience, where artists of every skill level can share their voices and be part of a supportive community that values representation and collaboration. Whether you're new to theatre or a seasoned performer, this is a space where everyone belongs and where every story matters. Come be a part of something special and help us champion the voices of marginalized communities in the vibrant tapestry of Northeastern's theatre scene.", + "event_type":"in_person", + "start_time":"2025-02-19 13:30:00", + "end_time":"2025-02-19 16:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Visual Arts" + ] + }, + { + "id":"f9179301-7f3d-468f-9105-fd2d083eea9e", + "club_id":"9b295b01-9ecb-45d6-b07c-4075b6f9c3a6", + "name":"Event for No Jokes", + "preview":"This club is holding an event.", + "description":"Join No Jokes for a night of laughter and creativity at our Jam event this Thursday! Our Jams are the perfect opportunity to dip your toes into the world of improv, whether you're a seasoned performer or a complete beginner. Come by from 8:00-9:30pm to discover the joy of improvisation in a laid-back and welcoming environment. Our experienced members will guide you through fun exercises and games, helping you unlock your comedic potential. Don't miss out on this chance to connect with fellow comedy enthusiasts and unleash your inner improv star at our weekly Jam session!", + "event_type":"hybrid", + "start_time":"2026-12-24 17:00:00", + "end_time":"2026-12-24 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"8e43c788-59b8-4a9e-99c8-0e26314d5723", + "club_id":"4a155ccb-10a4-4aa2-acf2-62f45b72e8c7", + "name":"Event for No Limits Dance Crew", + "preview":"This club is holding an event.", + "description":"Join No Limits Dance Crew for our first annual ", + "event_type":"hybrid", + "start_time":"2025-12-22 19:30:00", + "end_time":"2025-12-22 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Dance", + "Performing Arts", + "Creative Writing", + "Community Outreach" + ] + }, + { + "id":"919d2dd3-6c2f-48b8-bb5c-489b6f036ef2", + "club_id":"4a155ccb-10a4-4aa2-acf2-62f45b72e8c7", + "name":"Event for No Limits Dance Crew", + "preview":"This club is holding an event.", + "description":"Join us for an exhilarating evening of dance at NLDC's Annual Showcase! Celebrate the talent and dedication of our diverse members as they take the stage to perform a captivating mix of styles, from hip-hop to contemporary. Whether you're a seasoned dancer or just starting out, our welcoming community invites you to witness the passion and creativity that fuel our club. Be prepared to be amazed by the energy and artistry on display, culminating in a performance that embodies the spirit of No Limits Dance Crew. Mark your calendars for a night of unforgettable performances and join us in celebrating the power of movement and expression!", + "event_type":"hybrid", + "start_time":"2025-08-10 19:00:00", + "end_time":"2025-08-10 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Performing Arts", + "Creative Writing", + "Dance" + ] + }, + { + "id":"f801149c-c1e1-424c-bad1-01c06a42b31e", + "club_id":"d8bce5b1-2a3b-4744-be1a-fa9b2da85c0f", + "name":"Event for Nor'easters A Cappella", + "preview":"This club is holding an event.", + "description":"Join the Nor'easters A Cappella for a mesmerizing evening of harmony and music! Immerse yourself in the melodious tunes of Northeastern's premier co-ed a cappella group as they showcase their vocal talents and boundless energy on stage. Whether you're a devoted fan of a cappella or simply looking for a fun night out, this event promises to leave you smiling and tapping your feet to the infectious rhythms. Don't miss this opportunity to experience the magic of live music and be part of our welcoming musical community. See you there!", + "event_type":"virtual", + "start_time":"2025-06-26 22:15:00", + "end_time":"2025-06-26 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"9fc665c1-2b04-4f37-8b9c-57c88ed98a78", + "club_id":"1261277d-1096-4906-bb85-7114b5d81e83", + "name":"Event for Noreste Ballet Company", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening of classical ballet as the Noreste Ballet Company presents a mesmerizing showcase of talent and artistry. From graceful movements en pointe to expressive performances en flat, our diverse group of dancers will transport you into the magical worlds of iconic ballet pieces like The Nutcracker, Swan Lake, Aurora, Giselle, and more. Whether you're an experienced dancer looking to perfect your technique or a beginner eager to explore the world of classical ballet, NBC welcomes you with open arms. Come witness the beauty and elegance of ballet performed with passion and dedication by our talented members at our upcoming event!", + "event_type":"hybrid", + "start_time":"2025-01-10 19:30:00", + "end_time":"2025-01-10 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Ballet", + "Creative Writing", + "Performing Arts" + ] + }, + { + "id":"83c2b73d-120b-49e2-b900-b3cbefc08225", + "club_id":"38477463-4295-4b0f-83fb-d64186c37370", + "name":"Event for Northeastern African Student Organization", + "preview":"This club is holding an event.", + "description":"Join us for an exhilarating cultural extravaganza hosted by the Northeastern African Student Organization! Immerse yourself in the vibrant colors, rhythms, and flavors of Africa as we celebrate the rich diversity and heritage of the continent. From traditional dance performances to delicious food tastings, this event promises to be a feast for all your senses. Come connect with fellow students who share your passion for Africa and be a part of an unforgettable experience that will leave you feeling inspired and uplifted. Don't miss out on this unique opportunity to broaden your horizons and make lasting memories with NASO!", + "event_type":"hybrid", + "start_time":"2024-09-16 12:15:00", + "end_time":"2024-09-16 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "HumanRights", + "Volunteerism", + "Education", + "Community Outreach" + ] + }, + { + "id":"efd0c65d-a13c-4acd-9eca-897d5856f514", + "club_id":"1020e791-02ce-48d8-bcee-bc4a5f49f64f", + "name":"Event for Northeastern Association for Women in Math Student Chapter", + "preview":"This club is holding an event.", + "description":"Join us for an insightful workshop hosted by the Northeastern Association for Women in Math Student Chapter! Learn about exciting opportunities in the mathematical sciences field and connect with like-minded individuals in a supportive environment. This event is designed to empower women and other underrepresented gender identities in STEM to pursue their academic and professional goals. Come network, gain valuable resources, and be a part of our community that advocates for gender equity in the mathematical community.", + "event_type":"virtual", + "start_time":"2026-03-16 18:30:00", + "end_time":"2026-03-16 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Women in STEM" + ] + }, + { + "id":"59fdf8a9-b255-4f14-a95c-c4f9e6d25914", + "club_id":"1020e791-02ce-48d8-bcee-bc4a5f49f64f", + "name":"Event for Northeastern Association for Women in Math Student Chapter", + "preview":"This club is holding an event.", + "description":"Join us for an engaging workshop hosted by the Northeastern Association for Women in Math Student Chapter! This event is designed to provide valuable resources and networking opportunities to support women and other underrepresented gender identities in achieving their academic and professional aspirations. Come connect with like-minded individuals, gain insights into research opportunities, co-op experiences, and study abroad programs, and discover the endless possibilities in the mathematical sciences field. Whether you're a student looking for guidance or simply interested in expanding your network, this workshop is the perfect space for you to grow and thrive alongside a supportive community.", + "event_type":"virtual", + "start_time":"2026-02-13 12:00:00", + "end_time":"2026-02-13 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Mathematics" + ] + }, + { + "id":"daafb0e2-c7da-455f-a834-721590f1816f", + "club_id":"2ce346ac-5025-4d61-b1cb-81ae9e066851", + "name":"Event for Northeastern Bhangra Team", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Bhangra Team for an exciting virtual performance showcasing the vibrant and energetic Indian cultural folk dance of Bhangra! Immerse yourself in a fusion of traditional rhythms and modern moves as our talented team members share their passion for dance and cultural heritage. Whether you're a seasoned dancer or just curious to learn more, this event is open to all who share a love for the arts and diversity. Stay connected with us through our email newenglandbhangraclub@gmail.com and Instagram @newenglandbhangraclub for updates and behind-the-scenes insights. Come witness the electrifying energy and infectious spirit of Bhangra, and let's dance together in celebration of unity and joy! #NortheasternBhangra #CulturalDance", + "event_type":"in_person", + "start_time":"2024-06-01 22:00:00", + "end_time":"2024-06-02 02:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Dance", + "Performing Arts", + "Cultural Appreciation" + ] + }, + { + "id":"7a5a6ee0-4c7c-4121-acef-f829840378a6", + "club_id":"ce83597d-f0d0-48dc-aef3-e2e6f2c2dcc3", + "name":"Event for Northeastern Black Student Association", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Black Student Association for an engaging discussion on the importance of Black history in academia and beyond. Our event will feature guest speakers, interactive activities, and a space for open dialogue and exchange of ideas. Whether you are a seasoned advocate or new to the conversation, all are welcome to come together to celebrate and explore the rich cultural heritage of the Black community. Be part of a supportive and inclusive environment where meaningful connections are made and knowledge is shared.", + "event_type":"virtual", + "start_time":"2024-06-21 17:00:00", + "end_time":"2024-06-21 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "HumanRights" + ] + }, + { + "id":"e6aadd97-aa4a-4e71-943c-43c78345a3f7", + "club_id":"ce83597d-f0d0-48dc-aef3-e2e6f2c2dcc3", + "name":"Event for Northeastern Black Student Association", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Black Student Association for a thought-provoking panel discussion on the intersectionality of race, gender, and social justice in today's society. Engage with dynamic speakers as they delve into the complexities of historical oppression and resilience within the Black community, while fostering an inclusive space for meaningful dialogue and reflection. Whether you're a long-time ally or new to the conversation, this event promises to educate, inspire, and spark meaningful connections among individuals passionate about promoting equity and empowerment for all.", + "event_type":"hybrid", + "start_time":"2024-11-20 14:15:00", + "end_time":"2024-11-20 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "HumanRights" + ] + }, + { + "id":"7a1dd4cb-3e54-455e-b06c-c3d260fc4b14", + "club_id":"ce83597d-f0d0-48dc-aef3-e2e6f2c2dcc3", + "name":"Event for Northeastern Black Student Association", + "preview":"This club is holding an event.", + "description":"Join us for an engaging and enriching event hosted by the Northeastern Black Student Association! Dive into thought-provoking discussions on Black history, culture, and social issues while connecting with fellow Black students and allies in a welcoming and inclusive environment. Be a part of our vibrant community as we celebrate our shared heritage and drive positive change on campus and beyond. This event promises to be a gathering of like-minded individuals passionate about promoting awareness and fostering unity within the diverse tapestry of Northeastern University.", + "event_type":"hybrid", + "start_time":"2026-10-19 13:30:00", + "end_time":"2026-10-19 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "HumanRights", + "Journalism" + ] + }, + { + "id":"57917d6a-d76c-4b98-a817-ef8e8f4b80cc", + "club_id":"3c98a2b6-6240-4f15-b49d-3106a1096834", + "name":"Event for Northeastern Chapter of Kappa Kappa Psi", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Chapter of Kappa Kappa Psi for our upcoming Picnic in the Park event! Take a break from the daily hustle and connect with your fellow music enthusiasts in a relaxed outdoor setting. Bring your favorite picnic blanket, grab some delicious snacks, and enjoy an afternoon filled with fun activities and live music performances. This is a fantastic opportunity to mingle with members from the Concert Band, Pep Band, Symphony Orchestra, and Wind Ensemble while learning more about our fraternity's mission of supporting university band programs through service and leadership. Don't miss out on this chance to bond with like-minded individuals and make lasting memories together!", + "event_type":"virtual", + "start_time":"2025-10-23 20:00:00", + "end_time":"2025-10-23 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Volunteerism", + "Music", + "Performing Arts", + "Community Outreach" + ] + }, + { + "id":"0c9be327-62c1-4a91-933e-a10962218200", + "club_id":"32d76cec-54c0-4eef-8f09-ba01b379225e", + "name":"Event for Northeastern Cheerleading", + "preview":"This club is holding an event.", + "description":"Join Northeastern Cheerleading at their annual Cheer Clinic, where students of all experience levels can learn new skills, make friends, and experience the excitement of being part of the team. The clinic will include hands-on training sessions led by skilled coaches, fun team-building activities, and a showcase at the end for participants to demonstrate what they've learned. Whether you're a seasoned cheerleader or brand new to the sport, this event is open to all and promises a welcoming and inclusive environment. Come join us for a day filled with spirit, cheers, and plenty of Northeastern pride!", + "event_type":"hybrid", + "start_time":"2024-10-27 21:15:00", + "end_time":"2024-10-28 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Sports", + "Performing Arts", + "Volunteerism" + ] + }, + { + "id":"050e0500-7bb5-4cc2-a77b-93879c7bfaf4", + "club_id":"e76bcfd4-f9fa-44be-afc4-faed89ccb022", + "name":"Event for Northeastern Club Archery", + "preview":"This club is holding an event.", + "description":"Join Northeastern Club Archery at our upcoming 'Bow Tuning Workshop' event! Whether you're a beginner or experienced archer, this workshop is open to all members looking to fine-tune their equipment for optimal performance. Our knowledgeable coaches will guide you through the process of adjusting your recurve bows, providing valuable tips and tricks along the way. The workshop will take place at Ace Archers in Foxborough, MA, on Saturday from 10 am to 2 pm. Team vans will be available for transportation, and feel free to bring your bow for personalized assistance. Don't miss this opportunity to enhance your archery skills and meet fellow enthusiasts. For more details and to reserve your spot, contact us at neuarchery@gmail.com or message us on Instagram @theofficialnortheasternarchery. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2026-04-07 16:30:00", + "end_time":"2026-04-07 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Team Sports", + "Community Outreach", + "Visual Arts" + ] + }, + { + "id":"d1fb9a17-abc8-42ba-b98b-c4fa3d57446b", + "club_id":"e76bcfd4-f9fa-44be-afc4-faed89ccb022", + "name":"Event for Northeastern Club Archery", + "preview":"This club is holding an event.", + "description":"Join Northeastern Club Archery for an exciting night of skill-building and camaraderie at Ace Archers in Foxborough, MA! Whether you're a beginner or seasoned pro, our Wednesday and Thursday practices from 7 pm to 11 pm provide the perfect opportunity to learn and compete with recurve bows. Team vans are at your service, and our supportive coaches are eager to assist with any questions you may have. To get involved, reach out to us via email at neuarchery@gmail.com or send us a message on Instagram @theofficialnortheasternarchery. We can't wait to have you join our archery family!", + "event_type":"hybrid", + "start_time":"2026-06-20 23:15:00", + "end_time":"2026-06-21 03:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Volunteerism", + "Team Sports" + ] + }, + { + "id":"4ab5be85-d660-4333-9d59-dd5de9a75b1c", + "club_id":"4d792d24-3a98-4c9d-a4ff-866b441cf043", + "name":"Event for Northeastern Club Badminton", + "preview":"This club is holding an event.", + "description":"Please join Northeastern Club Badminton for our upcoming Fun Doubles Mixer event! This event is open to all skill levels, from beginners to advanced players, and is a great opportunity to meet fellow badminton enthusiasts in a friendly and welcoming atmosphere. Our experienced coaches will be there to guide and organize matches, ensuring everyone has a chance to participate and improve their game. Refreshments will be provided, giving you the chance to relax and socialize off the court as well. Don't miss out on this fun-filled evening of badminton and camaraderie with Northeastern Club Badminton!", + "event_type":"in_person", + "start_time":"2024-05-19 17:15:00", + "end_time":"2024-05-19 21:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Competitive Sports", + "Teamwork", + "Community Building" + ] + }, + { + "id":"4454c4ba-0a98-49df-abd1-807aeab588e8", + "club_id":"4d792d24-3a98-4c9d-a4ff-866b441cf043", + "name":"Event for Northeastern Club Badminton", + "preview":"This club is holding an event.", + "description":"Join Northeastern Club Badminton for our upcoming open practice event, where players of all skill levels are invited to experience the excitement of competitive badminton in a friendly and welcoming atmosphere. Our experienced coaches will be on hand to provide guidance and tips for improvement, while fellow club members are ready to support and encourage you throughout the session. Whether you're looking to refine your technique, challenge yourself against skilled opponents, or simply have fun on the court, this event is the perfect opportunity to immerse yourself in the vibrant badminton community at Northeastern Club Badminton. Don't miss out on this chance to join a passionate group of players and take your game to the next level!", + "event_type":"in_person", + "start_time":"2026-05-09 16:00:00", + "end_time":"2026-05-09 20:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "College Athletics", + "Teamwork", + "Community Building", + "Competitive Sports" + ] + }, + { + "id":"24e04cf5-c7ee-4767-83c4-717288f128b0", + "club_id":"4d792d24-3a98-4c9d-a4ff-866b441cf043", + "name":"Event for Northeastern Club Badminton", + "preview":"This club is holding an event.", + "description":"Join Northeastern Club Badminton for a fun-filled Open House event where you can experience the excitement of badminton firsthand! Whether you're a competitive player looking to raise your game or a beginner interested in learning the ropes, our experienced coaches will be on hand to provide guidance and support. Meet our friendly team members, participate in friendly matches, and learn about our upcoming tournaments and training schedule. Don't miss this opportunity to be part of a welcoming community passionate about badminton and building lasting connections!", + "event_type":"hybrid", + "start_time":"2024-07-21 21:15:00", + "end_time":"2024-07-22 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Competitive Sports", + "College Athletics", + "Teamwork", + "Community Building" + ] + }, + { + "id":"f60a8edf-9e12-448f-950c-c563da0dda40", + "club_id":"01cdbfc4-c832-4302-9b8c-aba19ab21214", + "name":"Event for Northeastern Club Cycling", + "preview":"This club is holding an event.", + "description":"Join us this weekend for our annual Spring Cycling Expo, a fun-filled event open to all cycling enthusiasts! Whether you're a seasoned cyclist or just starting out, there's something for everyone. Enjoy a variety of activities such as group rides, bike maintenance workshops, and nutrition seminars. Connect with fellow riders, learn new skills, and discover the latest gear trends in the cycling world. Don't miss this opportunity to immerse yourself in the vibrant cycling community and make lasting memories with Northeastern Club Cycling!", + "event_type":"in_person", + "start_time":"2024-04-09 18:15:00", + "end_time":"2024-04-09 20:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Outdoor Adventure", + "Mountain Biking", + "Community" + ] + }, + { + "id":"0309659d-8691-4c29-891d-06df436b6300", + "club_id":"01cdbfc4-c832-4302-9b8c-aba19ab21214", + "name":"Event for Northeastern Club Cycling", + "preview":"This club is holding an event.", + "description":"Join Northeastern Club Cycling for our annual Mountain Biking Trail Day! This event is perfect for riders of all levels who want to explore some exciting trails, learn new skills, and connect with fellow cycling enthusiasts. Whether you're a beginner looking to improve your technique or a seasoned pro seeking a fun challenge, this event offers something for everyone. Our experienced trail guides will lead the way, providing helpful tips and encouragement along the route. Join us for a day of adventure, camaraderie, and the thrill of mountain biking in a stunning natural setting. We can't wait to ride with you!", + "event_type":"in_person", + "start_time":"2025-06-13 22:30:00", + "end_time":"2025-06-13 23:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Competitive" + ] + }, + { + "id":"9a1243f1-463d-4a13-b7e4-14b16873db51", + "club_id":"2a0e20b4-c2e3-4788-809a-179c270a5e63", + "name":"Event for Northeastern Club Field Hockey", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled day of competitive co-ed Club Field Hockey as we showcase our skills and team spirit on the field. The Northeastern Club Field Hockey Team, with a rich history of success including multiple national championship wins, invites you to experience the thrill of the game with us. Our dedicated team of about 20 players practices together throughout the Fall semester and competes in exciting weekend games, both home and away. Whether you're a seasoned player or looking to try something new, come join our dynamic team that competes with passion and camaraderie. Be part of our tradition of excellence and teamwork - it's a commitment that's truly worth it!", + "event_type":"in_person", + "start_time":"2026-05-05 13:30:00", + "end_time":"2026-05-05 16:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Travel" + ] + }, + { + "id":"6a923fd5-e1a9-498a-81d8-dd636a8e390e", + "club_id":"2a0e20b4-c2e3-4788-809a-179c270a5e63", + "name":"Event for Northeastern Club Field Hockey", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Club Field Hockey team for an exciting weekend tournament where we showcase our skills and competitive spirit. As the reigning National Champions, we are always looking for new talent to join our co-ed club with a rich history of national tournament qualifications. Our team of about 20 players welcomes individuals who are passionate about field hockey and eager to contribute to our success. Come experience our high-energy practices held 2-3 times a week in the Fall, leading up to thrilling games on Saturdays and Sundays. Whether it's a local match or a trip to Maryland or Virginia Beach, our team bonds through shared experiences and unforgettable moments on and off the field. If you're interested in being part of our winning legacy, reach out to us for more information and possibly participate in a few open practices. Get ready for an unforgettable season filled with dedication, camaraderie, and the joy of competing at the highest level. Your journey to becoming a Northeastern Club Field Hockey player starts here!", + "event_type":"hybrid", + "start_time":"2024-06-16 18:30:00", + "end_time":"2024-06-16 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Competitive", + "Community Outreach", + "Travel", + "Athletics", + "Soccer" + ] + }, + { + "id":"ced50eee-adbb-4374-96cc-80c1e072836c", + "club_id":"935edebe-8c5d-4fdf-bf40-511a56041763", + "name":"Event for Northeastern Club Softball", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled afternoon of club softball action at Carter field, where Northeastern Club Softball will be taking on UConn in an exciting double-header match-up. Cheer on our talented players as they showcase their skills and teamwork on the field. Whether you're a seasoned fan or new to the sport, everyone is welcome to come support our team and enjoy the competitive spirit of the game. Plus, don't forget to stop by our concession stand for some delicious snacks and refreshments to keep you energized throughout the games. Be a part of the Northeastern Club Softball community and experience the thrill of softball at its finest!", + "event_type":"virtual", + "start_time":"2025-11-17 16:15:00", + "end_time":"2025-11-17 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Athletics", + "Softball", + "Competition", + "Student Organization" + ] + }, + { + "id":"29a0a40a-8e3d-4962-ac29-1fe7a961deb5", + "club_id":"935edebe-8c5d-4fdf-bf40-511a56041763", + "name":"Event for Northeastern Club Softball", + "preview":"This club is holding an event.", + "description":"Join us for an exciting weekend of club softball as Northeastern Club Softball takes on UConn in a double-header showdown at Carter field. Cheer on our dedicated players as they showcase their skills and teamwork against a tough conference rival. Whether you're a seasoned fan or new to the game, our friendly atmosphere welcomes everyone to come support our team. Grab some snacks from the concessions stand and enjoy a thrilling day of softball action with Northeastern Club Softball!", + "event_type":"in_person", + "start_time":"2025-10-19 19:30:00", + "end_time":"2025-10-19 23:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Engagement", + "College Sports", + "Athletics", + "Student Organization", + "Softball", + "Competition" + ] + }, + { + "id":"195da518-a058-460c-8f1d-ced2165334bf", + "club_id":"1ce4d577-20b6-4580-abaf-6c08df81df7b", + "name":"Event for Northeastern Club Tennis", + "preview":"This club is holding an event.", + "description":"Join us for our annual Spring Mixer event at Northeastern Club Tennis! It's a fantastic opportunity to meet our team members, mingle with fellow tennis enthusiasts, and enjoy a fun-filled day on the courts. Whether you're a seasoned player looking for a challenge or a beginner eager to learn, everyone is welcome to join in the action. We'll have friendly matches, doubles tournaments, and even some snacks to keep you energized throughout the day. Don't miss out on this chance to be a part of our vibrant tennis community and see firsthand the camaraderie and passion that define Northeastern Club Tennis!", + "event_type":"in_person", + "start_time":"2024-01-05 19:15:00", + "end_time":"2024-01-05 23:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Community Outreach", + "Competitive", + "Fun", + "Tennis" + ] + }, + { + "id":"4271d277-7045-4e93-9ec5-06aba5e0829e", + "club_id":"1ce4d577-20b6-4580-abaf-6c08df81df7b", + "name":"Event for Northeastern Club Tennis", + "preview":"This club is holding an event.", + "description":"Join us for our annual Fall Mixer event at Northeastern Club Tennis! This fun and casual gathering is the perfect opportunity to meet our team members, hit around on the courts, and learn more about what our club has to offer. Whether you're a seasoned player or new to the game, all skill levels are welcome. Snacks and refreshments will be provided, so come on out and experience the camaraderie and excitement of our tennis community. Don't miss this chance to connect with fellow tennis enthusiasts and see what makes our club special. We look forward to seeing you there!", + "event_type":"in_person", + "start_time":"2026-04-22 23:15:00", + "end_time":"2026-04-23 03:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Sports", + "Tennis", + "Fun" + ] + }, + { + "id":"d1fd47bd-8645-4620-b2ce-5a8028a6e245", + "club_id":"1ce4d577-20b6-4580-abaf-6c08df81df7b", + "name":"Event for Northeastern Club Tennis", + "preview":"This club is holding an event.", + "description":"Join Northeastern Club Tennis for a fun-filled afternoon of tennis with fellow enthusiasts! Whether you're a seasoned player looking for some friendly competition or a beginner wanting to improve your skills, our event has something for everyone. Don't miss out on this opportunity to meet new friends, challenge yourself on the court, and experience the inclusive spirit of our club. Mark your calendars and come join us for a memorable day of tennis and camaraderie!", + "event_type":"hybrid", + "start_time":"2024-09-02 17:00:00", + "end_time":"2024-09-02 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Competitive" + ] + }, + { + "id":"1718ad61-1fe6-42aa-8e64-d713fff370af", + "club_id":"69d62aed-50f0-49bd-8a3c-f757554768ee", + "name":"Event for Northeastern DIY Craft Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern DIY Craft Club for an enchanting afternoon of creativity and crafting! Our event will showcase a variety of hands-on craft activities where you can learn to make beautiful wearables, useful items, and decorative pieces. Our friendly and knowledgeable club members will be on hand to guide you through each step of the crafting process. Whether you're a seasoned crafter or just starting out, this event is the perfect opportunity to unleash your artistic talents in a warm and inviting environment. Don't miss the chance to explore our collection of unique crafts, connect with fellow creatives, and immerse yourself in the world of DIY crafting!", + "event_type":"in_person", + "start_time":"2024-03-03 14:00:00", + "end_time":"2024-03-03 15:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "LGBTQ", + "Creative Writing" + ] + }, + { + "id":"4164ac9c-4d4d-4adc-ac22-d74facbdcd1b", + "club_id":"69d62aed-50f0-49bd-8a3c-f757554768ee", + "name":"Event for Northeastern DIY Craft Club", + "preview":"This club is holding an event.", + "description":"Come join the Northeastern DIY Craft Club at our upcoming 'Crafts & Chai' event! Immerse yourself in a cozy atmosphere filled with creativity as we showcase an array of handcrafted wearables, useful trinkets, and beautiful decorations. Enjoy a warm cup of chai while engaging with fellow students and discovering new craft techniques. Our club members will be on hand to guide you through DIY activities and gather suggestions for future projects. Don't miss this opportunity to be part of our vibrant community and support local artisans!", + "event_type":"in_person", + "start_time":"2024-11-25 17:00:00", + "end_time":"2024-11-25 21:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Creative Writing", + "Community Outreach", + "Visual Arts", + "Volunteerism" + ] + }, + { + "id":"39047bb4-e8b1-4bcd-bc55-eb9e54c61e9b", + "club_id":"94dc11f3-d629-46f3-a040-68d9be2b7580", + "name":"Event for Northeastern Entertainment System", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Entertainment System for our special game night event this Friday! Get ready to immerse yourself in a night of friendly competition and camaraderie as we play a mix of casual multiplayer favorites and member's choice games. Our welcoming community is excited to welcome newcomers and seasoned players alike, so don't be shy to jump in and join the fun. Whether you're a hardcore gamer or just looking for a laid-back evening, this event is the perfect opportunity to unwind and connect with fellow gaming enthusiasts. Remember to bring your joy and energy as we create unforgettable memories together. See you there!", + "event_type":"hybrid", + "start_time":"2024-07-22 21:15:00", + "end_time":"2024-07-23 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Visual Arts" + ] + }, + { + "id":"4c11888d-5bad-406c-b66c-fe3db6ab2881", + "club_id":"94dc11f3-d629-46f3-a040-68d9be2b7580", + "name":"Event for Northeastern Entertainment System", + "preview":"This club is holding an event.", + "description":"Come join Northeastern Entertainment System for our next event, where we'll be diving into some nostalgic retro gaming fun! Bring your favorite multiplayer games and get ready to challenge fellow members in a night of laughter and friendly competition. Whether you're a seasoned gamer or just looking to unwind after a long day, this event is the perfect opportunity to connect with like-minded individuals and make new friends. Don't forget to grab your snacks and drinks, and get ready for an evening of fun, laughter, and gaming camaraderie. See you there!", + "event_type":"in_person", + "start_time":"2025-01-01 20:15:00", + "end_time":"2025-01-02 00:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Visual Arts" + ] + }, + { + "id":"60bba326-c779-48ee-9d02-076e1d2194d1", + "club_id":"2b880a95-1bb0-4d14-9c66-5c612e8b28aa", + "name":"Event for Northeastern Game Development Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Game Development Club for an exciting 'Game Design Showcase' event this weekend! Discover the latest trends in game development as our talented members showcase their most innovative projects. Whether you're a coding whiz, a graphic design guru, or simply a gaming enthusiast, this event is the perfect opportunity to immerse yourself in a world of creativity and collaboration. Don't miss out on the chance to network with like-minded individuals, gain valuable insights, and maybe even find your next passion project. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2025-07-06 21:00:00", + "end_time":"2025-07-06 22:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Software Engineering" + ] + }, + { + "id":"9987daf3-7345-45fe-a96b-f2690f445c33", + "club_id":"8b08f333-df3a-4ea0-96c5-41268f2c9621", + "name":"Event for Northeastern Lady Maddogs", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Lady Maddogs for a fun-filled day of rugby! Whether you're a seasoned player or brand new to the sport, our friendly and supportive team is excited to welcome all skill levels. Come meet us at Parsons Field on Saturday afternoon to learn the basics of the game, make new friends, and enjoy some healthy competition. Don't miss this fantastic opportunity to be a part of our inclusive and dynamic club. Contact Milia Chamas at NortheasternWomensRugby@gmail.com for more details and to reserve your spot. No experience necessary - just bring your positive attitude and enthusiasm!", + "event_type":"virtual", + "start_time":"2024-08-07 12:15:00", + "end_time":"2024-08-07 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Women's Sports", + "Community Outreach", + "Rugby" + ] + }, + { + "id":"e2dcd60d-5fbd-45c9-930e-a77fa1259597", + "club_id":"6cf89031-f180-4cce-b1ec-7672758eebbc", + "name":"Event for Northeastern Men's Club Ice Hockey", + "preview":"This club is holding an event.", + "description":"Join us for a thrilling exhibition game as the Northeastern Men's Club Ice Hockey team showcases their skills and teamwork on the ice! Experience the excitement of college club hockey and cheer on our talented players as they compete with passion and sportsmanship. Whether you're a seasoned hockey fan or new to the sport, our games are always filled with high-energy moments and enthusiastic fans. Don't miss this opportunity to support our dedicated athletes and be a part of the #HowlinHuskies community!", + "event_type":"in_person", + "start_time":"2024-06-09 22:15:00", + "end_time":"2024-06-10 02:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Athletics" + ] + }, + { + "id":"983372db-96df-4c2d-8034-60d18e6ce504", + "club_id":"a056bdea-8f6a-4ca4-9658-53a05478cae0", + "name":"Event for Northeastern Men's Club Volleyball", + "preview":"This club is holding an event.", + "description":"Join us for our annual Fall Invitational Tournament where teams from across the region gather to showcase their skills and passion for volleyball! Hosted by the Northeastern Men's Club Volleyball, this event promises a day filled with thrilling matches, camaraderie, and fun. Whether you're a seasoned player looking for a competitive challenge or a newcomer eager to experience the excitement of tournament play, this is the perfect opportunity to be part of our vibrant volleyball community. Come cheer on your favorite teams, make new friends, and celebrate the sport we all love. Don't miss out on this unforgettable day of teamwork, sportsmanship, and unforgettable memories!", + "event_type":"in_person", + "start_time":"2026-11-16 22:30:00", + "end_time":"2026-11-16 23:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Competitive Sports", + "Community Outreach", + "Soccer" + ] + }, + { + "id":"726db31e-9eaa-4cd5-b734-b5dcba7208db", + "club_id":"a056bdea-8f6a-4ca4-9658-53a05478cae0", + "name":"Event for Northeastern Men's Club Volleyball", + "preview":"This club is holding an event.", + "description":"Join Northeastern Men's Club Volleyball for our annual Fall Classic Tournament! This exciting event brings together teams from across the region for a weekend of intense competition and camaraderie. Whether you're a seasoned player looking to showcase your skills or a newcomer eager to experience the thrill of competitive volleyball, our tournament offers an inclusive and welcoming environment for all. With a focus on teamwork, sportsmanship, and passion for the game, participants can expect a fun-filled and spirited atmosphere on the courts. Come spike, dive, and block your way to victory while forming lasting friendships and memories that will keep you coming back year after year. Don't miss out on this opportunity to be a part of the action and excitement \u2013 join us at the Fall Classic Tournament and show off your love for the game!", + "event_type":"virtual", + "start_time":"2026-06-24 15:30:00", + "end_time":"2026-06-24 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Soccer" + ] + }, + { + "id":"f5652ca7-c6f7-4a67-a0dc-65562754fa97", + "club_id":"a056bdea-8f6a-4ca4-9658-53a05478cae0", + "name":"Event for Northeastern Men's Club Volleyball", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Men's Club Volleyball for our upcoming Fall Tournament Showcase! Immerse yourself in the thrill of competitive volleyball as teams from the New England Collegiate Volleyball League (NECVL) and National Collegiate Volleyball Federation (NCVF) come together to showcase their skills and sportsmanship. Whether you're a seasoned player looking to test your abilities or a newcomer eager to dive into the game, this event promises a day filled with spikes, digs, and serves that will leave you inspired and motivated. Make new friends, cheer on your teammates, and experience the joy of teamwork as we set the court on fire with passion and camaraderie. Don't miss out on this opportunity to be part of a vibrant community that celebrates the love for volleyball and the drive for success both on and off the court!", + "event_type":"hybrid", + "start_time":"2026-02-12 19:15:00", + "end_time":"2026-02-12 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Competitive Sports", + "Soccer", + "Teamwork" + ] + }, + { + "id":"b885145a-bffc-43ab-94c1-636c6c1293f0", + "club_id":"b211bb59-b22f-4ae9-9496-8d4d83b21d3b", + "name":"Event for Northeastern Mens Lacrosse", + "preview":"This club is holding an event.", + "description":"Join Northeastern Men's Lacrosse for an exciting Fall Ball Invitational event where lacrosse teams from across the region will come together to showcase their skills and compete in friendly matches. Whether you're a seasoned player or new to the sport, this event is the perfect opportunity to immerse yourself in the spirit of lacrosse and connect with our passionate team members. Expect a day filled with competitive games, team camaraderie, and a chance to witness firsthand the dedication and talent that define our program. Come cheer on the players, mingle with fellow lacrosse enthusiasts, and experience the welcoming and supportive community that Northeastern Men's Lacrosse is proud to cultivate.", + "event_type":"virtual", + "start_time":"2026-11-27 22:15:00", + "end_time":"2026-11-28 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Diversity of Experiences", + "Lacrosse", + "National Championship" + ] + }, + { + "id":"b3066148-90dc-44ef-8961-8a6d4d4afa4c", + "club_id":"24a83830-b115-41bc-a939-3c8d297dcf53", + "name":"Event for Northeastern Powerlifting", + "preview":"This club is holding an event.", + "description":"Join us at Northeastern Powerlifting for our annual Fall Tryouts event! This is a fantastic opportunity for aspiring powerlifters to showcase their strength, determination, and willingness to learn. Whether you're a seasoned lifter or new to the sport, we welcome all levels of experience to come and be a part of our supportive and competitive environment. Our team is built on camaraderie, growth, and a shared passion for powerlifting. Come meet our coaches, connect with fellow teammates, and see if you have what it takes to join our dynamic community of lifters. Remember, it's not just about being the strongest, it's about being dedicated, open to learning, and ready to embrace the challenge. We can't wait to meet you at our tryouts and welcome you to the Northeastern Powerlifting family!", + "event_type":"hybrid", + "start_time":"2026-12-10 19:15:00", + "end_time":"2026-12-10 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Competitive Sports", + "Positive Environment", + "Community" + ] + }, + { + "id":"2f326ac3-59d7-4cbc-8a42-8e0f2039cb8f", + "club_id":"24a83830-b115-41bc-a939-3c8d297dcf53", + "name":"Event for Northeastern Powerlifting", + "preview":"This club is holding an event.", + "description":"Join us for our annual Fall Semester Kickoff Event at Northeastern Powerlifting! This event is open to all students interested in testing their strength, meeting our coaches and teammates, and learning more about the exciting world of powerlifting. Whether you're a seasoned lifter or completely new to the sport, we welcome you to come by, ask questions, and see if our team is the right fit for you. Expect a fun and interactive session where you can get a taste of what it's like to be a part of the NUPL community. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2025-04-03 17:15:00", + "end_time":"2025-04-03 19:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Positive Environment", + "Strength Training", + "Community", + "Athletics" + ] + }, + { + "id":"c8ec36df-b9b6-42dc-aa84-a09a3714acc0", + "club_id":"24a83830-b115-41bc-a939-3c8d297dcf53", + "name":"Event for Northeastern Powerlifting", + "preview":"This club is holding an event.", + "description":"Join Northeastern Powerlifting for our annual Raw Powerlifting Competition! This event is open to all levels of lifters, from beginners to seasoned competitors. Whether you're looking to test your strength, support your teammates, or just experience the excitement of a powerlifting meet, we welcome you with open arms. Our supportive community will cheer you on every step of the way as you push yourself to new personal bests. Don't miss this opportunity to be part of a vibrant powerlifting culture where camaraderie, growth, and fun are always at the forefront. Mark your calendars and get ready to showcase your strength and determination in a friendly and inclusive environment!", + "event_type":"in_person", + "start_time":"2026-08-16 14:30:00", + "end_time":"2026-08-16 17:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Strength Training", + "Competitive Sports" + ] + }, + { + "id":"88321f3b-f960-4323-bddb-6a566b12a228", + "club_id":"e57dec0d-cfc7-4dac-9df2-ce37dc49bd73", + "name":"Event for Northeastern Recreational Climbing Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Recreational Climbing Club for our monthly meeting on campus! We'll gather to discuss all things climbing, watch inspirational climbing movies, and plan exciting outdoor climbing trips together. Whether you're a newbie looking to learn the ropes or a seasoned climber eager to connect with fellow enthusiasts, this is the perfect opportunity to immerse yourself in our welcoming community. Our friendly training coordinator and e-board members will be on hand to offer tips and support for improving your climbing skills. Plus, as a club member, you'll have access to safety gear for borrowing, discounts at local gyms, and special deals with select online retailers. Come be a part of our thriving climbing family! For more information, email us at nurecclimbing@gmail.com, join our Slack group, or follow us on Instagram @nurecclimbing. Let's climb on together!", + "event_type":"in_person", + "start_time":"2024-05-08 17:30:00", + "end_time":"2024-05-08 19:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Climbing", + "Community Building", + "Student Organization", + "Fitness" + ] + }, + { + "id":"44cf1872-ec1e-48ff-bdba-9f696bb3a20f", + "club_id":"cb4ceb15-18ba-41b6-9b1b-4e519b4bbf3c", + "name":"Event for Northeastern Shakespeare Society", + "preview":"This club is holding an event.", + "description":"Join the Northeastern Shakespeare Society for a captivating evening under the stars as we bring to life the classic tragedy of Hamlet. Our talented student performers will transport you to the world of Denmark with their riveting portrayal of love, betrayal, and revenge. This outdoor production promises an immersive experience for Shakespeare enthusiasts and newcomers alike. Grab a blanket, gather your friends, and enjoy this free performance that is sure to leave you in awe!", + "event_type":"in_person", + "start_time":"2024-08-01 13:15:00", + "end_time":"2024-08-01 17:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Performing Arts", + "Creative Writing" + ] + }, + { + "id":"bc97601f-c692-446e-ae3e-d8477fcadece", + "club_id":"cb4ceb15-18ba-41b6-9b1b-4e519b4bbf3c", + "name":"Event for Northeastern Shakespeare Society", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening filled with the timeless magic of Shakespeare's works! The Northeastern Shakespeare Society presents a special performance of 'A Midsummer Night's Dream' under the starlit sky at our outdoor amphitheater. Immerse yourself in the whimsical world of lovers, fairies, and mischievous antics as our talented student actors bring this beloved comedy to life. This event is open to all members of the Northeastern community and the general public, so grab a blanket, some snacks, and come experience the joy of classical theatre with us!", + "event_type":"in_person", + "start_time":"2025-06-07 22:00:00", + "end_time":"2025-06-07 23:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Visual Arts", + "Performing Arts" + ] + }, + { + "id":"6abba506-b94b-4c8f-abf0-b1e3b5be0963", + "club_id":"cb4ceb15-18ba-41b6-9b1b-4e519b4bbf3c", + "name":"Event for Northeastern Shakespeare Society", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening with the Northeastern Shakespeare Society as we bring one of Shakespeare's timeless classics to life on stage. Immerse yourself in the world of drama and poetry, as our talented cast transports you back to the Elizabethan era with their captivating performances. Whether you're a seasoned Shakespeare enthusiast or a newcomer to his works, our free production promises to be a night to remember, filled with passion, wit, and the magic of live theatre. Don't miss this opportunity to experience the beauty of Shakespeare's words in a welcoming and inclusive atmosphere. See you there!", + "event_type":"virtual", + "start_time":"2026-06-25 13:15:00", + "end_time":"2026-06-25 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Creative Writing" + ] + }, + { + "id":"2523fa04-4f57-4bbe-83a0-04f170c243ef", + "club_id":"a95be5a5-5205-44f2-bb66-a839dd3cca80", + "name":"Event for Northeastern Table Tennis Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Table Tennis Open House event at Northeastern Table Tennis Club! Whether you're a seasoned player looking to enhance your skills or a beginner eager to learn, this event is perfect for anyone interested in the fast-paced world of table tennis. Meet our talented players, try out our top-notch equipment, and learn more about our competitive teams and welcoming community. Don't miss this opportunity to experience the thrill of table tennis and see why we're the leading club in the Upper New England Division. See you there!", + "event_type":"in_person", + "start_time":"2024-09-06 22:00:00", + "end_time":"2024-09-07 00:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Sports", + "Fun", + "Collegiate Athletics", + "Social" + ] + }, + { + "id":"77772956-7bcf-432e-b2a5-19656b263b88", + "club_id":"a95be5a5-5205-44f2-bb66-a839dd3cca80", + "name":"Event for Northeastern Table Tennis Club", + "preview":"This club is holding an event.", + "description":"Join us at the Northeastern Table Tennis Club for our annual Fall Tryouts event! Whether you're a seasoned player looking to compete at the highest level or a novice just starting out, we welcome players of all levels to come and showcase their skills. Our experienced coaches will be on hand to evaluate players and form our Coed A, Coed B, and Women\u2019s teams for the upcoming season. This is a great opportunity to meet fellow players, improve your game, and potentially represent our club at divisionals, regionals, and even national championships. Don't miss out on the chance to be part of our vibrant table tennis community - sign up for tryouts and take your game to the next level!", + "event_type":"in_person", + "start_time":"2024-03-21 12:00:00", + "end_time":"2024-03-21 14:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Fun" + ] + }, + { + "id":"c1a4f2ce-358b-4c88-9ca1-660b2b10e661", + "club_id":"a95be5a5-5205-44f2-bb66-a839dd3cca80", + "name":"Event for Northeastern Table Tennis Club", + "preview":"This club is holding an event.", + "description":"Join us at the Northeastern Table Tennis Club's Fall Open House event where you can meet our friendly members, learn about our competitive teams, and participate in fun matches regardless of your skill level! Whether you're a seasoned player looking to compete or a beginner interested in trying out a new sport, this event is the perfect opportunity to experience the excitement of table tennis. Our experienced coaches will be on hand to provide tips and guidance, and you'll have the chance to sign up for tryouts to join our renowned Coed A, Coed B, and Women's teams. Don't miss this chance to be a part of our dynamic and inclusive club community - we can't wait to welcome you with open arms!", + "event_type":"hybrid", + "start_time":"2026-06-23 13:30:00", + "end_time":"2026-06-23 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community" + ] + }, + { + "id":"44da0f9a-edd9-44fa-bfbe-890064e3cbc4", + "club_id":"d870af96-5fb2-4244-b204-87fd16da0f1d", + "name":"Event for Northeastern Tabletop Roleplaying Society", + "preview":"This club is holding an event.", + "description":"Join us this Thursday for a thrilling one-shot adventure in the world of Dungeons & Dragons! Our experienced Dungeon Master will guide you through an exciting quest, whether you're a seasoned player or a complete newbie. Don't worry if you're new, our friendly community is here to help you create and develop your character, familiarize yourself with the rules, and immerse yourself in a magical journey. Be sure to hop on our Discord server to get all the details and connect with fellow adventurers. Looking forward to rolling the dice with you!", + "event_type":"hybrid", + "start_time":"2024-10-12 16:15:00", + "end_time":"2024-10-12 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Community Outreach", + "Performing Arts", + "Creative Writing" + ] + }, + { + "id":"373d529d-201b-4ccf-8cfc-4a2aca7b0a0d", + "club_id":"67ff6ca3-7d68-4272-b876-ad94b09c261a", + "name":"Event for Northeastern Television", + "preview":"This club is holding an event.", + "description":"Join Northeastern Television (NUTV) for an exciting hands-on film production workshop! Dive into the world of campus news, sports, and entertainment programming with NUTV's talented team. Whether you're drawn to reporting for the News department, interviewing athletes for the Sports department, or creating comedy sketches and drama short films with the Entertainment department, NUTV provides the resources and expertise to help you bring your creative visions to life! No experience? No problem! Come to our weekly meetings - News on Tuesdays at 6pm EDT in Cargill 097, Entertainment on Tuesdays at 7pm EDT in Cargill Hall 097, and Sports on Mondays at 7:00pm EDT in Richards Hall 243. Sign up for our mailing list or drop by to learn more about us and get involved in the exciting world of media production!", + "event_type":"virtual", + "start_time":"2025-05-24 12:00:00", + "end_time":"2025-05-24 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Entertainment", + "Broadcasting" + ] + }, + { + "id":"5b7ba41d-c86c-497e-a936-f8421b730350", + "club_id":"67ff6ca3-7d68-4272-b876-ad94b09c261a", + "name":"Event for Northeastern Television", + "preview":"This club is holding an event.", + "description":"Join Northeastern Television (NUTV) for an exciting Movie Night event at our cozy studio space! Grab some popcorn, get comfy, and enjoy a night of watching our latest campus news segments, hilarious comedy sketches, thrilling sports highlights, and captivating drama short films on our big screen. Meet fellow students passionate about film production, share your thoughts, and connect with like-minded creators in a fun and laid-back atmosphere. Whether you're a seasoned filmmaker or a newcomer eager to learn, this event is a fantastic way to immerse yourself in the creative world of NUTV. Mark your calendars and don't miss out on this entertaining experience! See you there!", + "event_type":"virtual", + "start_time":"2024-05-23 14:30:00", + "end_time":"2024-05-23 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Entertainment", + "Film", + "Journalism", + "Broadcasting", + "Student-Run" + ] + }, + { + "id":"a3c6824d-bf4e-4520-818b-922ec1252d48", + "club_id":"282d7ded-4b21-4972-8a7e-f008771749bf", + "name":"Event for Northeastern University Alpine Ski Team", + "preview":"This club is holding an event.", + "description":"Come join the Northeastern University Alpine Ski Team for a thrilling day on the slopes at our annual Alumni Winter Classic event! Whether you're a seasoned racer or a beginner looking to hit the gates for the first time, this fun-filled competition is the perfect opportunity to showcase your skills and connect with fellow Huskies. With plenty of exciting slalom and giant slalom races, camaraderie, and hot cocoa breaks, this event promises a mix of friendly competition and snowy camaraderie that embodies the spirit of our tight-knit ski team family. Get ready to carve some turns, make lasting memories, and experience the adrenaline rush that only alpine skiing can offer. See you at the starting line!", + "event_type":"virtual", + "start_time":"2024-11-09 17:15:00", + "end_time":"2024-11-09 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Sports" + ] + }, + { + "id":"f9128820-a112-4126-83b8-c10cf6c4e6eb", + "club_id":"282d7ded-4b21-4972-8a7e-f008771749bf", + "name":"Event for Northeastern University Alpine Ski Team", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Alpine Ski Team for an exciting day on the slopes! Our club is dedicated to fostering a passion for alpine skiing among students at Northeastern University. Whether you're a seasoned racer or a beginner looking to improve your skills, our inclusive and supportive team welcomes all levels of experience. Come carve some turns with us and experience the thrill of competitive skiing in a fun and spirited environment. Don't miss out on the camaraderie and excitement that awaits you on the snow-covered mountains with the Huskies!", + "event_type":"in_person", + "start_time":"2025-06-06 23:15:00", + "end_time":"2025-06-07 03:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Skiing" + ] + }, + { + "id":"b4c2182e-86af-46d2-9b5d-5746cf0e4428", + "club_id":"282d7ded-4b21-4972-8a7e-f008771749bf", + "name":"Event for Northeastern University Alpine Ski Team", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Alpine Ski Team for an exciting Giant Slalom race at our home mountain! Whether you're a seasoned racer or hitting the slopes for the first time, our friendly team welcomes skiers of all levels. Experience the thrill of carving through the gates and feeling the rush of the wind as you glide down the mountain. Our supportive coaching staff will be on hand to provide helpful tips and guidance to help you improve your skills. Come embrace the spirit of competition and camaraderie with us as we take on the slopes together. See you at the start gate!", + "event_type":"virtual", + "start_time":"2025-04-26 21:30:00", + "end_time":"2025-04-26 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Skiing", + "Sports", + "Community Outreach" + ] + }, + { + "id":"e281db21-3a56-4f1b-bb72-0f8b2530b1c4", + "club_id":"4c3c734b-5a60-450b-8297-1cf680a2230c", + "name":"Event for Northeastern University American Medical Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a special workshop on 'Navigating the Pre-Med Path at Northeastern' hosted by the Northeastern University American Medical Student Association (NEU AMSA)! During this interactive session, you'll learn tips and tricks from experienced upperclassman pre-med mentors on how to excel in your pre-med journey at Northeastern. Whether you're a 1st year seeking guidance or a 5th year looking for personalized advice, this event is designed to empower all pre-med students. Don't miss this opportunity to connect with like-minded peers, gain valuable insights, and take the next step towards realizing your medical career goals. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2025-10-25 20:00:00", + "end_time":"2025-10-25 21:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Mentorship" + ] + }, + { + "id":"1f29ee7c-b703-49dc-a743-d247b6221578", + "club_id":"42fe2ae7-e7e2-4b1b-a77c-747345d93280", + "name":"Event for Northeastern University American Medical Women's Association", + "preview":"This club is holding an event.", + "description":"Join us for an engaging panel discussion on 'Breaking the Glass Ceiling in Medicine', where we will hear from accomplished female physicians who have shattered barriers in their fields. This event aims to inspire future generations of women in medicine by sharing personal experiences, offering career advice, and fostering a supportive network within the Northeastern University American Medical Women's Association community. Whether you're a medical student, resident, or practicing physician, this event is a wonderful opportunity to connect, learn, and be empowered in your journey towards gender equality and excellence in healthcare.", + "event_type":"virtual", + "start_time":"2026-07-08 15:30:00", + "end_time":"2026-07-08 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Mentoring", + "Premed", + "Women in Medicine" + ] + }, + { + "id":"acf9e8cd-9b25-4276-b49a-14adf918f431", + "club_id":"e6f03d07-7bc3-4bad-adde-c7b586df8678", + "name":"Event for Northeastern University Animation Club", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"hybrid", + "start_time":"2024-08-26 23:30:00", + "end_time":"2024-08-27 03:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Performing Arts", + "Visual Arts" + ] + }, + { + "id":"d3efabcc-19c3-4174-9c40-fbc5387d3a54", + "club_id":"e6f03d07-7bc3-4bad-adde-c7b586df8678", + "name":"Event for Northeastern University Animation Club", + "preview":"This club is holding an event.", + "description":"Join us for a fun and interactive Animation Workshop hosted by the Northeastern University Animation Club! Whether you're a seasoned animator or just curious about the world of digital art, this event is open to all students looking to dive into the exciting realm of animation. Our skilled instructors will guide you through hands-on activities and exercises covering various techniques such as traditional, 2D, and 3D animation. Get ready to unleash your creativity and discover the magic of bringing your ideas to life on screen. Don't miss this opportunity to learn, create, and connect with fellow animation enthusiasts!", + "event_type":"hybrid", + "start_time":"2026-04-18 20:15:00", + "end_time":"2026-04-19 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"0dbdf9ba-7979-4805-a6ef-62daa0108be5", + "club_id":"e6f03d07-7bc3-4bad-adde-c7b586df8678", + "name":"Event for Northeastern University Animation Club", + "preview":"This club is holding an event.", + "description":"Join us at Northeastern University Animation Club's upcoming event where we will be exploring the fascinating world of 2D animation techniques! Whether you're a seasoned digital artist or just starting out, this hands-on workshop is perfect for anyone eager to unleash their creativity. Our experienced instructors will guide you through the process of creating your very own animated sequence, from storyboarding to final rendering. Come and immerse yourself in a supportive and inspiring environment where you can learn, practice, and connect with fellow animation enthusiasts. Don't miss out on this exciting opportunity to dive into the art of animation with us!", + "event_type":"hybrid", + "start_time":"2024-12-14 17:30:00", + "end_time":"2024-12-14 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Performing Arts", + "Visual Arts" + ] + }, + { + "id":"42d0d72d-3e07-4662-bc89-e981503e48a8", + "club_id":"404733fb-9f55-42f3-9b1d-8103dd91b939", + "name":"Event for Northeastern University Association of Gaming Enthusiasts", + "preview":"This club is holding an event.", + "description":"Join us this Friday at NUAGE for a special Casual Game Night event! Bring your friends along and dive into our extensive collection of 200+ board games. Whether you're a seasoned gaming pro or a total newbie, there's something for everyone to enjoy. Our friendly club members will be there to guide you through the rules and strategies of each game, ensuring a fun and inclusive experience for all. Don't miss out on the chance to meet new people, learn new games, and have a blast with Northeastern's official tabletop gaming club, NUAGE!", + "event_type":"virtual", + "start_time":"2026-11-25 20:15:00", + "end_time":"2026-11-25 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "Board Games", + "Community Outreach" + ] + }, + { + "id":"feadb4ee-fff0-45c3-aaba-b49b924d1f36", + "club_id":"404733fb-9f55-42f3-9b1d-8103dd91b939", + "name":"Event for Northeastern University Association of Gaming Enthusiasts", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Association of Gaming Enthusiasts (NUAGE) this Saturday night for a fun-filled Casual Game Night at 201 Forsyth starting at 7PM! Whether you're a seasoned gamer or new to the world of tabletop games, our club has a diverse collection of over 200 board games for everyone to enjoy. Meet fellow gaming enthusiasts, make new friends, and immerse yourself in the excitement of our vibrant gaming community. Don't worry if you're unfamiliar with the games - our friendly members are always ready to teach and share their passion for gaming. Come experience the inclusive and welcoming atmosphere of NUAGE, where fun and camaraderie await. Be sure to check out our community Discord (https://discord.gg/GFWxYDS) and follow us on Instagram (@gamingnu) for updates on upcoming events and activities. We can't wait to game with you!", + "event_type":"virtual", + "start_time":"2026-06-04 22:30:00", + "end_time":"2026-06-05 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Board Games", + "Community Outreach" + ] + }, + { + "id":"7b72cb0c-dd1c-4ea9-8baf-476d3b397a47", + "club_id":"4f53d476-1e2a-416d-8510-670571018cff", + "name":"Event for Northeastern University Association of Public Policy Students", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Association of Public Policy Students for an engaging panel discussion on 'Navigating Careers in Public Policy'. Our esteemed guest speakers will share insights and experiences in the field, offering valuable guidance to students looking to kickstart their careers. This event is a wonderful opportunity to network with like-minded individuals, gain practical advice, and build connections that could shape your future. Whether you're a seasoned professional or just starting out, this event welcomes all to join in the conversation and explore the endless possibilities that await in the world of public policy.", + "event_type":"virtual", + "start_time":"2024-04-11 20:30:00", + "end_time":"2024-04-11 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "PublicRelations", + "Career Development", + "Public Policy", + "Networking", + "Community Outreach" + ] + }, + { + "id":"3761b46e-93db-4efb-baf1-1234635136c6", + "club_id":"4f53d476-1e2a-416d-8510-670571018cff", + "name":"Event for Northeastern University Association of Public Policy Students", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Association of Public Policy Students for an engaging discussion event on the pressing policy issues shaping our world today. Connect with fellow graduate students from various backgrounds in a welcoming and inclusive environment where diverse perspectives are celebrated. This event is designed to foster collaboration, spark innovative ideas, and empower students to make a meaningful impact in the policy field. Whether you're a seasoned policy enthusiast or just starting out, this event offers a unique opportunity to network, learn, and grow professionally with the support of NAPPS's experienced members and resources.", + "event_type":"in_person", + "start_time":"2026-09-03 15:30:00", + "end_time":"2026-09-03 17:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "PublicRelations" + ] + }, + { + "id":"682a3693-c3a5-4c00-bed3-0e3302fb5a06", + "club_id":"6f849356-bfe1-4d20-84ae-c6111dd63779", + "name":"Event for Northeastern University Chapter of the New England Water Environment Association", + "preview":"This club is holding an event.", + "description":"Come join the Northeastern University Chapter of the New England Water Environment Association for our upcoming event! At this gathering, we'll dive into the latest advancements in water and environmental projects while connecting with like-minded individuals in our community. Our welcoming atmosphere and enriching lectures make this a fantastic opportunity to expand your knowledge and network. Join us every other Thursday at 6:30pm to be a part of this engaging experience!", + "event_type":"in_person", + "start_time":"2024-08-28 19:30:00", + "end_time":"2024-08-28 23:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Environmental Advocacy", + "Environmental Science", + "Engineering" + ] + }, + { + "id":"3676da51-f051-4aea-9773-584263764b9d", + "club_id":"6f849356-bfe1-4d20-84ae-c6111dd63779", + "name":"Event for Northeastern University Chapter of the New England Water Environment Association", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Chapter of the New England Water Environment Association for an exciting event this Thursday at 6:30pm! Our dedicated organization brings together students and professionals passionate about water and the environment. Discover the latest local projects and cutting-edge technologies in an engaging lecture that promises to enlighten and inspire. Don't miss this opportunity to connect with like-minded individuals and expand your knowledge in this vital field!", + "event_type":"in_person", + "start_time":"2026-11-23 13:30:00", + "end_time":"2026-11-23 17:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Environmental Science" + ] + }, + { + "id":"c3d97fd9-5f7b-424e-941b-090a06799fd1", + "club_id":"c6169646-3ffb-4fd0-a286-67bd2d172b50", + "name":"Event for Northeastern University Chess Club", + "preview":"This club is holding an event.", + "description":"Join us for our next exciting chess meetup at Northeastern University Chess Club! Whether you're a seasoned player looking to sharpen your skills or a beginner eager to learn the ropes, everyone is welcome to join in the fun. Our upcoming event will feature a mix of friendly matches and informative workshops, designed to cater to chess enthusiasts of all levels. Don't miss out on this great opportunity to improve your game and connect with fellow chess aficionados. See you there!", + "event_type":"hybrid", + "start_time":"2026-08-26 18:30:00", + "end_time":"2026-08-26 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"454b41ef-a4ad-46cc-bbba-3f499a0a3983", + "club_id":"c6169646-3ffb-4fd0-a286-67bd2d172b50", + "name":"Event for Northeastern University Chess Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Chess Club tournament where you can showcase your strategic skills while having a blast with fellow chess enthusiasts! Whether you're a beginner learning the ropes or a seasoned player seeking a challenge, our tournament provides a friendly and welcoming environment for all. Come test your tactical prowess and enjoy a fun-filled evening of chess at Northeastern University Chess Club!", + "event_type":"in_person", + "start_time":"2026-05-08 23:00:00", + "end_time":"2026-05-09 02:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"208c33e6-660e-4b4a-8702-49be1e04f192", + "club_id":"f786f371-e042-442c-90be-3d41c4f47c82", + "name":"Event for Northeastern University Choral Society", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Choral Society for our annual holiday concert, spread joy and music with fellow Huskies! All voice types and experience levels are welcome to participate in this festive celebration of choral music. Come witness the magic as we perform a diverse repertoire of classic carols and contemporary arrangements that will surely warm your heart. Don't miss this opportunity to be a part of our musical family and make treasured memories this holiday season. Visit our website at nuchorus.org for more details on how to get involved and share the gift of music with the Northeastern community.", + "event_type":"hybrid", + "start_time":"2026-07-02 19:30:00", + "end_time":"2026-07-02 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Performing Arts", + "Music" + ] + }, + { + "id":"1e339f76-1d5e-491f-9166-e868fcf82265", + "club_id":"f786f371-e042-442c-90be-3d41c4f47c82", + "name":"Event for Northeastern University Choral Society", + "preview":"This club is holding an event.", + "description":"Join us for our Welcome Back Singalong event, where members of the Northeastern University Choral Society gather to kick off the semester with joyful tunes and harmonious melodies. Whether you're a seasoned singer or just love to belt out your favorite songs in the shower, this is the perfect opportunity to meet new friends who share your passion for music. Don't worry if you're nervous - our friendly choir members and talented music director will make sure you feel right at home. Bring your enthusiasm and a smile, and get ready to create beautiful music together!", + "event_type":"virtual", + "start_time":"2025-02-05 16:15:00", + "end_time":"2025-02-05 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Music", + "Performing Arts" + ] + }, + { + "id":"2193f260-1958-489f-b2c3-0e78eeda8687", + "club_id":"f786f371-e042-442c-90be-3d41c4f47c82", + "name":"Event for Northeastern University Choral Society", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Choral Society for our upcoming Sing-A-Thon event! This fun and interactive occasion is open to all Northeastern students, faculty, and staff who have a passion for singing. Whether you are a seasoned singer or just love to belt out your favorite tunes, this is the perfect opportunity to come together and make music with friends. Stay tuned for more details on how you can participate and showcase your vocal talents to the NU Choral Society community. Visit our website at nuchorus.org to stay updated on this event and other exciting choir activities!", + "event_type":"in_person", + "start_time":"2025-02-23 15:15:00", + "end_time":"2025-02-23 16:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Music" + ] + }, + { + "id":"349ecdfd-5ac5-42a1-99c3-3473d0a5f3e9", + "club_id":"50db56c6-10ef-422a-af9a-073274c31bb1", + "name":"Event for Northeastern University Club Fencing Team ", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Club Fencing Team for a fun-filled evening of foil and epee duels at our upcoming Open House event! Whether you're a seasoned fencer or new to the sport, our welcoming and inclusive environment provides the perfect opportunity to hone your skills and connect with fellow fencing enthusiasts. Learn about our competitive club sports team, affiliated with prestigious fencing organizations including the New England Intercollegiate Fencing Conference and the United States Association of Collegiate Fencing Clubs. Don't miss this chance to experience the excitement of collegiate fencing firsthand!", + "event_type":"virtual", + "start_time":"2025-03-21 15:30:00", + "end_time":"2025-03-21 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "College Sports", + "Student Organization", + "Competitive Sports", + "Fencing" + ] + }, + { + "id":"3f915f52-8070-44c0-9a7a-906bd2178005", + "club_id":"50db56c6-10ef-422a-af9a-073274c31bb1", + "name":"Event for Northeastern University Club Fencing Team ", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Club Fencing Team for an exciting day of sabre, epee, and foil fencing at our annual Winter Invitational Tournament! Fencers of all levels are encouraged to participate and showcase their skills in a friendly and competitive atmosphere. Experienced coaches will be on hand to provide guidance and support throughout the event. Whether you're a seasoned competitor or new to the sport, this tournament is the perfect opportunity to engage with the vibrant fencing community at Northeastern University and make lasting memories on the strips. Don't miss out on this thrilling event that promises thrilling bouts and camaraderie among fencers from various clubs and universities across the region!", + "event_type":"hybrid", + "start_time":"2026-06-22 14:15:00", + "end_time":"2026-06-22 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Competitive Sports", + "Student Organization" + ] + }, + { + "id":"cc7be93a-38e4-4ea2-9caf-c191ac23a67a", + "club_id":"8e4d69ca-fce4-4a7c-b30f-7064a25dd996", + "name":"Event for Northeastern University Club Gymnastics Team", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Club Gymnastics Team for an exhilarating exhibition showcasing our talented gymnasts' skills and passion for the sport! Our event will feature thrilling performances from our team members as they display their hard work and dedication on the mat. Whether you're a seasoned gymnastics enthusiast or just looking to be entertained, this event is perfect for everyone! Come witness the grace, strength, and teamwork that defines NU Club Gymnastics at this exciting showcase. Don't miss out on the chance to experience the excitement firsthand and support our incredible athletes. See you there!", + "event_type":"virtual", + "start_time":"2026-08-23 15:15:00", + "end_time":"2026-08-23 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Creative Writing", + "Community Outreach", + "Performing Arts", + "Visual Arts", + "Volunteerism" + ] + }, + { + "id":"b06114d9-1143-4a15-a90c-bc92f4ce2fe1", + "club_id":"8e4d69ca-fce4-4a7c-b30f-7064a25dd996", + "name":"Event for Northeastern University Club Gymnastics Team", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Open House event hosted by the Northeastern University Club Gymnastics Team! Come meet our talented gymnasts, witness thrilling demonstrations, and learn more about our club and upcoming competitions. Whether you're a seasoned gymnast or just curious about the sport, this event is the perfect opportunity to connect with our passionate team members and experience the energy of NU Club Gymnastics firsthand. Don't miss out on this chance to be part of our tight-knit gymnastics community - see you there!", + "event_type":"in_person", + "start_time":"2024-01-24 20:00:00", + "end_time":"2024-01-24 23:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Creative Writing" + ] + }, + { + "id":"c86d242a-83c0-454b-bf8c-b890c07a0cc2", + "club_id":"872dda0c-f540-42c4-b66c-3aaa53f1d78c", + "name":"Event for Northeastern University Club Roller Hockey", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Club Roller Hockey for a fun-filled scrimmage event at Matthews Arena! Lace up your skates and grab your stick as we come together for a friendly competition among club members. Whether you're a seasoned player looking to show off your skills or a newcomer eager to learn and improve, this event is perfect for everyone. Expect high-energy gameplay, supportive teammates cheering you on, and a chance to bond with fellow hockey enthusiasts. Don't miss this opportunity to experience the thrill of roller hockey in a welcoming and inclusive environment!", + "event_type":"virtual", + "start_time":"2024-08-07 12:30:00", + "end_time":"2024-08-07 13:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Travel", + "Soccer" + ] + }, + { + "id":"87905aa4-2e95-4872-b44d-e3eb4370d34f", + "club_id":"872dda0c-f540-42c4-b66c-3aaa53f1d78c", + "name":"Event for Northeastern University Club Roller Hockey", + "preview":"This club is holding an event.", + "description":"Join us for our annual Club Roller Hockey Exhibition Night where we showcase our team's talents and spirit in an exciting display of skill and sportsmanship. This family-friendly event welcomes all members of the Northeastern University community to come out and cheer for our players as they compete in friendly exhibition matches. Be prepared to witness fast-paced action, impressive goals, and the camaraderie that defines our club. Don't miss this opportunity to experience the excitement of roller hockey up close and support your fellow Huskies on their quest for victory!", + "event_type":"virtual", + "start_time":"2026-07-11 12:30:00", + "end_time":"2026-07-11 13:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"2f6b9789-06a5-429b-9aea-a5bafcc09fbf", + "club_id":"872dda0c-f540-42c4-b66c-3aaa53f1d78c", + "name":"Event for Northeastern University Club Roller Hockey", + "preview":"This club is holding an event.", + "description":"Join us for our annual Roller Hockey Showcase event where players of all skill levels come together for a day of fun and friendly competition! Whether you're a seasoned pro looking to showcase your skills or a beginner eager to learn more about the sport, this event is perfect for everyone. With exciting games, skill-building drills, and opportunities to connect with fellow roller hockey enthusiasts, our showcase is a fantastic way to experience the thrill of the game and be a part of our welcoming community. Don't miss out on this chance to enjoy a day filled with laughter, teamwork, and the passion for roller hockey that unites us all!", + "event_type":"virtual", + "start_time":"2025-11-20 15:00:00", + "end_time":"2025-11-20 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Soccer", + "Community Outreach" + ] + }, + { + "id":"42a67a16-1bdf-40f3-b3fe-c946fdb8952e", + "club_id":"4264194e-8da6-445a-b1f7-9a73f96da438", + "name":"Event for Northeastern University Club Running", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming 5K road race, a perfect opportunity to experience the camaraderie and competitive spirit that define Northeastern University Club Running. Whether you're a seasoned runner or just starting out, our team welcomes all levels of experience. Run alongside fellow college athletes as part of NIRCA and USATF, and push yourself to new limits while enjoying the support of a friendly group of like-minded individuals. Don't miss this chance to stay in shape, test your progress, and make lasting connections within our inclusive community. See you at the finish line!", + "event_type":"hybrid", + "start_time":"2025-11-27 18:30:00", + "end_time":"2025-11-27 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Athletics", + "Running" + ] + }, + { + "id":"79d6f587-a83f-4e24-88bc-8ee0374bcdcd", + "club_id":"d9abe091-ffec-488e-941f-3197f3057631", + "name":"Event for Northeastern University Club Spikeball", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Club Spikeball for our 'Spike into Spring' event! Come soak up the sun, meet new friends, and dive into the exciting world of Roundnet. Whether you're a seasoned player looking to showcase your skills or a beginner eager to learn the ropes, this event welcomes all levels of expertise. Expect a day filled with laughter, friendly competition, and unforgettable memories as we serve up some Spikeball fun under the clear blue skies. Don't miss out on the opportunity to connect with fellow enthusiasts and experience the thrill of Spikeball in a vibrant and inclusive setting!", + "event_type":"hybrid", + "start_time":"2025-10-13 17:00:00", + "end_time":"2025-10-13 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Teamwork", + "Community Outreach", + "Collegiate" + ] + }, + { + "id":"f5c45b1a-3383-4a9e-95b4-8115e7a817f9", + "club_id":"d9abe091-ffec-488e-941f-3197f3057631", + "name":"Event for Northeastern University Club Spikeball", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Club Spikeball for our upcoming Roundnet Mixer event! This casual gathering is the perfect opportunity to meet fellow enthusiasts, whether you're a seasoned Roundnet player or looking to try it for the first time. Our experienced members will be there to provide tips and guidance, creating a welcoming and inclusive environment for all. Come enjoy an afternoon of friendly competition, camaraderie, and maybe even discover your new favorite sport! Don't miss out on this chance to bond over a shared passion for Spikeball with like-minded individuals.", + "event_type":"hybrid", + "start_time":"2024-10-24 21:15:00", + "end_time":"2024-10-24 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Collegiate", + "Sports", + "Competitive" + ] + }, + { + "id":"e988f30b-e43a-455b-94c1-6ec7cfb18e06", + "club_id":"d9abe091-ffec-488e-941f-3197f3057631", + "name":"Event for Northeastern University Club Spikeball", + "preview":"This club is holding an event.", + "description":"Join us for our weekly Spikeball meetup at Northeastern University Club Spikeball! Whether you're looking to learn the basics or eager to show off your advanced skills, our inclusive and vibrant community welcomes players of all levels. Our experienced members will provide guidance and support as you practice your serves, hits, and teamwork on the Roundnet court. Come for the fun and camaraderie, stay for the thrill of competitive gameplay and the chance to forge lasting friendships with fellow Spikeball enthusiasts. Don't miss out on this opportunity to be part of a passionate group spreading the love for Spikeball on campus!", + "event_type":"hybrid", + "start_time":"2024-08-03 21:30:00", + "end_time":"2024-08-03 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Teamwork", + "Sports", + "Community Outreach", + "Collegiate", + "Competitive" + ] + }, + { + "id":"83e68f9a-d4fa-455d-a283-39b31d50e2c7", + "club_id":"fa707311-6b33-4b57-b342-6d477861ab36", + "name":"Event for Northeastern University Club Taekwondo", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of martial arts excellence at the Northeastern University Club Taekwondo's Annual Demonstration! Witness our talented members showcase their strength, discipline, and teamwork through dynamic forms and powerful sparring matches. Whether you're a seasoned practitioner or someone curious about Taekwondo, this event is the perfect opportunity to experience the dedication and passion of our club. Enjoy thrilling performances, interactive demonstrations, and learn more about how you can become part of our close-knit Taekwondo family. Don't miss this chance to be inspired and cheer on our remarkable athletes as they continue to shine on and off the mat!", + "event_type":"hybrid", + "start_time":"2026-06-08 15:15:00", + "end_time":"2026-06-08 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Athletics" + ] + }, + { + "id":"18580a1d-0bb2-4380-abad-2ee78308deb5", + "club_id":"411deefc-5487-422c-a60f-99d0ff120fd8", + "name":"Event for Northeastern University Club Weightlifting Team", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled Olympic Weightlifting workshop hosted by the Northeastern University Club Weightlifting Team! Whether you're a seasoned lifter or new to the sport, our friendly and welcoming team is here to guide you through the intricacies of the snatch and clean and jerk movements. This event is perfect for anyone looking to improve their technique, power, and strength in a supportive environment. Our experienced coaches will be on hand to provide personalized feedback and tips to help you excel in your weightlifting journey. Don't miss this opportunity to learn and grow with us at NUWL!", + "event_type":"hybrid", + "start_time":"2025-03-07 20:00:00", + "end_time":"2025-03-08 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Physical Education", + "Community Outreach", + "LGBTQ" + ] + }, + { + "id":"3153070f-27af-470f-a080-07a7532db46c", + "club_id":"411deefc-5487-422c-a60f-99d0ff120fd8", + "name":"Event for Northeastern University Club Weightlifting Team", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Club Weightlifting Team for our upcoming 'Lift & Learn' event! Whether you're a seasoned lifter or just starting out, this event is perfect for all levels. Our experienced coaches will provide personalized instruction on mastering the snatch and clean and jerk techniques. Come meet our supportive community of athletes who share a passion for Olympic weightlifting. Don't miss this opportunity to enhance your strength, power, and technique in a welcoming and inclusive environment. We can't wait to lift with you!", + "event_type":"virtual", + "start_time":"2025-08-22 21:15:00", + "end_time":"2025-08-23 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"fb3d17d1-6cfd-4647-b932-2ff87b0e89e7", + "club_id":"24ca5e47-b8b8-4db3-b39b-8a215abc7531", + "name":"Event for Northeastern University College Democrats", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University College Democrats for an engaging and inspiring panel discussion on the future of healthcare access in our community. Gather with fellow like-minded individuals who are passionate about promoting progressive policies and making a real impact at the local and national levels. Learn about the initiatives the club is spearheading to support a just transition to a zero-carbon economy and advocate for high-quality public education. Come be a part of our inclusive and forward-thinking community as we work together to create a more equitable society for all. Don't miss this opportunity to connect, learn, and take meaningful action with us!", + "event_type":"in_person", + "start_time":"2025-03-10 15:30:00", + "end_time":"2025-03-10 17:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "PublicRelations", + "Community Outreach", + "Political Science" + ] + }, + { + "id":"f4268fb5-d1fe-4a0c-ba22-32f5d850500b", + "club_id":"cb6ffd2a-1b48-4f35-b3ae-2e8d9f29f55e", + "name":"Event for Northeastern University College Republicans", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University College Republicans for an engaging debate night where members come together to discuss and analyze current political topics from a conservative perspective. Dive deep into policy discussions, challenge ideas, and connect with like-minded individuals in a friendly and inclusive environment. Whether you are a seasoned debater or new to political discourse, this event offers a great opportunity to expand your knowledge and sharpen your critical thinking skills. Don't miss out on this exciting evening of intellectual exchange and camaraderie!", + "event_type":"hybrid", + "start_time":"2026-11-26 22:15:00", + "end_time":"2026-11-26 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Political Events", + "Free Market Ideas", + "Debates", + "Conservative Political Action Conference", + "Voter Registration", + "Community Service Activities", + "Conservative Values" + ] + }, + { + "id":"d329859d-ad46-42b6-ad8c-7f835b994f27", + "club_id":"0d071b67-acf6-49aa-aeba-303ce5ca4de4", + "name":"Event for Northeastern University Community Liaisons for Education Using STEM", + "preview":"This club is holding an event.", + "description":"Join us for a fun and engaging Thesis Pieces presentation designed specifically for junior and senior high school students! Our Northeastern University Community Liaisons for Education Using STEM (NUCLEUS) club is excited to bring you an insightful glimpse into the fascinating world of STEM research. In this session, our graduate students will showcase condensed versions of their thesis projects, highlighting innovative ideas and cutting-edge discoveries in a way that's easy to understand and inspiring. Learn about the latest developments in science and technology straight from the experts themselves, and get inspired to explore your own interests in STEM. Don't miss this opportunity to connect with future leaders in the field and ignite your passion for discovery!", + "event_type":"in_person", + "start_time":"2026-02-24 21:30:00", + "end_time":"2026-02-24 23:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Diversity", + "Research", + "Education", + "Presentations", + "STEM", + "Journeys", + "High School" + ] + }, + { + "id":"c47b0cb7-d1a6-4eaf-9126-2f9d85dcb608", + "club_id":"0d071b67-acf6-49aa-aeba-303ce5ca4de4", + "name":"Event for Northeastern University Community Liaisons for Education Using STEM", + "preview":"This club is holding an event.", + "description":"Join us at NUCLEUS for an exciting afternoon of learning and discovery with our Thesis Pieces presentation! This interactive event will showcase fascinating highlights from graduate student thesis projects, specially designed to engage high school students and pique their interest in STEM fields. Our passionate speakers will share their research findings and personal anecdotes, offering a glimpse into the diverse world of science and technology. Come be inspired by the innovative minds behind the cutting-edge research happening right here in our community!", + "event_type":"in_person", + "start_time":"2024-08-07 15:00:00", + "end_time":"2024-08-07 18:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Diversity", + "Thesis", + "High School", + "Presentations", + "Research" + ] + }, + { + "id":"af3c2571-6b43-45d2-8949-a2f35b5694d6", + "club_id":"0d071b67-acf6-49aa-aeba-303ce5ca4de4", + "name":"Event for Northeastern University Community Liaisons for Education Using STEM", + "preview":"This club is holding an event.", + "description":"Join us for an exciting afternoon with NUCLEUS, where STEM graduate students from Northeastern University will be presenting their Thesis Pieces - engaging snippets of their advanced research projects tailored for high school students. Get inspired by their Journeys in STEM presentations, as they share personal stories of challenges and triumphs on their paths towards success in science and technology. It's a unique opportunity to learn, connect, and explore the diverse world of STEM right in your classroom!", + "event_type":"hybrid", + "start_time":"2024-02-23 14:15:00", + "end_time":"2024-02-23 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Diversity", + "STEM", + "Presentations", + "High School" + ] + }, + { + "id":"af36f2cb-a651-4ba4-b7aa-44065477ddd4", + "club_id":"aa417e77-93b1-4f3c-b2c4-1c29a6827fbd", + "name":"Event for Northeastern University Cricket Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Cricket Club for an exciting afternoon of friendly matches and cricket skills development session at Carter Playground. Whether you're a seasoned cricket player or just looking to learn the game, our welcoming and enthusiastic members are here to guide you. Experience the thrill of cricket in a supportive environment as you meet fellow undergraduate and graduate students passionate about the game. Don't miss out on this opportunity to be a part of the fastest rising cricket club in New England! #NUCC #CricketPassion", + "event_type":"in_person", + "start_time":"2026-03-07 21:15:00", + "end_time":"2026-03-07 23:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Community Outreach", + "Education" + ] + }, + { + "id":"34e794c1-57be-4f6a-bf28-02de3e428b51", + "club_id":"aa417e77-93b1-4f3c-b2c4-1c29a6827fbd", + "name":"Event for Northeastern University Cricket Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting day of cricket at Northeastern University Cricket Club's annual Spring Cup! This event welcomes players of all skill levels, from beginners to seasoned pros, to come together for a day of friendly competition and camaraderie. Whether you're looking to showcase your talent, learn the fundamentals of the game, or simply enjoy a day in the sun with fellow cricket enthusiasts, the Spring Cup is the perfect opportunity. With refreshments, music, and thrilling matches lined up, this event promises to be a highlight of the cricket season at Northeastern University. Don't miss out on the chance to be a part of the vibrant cricket community at NUCC!", + "event_type":"hybrid", + "start_time":"2025-04-21 14:00:00", + "end_time":"2025-04-21 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Soccer", + "Education", + "Community Outreach" + ] + }, + { + "id":"4e0f5fcf-c637-494c-b070-f573d26af111", + "club_id":"eae60a11-fa61-4935-b53c-4b4093e07b05", + "name":"Event for Northeastern University Cultural and Language Learning Society", + "preview":"This club is holding an event.", + "description":"Join us at Northeastern University Cultural and Language Learning Society's upcoming event to immerse yourself in the vibrant world of Spanish cuisine! Indulge in delicious tapas, sip on refreshing sangria, and mingle with fellow language enthusiasts in a cozy and welcoming setting. Our student-ambassadors will guide you through basic Spanish phrases and cultural insights, ensuring an enriching and interactive experience for all attendees. Don't miss this opportunity to expand your palate and linguistic horizons with NUCALLS!", + "event_type":"virtual", + "start_time":"2025-12-06 21:00:00", + "end_time":"2025-12-06 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Cultural Events", + "Language Learning" + ] + }, + { + "id":"0763659a-8f64-40ed-a1bd-ca8a608f0dcd", + "club_id":"eae60a11-fa61-4935-b53c-4b4093e07b05", + "name":"Event for Northeastern University Cultural and Language Learning Society", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming Language Learning Mixer event where you can mingle, make friends, and practice speaking in a casual and supportive environment! Whether you're a beginner looking to start a new language or an advanced speaker wanting to maintain proficiency, our fun and interactive activities cater to all levels. We'll have language games, cultural trivia, and even a mini language exchange corner for you to practice with fellow language enthusiasts. Come meet like-minded individuals, learn something new, and immerse yourself in different cultures with NUCALLS!", + "event_type":"in_person", + "start_time":"2024-11-13 21:15:00", + "end_time":"2024-11-14 00:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Cultural Events" + ] + }, + { + "id":"412ff9bd-68b4-419e-8a65-b647fab8ea15", + "club_id":"05d4c98c-604a-4c30-bf28-e22e97e40604", + "name":"Event for Northeastern University Dance Company", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Dance Company (NUDANCO) at our exciting Spring Showcase event! Experience a mesmerizing display of talent as our dedicated dancers hit the stage to perform a dynamic fusion of modern, jazz, ballet, and other captivating dance styles. Be captivated by the choreographic magic crafted by our talented members through months of collaboration and dedication. Whether you're a dance enthusiast or simply enjoy a delightful performance, our showcase promises to entertain and inspire you. Come join the celebration of artistry and passion in dance with us!", + "event_type":"virtual", + "start_time":"2026-03-15 17:30:00", + "end_time":"2026-03-15 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Creative Writing", + "Visual Arts", + "Performing Arts", + "Music" + ] + }, + { + "id":"7403d13d-1388-4431-9b24-1e4edf2d5837", + "club_id":"be8c21f8-58e8-4f9a-87de-d8435cf98946", + "name":"Event for Northeastern University Dance Team", + "preview":"This club is holding an event.", + "description":"Join us for an electrifying performance by the Northeastern University Dance Team at the upcoming Men's home basketball game! Get ready to be entertained by our dynamic routines blending hip-hop, jazz, and pom styles, showcasing our dedication to technique. As a spirited staple of Northeastern Athletics, we aim to bring positive energy and enthusiasm to the game. Cheer us on as we bring our passion for dance to the court, representing the university with pride and energy. Our team of talented dancers from diverse backgrounds is excited to share our love for dance with you in a performance that promises to be both captivating and inspiring!", + "event_type":"hybrid", + "start_time":"2024-08-16 17:15:00", + "end_time":"2024-08-16 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Performing Arts", + "Sports", + "LGBTQ", + "Competition", + "Dance", + "Athletics" + ] + }, + { + "id":"061984d6-b7b1-41da-87e7-2f1db580e5ca", + "club_id":"be8c21f8-58e8-4f9a-87de-d8435cf98946", + "name":"Event for Northeastern University Dance Team", + "preview":"This club is holding an event.", + "description":"Join us for an exciting halftime performance at the upcoming Men's home basketball game where the Northeastern University Dance Team will showcase their dynamic routines blending hip-hop, jazz, and pom styles. As an integral part of the spirit team, we bring our passion for dance to energize the crowd and support our Huskies in a positive and spirited manner. Don't miss the opportunity to witness our precise technique and enthusiasm as we represent Northeastern University Athletics with pride and dedication. Whether you're a basketball fan or a dance enthusiast, our performance promises to entertain and inspire. See you at the game!", + "event_type":"hybrid", + "start_time":"2025-09-11 19:30:00", + "end_time":"2025-09-11 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "LGBTQ", + "Performing Arts", + "Sports", + "Community Outreach", + "Competition", + "Athletics", + "Dance" + ] + }, + { + "id":"c4f5ac5b-346f-4be5-9744-f047daf3708f", + "club_id":"be8c21f8-58e8-4f9a-87de-d8435cf98946", + "name":"Event for Northeastern University Dance Team", + "preview":"This club is holding an event.", + "description":"Join us for an electrifying performance by the Northeastern University Dance Team at the upcoming Men's Home Basketball Game! Experience a fusion of hip-hop, jazz, and pom routines showcasing our dancers' exceptional technique and boundless energy. Cheer along as we bring spirit and excitement to the game, representing Northeastern University Athletics with pride and enthusiasm. Don't miss this thrilling opportunity to witness our talented team in action and feel the vibrant energy we bring to every performance!", + "event_type":"virtual", + "start_time":"2026-09-11 18:00:00", + "end_time":"2026-09-11 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Competition", + "Sports", + "Performing Arts" + ] + }, + { + "id":"f9d79be9-f854-4d1c-8b9a-82e20c6ea32c", + "club_id":"5429819e-1ad0-484d-be80-55a1c67b8b0f", + "name":"Event for Northeastern University Economics Society", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening with guest speaker Dr. Smith, a renowned economist, as we delve into a thought-provoking discussion on the current global economic landscape. You'll have the opportunity to connect with fellow economics enthusiasts, share insights, and expand your knowledge in a welcoming and inclusive environment. Refreshments will be provided, and all students, regardless of major, are welcome to attend this insightful event!", + "event_type":"virtual", + "start_time":"2024-11-09 19:15:00", + "end_time":"2024-11-09 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Economics", + "Social Issues", + "Networking", + "Employment" + ] + }, + { + "id":"2ff1470a-2477-49ad-8652-fff2d9c69f79", + "club_id":"5429819e-1ad0-484d-be80-55a1c67b8b0f", + "name":"Event for Northeastern University Economics Society", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Economics Society for an engaging panel discussion on the global impact of trade policies. Our esteemed guest speakers will shed light on current economic trends and provide valuable insights for students interested in the field of economics. Whether you're a seasoned economics major or simply curious about the subject, this event offers a dynamic platform to learn, connect, and network with like-minded individuals. Don't miss this opportunity to expand your knowledge and grow your professional circle \u2013 RSVP now to secure your spot!", + "event_type":"hybrid", + "start_time":"2026-03-06 16:00:00", + "end_time":"2026-03-06 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Employment", + "Economics", + "Networking" + ] + }, + { + "id":"cbe3b379-cf56-4a2b-bc08-6bfc4afab2fc", + "club_id":"47589147-8b8d-413a-8c80-05c29538596a", + "name":"Event for Northeastern University Emergency Medical Services", + "preview":"This club is holding an event.", + "description":"Join us for an exciting hands-on training event with Northeastern University Emergency Medical Services (NUEMS)! Dive into the world of emergency medical services and learn valuable skills that could make a difference in critical situations. This interactive session will cover basic life-support techniques, emergency response protocols, and team dynamics in high-pressure scenarios. Whether you're a seasoned EMT or just curious about emergency care, this event is open to all Northeastern students eager to explore the realm of pre-hospital medicine. Don't miss this opportunity to connect with like-minded peers, gain practical experience, and be part of a community dedicated to promoting safety and well-being on campus.", + "event_type":"virtual", + "start_time":"2024-02-28 16:15:00", + "end_time":"2024-02-28 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Premed" + ] + }, + { + "id":"9fd630b4-42dd-4928-887c-c8f2741fde6d", + "club_id":"47589147-8b8d-413a-8c80-05c29538596a", + "name":"Event for Northeastern University Emergency Medical Services", + "preview":"This club is holding an event.", + "description":"Join us for an engaging discussion on enhancing our clinical opportunities with NUPD Officers and UHCS at the upcoming NUEMS event! Learn more about how we plan to provide top-notch emergency services at University Sanctioned events while fostering a supportive and inclusive community for students. Don't miss out on this exciting opportunity to get involved and make a real difference in the Northeastern University community!", + "event_type":"virtual", + "start_time":"2025-12-07 15:00:00", + "end_time":"2025-12-07 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Volunteerism", + "Neuroscience", + "Community Outreach", + "Premed" + ] + }, + { + "id":"6fb77d9b-2459-4a4a-91be-7cc0f859bc91", + "club_id":"8f849066-08c3-4045-993a-8231b043e1b8", + "name":"Event for Northeastern University Energy Systems Society", + "preview":"This club is holding an event.", + "description":"Join us at our annual Energy Conference hosted by the Northeastern University Energy Systems Society! This event is a fantastic opportunity for students, industry professionals, and academia to come together and discuss the latest trends and advancements in energy and sustainability. With engaging seminars, interactive workshops, and insightful educational visits to R&D facilities, this conference aims to broaden your knowledge and network within the energy community. Whether you're a seasoned expert or just starting on your sustainability journey, this welcoming event promises to inspire and educate as we work together towards a more sustainable future.", + "event_type":"in_person", + "start_time":"2025-04-02 15:30:00", + "end_time":"2025-04-02 18:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Environmental Advocacy", + "Environmental Science", + "Engineering", + "Sustainability" + ] + }, + { + "id":"aa109b1c-d9a7-4524-bde1-5c14c3f49c89", + "club_id":"8f849066-08c3-4045-993a-8231b043e1b8", + "name":"Event for Northeastern University Energy Systems Society", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Energy Systems Society for an engaging seminar on the future of renewable energy technologies. This event will feature expert speakers from both industry and academia, providing insights into the latest innovations and sustainable practices. Attendees will have the opportunity to network with like-minded peers, ask questions, and gain valuable knowledge to help shape the future of the energy industry. Don't miss this chance to be part of a vibrant community dedicated to promoting sustainable development and advancing energy solutions for a greener tomorrow!", + "event_type":"in_person", + "start_time":"2026-07-03 12:00:00", + "end_time":"2026-07-03 15:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Sustainability" + ] + }, + { + "id":"a243b25e-6e50-460b-8f06-f85554032d4d", + "club_id":"8f849066-08c3-4045-993a-8231b043e1b8", + "name":"Event for Northeastern University Energy Systems Society", + "preview":"This club is holding an event.", + "description":"Join us for an interactive workshop on renewable energy technologies at Northeastern University Energy Systems Society! This event will provide a unique opportunity to learn about the latest innovations in the field, engage with industry experts, and network with like-minded individuals passionate about sustainability. Whether you're a student, researcher, or professional in the energy sector, this workshop is designed to inspire new ideas and foster collaboration towards a greener future. Come be a part of the conversation and help shape the next generation of energy solutions!", + "event_type":"in_person", + "start_time":"2024-10-27 13:30:00", + "end_time":"2024-10-27 17:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Environmental Advocacy" + ] + }, + { + "id":"5e8cd1f5-07ab-4265-b923-9e11ad3d82a6", + "club_id":"8aa4a6c2-727f-44a9-84bc-de3182595d26", + "name":"Event for Northeastern University Equestrian Team", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Equestrian Team for a thrilling day of Hunt Seat Equitation classes at Cranberry Acres Farm in Marshfield, Massachusetts. Whether you're a seasoned rider or a complete beginner, everyone is welcome to participate and learn with our supportive team. Meet our dedicated coach, Kate Roncarati, who will guide you through the flat and over fences. Don't miss this opportunity to experience the excitement of competitive riding in a friendly and inclusive environment. Mark your calendars and come ride with us!", + "event_type":"in_person", + "start_time":"2024-10-02 12:00:00", + "end_time":"2024-10-02 16:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Marshfield Massachusetts", + "Undergraduate Students", + "Club Team", + "Coached" + ] + }, + { + "id":"6756b2d7-f7b8-40f1-87f8-587fb8baa827", + "club_id":"8aa4a6c2-727f-44a9-84bc-de3182595d26", + "name":"Event for Northeastern University Equestrian Team", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled Fall Fling Event hosted by the Northeastern University Equestrian Team! Whether you're a seasoned rider or a complete beginner, this event is the perfect opportunity to meet our team members, learn more about our club, and even try your hand at riding one of our lovely horses. Our experienced coach, Kate Roncarati, will be on hand to provide guidance and support throughout the day. Don't miss this chance to experience the thrill of equestrian sports in a welcoming and inclusive environment. Mark your calendars for a day of laughter, learning, and new friendships at Cranberry Acres Farm in Marshfield, Massachusetts. See you there!", + "event_type":"hybrid", + "start_time":"2026-09-24 17:15:00", + "end_time":"2026-09-24 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Competitive Club Sport", + "Coached", + "Hunt Seat Equitation", + "Equestrian", + "Club Team", + "Intercollegiate Horse Show Association" + ] + }, + { + "id":"be1cc44e-7cb0-4924-87f7-85c91d85404d", + "club_id":"981e6de9-69dd-4d7d-9930-fe42ab94452b", + "name":"Event for Northeastern University Figure Skating Club", + "preview":"This club is holding an event.", + "description":"Join us for our annual Holiday Show hosted by the Northeastern University Figure Skating Club! This festive event is a showcase of our talented skaters performing mesmerizing routines on the ice, spreading holiday cheer to all who attend. With dazzling costumes, graceful moves, and joyful spirits, our skaters will transport you into a winter wonderland filled with excitement and entertainment. Bring your friends, family, and loved ones to witness the magic of figure skating and celebrate the holiday season with us. Don't miss this opportunity to experience the beauty and grace of our team members as they shine under the spotlight. We can't wait to share this special moment with you and create memories that will last a lifetime. See you there!", + "event_type":"virtual", + "start_time":"2026-06-25 14:00:00", + "end_time":"2026-06-25 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Visual Arts", + "Northeastern University" + ] + }, + { + "id":"a372c162-a4e7-49a2-a082-a8c02137047e", + "club_id":"e318d5ad-ab52-4fdf-9db8-a9243daa00d2", + "name":"Event for Northeastern University Graduate Asian Baptist Student Koinonia", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"in_person", + "start_time":"2026-09-18 18:00:00", + "end_time":"2026-09-18 20:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Asian American", + "Graduate", + "Christianity" + ] + }, + { + "id":"0373382c-60c2-489a-a9b8-5a95704cc518", + "club_id":"e318d5ad-ab52-4fdf-9db8-a9243daa00d2", + "name":"Event for Northeastern University Graduate Asian Baptist Student Koinonia", + "preview":"This club is holding an event.", + "description":"Join us for a night of friendship and faith at the Northeastern University Graduate Asian Baptist Student Koinonia's weekly gathering! Connect with fellow graduate students who share your background and beliefs in a warm and inclusive environment. Come enjoy engaging discussions, uplifting music, and delicious snacks as we celebrate our shared Christian fellowship. All are welcome to join us in our journey of spiritual growth and community building!", + "event_type":"in_person", + "start_time":"2024-11-07 14:15:00", + "end_time":"2024-11-07 16:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Graduate", + "Christianity", + "Community Outreach", + "Asian American" + ] + }, + { + "id":"501fa16e-454f-4335-a1b5-13d06e16e106", + "club_id":"69c1781c-a658-427d-9263-af7a1a47f53a", + "name":"Event for Northeastern University Graduate Structural Engineering Association", + "preview":"This club is holding an event.", + "description":"Join us for an inspiring evening at the Northeastern University Graduate Structural Engineering Association (NGSEA)! Our event will feature a special guest speaker who will delve into the exciting world of current structural engineering projects and research. This is a fantastic opportunity for both graduate students and those interested in the field to expand their knowledge and network with like-minded individuals. Be prepared to engage in stimulating discussions, share your own research, and gain valuable insights that will enhance your journey in the structural engineering realm. Whether you're a student or a faculty member, this event promises a platform for idea exchange and professional growth, bridging connections both within and beyond the university. Don't miss out on this chance to be part of a vibrant community dedicated to advancing the field of structural engineering!", + "event_type":"hybrid", + "start_time":"2026-08-28 23:15:00", + "end_time":"2026-08-29 03:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Networking", + "Professional Development", + "Engineering", + "Community Outreach" + ] + }, + { + "id":"d3f63c40-6136-460d-bf77-f1ec6af17873", + "club_id":"c1f0ee48-2534-4a92-8977-ea32ae339af3", + "name":"Event for Northeastern University Graduate Women Coders", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Tech Talk Tuesday session with a special guest speaker sharing insights on the latest trends in artificial intelligence! Connect with fellow Northeastern University Graduate Women Coders members as we dive deep into discussions on cutting-edge technology and innovative projects driving social change. Whether you're a seasoned coder or just starting out, this event is a great opportunity to network, learn, and be inspired by the amazing women in tech community. Be sure to bring your curiosity and enthusiasm as we embark on this enlightening tech journey together!", + "event_type":"in_person", + "start_time":"2024-04-28 15:15:00", + "end_time":"2024-04-28 19:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Artificial Intelligence", + "Data Science" + ] + }, + { + "id":"bbcd849a-c14b-465d-b126-5bfccff4a44b", + "club_id":"c1f0ee48-2534-4a92-8977-ea32ae339af3", + "name":"Event for Northeastern University Graduate Women Coders", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Graduate Women Coders for a special tech session this Friday! Our vibrant community of women in tech comes together to explore the latest trends, share valuable insights, and collaborate on exciting projects with social impact. Whether you're a coding pro or just starting out, you'll find a welcoming space to connect, learn, and grow. Don't miss this opportunity to network with like-minded individuals, expand your skill set, and make a difference in the tech world. All women in tech and supporters are encouraged to attend - see you there!", + "event_type":"in_person", + "start_time":"2026-03-05 14:30:00", + "end_time":"2026-03-05 17:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Artificial Intelligence", + "Community Outreach", + "Software Engineering" + ] + }, + { + "id":"1251402c-e012-4d29-b744-271d7074abe3", + "club_id":"2aa72069-82ab-4e57-9d5c-140b5197e116", + "name":"Event for Northeastern University History Association", + "preview":"This club is holding an event.", + "description":"Join us for an engaging and interactive session at Northeastern University History Association! Dive into a historical adventure as we explore the rich heritage of the Boston area through fun games and captivating presentations by fellow students and faculty members. Be part of our vibrant community where members from all majors come together to share their passion for history. Don't miss out on our exciting monthly trips to historical sites like Gloucester, Salem, and Plymouth - experiences you won't forget! Sign up now and be a part of our journey through the past!", + "event_type":"virtual", + "start_time":"2026-05-19 19:30:00", + "end_time":"2026-05-19 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Monthly Trips", + "Community Outreach", + "Fun Games", + "Boston", + "Student Presentations", + "History" + ] + }, + { + "id":"22c70be6-eea3-4e58-aea5-9a52df5fc0e6", + "club_id":"2aa72069-82ab-4e57-9d5c-140b5197e116", + "name":"Event for Northeastern University History Association", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening at the Northeastern University History Association! This week, we're delving into the rich history of Boston's iconic neighborhoods like Beacon Hill and the North End through an interactive map exploration activity. Led by our passionate members, you'll have the chance to learn, discuss, and discover hidden historical gems while enjoying tasty snacks and meeting new friends. Whether you're a history buff or just curious, everyone is welcome to join in the fun and enrich their knowledge of the city's vibrant past. Don't miss out on this engaging experience that promises to leave you both informed and inspired!", + "event_type":"in_person", + "start_time":"2026-11-20 20:00:00", + "end_time":"2026-11-20 22:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Fun Games", + "Community Outreach", + "Monthly Trips" + ] + }, + { + "id":"6d1d5d06-3990-4a12-b350-82bcb042501c", + "club_id":"2aa72069-82ab-4e57-9d5c-140b5197e116", + "name":"Event for Northeastern University History Association", + "preview":"This club is holding an event.", + "description":"Join us this Saturday for a fun and interactive history trivia night at the Northeastern University History Association! Test your knowledge, meet new friends, and enjoy delicious snacks while diving into historical facts and stories. Whether you're a history buff or just curious, everyone is welcome to participate and have a great time together. Don't miss out on this exciting opportunity to learn, laugh, and connect with fellow history enthusiasts!", + "event_type":"in_person", + "start_time":"2026-02-04 15:30:00", + "end_time":"2026-02-04 19:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Monthly Trips", + "Student Presentations", + "Boston" + ] + }, + { + "id":"0a735a19-9115-4014-9e19-52e5944e0ed5", + "club_id":"92f2a841-93bf-47ff-b05d-88e642d8dabf", + "name":"Event for Northeastern University Huskiers and Outing Club", + "preview":"This club is holding an event.", + "description":"Join us this Saturday for a thrilling backcountry skiing adventure in the White Mountains! Whether you're a seasoned pro or hitting the trails for the first time, this trip promises an exciting day filled with stunning views and unforgettable memories. Our experienced guides will be there every step of the way to ensure a safe and enjoyable experience for all participants. Don't miss out on this opportunity to connect with fellow outdoor enthusiasts and explore the beauty of nature with the Northeastern University Huskiers and Outing Club!", + "event_type":"in_person", + "start_time":"2024-04-18 17:15:00", + "end_time":"2024-04-18 19:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Environmental Science", + "Hiking", + "Climbing", + "Volunteerism" + ] + }, + { + "id":"7152123d-f391-428b-b442-412127018310", + "club_id":"92f2a841-93bf-47ff-b05d-88e642d8dabf", + "name":"Event for Northeastern University Huskiers and Outing Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Huskiers and Outing Club for an exciting winter hike to explore the picturesque snowy trails of New England. Whether you're a seasoned hiker or new to the outdoors, this adventure is perfect for all skill levels. Our experienced guides will lead the way, sharing their knowledge and passion for the wilderness. Don't miss this opportunity to connect with fellow Huskiers, embrace nature, and create unforgettable memories. Visit our website for more details and sign up today to secure your spot!", + "event_type":"virtual", + "start_time":"2026-08-12 16:15:00", + "end_time":"2026-08-12 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Environmental Science", + "Climbing", + "Hiking" + ] + }, + { + "id":"33049f87-aaee-47a3-a9d8-646a6d097ec2", + "club_id":"92f2a841-93bf-47ff-b05d-88e642d8dabf", + "name":"Event for Northeastern University Huskiers and Outing Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Huskiers and Outing Club for a thrilling trek through the scenic White Mountains this weekend! Our experienced guides will lead you on a picturesque hike up Mount Washington, where you'll be treated to stunning views and plenty of photo opportunities. Whether you're a seasoned hiker or a beginner looking to explore the great outdoors, this event is the perfect opportunity to connect with nature, make new friends, and create unforgettable memories. Don't miss out on this exciting adventure - pack your gear, lace up your boots, and get ready for a day full of exploration and fun!", + "event_type":"hybrid", + "start_time":"2026-11-14 21:30:00", + "end_time":"2026-11-14 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Hiking" + ] + }, + { + "id":"3813f9f8-b827-4bcb-9812-6595da73a0bd", + "club_id":"4dedadc0-919a-4fd9-9f70-95c9a2261a19", + "name":"Event for Northeastern University Italian Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening at Northeastern University Italian Club's Pasta Night! Indulge in delicious pasta dishes, share stories, and connect with fellow members in a warm and inviting atmosphere. Our Pasta Night is a beloved tradition where friendships are forged, and laughter fills the air. Don't miss this opportunity to experience the Italian culture while enjoying a comforting meal together with the NUIC community.", + "event_type":"hybrid", + "start_time":"2026-12-11 20:30:00", + "end_time":"2026-12-11 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "International", + "Networking", + "Community Outreach", + "Cultural" + ] + }, + { + "id":"40de7e89-4c95-46ca-adc1-c81e82b1f603", + "club_id":"4dedadc0-919a-4fd9-9f70-95c9a2261a19", + "name":"Event for Northeastern University Italian Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Italian Club for an enchanting evening focused on exploring the essence of Italian art and culture. Immerse yourself in captivating discussions led by esteemed guest speakers who will share insights on Italy's rich heritage. As you indulge in delectable treats from Eataly, engage in thought-provoking conversations that will broaden your understanding of Italian traditions and customs. This event promises to be a delightful blend of learning, socializing, and experiencing the warmth of the NUIC community.", + "event_type":"hybrid", + "start_time":"2024-08-22 19:30:00", + "end_time":"2024-08-22 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Food", + "Cultural", + "Community Outreach", + "International", + "Networking", + "Event Planning" + ] + }, + { + "id":"57006f69-daec-43b5-96ae-4ab2fcce5a1f", + "club_id":"ee12a943-f121-485f-93d1-faf498d61b51", + "name":"Event for Northeastern University Knits", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at Northeastern University Knits for a cozy evening filled with knitting and camaraderie! Whether you're a seasoned knitter or just starting out, everyone is welcome to come together to work on projects, share tips, and enjoy the soothing rhythm of needles clicking away. This week, we'll be focusing on creating warm scarves to donate to our community partners. We'll be meeting in Curry room #346 from 8:00-9:00pm, so grab your needles and yarn and come join us for a night of creativity and giving back!", + "event_type":"in_person", + "start_time":"2026-10-18 15:15:00", + "end_time":"2026-10-18 17:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Creative Writing", + "Visual Arts" + ] + }, + { + "id":"f63e4ca8-37c4-432a-94ec-bd9771ecc7eb", + "club_id":"a95ada2e-c6b8-444b-bdf1-7dfca6e1889a", + "name":"Event for Northeastern University League of Legends", + "preview":"This club is holding an event.", + "description":"Join us this Friday for our weekly in-house League of Legends tournament! Whether you're a seasoned pro or just starting out, this event is designed to bring our community together for some friendly competition and fun. Our skilled organizers will ensure that everyone has a chance to shine, so don't be shy to participate. Get ready to showcase your skills, make new friends, and show off your teamwork in this exciting event where all skill levels are embraced and encouraged.", + "event_type":"hybrid", + "start_time":"2026-09-16 16:00:00", + "end_time":"2026-09-16 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Events", + "Socializing", + "Community Outreach", + "Gaming" + ] + }, + { + "id":"9305bec1-a2ad-402e-9445-584b30f4ffd3", + "club_id":"20129767-25a2-4925-915a-605d71836ab8", + "name":"Event for Northeastern University Maddog Rugby", + "preview":"This club is holding an event.", + "description":"Join us at Northeastern University Maddog Rugby for our upcoming Rookie Day event! This is the perfect opportunity for anyone interested in trying out rugby for the first time. Whether you're a seasoned athlete or completely new to the game, our experienced coaching staff will be there to guide you through the basics and provide a fun, inclusive environment for everyone. Come meet the team, learn about the sport, and get a taste of the exciting and rewarding world of rugby. We can't wait to welcome you to our rugby family!", + "event_type":"virtual", + "start_time":"2024-12-17 17:00:00", + "end_time":"2024-12-17 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Sports", + "Coaching", + "LGBTQ" + ] + }, + { + "id":"3119cb90-e7e3-461b-ad79-edef4a50e1ab", + "club_id":"20129767-25a2-4925-915a-605d71836ab8", + "name":"Event for Northeastern University Maddog Rugby", + "preview":"This club is holding an event.", + "description":"Come join Northeastern University Maddog Rugby for a fun Rugby 101 event! Whether you're a seasoned player or setting foot on the pitch for the first time, our welcoming team is here to help you improve your skills and enjoy the game. Our experienced coaching staff will be providing hands-on training sessions, teaching you everything you need to know about the game. Don't worry if you're new to rugby - we believe in fostering a supportive environment for players of all levels. Join us for a day filled with camaraderie, learning, and excitement on the field!", + "event_type":"virtual", + "start_time":"2025-07-05 17:30:00", + "end_time":"2025-07-05 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "LGBTQ", + "Sports" + ] + }, + { + "id":"78c23246-1453-48f5-a0f7-ee6058a5cc9a", + "club_id":"fd2bc0f8-74f7-44ec-afa0-899c3f9eaa5f", + "name":"Event for Northeastern University Madrigal Singers", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening with the Northeastern University Madrigal Singers as they showcase their exceptional talent in a captivating a cappella choral performance. Immerse yourself in a diverse repertoire spanning across different time periods and composers, featuring mesmerizing works by Eric Whitacre, Jake Runestad, Thomas LaVoy, and more. Experience the harmonious blend of voices as NUMadS emanates musical excellence while radiating the warmth of lifelong friendship. Be a part of this unforgettable musical journey that promises to enchant and inspire. Stay tuned on Facebook (NU Madrigal Singers) and Instagram (@numadrigalsingers) for updates on this magical event and more exciting performances!", + "event_type":"in_person", + "start_time":"2026-06-05 16:00:00", + "end_time":"2026-06-05 20:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Music", + "Friendship", + "Performing Arts", + "Community Outreach" + ] + }, + { + "id":"7937efd0-4d5f-4c63-a08a-f74fb5208663", + "club_id":"fd2bc0f8-74f7-44ec-afa0-899c3f9eaa5f", + "name":"Event for Northeastern University Madrigal Singers", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Madrigal Singers for a magical evening of a cappella choral music that transcends time and space. Led by the passionate Music Director Elijah Botkin, this talented group of student musicians will charm you with harmonies from composers like Eric Whitacre, Jake Runestad, and Thomas LaVoy. Immerse yourself in the enchanting atmosphere as NUMadS showcases their dedication to musical excellence and camaraderie. Don't miss this opportunity to experience the beauty of choral music firsthand! Check out our Facebook page (NU Madrigal Singers) and Instagram (@numadrigalsingers) for the latest updates on auditions, performances, and more.", + "event_type":"in_person", + "start_time":"2024-01-15 15:30:00", + "end_time":"2024-01-15 17:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Community Outreach", + "Friendship" + ] + }, + { + "id":"e946fe3d-c902-458e-b6ca-7dbc6b0022d9", + "club_id":"c4ac2bd1-bb9a-48fb-b1db-0c98b6318558", + "name":"Event for Northeastern University Marine Biology Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Marine Biology Club for an exciting beach clean-up event this weekend! We will be gathering at the Marine Science Center to make a positive impact on our local marine environment while bonding with fellow ocean enthusiasts. Don't miss this opportunity to connect with nature and contribute to marine conservation efforts alongside like-minded peers. All are welcome to participate, so grab your friends and come make a difference with us!", + "event_type":"virtual", + "start_time":"2026-07-21 15:15:00", + "end_time":"2026-07-21 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"e517e9ab-b1ea-433c-8adb-3bcef35d23dc", + "club_id":"c4ac2bd1-bb9a-48fb-b1db-0c98b6318558", + "name":"Event for Northeastern University Marine Biology Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting night of virtual exploration at the Northeastern University Marine Biology Club's Ocean Trivia Extravaganza event! Test your marine knowledge, connect with fellow ocean enthusiasts, and win prizes while learning interesting facts about the underwater world. Whether you're a seasoned marine biologist or just starting to dip your toes in the ocean realm, this event promises to be engaging and educational for all attendees. Don't miss out on this fun opportunity to dive into the depths of marine science with us!", + "event_type":"virtual", + "start_time":"2024-01-01 14:15:00", + "end_time":"2024-01-01 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Environmental Advocacy", + "Environmental Science", + "Biology" + ] + }, + { + "id":"c9fb053f-b3ae-4caf-a81c-5b066d4fa32a", + "club_id":"c4ac2bd1-bb9a-48fb-b1db-0c98b6318558", + "name":"Event for Northeastern University Marine Biology Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Marine Biology Club for an exciting night of exploration and learning at our upcoming virtual workshop on 'Coral Reefs of the World'. Dive deep into the vibrant ecosystems of coral reefs, as we discuss their importance in marine conservation and sustainability efforts. This interactive session will feature guest speakers from the Marine Science Center and hands-on activities to engage all participants. Whether you're a seasoned marine enthusiast or just curious about ocean life, this event promises to be a fun and educational experience for everyone. Mark your calendars and don't miss out on this opportunity to connect with fellow ocean lovers. See you there!", + "event_type":"hybrid", + "start_time":"2024-02-08 22:30:00", + "end_time":"2024-02-09 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Environmental Advocacy", + "Biology", + "Community Outreach" + ] + }, + { + "id":"126fafb4-633d-42bb-8ef9-8fd3400a79c4", + "club_id":"488bda3d-5d30-45ef-ac6d-2f822605a291", + "name":"Event for Northeastern University Marketing Association", + "preview":"This club is holding an event.", + "description":"Join us for an exciting networking event where you can connect with top marketing professionals and fellow students passionate about the industry! Dive into engaging discussions, gain valuable insights, and make meaningful connections that can shape your marketing career. Whether you're a seasoned marketer or just starting to explore the field, this event welcomes everyone eager to learn and grow together. Don't miss out on this opportunity to expand your marketing horizons and discover new possibilities within the dynamic world of marketing!", + "event_type":"in_person", + "start_time":"2024-04-01 18:15:00", + "end_time":"2024-04-01 20:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Industry Experts", + "Networking", + "Social Media" + ] + }, + { + "id":"3f7f8946-bc4a-4be7-8d7a-7a6155271c56", + "club_id":"f4587aa3-cbe4-4403-b9d4-b6b7fa0e4eb0", + "name":"Event for Northeastern University Men's Club Soccer", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled afternoon watching the Northeastern University Men's Club Soccer team showcase their skills on the field! As passionate student-athletes, our players come from diverse academic backgrounds united by their love for the game. Enjoy the competitive spirit and camaraderie as our team faces off against a worthy opponent, embodying the dedication and teamwork that define our club. Whether you're a soccer aficionado or a casual spectator, come support our players and be a part of the vibrant sports community at Northeastern University!", + "event_type":"in_person", + "start_time":"2026-08-22 15:00:00", + "end_time":"2026-08-22 16:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Community Outreach", + "Broadcasting", + "Soccer" + ] + }, + { + "id":"1cd53296-1a9c-4a5e-8dd3-f020a589f3fb", + "club_id":"f4587aa3-cbe4-4403-b9d4-b6b7fa0e4eb0", + "name":"Event for Northeastern University Men's Club Soccer", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Men's Club Soccer for our annual Spring Kickoff Event! This fun and exciting gathering is open to all undergraduate and graduate students who share a passion for soccer. Meet current team members, enjoy some friendly matches, and learn more about our training schedule and upcoming competitions. Whether you're a seasoned player or new to the game, everyone is welcome to come together and celebrate the spirit of collegiate soccer with us. Don't miss out on this opportunity to connect with fellow soccer enthusiasts and be a part of our thriving soccer community at Northeastern University!", + "event_type":"hybrid", + "start_time":"2024-11-19 13:30:00", + "end_time":"2024-11-19 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Broadcasting" + ] + }, + { + "id":"7c5fd363-546a-4b98-8e55-d3ce2216b651", + "club_id":"f4587aa3-cbe4-4403-b9d4-b6b7fa0e4eb0", + "name":"Event for Northeastern University Men's Club Soccer", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Men's Club Soccer team for a fun-filled soccer scrimmage at the university's state-of-the-art athletic complex. Whether you're a seasoned player or just looking to kick the ball around with new friends, this event is open to all skill levels. Connect with fellow students who share a passion for soccer and get a taste of what it's like to compete nationally while representing Northeastern University on the field. Don't miss this opportunity to be part of a vibrant community that values camaraderie, growth, and the beautiful game of soccer!", + "event_type":"hybrid", + "start_time":"2026-10-20 23:00:00", + "end_time":"2026-10-21 02:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Soccer", + "Volunteerism" + ] + }, + { + "id":"9975cb81-10a1-4001-b6c8-4b055541ba68", + "club_id":"13863b42-e9f1-4a66-8d89-75254f760b96", + "name":"Event for Northeastern University Men's Club Water Polo", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled day of water polo at our club tournament! Whether you're a seasoned player or just starting out, everyone is welcome to come and participate. This event is a great opportunity to showcase your skills, make new friends, and enjoy the thrill of competitive play. Our experienced coaches will be on hand to provide guidance and support throughout the games. Don't miss out on this chance to dive into the exciting world of water polo with the Northeastern University Men's Club Water Polo team!", + "event_type":"virtual", + "start_time":"2026-04-03 14:30:00", + "end_time":"2026-04-03 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"f4def96b-9365-4133-bacb-9d6232c0da2b", + "club_id":"13863b42-e9f1-4a66-8d89-75254f760b96", + "name":"Event for Northeastern University Men's Club Water Polo", + "preview":"This club is holding an event.", + "description":"Join us for an exciting day of water polo at our upcoming scrimmage event! Whether you're new to the sport or a seasoned player, this is the perfect opportunity to dive in and showcase your skills while having a splashing good time. Our supportive team environment ensures that everyone feels welcome, supported, and can focus on improving their game. Come meet fellow water polo enthusiasts, cheer on your teammates, and make a splash in the pool with us!", + "event_type":"virtual", + "start_time":"2026-01-23 18:15:00", + "end_time":"2026-01-23 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Soccer", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"a687f937-7915-40d7-b399-182da5790b65", + "club_id":"13863b42-e9f1-4a66-8d89-75254f760b96", + "name":"Event for Northeastern University Men's Club Water Polo", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Men's Club Water Polo for an exciting scrimmage event at the university's pool! Whether you are new to the sport or a seasoned player, this is the perfect opportunity to dive in and experience the thrill of water polo. Our experienced coaches will be on hand to provide guidance and tips to help improve your skills. Come meet fellow water polo enthusiasts, make new friends, and have a splashing good time while we prepare for our next tournament in the friendly waters of New England!", + "event_type":"virtual", + "start_time":"2026-08-24 20:00:00", + "end_time":"2026-08-24 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Soccer", + "Community Outreach", + "Environmental Advocacy" + ] + }, + { + "id":"bdb4e199-4958-437a-bdb9-7473701812ef", + "club_id":"38d3539f-adb8-458a-a2e0-dae865f5b3fa", + "name":"Event for Northeastern University Mock Trial", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening at Northeastern University Mock Trial as our talented members showcase their legal skills in a riveting trial simulation! Experience the thrill of the courtroom as our teams present compelling opening and closing arguments, skillfully examine witnesses, and artfully navigate objections. Whether you're curious about the legal field or eager to hone your public speaking and debate talents, this event is the perfect opportunity to get a taste of the action-packed world of mock trial competitions. Come witness the camaraderie, dedication, and passion that make our club a standout experience at Northeastern University!", + "event_type":"in_person", + "start_time":"2025-09-24 17:00:00", + "end_time":"2025-09-24 20:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Debate", + "Performing Arts", + "PublicRelations" + ] + }, + { + "id":"e73ebb21-ef0c-4429-b085-b313abb0a1e3", + "club_id":"38d3539f-adb8-458a-a2e0-dae865f5b3fa", + "name":"Event for Northeastern University Mock Trial", + "preview":"This club is holding an event.", + "description":"Join us for a thrilling evening at Northeastern University Mock Trial as our talented members showcase their legal prowess and courtroom skills in a captivating trial showdown. Experience the excitement of live courtroom drama as our members take on the roles of attorneys and witnesses, presenting compelling opening and closing arguments, conducting impactful witness examinations, and skillfully navigating objections. Whether you're a seasoned legal enthusiast or just curious to learn more about the world of mock trial, this event promises to be an engaging and entertaining opportunity to witness the art of persuasion and advocacy in action.", + "event_type":"hybrid", + "start_time":"2026-09-22 12:30:00", + "end_time":"2026-09-22 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"52548800-47bd-4775-974f-a57ea342677e", + "club_id":"38d3539f-adb8-458a-a2e0-dae865f5b3fa", + "name":"Event for Northeastern University Mock Trial", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Mock Trial for a thrilling evening of courtroom drama! Get a front-row seat to witness our talented members showcase their skills in public speaking, acting, and debate as they go head-to-head in a mock trial competition. Experience the intensity of the legal world as our teams present compelling arguments, skillfully examine witnesses, and expertly navigate objections. Whether you're an aspiring attorney or simply curious about the legal system, this event is sure to captivate and educate. Don't miss this exciting opportunity to see our members in action and discover the captivating world of mock trial!", + "event_type":"hybrid", + "start_time":"2025-11-14 13:15:00", + "end_time":"2025-11-14 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "PublicRelations", + "Prelaw", + "Debate" + ] + }, + { + "id":"69d7a8fb-da0b-4cec-9be2-67c81afdd65d", + "club_id":"7fa94633-254d-4ed8-a99e-2d11830f9ff6", + "name":"Event for Northeastern University Pharmacy Alliance", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Pharmacy Alliance for an exciting evening of networking and collaboration! Dive into the world of pharmacy with special guest speakers from the American Society of Health-System Pharmacists (APhA-ASP) and the National Community Oncology Dispensing Association (NCODA). This event is a fantastic opportunity to connect with fellow pharmacy enthusiasts and learn about the latest advancements in the field. Whether you're a seasoned professional or a curious student, all are welcome to engage in lively discussions and forge meaningful connections. Don't miss out on this enriching experience brought to you by our vibrant community of pharmacists!", + "event_type":"hybrid", + "start_time":"2026-05-12 23:00:00", + "end_time":"2026-05-13 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Healthcare", + "Chemistry", + "Community Outreach" + ] + }, + { + "id":"8ea5603b-4a2c-4815-90b2-1d8055c7b3f1", + "club_id":"18b7e592-dea5-49b4-973a-1cdd1d8f0bc2", + "name":"Event for Northeastern University Photography Club", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled Photography Walk in the park this weekend! Whether you're a seasoned pro or just getting started with photography, this event is perfect for everyone. We'll explore the beauty of nature through our lenses, sharing tips and tricks along the way. Don't worry if you're new to photography \u2013 our friendly members will be there to guide you through. Bring your camera or simply your smartphone, and let's capture some stunning shots together. It's a great opportunity to meet fellow photography enthusiasts and make some new friends. See you there!", + "event_type":"virtual", + "start_time":"2025-11-06 14:30:00", + "end_time":"2025-11-06 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Film", + "Creative Writing", + "Visual Arts", + "Community Outreach" + ] + }, + { + "id":"e3098636-5ff0-453b-9669-9dd34be0e570", + "club_id":"18b7e592-dea5-49b4-973a-1cdd1d8f0bc2", + "name":"Event for Northeastern University Photography Club", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Photography Club for our 'Photography Basics Workshop'! This engaging event is designed for students of all levels, whether you're just starting out or looking to brush up on your skills. Our knowledgeable club members will guide you through the fundamental concepts of photography in a fun and interactive session. Bring your camera and enthusiasm as we delve into topics such as composition, lighting techniques, and capturing the perfect shot. Don't worry if you're new to photography - this workshop is a supportive space for learning and creativity. Explore your passion for photography with us and unleash your artistic potential! Check out our linktree for more details and to RSVP.", + "event_type":"in_person", + "start_time":"2025-01-11 22:30:00", + "end_time":"2025-01-12 00:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Film", + "Visual Arts", + "Creative Writing" + ] + }, + { + "id":"5d2295ce-819e-4ce5-812f-df4af8d16ada", + "club_id":"e49c55b3-fcaf-47c5-9e6a-09a40bb393f2", + "name":"Event for Northeastern University Planeswalkers", + "preview":"This club is holding an event.", + "description":"Join us this Saturday for a thrilling Commander EDH battle where seasoned veterans and novice spellcasters alike can engage in epic duels of strategy and skill. Our welcoming atmosphere provides the perfect space to learn, improve, and make new friends within the vibrant MTG community. Whether you're honing your deck for the next tournament or simply looking to have fun, our event guarantees an unforgettable experience for all participants. Don't miss out on the opportunity to showcase your spells and counter that game-changing spell in a night filled with camaraderie and magical moments!", + "event_type":"hybrid", + "start_time":"2026-07-24 23:15:00", + "end_time":"2026-07-25 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Discord", + "Trips", + "Community Outreach", + "Gaming", + "Social" + ] + }, + { + "id":"ade6c52c-1e7b-4dc3-8e23-259ab11419b1", + "club_id":"e49c55b3-fcaf-47c5-9e6a-09a40bb393f2", + "name":"Event for Northeastern University Planeswalkers", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Planeswalkers club for a thrilling Cube Draft event this Thursday at 6:15pm! Whether you're a seasoned player or new to Magic: The Gathering, our welcoming community is excited to gather for an evening of strategic gameplay and camaraderie. Learn new strategies, try out powerful vintage proxies, or simply enjoy the company of fellow MTG enthusiasts. Don't miss this chance to immerse yourself in the world of Magic with friendly faces and endless fun. See you there!", + "event_type":"hybrid", + "start_time":"2024-01-03 22:15:00", + "end_time":"2024-01-04 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Club", + "Discord", + "Gaming", + "Community Outreach", + "Social", + "Trips" + ] + }, + { + "id":"8a20e6a6-1ca0-42c0-bb3c-b30eb9502f11", + "club_id":"e49c55b3-fcaf-47c5-9e6a-09a40bb393f2", + "name":"Event for Northeastern University Planeswalkers", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Planeswalkers for an exciting Commander Night event this Thursday at 6:15pm! Whether you're a seasoned player or new to the game, our welcoming community gathers to share strategies, swap cards, and engage in epic battles of wits and power. Feel free to bring your own EDH deck or borrow one from the club - we're here to help you learn and have fun. As always, our Discord server is buzzing with chatter about deck tech, upcoming drafts, and off-campus adventures to Pandemonium Books & Games. Don't miss out on the camaraderie and magic - see you there!", + "event_type":"hybrid", + "start_time":"2025-06-02 20:15:00", + "end_time":"2025-06-03 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Trips", + "Discord", + "Social" + ] + }, + { + "id":"0ace6d5f-a69c-4df9-bcac-5ba8025f5509", + "club_id":"3fe7b957-6aa5-4a3c-bc15-0c1f46b35431", + "name":"Event for Northeastern University Political Review", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Political Review for an engaging discussion on the impact of globalization on contemporary politics. Explore how global interconnectedness shapes diplomatic relations and policy decisions. This event is open to all students eager to delve into pressing international issues and engage in thought-provoking conversations. Don't miss this opportunity to broaden your perspectives and connect with like-minded individuals passionate about world affairs!", + "event_type":"hybrid", + "start_time":"2026-08-28 20:15:00", + "end_time":"2026-08-28 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Journalism", + "Community Outreach", + "Political", + "Academic" + ] + }, + { + "id":"ec69dc97-a314-49a9-bf9b-0d3e30797d91", + "club_id":"3fe7b957-6aa5-4a3c-bc15-0c1f46b35431", + "name":"Event for Northeastern University Political Review", + "preview":"This club is holding an event.", + "description":"Join us for an engaging roundtable discussion on the impact of social media on modern politics! Our esteemed panel of experts will delve into topics such as the role of online platforms in shaping public opinion, the challenges of regulating digital content, and the implications for democracy. Whether you're a seasoned political enthusiast or just starting to dip your toes into the world of social media activism, this event promises to be a thought-provoking exploration of the intersection between technology and politics. Don't miss this opportunity to connect with like-minded peers and gain valuable insights into the digital landscape of today's political landscape!", + "event_type":"hybrid", + "start_time":"2026-05-04 12:30:00", + "end_time":"2026-05-04 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Journalism", + "Community Outreach", + "Political", + "Academic" + ] + }, + { + "id":"d7355e6f-ef1a-49b9-9bc6-d7ef5be9948d", + "club_id":"4af7f482-82df-4b24-85a1-7a2182832bbb", + "name":"Event for Northeastern University Pre-Dental Association", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Pre-Dental Association for our upcoming event focusing on mastering the Dental Admissions Test! Whether you're a seasoned test-taker or just beginning your journey towards a career in dentistry, this session is designed to provide you with invaluable tips and strategies. Our welcoming community is here to support you every step of the way as you prepare for this important milestone. Come connect with fellow students, share experiences, and gain insights that will help propel you towards success. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2026-11-26 21:30:00", + "end_time":"2026-11-26 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Biology", + "Community Outreach" + ] + }, + { + "id":"9204d763-ebca-4530-8bc0-49f38057ecd7", + "club_id":"4af7f482-82df-4b24-85a1-7a2182832bbb", + "name":"Event for Northeastern University Pre-Dental Association", + "preview":"This club is holding an event.", + "description":"Join us for an exciting hands-on workshop at the NEU Pre-Dental Association! This month, we will be focusing on perfecting your dental school application with key tips and insights from experienced professionals. You'll have the chance to practice mock interviews and receive personalized feedback to help you stand out in the admissions process. Whether you're a freshman exploring dentistry or a senior preparing for the DAT, this event is designed to support your journey towards a successful dental career. Bring your enthusiasm and questions - we can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2025-12-24 23:15:00", + "end_time":"2025-12-25 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Premed" + ] + }, + { + "id":"49345d17-496a-4eb2-b079-cbb86549f288", + "club_id":"3130135e-a1e6-4ad5-b051-eb4fd1502504", + "name":"Event for Northeastern University Pre-Veterinary Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Pre-Veterinary Club (NUPVC) for an evening of interactive discussions on pathways to veterinary school and various career opportunities in the field of veterinary medicine. Whether you\u2019re an aspiring veterinarian or simply curious about the world of animal health, this event is a perfect opportunity to connect with like-minded peers and gain valuable insights. Feel free to bring your questions and enthusiasm as we explore the diverse facets of veterinary medicine together. For more details or inquiries, please reach out to us at NUASPVC@gmail.com. We can\u2019t wait to see you there!", + "event_type":"virtual", + "start_time":"2024-01-18 18:30:00", + "end_time":"2024-01-18 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Environmental Science", + "Animal Science", + "pre-veterinary", + "Biology", + "Community Outreach" + ] + }, + { + "id":"90b85f35-de38-4d28-8040-c7f1900f194e", + "club_id":"3130135e-a1e6-4ad5-b051-eb4fd1502504", + "name":"Event for Northeastern University Pre-Veterinary Club", + "preview":"This club is holding an event.", + "description":"Join us at the Northeastern University Pre-Veterinary Club meeting where we will be discussing the different career paths within veterinary medicine and sharing valuable insights on preparing for vet school. Whether you're a seasoned animal lover or just curious about the world of veterinary care, this event is perfect for anyone interested in being part of a supportive community passionate about animals. Don't miss out on the opportunity to connect with fellow students and professionals in the field! For any inquiries or to RSVP, please reach out to us at NUASPVC@gmail.com.", + "event_type":"virtual", + "start_time":"2024-12-08 22:15:00", + "end_time":"2024-12-09 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Environmental Science", + "Community Outreach", + "Animal Science", + "pre-veterinary", + "Biology" + ] + }, + { + "id":"46cdf5a5-05fe-4831-a2d0-9fa4e0235bbc", + "club_id":"d3a568cc-682e-4c56-afe2-8f098cda3bc2", + "name":"Event for Northeastern University Project Management Student Organization", + "preview":"This club is holding an event.", + "description":"Join us for an engaging workshop on Agile project management best practices, where you will learn how to streamline project workflows, enhance team collaboration, and deliver successful outcomes. This interactive session will feature industry experts sharing real-life case studies, practical tips, and hands-on activities to help you master Agile methodologies and apply them in your academic and professional projects. Whether you're a seasoned project manager or just starting your journey in project management, this event is a valuable opportunity to expand your skill set, network with like-minded peers, and gain insights that will boost your career growth. Let's come together, learn from each other, and build a stronger, more resilient project management community at Northeastern University!", + "event_type":"virtual", + "start_time":"2025-08-24 23:15:00", + "end_time":"2025-08-25 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Peer Support", + "Professional Development", + "Community Outreach", + "Event Hosting" + ] + }, + { + "id":"b445c8bc-5df0-4c08-996d-1d1ceb5ae2fc", + "club_id":"d3a568cc-682e-4c56-afe2-8f098cda3bc2", + "name":"Event for Northeastern University Project Management Student Organization", + "preview":"This club is holding an event.", + "description":"Join us for an interactive workshop on effective project management strategies! Whether you're a seasoned professional or just starting out, this event is designed to provide valuable insights and practical tips to enhance your project management skills. Our experienced speakers will share real-life examples and case studies, while offering personalized advice to help you succeed in your projects. Don't miss this opportunity to network with like-minded peers, learn from industry experts, and take your project management expertise to the next level!", + "event_type":"in_person", + "start_time":"2025-05-27 20:15:00", + "end_time":"2025-05-27 23:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Event Hosting", + "Professional Development" + ] + }, + { + "id":"0260f156-d9c4-44e0-8fb0-dcb3a47d261a", + "club_id":"d3a568cc-682e-4c56-afe2-8f098cda3bc2", + "name":"Event for Northeastern University Project Management Student Organization", + "preview":"This club is holding an event.", + "description":"Join us for an engaging and interactive workshop on agile project management, where you'll have the opportunity to learn about the latest industry trends and best practices. Our experienced guest speakers will share their insights and tips for successfully navigating the dynamic project management landscape. Network with fellow students and professionals, and gain valuable knowledge that will enhance your project management skills and boost your career prospects. Don't miss this exciting event designed to inspire and empower you on your professional journey!", + "event_type":"virtual", + "start_time":"2026-08-26 21:30:00", + "end_time":"2026-08-26 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Peer Support", + "Event Hosting", + "Professional Development", + "Community Outreach" + ] + }, + { + "id":"58e4f2e9-04bc-498a-859b-ce99d0b4f48c", + "club_id":"e3b459a0-52a3-4a51-880c-657d2b0f8ceb", + "name":"Event for Northeastern University Real Estate Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Real Estate Club for an exclusive speaker series event featuring industry experts sharing insights on the latest trends in real estate brokerage, development, investments, and policy. Network with fellow Northeastern students, faculty, alumni, and professionals as well as students from other universities in Boston who are passionate about the real estate field. This event is a great opportunity to expand your knowledge, make valuable connections, and gain practical skills to excel in the dynamic world of real estate. We look forward to seeing you there!", + "event_type":"virtual", + "start_time":"2026-02-18 22:30:00", + "end_time":"2026-02-18 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community", + "Professional Development", + "Networking" + ] + }, + { + "id":"556a4dad-191c-4c9c-b8da-0add0f15d588", + "club_id":"e3b459a0-52a3-4a51-880c-657d2b0f8ceb", + "name":"Event for Northeastern University Real Estate Club", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening panel discussion at the Northeastern University Real Estate Club! Our event will feature accomplished professionals in the real estate industry who will share their insights and expertise on the latest trends and opportunities in the field. Whether you're a seasoned real estate professional or just starting out, this event is a fantastic opportunity to expand your knowledge, network with like-minded individuals, and gain valuable perspectives. Come be a part of our vibrant community of students, faculty, alumni, and industry professionals as we delve into the exciting world of real estate together!", + "event_type":"in_person", + "start_time":"2024-08-06 21:30:00", + "end_time":"2024-08-06 23:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Networking", + "Community", + "Real Estate" + ] + }, + { + "id":"dca58054-285a-4e00-af38-7deb2e72103d", + "club_id":"9fb109f0-b81f-44ef-9947-0c2e5210359a", + "name":"Event for Northeastern University Researchers of Neuroscience", + "preview":"This club is holding an event.", + "description":"Join us for a special evening dedicated to exploring the diverse world of neuroimaging during Brain Awareness Week! This event will feature guest speakers Dr. Craig Ferris and Dr. Bruce Rosen, renowned experts in the field, who will share their insights and experiences. Additionally, we will host a neuroimaging-themed scavenger hunt inspired by the fascinating book 'Portraits of the Mind' by Carl Schoonover. Don't miss this unique opportunity to delve into the art and science of neuroimaging with fellow neuroscience enthusiasts!", + "event_type":"virtual", + "start_time":"2025-04-24 22:15:00", + "end_time":"2025-04-25 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Psychology", + "Neuroscience" + ] + }, + { + "id":"c3c541c2-a0fd-4db7-a14b-7a6df6b16161", + "club_id":"2a53af50-b324-4597-923d-b11240404514", + "name":"Event for Northeastern University School of Law", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening of legal trivia and networking at the Northeastern University School of Law Club! Test your knowledge of landmark cases, statutes, and legal precedents in a fun and interactive environment, perfect for both seasoned law scholars and newcomers alike. Connect with fellow law enthusiasts, build relationships, and share insights over refreshments as we celebrate our shared interest in law, legal advocacy, and social justice. Don't miss this opportunity to expand your legal knowledge, make new friends, and be a part of our supportive community dedicated to shaping a more just society through the power of law.", + "event_type":"in_person", + "start_time":"2024-03-20 16:30:00", + "end_time":"2024-03-20 19:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Prelaw", + "Community Outreach", + "PublicRelations", + "HumanRights" + ] + }, + { + "id":"3181dc5f-39a2-45cf-8b55-44432e33ff50", + "club_id":"2a53af50-b324-4597-923d-b11240404514", + "name":"Event for Northeastern University School of Law", + "preview":"This club is holding an event.", + "description":"Join us for an engaging panel discussion on 'Exploring Careers in Law' where legal professionals will share their experiences and insights, providing valuable guidance to students interested in pursuing a legal career. This event offers a great opportunity to network with industry experts, ask questions, and gain a better understanding of the various paths available within the field of law. Whether you're looking to specialize in a specific area or considering different practice settings, this event is perfect for anyone seeking to learn more about the exciting opportunities that await in the world of law!", + "event_type":"in_person", + "start_time":"2025-03-27 12:00:00", + "end_time":"2025-03-27 16:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Prelaw", + "HumanRights" + ] + }, + { + "id":"bbf33286-17ed-4482-b8a8-25ead2413192", + "club_id":"7d519861-e3f0-48fd-921d-f3b0edc9ae0e", + "name":"Event for Northeastern University Songwriting Club", + "preview":"This club is holding an event.", + "description":"Join us for our monthly Songwriting Showcase event where members of all experience levels come together to perform their songs in an open and supportive environment. Whether you're a seasoned songwriter or just starting out, this is the perfect opportunity to share your music, receive constructive feedback, and connect with fellow musicians. Don't be shy, all genres and styles are embraced with open arms! We encourage collaboration, so feel free to bring your instruments and join in on impromptu jam sessions. Our Songwriting Showcase is not just a performance, it's a celebration of creativity and community within the Northeastern University Songwriting Club. Come be a part of the music-making magic and let's inspire each other to reach new heights!", + "event_type":"hybrid", + "start_time":"2024-06-24 19:15:00", + "end_time":"2024-06-24 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Music" + ] + }, + { + "id":"927d73be-1ec5-4851-bb20-31f4b6895cff", + "club_id":"7d519861-e3f0-48fd-921d-f3b0edc9ae0e", + "name":"Event for Northeastern University Songwriting Club", + "preview":"This club is holding an event.", + "description":"Join us for a cozy evening of acoustic melodies at our Songwriters' Showcase event! Whether you're a seasoned songwriter or just starting out, this is the perfect opportunity to share your original music in a supportive and encouraging environment. Bring your guitar, keyboard, or any instrument you like, and serenade us with your heartfelt lyrics and catchy tunes. Don't feel ready to perform? No problem at all - come relax, sip some warm tea, and enjoy the incredible talents of your fellow club members. Let's celebrate creativity and music together, forming new connections and inspiring each other to explore the depths of our musical abilities. Everyone is invited to be a part of this harmonious and inclusive gathering! We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2024-09-09 20:30:00", + "end_time":"2024-09-09 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Visual Arts", + "Music" + ] + }, + { + "id":"f162d86b-b788-411c-b77c-6cb62a230864", + "club_id":"7ae450fe-5e08-4130-bccf-3c7c2d076708", + "name":"Event for Northeastern University Speech Language and Hearing Association", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Speech Language and Hearing Association for an engaging workshop on the latest advancements in Speech-Language Pathology and Audiology! This event is open to all graduate students passionate about communication disorders and eager to expand their knowledge. Come network with fellow students and industry professionals while gaining valuable insights and hands-on experience. Don't miss this opportunity to be a part of our vibrant community dedicated to making a difference in the field of speech and hearing!", + "event_type":"virtual", + "start_time":"2025-03-21 22:30:00", + "end_time":"2025-03-22 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Neuroscience", + "Volunteerism", + "Psychology", + "Community Outreach" + ] + }, + { + "id":"be006c80-9778-48db-a935-ff04aecc347a", + "club_id":"7ae450fe-5e08-4130-bccf-3c7c2d076708", + "name":"Event for Northeastern University Speech Language and Hearing Association", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Speech Language and Hearing Association for an exciting evening of guest speakers sharing their expertise in the fields of Speech-Language Pathology and Audiology. Connect with fellow graduate students who share your passion for making a difference in people's lives through communication and hearing care. Whether you're a seasoned member or new to the field, this event offers valuable insights, networking opportunities, and a supportive community to help you thrive in your studies and future career. Don't miss out on this enriching experience that combines learning, connection, and fun!", + "event_type":"virtual", + "start_time":"2025-06-03 14:30:00", + "end_time":"2025-06-03 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Neuroscience", + "Psychology", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"63392823-41cc-48ee-86f3-6e440d06f1b7", + "club_id":"b2351d4c-88e6-480c-8e12-faa3ac741445", + "name":"Event for Northeastern University Student Nurses Association", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Student Nurses Association for a fun and educational workshop on the importance of effective communication in nursing. In this engaging event, you will have the opportunity to learn essential communication skills, participate in interactive exercises, and connect with fellow nursing students. Whether you are an undergraduate, accelerated BSN, or graduate student, this workshop is designed to help you enhance your communication abilities and build a supportive community within the nursing field. Don't miss out on this chance to improve your professional skills while also having a great time with NUSNA members and friends! For more details, please email us at nustudentnurses@gmail.com or request membership on Engage to stay updated on all our events and activities. Follow us on Instagram @nustudentnurses for the latest updates and announcements.", + "event_type":"in_person", + "start_time":"2026-04-07 12:00:00", + "end_time":"2026-04-07 14:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Nursing", + "Volunteerism", + "Student Organization", + "Healthcare", + "Community Outreach" + ] + }, + { + "id":"732e34e3-2aca-4bbf-8d21-323bb1a95a46", + "club_id":"40a8d47b-6e87-4ed7-b694-468e00a14881", + "name":"Event for Northeastern University Supply Chain Management Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Supply Chain Management Club for an engaging panel discussion on the future of sustainable supply chains. Our expert speakers will share insights into how organizations are adopting eco-friendly practices to enhance efficiency and reduce environmental impact. This event is a fantastic opportunity to learn from industry leaders, network with like-minded peers, and gain valuable knowledge to advance your career in supply chain management. Don't miss out - sign up now to reserve your spot and stay connected with NUSCM for future events!", + "event_type":"hybrid", + "start_time":"2025-12-13 18:30:00", + "end_time":"2025-12-13 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Professional Development", + "Networking" + ] + }, + { + "id":"e13b7ec8-d866-4973-bccf-719454536e65", + "club_id":"9acf1d2c-8b7e-435d-880d-8f8c2ca1d4ed", + "name":"Event for Northeastern University Sustainable Building Organization", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Sustainable Building Organization for a fun and informative networking mixer event! Connect with like-minded peers and industry professionals in a casual and welcoming setting. Learn about the latest trends in sustainable building design, energy performance, and architecture while enjoying snacks and refreshments. Whether you're a graduate student or an undergraduate looking to explore sustainability, this event is open to all majors and backgrounds. Don't miss this opportunity to expand your knowledge and grow your professional network with NUSBO!", + "event_type":"in_person", + "start_time":"2024-04-04 15:00:00", + "end_time":"2024-04-04 16:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Sustainable Building Design", + "Building Life-Cycle Assessment", + "Environmental Advocacy", + "Building Energy Performance", + "Environmental Science", + "Community Outreach" + ] + }, + { + "id":"a3fac268-501b-48d8-9993-9662d741271a", + "club_id":"9acf1d2c-8b7e-435d-880d-8f8c2ca1d4ed", + "name":"Event for Northeastern University Sustainable Building Organization", + "preview":"This club is holding an event.", + "description":"Join us at the Northeastern University Sustainable Building Organization's next event where we will be exploring the latest advancements in sustainable building design and building energy performance. Whether you're a graduate student in architecture or an undergraduate in engineering, this event is a great opportunity to connect with like-minded peers and industry professionals. Learn about innovative strategies for sustainable architecture and engage in insightful discussions on building life-cycle assessment. Come be a part of our welcoming community dedicated to shaping a more sustainable future for all. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2025-12-09 16:15:00", + "end_time":"2025-12-09 20:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Sustainable Building Design", + "Building Life-Cycle Assessment", + "Environmental Advocacy" + ] + }, + { + "id":"820fd888-4fbd-42d9-9cee-dc26ad3b90df", + "club_id":"9acf1d2c-8b7e-435d-880d-8f8c2ca1d4ed", + "name":"Event for Northeastern University Sustainable Building Organization", + "preview":"This club is holding an event.", + "description":"Join us for our monthly Green Building Workshop, where students and professionals come together to discuss the latest advancements in sustainable building design and strategies. This interactive event will feature guest speakers from the industry sharing their expertise and insights, followed by breakout sessions for networking and idea-sharing. Whether you're a seasoned sustainability enthusiast or just curious about green building practices, this workshop is the perfect opportunity to learn, connect, and be inspired to make a positive impact on our built environment. We welcome students from all disciplines and backgrounds to be part of this engaging and collaborative experience!", + "event_type":"virtual", + "start_time":"2024-01-22 15:15:00", + "end_time":"2024-01-22 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Building Life-Cycle Assessment", + "Environmental Advocacy", + "Community Outreach", + "Sustainable Building Design", + "Environmental Science" + ] + }, + { + "id":"309b4bf7-0a49-4943-9016-675027b81bc3", + "club_id":"547e5453-f5e1-47c5-895e-d11bd2c40761", + "name":"Event for Northeastern University Swim Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Swim Club for an exciting weekend at the Regional Club Swim Meet, where teams from the Northeast gather to showcase their skills and camaraderie in the pool. Whether you're a seasoned competitor or a first-time swimmer, this event offers a fantastic opportunity to bond with teammates, challenge yourself in the water, and cheer on your fellow club members. Dive into the spirit of sportsmanship and community as we celebrate the joy of swimming together!", + "event_type":"in_person", + "start_time":"2025-03-22 20:00:00", + "end_time":"2025-03-22 23:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Community Outreach", + "Lacrosse" + ] + }, + { + "id":"7ecd3101-97b3-4fdb-90c5-0a6872529331", + "club_id":"547e5453-f5e1-47c5-895e-d11bd2c40761", + "name":"Event for Northeastern University Swim Club", + "preview":"This club is holding an event.", + "description":"Join us for the annual Northeastern University Swim Club Invitational! This exciting event brings together collegiate swim clubs from across the region for a day of friendly competition and camaraderie. Swimmers of all levels are welcome to participate, whether you're a seasoned competitor or just looking to have some fun in the pool. Our experienced coaches will be on hand to provide guidance and support throughout the day, ensuring that everyone has a rewarding and memorable experience. Make new friends, challenge yourself, and enjoy the thrill of racing against other talented swimmers from different universities. Don't miss out on this opportunity to showcase your skills and represent Northeastern University Swim Club with pride!", + "event_type":"hybrid", + "start_time":"2026-05-07 12:15:00", + "end_time":"2026-05-07 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"9e51501f-69c9-47ef-b160-3e773085d58e", + "club_id":"1a170165-5aff-4017-adc9-2c215e6de1d4", + "name":"Event for Northeastern University Symphony Orchestra", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Symphony Orchestra for an enchanting evening of music that transcends time and genre. Immerse yourself in the melodic tapestry woven by talented students, staff, and faculty from diverse backgrounds and majors. From classical masterpieces to modern compositions, the orchestra's performance promises to captivate your senses and stir your soul. Mark your calendar for this unforgettable musical journey at the Fenway Center, where the harmonious notes of dozens of instruments will fill the air. Whether you're a seasoned musician or simply an appreciative listener, this event is an opportunity to experience the magic of live orchestral music. Don't miss out - reserve your seat today and be part of this vibrant musical community!", + "event_type":"virtual", + "start_time":"2025-04-22 17:30:00", + "end_time":"2025-04-22 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"86418bee-b8c5-40f3-b0cd-4d106c93f7a0", + "club_id":"920f56d4-bb37-4264-8244-d2cdca20c69a", + "name":"Event for Northeastern University Taiwanese Student Association", + "preview":"This club is holding an event.", + "description":"Join us at Northeastern University Taiwanese Student Association\u2019s upcoming event where we will be diving deep into the rich and vibrant Taiwanese culture! Experience a night filled with traditional Taiwanese music, mouth-watering delicacies, and engaging activities that will surely make you feel like you've been transported to the bustling streets of Taiwan. Whether you're a seasoned bubble tea expert or just curious about Taiwanese traditions, our event is the perfect place to connect with fellow students, make new friends, and immerse yourself in the beauty of Taiwanese heritage. Don't miss out on this opportunity to expand your cultural horizons and have a fantastic time in a welcoming and inclusive environment created just for you!", + "event_type":"virtual", + "start_time":"2025-05-03 19:00:00", + "end_time":"2025-05-03 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Asian American", + "Multiculturalism" + ] + }, + { + "id":"895e1465-bf16-4b8b-9b3d-f08c4743ea57", + "club_id":"ce1a7e14-2931-438a-bcc5-4ea90a81a43e", + "name":"Event for Northeastern University Teaching English Language and Literacy Skills", + "preview":"This club is holding an event.", + "description":"Join us for an engaging and interactive ESL workshop hosted by NUtells, the Northeastern University Teaching English Language and Literacy Skills club! Whether you are a seasoned tutor or new to the tutoring scene, we welcome you to come together with a diverse group of learners and build connections within the community. This event will be a fantastic opportunity to learn new teaching strategies, share experiences, and make a positive impact on those looking to improve their English language skills. Don't miss out on this chance to be a part of our inclusive and supportive community - email nutells@gmail.com to sign up and get involved today!", + "event_type":"hybrid", + "start_time":"2025-08-01 14:15:00", + "end_time":"2025-08-01 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "English Language Learning", + "Education", + "Volunteerism" + ] + }, + { + "id":"87e07593-4195-4a84-8efc-63299e86d40c", + "club_id":"ce1a7e14-2931-438a-bcc5-4ea90a81a43e", + "name":"Event for Northeastern University Teaching English Language and Literacy Skills", + "preview":"This club is holding an event.", + "description":"Join us for an enriching and empowering ESL tutoring session hosted by the Northeastern University Teaching English Language and Literacy Skills club! Our virtual event offers an inclusive space where friendly tutors work with students in one-on-one or small group settings, fostering a sense of community and mutual learning. Whether you're a beginner or looking to refine your English skills, this event welcomes all with open arms. Come be part of our mission to make a positive impact and build connections within the Northeastern and Boston communities. For more details and to sign up, email us at nutells@gmail.com. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2025-10-15 15:00:00", + "end_time":"2025-10-15 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "English Language Learning", + "Community Outreach", + "Education", + "Volunteerism" + ] + }, + { + "id":"86cda7d0-6c95-4e58-9221-20f6732f5f08", + "club_id":"1c268b6f-18af-4249-af04-3c9daf8cf97a", + "name":"Event for Northeastern University Toastmasters", + "preview":"This club is holding an event.", + "description":"Come join us at Northeastern University Toastmasters for our upcoming workshop on the art of persuasive speaking. Whether you're a seasoned speaker or new to the world of public speaking, this event is designed to help you hone your skills in delivering powerful and compelling speeches. Our experienced members will share tips and tricks to help you captivate your audience and deliver your message with confidence. Don't miss this opportunity to boost your communication skills in a supportive and encouraging environment. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2026-06-19 15:30:00", + "end_time":"2026-06-19 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Communication" + ] + }, + { + "id":"b5457bcf-7091-4d71-99c6-9b45a736228d", + "club_id":"1c268b6f-18af-4249-af04-3c9daf8cf97a", + "name":"Event for Northeastern University Toastmasters", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening at Northeastern University Toastmasters' weekly meeting, where you can hone your public speaking and leadership skills in a welcoming and supportive environment. Whether you're a seasoned speaker or just starting out, our diverse group of members is here to help you improve and grow. Come prepared to participate in fun and engaging activities designed to boost your confidence and communication prowess. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2024-06-19 20:15:00", + "end_time":"2024-06-20 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Communication", + "Leadership", + "Self-confidence", + "Community Outreach" + ] + }, + { + "id":"5cefc2de-6625-4e3b-bbfa-c55bc2f741fb", + "club_id":"ad560238-433a-4766-98c6-a9e101960a9d", + "name":"Event for Northeastern University Trap and Skeet Club Team", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled day at our Northeastern University Trap and Skeet Club Team's Annual Spring Shootout event! Whether you're a seasoned shooter or a rookie just getting into the sport, this event is the perfect opportunity to enjoy some friendly competition while honing your skills in Trap, Skeet, and Sporting Clays. Our experienced instructors will be on hand to provide guidance and tips, ensuring that everyone has a blast while improving their shot. With breathtaking views and a welcoming atmosphere, our event promises a memorable experience for shooters of all levels. Mark your calendars and come out to Burlington MA for a day of camaraderie, sportsmanship, and exciting challenges!", + "event_type":"hybrid", + "start_time":"2025-11-12 16:15:00", + "end_time":"2025-11-12 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Travel", + "Community Outreach", + "Environmental Advocacy", + "Hiking" + ] + }, + { + "id":"d0e8622f-23f1-43dc-9f18-2f9c956d5f65", + "club_id":"d19c4b2c-39c6-4a2d-a7de-53ac9dd376ff", + "name":"Event for Northeastern University Triathlon Team", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Triathlon Team for a fun and energizing Swim, Bike, Run event at the campus this weekend! Whether you're a seasoned triathlete or a beginner looking to try something new, our team welcomes everyone with open arms. Come meet our friendly members and coaches who will guide you through a series of training sessions and mini races tailored to your level. Don't miss out on this opportunity to get active, make friends, and be part of an exciting community dedicated to triathlon. See you there!", + "event_type":"hybrid", + "start_time":"2025-10-14 21:00:00", + "end_time":"2025-10-15 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Athletics", + "Biking", + "Swimming", + "Running" + ] + }, + { + "id":"22e6983b-3630-4052-b1b3-ea49f7ae3e99", + "club_id":"d19c4b2c-39c6-4a2d-a7de-53ac9dd376ff", + "name":"Event for Northeastern University Triathlon Team", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Triathlon Team for a fun-filled Welcome Back BBQ event to kick off the new school year! Whether you're a seasoned triathlete or just starting out, everyone is welcome to enjoy delicious food, meet fellow teammates, and learn more about our exciting upcoming season. Come chat with our friendly team members, ask questions, and sign up for our practice sessions in swimming, biking, and running. We can't wait to see you there and welcome you to our inclusive and supportive triathlon community!", + "event_type":"virtual", + "start_time":"2026-07-15 12:00:00", + "end_time":"2026-07-15 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Athletics", + "Running", + "Swimming" + ] + }, + { + "id":"f9866b27-5a7c-4ff6-8623-82746e48358e", + "club_id":"d19c4b2c-39c6-4a2d-a7de-53ac9dd376ff", + "name":"Event for Northeastern University Triathlon Team", + "preview":"This club is holding an event.", + "description":"Join us for our annual Northeastern University Triathlon Team Open House! Whether you're a seasoned triathlete or completely new to the sport, this event is the perfect opportunity to meet our team, learn about our training schedule, and get all your questions answered. We'll have experienced members on hand to share their tips and tricks, as well as information on upcoming races and events. Plus, there will be free snacks and drinks for everyone to enjoy. Come stop by and see what the NUCTT community is all about!", + "event_type":"virtual", + "start_time":"2024-07-08 14:30:00", + "end_time":"2024-07-08 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Running", + "Swimming" + ] + }, + { + "id":"32ae88c8-ec4d-45cb-83ed-6450b932b644", + "club_id":"91145622-5bea-4f55-8e9e-32cd44ee87fd", + "name":"Event for Northeastern University Undergraduate Speech and Hearing Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Undergraduate Speech and Hearing Club for an engaging workshop on effective communication strategies for individuals with speech and hearing difficulties. Our event will feature interactive demonstrations, guest speakers from the field, and insightful discussions on the importance of advocacy and inclusivity. Whether you are an aspiring speech-language pathologist, audiologist, or simply someone passionate about making a positive impact, this event is the perfect opportunity to connect with like-minded peers and expand your knowledge in a welcoming community setting. Come learn, share, and grow with us as we work together towards creating a more accessible and understanding world for all individuals affected by communication disorders.", + "event_type":"hybrid", + "start_time":"2026-04-28 15:00:00", + "end_time":"2026-04-28 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Volunteerism", + "Neuroscience", + "Psychology" + ] + }, + { + "id":"41f2fe5b-4d4b-4302-8aa1-3695caa68d39", + "club_id":"61da5547-f2b9-40ed-9562-8d7e38e3c7f3", + "name":"Event for Northeastern University Unisons A Cappella", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening of a cappella magic with Northeastern University Unisons A Cappella! Get ready to be serenaded by our talented tenors, bari-basses, and vocal percussionists as we take you on a musical journey through today's chart-toppers, timeless classics, heartwarming holiday tunes, and much more. Our award-winning group has graced prestigious stages like Boston's Symphony Hall and rocked out in the cozy dorm lobbies on campus. Feel the harmonies, experience the energy, and immerse yourself in an unforgettable performance that will leave you wanting more! Whether you're a seasoned a cappella fan or a curious newbie, this is the event you don't want to miss. Come as you are, bring your friends, and let the music unite us all!", + "event_type":"hybrid", + "start_time":"2025-01-17 15:30:00", + "end_time":"2025-01-17 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Performing Arts", + "Community Outreach", + "Music" + ] + }, + { + "id":"e5a16c42-fa16-4a40-980e-98a42a4ca45d", + "club_id":"61da5547-f2b9-40ed-9562-8d7e38e3c7f3", + "name":"Event for Northeastern University Unisons A Cappella", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Unisons A Cappella for an unforgettable evening of harmonies and melodies! Our talented tenor, bari-bass singers will serenade you with a mix of today's top hits, classic favorites, and festive holiday tunes. Immerse yourself in our dynamic performance, showcasing the passion and dedication we bring to every song. Don't miss this opportunity to experience the magic of a cappella music, from Boston's Symphony Hall to the cozy dorm lobbies on campus. Get ready to be amazed and uplifted by the incredible vocal talent of the Unisons!", + "event_type":"hybrid", + "start_time":"2024-09-26 16:15:00", + "end_time":"2024-09-26 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Music", + "Performing Arts" + ] + }, + { + "id":"f7e04a11-254c-4232-ad44-d3fe8baca484", + "club_id":"61da5547-f2b9-40ed-9562-8d7e38e3c7f3", + "name":"Event for Northeastern University Unisons A Cappella", + "preview":"This club is holding an event.", + "description":"Join us for an unforgettable evening of a cappella magic with Northeastern University Unisons A Cappella! Experience the harmonious blend of tenor and bari-bass voices as we serenade you with a diverse repertoire spanning from today's top hits to nostalgic classics and festive holiday tunes. Our award-winning group, known for our dynamic performances and unique take on popular songs, has graced prestigious stages like Boston's Symphony Hall and campus dorm lobbies alike. Don't miss this opportunity to witness the passion and talent of the Unisons as we deliver a show that will leave you humming and tapping your feet long after the final note!", + "event_type":"in_person", + "start_time":"2025-11-09 17:00:00", + "end_time":"2025-11-09 21:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"52a0cb5a-82ab-46c9-85e7-099cc06143bc", + "club_id":"f217e415-9498-4963-ba2d-eb775f554ebb", + "name":"Event for Northeastern University West Coast Swing Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of West Coast Swing dance lessons with Northeastern University West Coast Swing Club! Whether you're a beginner looking to learn the basics or an intermediate dancer wanting to refine your skills, we've got you covered. Our friendly and welcoming instructors will guide you through the steps, no partner necessary. Come on down to CSC 348 on Tuesday at 7:30pm for the intermediate lesson, followed by the beginner lesson at 8:30pm. Mark your calendar for the first lesson of the semester on 9/12/2023. Don't miss out on this opportunity to connect with the Boston swing dance community and take your dance skills to the next level. See you on the dance floor!", + "event_type":"in_person", + "start_time":"2025-10-03 14:15:00", + "end_time":"2025-10-03 18:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"1f08f8b6-2bdd-4381-ba70-a0d73db3f2db", + "club_id":"f217e415-9498-4963-ba2d-eb775f554ebb", + "name":"Event for Northeastern University West Coast Swing Club", + "preview":"This club is holding an event.", + "description":"Join us at Northeastern University West Coast Swing Club's weekly dance lesson on Tuesday at CSC 348. Our welcoming and beginner-friendly atmosphere is perfect for anyone looking to learn or improve their west coast swing dance skills. Whether you're new to dance or experienced, there's something for everyone. The intermediate lesson starts at 7:30pm, followed by the beginner lesson at 8:30pm. No partner is necessary, so feel free to come alone or bring a friend. Come dance with us and be a part of the vibrant Boston swing dance community. Don't forget to join our Discord to stay updated on all the latest club news and events!", + "event_type":"in_person", + "start_time":"2026-07-14 18:00:00", + "end_time":"2026-07-14 19:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Performing Arts", + "Music" + ] + }, + { + "id":"727268ba-5d1d-4d03-9405-03f532749c88", + "club_id":"2fcf5142-7177-4121-8c5e-2d36e0f126cd", + "name":"Event for Northeastern University Wind Ensemble", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Wind Ensemble for a delightful evening of music and artistry! Immerse yourself in a captivating performance that showcases our talented musicians and their dedication to exploring advanced repertoire. Experience the magic of our multi-media concert, where we have accompanied silent movies with original scores by our very own student composers. Be enchanted as we collaborate with guest soloists and actors, creating moments of pure musical brilliance. Whether you're a seasoned music enthusiast or new to the wind ensemble scene, this event promises to be a memorable highlight of the semester. Stay tuned for auditions for the Spring 2023 semester by reaching out to our ensemble director Allen Feinstein at a.feinstein@northeastern.edu. We can't wait to welcome you into our vibrant community of musicians!", + "event_type":"hybrid", + "start_time":"2026-08-22 12:00:00", + "end_time":"2026-08-22 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Music" + ] + }, + { + "id":"64808c1f-fa6e-4e3d-80b6-3711a627cb0e", + "club_id":"2fcf5142-7177-4121-8c5e-2d36e0f126cd", + "name":"Event for Northeastern University Wind Ensemble", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Wind Ensemble for an enchanting night of music and artistry! Immerse yourself in the harmonious melodies of the ensemble as they showcase their talent through a magical blend of wind repertoire and multi-media elements. Be captivated as the group takes you on a journey through original scores, live dance performances, and collaborations with special guest soloists and actors. Experience the vibrant energy and camaraderie of the ensemble, composed of diverse members from various backgrounds and majors. Whether you're a seasoned musician or just starting out, all NU community members are welcome to join in on the fun. Stay tuned for our upcoming concert program and don't forget to inquire about auditions for the Spring 2023 semester with our director Allen Feinstein at a.feinstein@northeastern.edu!", + "event_type":"hybrid", + "start_time":"2026-04-25 20:15:00", + "end_time":"2026-04-25 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"d5c62845-d120-46b8-9e06-8903fae7ef24", + "club_id":"a40357c4-2c72-4715-9baa-7c75e8f1ec68", + "name":"Event for Northeastern University Women in Technology", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Women in Technology for an interactive tech talk on cybersecurity trends and career opportunities in the digital era! Whether you're a seasoned professional or just starting out, this session will provide valuable insights and networking opportunities. Bring your curiosity and questions as our guest speaker shares real-world experiences and tips to help you thrive in this dynamic field. Don't miss out on this chance to connect with like-minded individuals and empower yourself in the tech industry! Mark your calendar and RSVP to secure your spot at this exciting event.", + "event_type":"in_person", + "start_time":"2026-12-09 17:15:00", + "end_time":"2026-12-09 19:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Data Science", + "Software Engineering" + ] + }, + { + "id":"b7c8473b-43a5-47ab-95da-2a478a708932", + "club_id":"a40357c4-2c72-4715-9baa-7c75e8f1ec68", + "name":"Event for Northeastern University Women in Technology", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Tech Talk event hosted by Northeastern University Women in Technology (NUWIT)! Our Tech Talk series features engaging discussions with industry professionals, providing valuable insights and networking opportunities for women in Computer and Information Science. Whether you're a student, industry professional, or tech enthusiast, this event is open to all who are eager to learn and connect. Don't miss out on this exciting opportunity to broaden your knowledge, network with like-minded individuals, and be inspired by the incredible achievements of women in tech. Stay tuned for more details on our upcoming Tech Talks and mark your calendars to be a part of this enriching experience!", + "event_type":"hybrid", + "start_time":"2026-09-23 23:15:00", + "end_time":"2026-09-24 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Women in Technology", + "Community Outreach", + "Software Engineering" + ] + }, + { + "id":"f775c57a-ab46-4991-89b1-2bcb08172e2a", + "club_id":"a40357c4-2c72-4715-9baa-7c75e8f1ec68", + "name":"Event for Northeastern University Women in Technology", + "preview":"This club is holding an event.", + "description":"Join Northeastern University Women in Technology for an exciting tech talk featuring guest speakers from leading tech companies, sharing insights and advice on breaking into the tech industry. This interactive event offers a great opportunity to network with like-minded individuals, gain valuable knowledge, and get inspired by successful women in tech. Don't miss out on this empowering session that will help you advance your career and build connections in the technology field!", + "event_type":"in_person", + "start_time":"2024-12-23 13:30:00", + "end_time":"2024-12-23 15:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Software Engineering", + "Community Outreach", + "Women in Technology", + "Data Science" + ] + }, + { + "id":"d9b796e5-faec-4fc8-ae6f-8378482b17cc", + "club_id":"b5abf02c-faed-4937-9270-4b024b412bff", + "name":"Event for Northeastern University Women's Squash Team", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University Women's Squash Team for a fun and energizing Squash Social event! Whether you're a seasoned player or just starting out, this is the perfect opportunity to meet the team, practice your skills, and make new friends. We'll have friendly matches, drills, and plenty of encouragement for everyone. Don't worry if you're new to the game - we're here to help you learn and improve in a supportive environment. Come down to the Badger and Rosen SquashBusters Center on campus this Saturday from 2-4 pm, and experience the excitement of the Northeastern squash community firsthand! See you on the courts!", + "event_type":"hybrid", + "start_time":"2024-06-25 14:30:00", + "end_time":"2024-06-25 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "College Athletics", + "Fitness", + "Sports", + "Women's Sports" + ] + }, + { + "id":"148d3c9e-4987-4a55-bb5b-13a7d0aa6762", + "club_id":"b5abf02c-faed-4937-9270-4b024b412bff", + "name":"Event for Northeastern University Women's Squash Team", + "preview":"This club is holding an event.", + "description":"Join us for our annual Northeastern University Women's Squash Team Open House event! Whether you're an experienced player or a complete beginner, this is the perfect opportunity to meet our friendly team members, tour our state-of-the-art facilities at the Badger and Rosen SquashBusters Center, and learn more about our upcoming season. Our coaches will be on hand to provide tips and guidance, and you'll have the chance to get a feel for the game with some fun drills and games. Don't miss out on this chance to discover the exciting world of squash and become part of our supportive and enthusiastic community. See you there!", + "event_type":"hybrid", + "start_time":"2025-07-04 19:15:00", + "end_time":"2025-07-04 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Women's Sports", + "Sports", + "College Athletics" + ] + }, + { + "id":"8f16eeca-59d8-4b01-b62f-c47f52b99475", + "club_id":"c9ae7bff-2f32-4df6-a23c-f22a8ad25fd0", + "name":"Event for Northeastern University Wrestling Club", + "preview":"This club is holding an event.", + "description":"Join us for a special Open House event at Northeastern University Wrestling Club! Whether you're a seasoned wrestler or a complete beginner, this is the perfect opportunity to meet our diverse team members and experience the exciting world of collegiate wrestling. Our friendly and experienced coaches will be on hand to guide you through drills and techniques, while our more advanced members will provide encouragement and support. Don't miss this chance to learn more about our tournament schedule, training program, and the unique camaraderie of our club. Refreshments will be provided, and you'll have the chance to sign up for upcoming competitions and volunteer opportunities. Come visit us at Marino's second-floor sports court at the specified date and time to kickstart your wrestling journey with us!", + "event_type":"hybrid", + "start_time":"2026-08-17 20:00:00", + "end_time":"2026-08-17 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Physical Fitness", + "Wrestling" + ] + }, + { + "id":"c351cf13-fb87-43bc-b1a0-dcf02242fc0b", + "club_id":"c9ae7bff-2f32-4df6-a23c-f22a8ad25fd0", + "name":"Event for Northeastern University Wrestling Club", + "preview":"This club is holding an event.", + "description":"Join us for a fun and energetic wrestling practice session with the Northeastern University Wrestling Club! Whether you're a seasoned wrestler or just starting out, our inclusive club welcomes all experience levels. Our dedicated members will provide support and guidance to help you improve your skills on the mat. Come meet new teammates and experience the comradery of our club as we gear up for upcoming tournaments and meets in the northeast. Don't miss out on the opportunity to train and grow with us at Marino's second floor sports court. See you there!", + "event_type":"hybrid", + "start_time":"2026-08-27 12:00:00", + "end_time":"2026-08-27 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Physical Fitness", + "Volunteerism", + "Wrestling", + "Athletics", + "Community Outreach" + ] + }, + { + "id":"7dac90f5-15fa-43c7-8934-d1291c22bde9", + "club_id":"c9ae7bff-2f32-4df6-a23c-f22a8ad25fd0", + "name":"Event for Northeastern University Wrestling Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Wrestling Clinic hosted by the Northeastern University Wrestling Club! Whether you're new to the sport or a seasoned wrestler, this event is a great opportunity to enhance your skills and connect with fellow wrestling enthusiasts. Our experienced members will provide valuable insights and tips to help you improve your technique. The clinic will take place at Marino's second-floor sports court on Monday from 6-8pm. Don't miss this chance to learn, grow, and have fun with us!", + "event_type":"hybrid", + "start_time":"2026-12-13 14:00:00", + "end_time":"2026-12-13 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Physical Fitness", + "Volunteerism", + "Athletics" + ] + }, + { + "id":"cb51835e-984e-4763-85f2-cb22649f47cf", + "club_id":"9bfc8d7d-3677-4945-9f04-e54ed3d9ff28", + "name":"Event for Northeastern University's Film Enthusiast's Club", + "preview":"This club is holding an event.", + "description":"Join the Northeastern University's Film Enthusiast's Club (NUFEC) this Saturday for an engaging film discussion night at our cozy club room. We'll be delving into the cinematic beauty of a classic noir film, exploring its intricate storytelling and captivating visuals. From seasoned film buffs to casual enthusiasts, all are welcome to share their thoughts and discover new perspectives in a lively and supportive environment. Don't miss this opportunity to connect with fellow film lovers, sip on some popcorn, and immerse yourself in the magic of the silver screen!", + "event_type":"in_person", + "start_time":"2025-11-22 19:30:00", + "end_time":"2025-11-22 23:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Visual Arts" + ] + }, + { + "id":"b3baf56c-1173-4382-9234-e90067e86629", + "club_id":"21d7afbe-5747-4b43-9ba4-c81123c01e41", + "name":"Event for Northeastern Women's Club Soccer", + "preview":"This club is holding an event.", + "description":"Join Northeastern Women's Club Soccer for a friendly scrimmage match against a local rival team, taking place at our home field in South Boston. This exciting event will showcase the talent and teamwork of our dedicated players as they strive for excellence on the field. Spectators are welcomed to cheer on our team and experience the camaraderie and competitive spirit of club soccer. Refreshments will be available, providing a perfect opportunity to connect with fellow soccer enthusiasts and learn more about our club's upcoming season. Don't miss out on this thrilling afternoon of women's soccer action!", + "event_type":"hybrid", + "start_time":"2026-01-23 14:00:00", + "end_time":"2026-01-23 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Soccer" + ] + }, + { + "id":"cf60e853-c212-4f6c-829c-3c83710fda7c", + "club_id":"21d7afbe-5747-4b43-9ba4-c81123c01e41", + "name":"Event for Northeastern Women's Club Soccer", + "preview":"This club is holding an event.", + "description":"Join us for our annual Northeastern Women's Club Soccer Alumni Game, a fun and competitive match that brings together current team members and former players for a day of exciting soccer action and camaraderie. This event provides a great opportunity to reconnect with old teammates, showcase your skills on the field, and support the ongoing success of our club. Whether you're a seasoned alum or a recent graduate, all are welcome to participate and cheer on the teams. Mark your calendars and get ready for a memorable day filled with friendly competition and shared memories. Can't wait to see you there!", + "event_type":"in_person", + "start_time":"2024-03-12 19:00:00", + "end_time":"2024-03-12 22:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Student Athletics", + "Community Outreach", + "Leadership" + ] + }, + { + "id":"3462b291-3afb-4d6d-bdb7-5e941640c683", + "club_id":"29fa9e81-111e-41fa-9a9f-320c7211c450", + "name":"Event for Northeastern Women's Club Volleyball", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled volleyball clinic hosted by the Northeastern Women's Club Volleyball team! Whether you're a seasoned player or new to the sport, all skill levels are welcome to participate in drills, games, and team bonding activities. Our experienced coaches and friendly team members will be there to guide you through the fundamentals and help you improve your game. Don't miss out on this opportunity to meet new friends, hone your volleyball skills, and be a part of our welcoming volleyball community. Make sure to email neuwomensclubvball@gmail.com to reserve your spot and receive updates on future events. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2024-06-23 14:15:00", + "end_time":"2024-06-23 15:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Volunteerism", + "Sports" + ] + }, + { + "id":"75e808cb-a718-4f57-9b8d-7b2d097f577e", + "club_id":"29fa9e81-111e-41fa-9a9f-320c7211c450", + "name":"Event for Northeastern Women's Club Volleyball", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled evening of volleyball as the Northeastern Women's Club Volleyball team hosts an open scrimmage session for players of all levels! Whether you are a seasoned player looking to hone your skills or a beginner interested in trying out the sport, this event is the perfect opportunity to meet fellow volleyball enthusiasts and get a taste of what our club is all about. Bring your energy and enthusiasm, and let's bump, set, and spike together! Don't forget to reach out to neuwomensclubvball@gmail.com to RSVP and receive updates on future events.", + "event_type":"virtual", + "start_time":"2024-09-27 17:15:00", + "end_time":"2024-09-27 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "Community Outreach", + "Diversity", + "LGBTQ", + "Sports" + ] + }, + { + "id":"603946dc-1cf9-4006-a3b9-1a018bc4ada8", + "club_id":"29fa9e81-111e-41fa-9a9f-320c7211c450", + "name":"Event for Northeastern Women's Club Volleyball", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled scrimmage session with the Northeastern Women's Club Volleyball team! Whether you're a seasoned player or new to the sport, everyone is welcome to come spike, set, and serve with us. Our friendly team members will guide you through the drills and games, creating a welcoming environment for players of all levels. Don't miss this opportunity to meet new friends, improve your skills, and experience the excitement of collegiate club volleyball. RSVP now by emailing neuwomensclubvball@gmail.com and get ready for a fantastic time on the court!", + "event_type":"virtual", + "start_time":"2025-02-12 23:15:00", + "end_time":"2025-02-13 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Diversity" + ] + }, + { + "id":"b00510fe-23e5-434c-87af-b556fc4c0587", + "club_id":"a65b5589-37ad-4aaa-96a1-7a18c1e55b2f", + "name":"Event for Northeastern's All-Female Semi Professional A Cappella Group, Pitch, Please!", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening with Pitch, Please! as they showcase their award-winning talent and captivating harmonies. Experience the magic of this all-female semi professional a cappella group as they take you on a musical journey filled with power, passion, and impressive vocal prowess. Don't miss this opportunity to witness the group that has wowed audiences at prestigious competitions, TV appearances, and major events. Get ready to be mesmerized by their latest hits, including the soul-stirring EP 'Indigo' and the uplifting single 'Titivating'. Mark your calendars and be part of the excitement - follow @NUpitchplease on social media for updates and exclusive content!", + "event_type":"in_person", + "start_time":"2026-12-19 16:30:00", + "end_time":"2026-12-19 18:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Performing Arts", + "Community Outreach", + "Creative Writing" + ] + }, + { + "id":"308fb35f-78b9-4d56-afb6-1a57678c24b1", + "club_id":"326d07c1-a314-4d28-bd96-6fcb2560d7b6", + "name":"Event for NU & Improv'd", + "preview":"This club is holding an event.", + "description":"Join NU & Improv'd for an evening filled with laughter and creativity at our monthly improv show at After Hours. Witness our talented performers bring to life hilarious scenes and characters on the spot, all inspired by your suggestions. Whether you're a comedy enthusiast or just looking for a good time, our welcoming group promises an entertaining experience for all. Don't miss out on the opportunity to be a part of the fun \u2013 mark your calendars and join us for a night of spontaneous entertainment!", + "event_type":"in_person", + "start_time":"2026-09-24 20:30:00", + "end_time":"2026-09-24 21:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"12cebece-29cd-4cb6-8fdf-d41c39befae6", + "club_id":"326d07c1-a314-4d28-bd96-6fcb2560d7b6", + "name":"Event for NU & Improv'd", + "preview":"This club is holding an event.", + "description":"Join NU & Improv'd for a night of side-splitting laughs and on-the-spot comedy magic! Our talented troupe will showcase their spontaneous creativity, bringing to life hilarious characters and scenes created right before your eyes. This event is perfect for anyone who's looking to unwind, have a great time, and be part of an interactive experience where your suggestions shape the show. Get ready to see some of the best improv comedy in town, right here at Northeastern's very own NU & Improv'd club!", + "event_type":"in_person", + "start_time":"2024-07-11 22:15:00", + "end_time":"2024-07-12 00:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "LGBTQ", + "Community Outreach", + "Performing Arts" + ] + }, + { + "id":"f73f9471-03da-43f5-a51d-8cb65f28718c", + "club_id":"326d07c1-a314-4d28-bd96-6fcb2560d7b6", + "name":"Event for NU & Improv'd", + "preview":"This club is holding an event.", + "description":"Join NU & Improv'd for a night of laughter and spontaneous entertainment at our monthly improv showcase in After Hours. Be a part of the fun as our talented troupe creates hilarious scenes and characters on the spot, inspired by your suggestions. Whether you're a seasoned improv enthusiast or just looking for a good time, our welcoming group promises an evening of relaxation and joy. Don't miss out on the chance to experience the excitement of improv comedy with us!", + "event_type":"virtual", + "start_time":"2025-01-11 15:00:00", + "end_time":"2025-01-11 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Performing Arts", + "Film", + "LGBTQ" + ] + }, + { + "id":"688da179-8d09-4798-94da-fa6983f6246a", + "club_id":"64e160af-0455-4f0c-a28e-0f9a998b0902", + "name":"Event for NU American Society of Engineering Management", + "preview":"This club is holding an event.", + "description":"Join the NU American Society of Engineering Management for an engaging evening focused on mastering the art of project management! Discover valuable strategies and insights from industry experts that will enhance your understanding of this critical aspect of Engineering Management. Network with fellow students, faculty, and professionals to expand your knowledge and build meaningful connections. Don't miss this opportunity to elevate your skills and advance your career in the field of Engineering Management! We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2024-06-08 20:00:00", + "end_time":"2024-06-08 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Student Organization", + "Industrial Engineering", + "Networking", + "Professional Development", + "Mechanical Engineering" + ] + }, + { + "id":"bd3f70f1-0035-41f9-8e21-c51cb56ebd1b", + "club_id":"b4d71980-6685-4e33-a0e3-d8348a4ce577", + "name":"Event for NU Ballroom Dance Club", + "preview":"This club is holding an event.", + "description":"Join the NU Ballroom Dance Club for our next exciting event, the Spring Showcase Dance Social! Whether you're a seasoned competitor or a beginner looking to dip your toes into the world of ballroom dancing, this social is the perfect opportunity to connect with our vibrant community. Enjoy a night of music, dancing, and laughter as you mingle with fellow dancers and make new friends. Our experienced coaches will be there to provide guidance and support, ensuring that everyone has a fantastic time on the dance floor. Don't miss out on this chance to experience the welcoming and inclusive atmosphere that the NU Ballroom Dance Club is known for! See you there!", + "event_type":"in_person", + "start_time":"2026-11-12 18:15:00", + "end_time":"2026-11-12 22:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Dance", + "Performing Arts", + "Music" + ] + }, + { + "id":"6c8e57a3-ef18-40e8-aae4-bc7d0a6f206d", + "club_id":"b4d71980-6685-4e33-a0e3-d8348a4ce577", + "name":"Event for NU Ballroom Dance Club", + "preview":"This club is holding an event.", + "description":"Join us at NU Ballroom Dance Club's Social Mixer! Whether you're a seasoned dancer or just starting out, all are welcome to enjoy a night of dancing, mingling, and making new friends. Our experienced team members will be there to guide you through some basic steps, so don't be shy to hit the dance floor. Expect great music, laughter, and a welcoming atmosphere where you can let loose and have a blast. Mark your calendars for a memorable evening of fun and community bonding!", + "event_type":"virtual", + "start_time":"2026-07-25 19:00:00", + "end_time":"2026-07-25 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Performing Arts", + "Music" + ] + }, + { + "id":"10c16039-bc68-4f51-9256-6f77d2ffb5cd", + "club_id":"b4d71980-6685-4e33-a0e3-d8348a4ce577", + "name":"Event for NU Ballroom Dance Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of dance at NU Ballroom Dance Club's Social Night! Whether you're a seasoned dancer or just starting out, everyone is welcome to groove to the music and connect with fellow members of the Northeastern community. Enjoy performances by our talented dancers, partake in some friendly dance competitions, and even get a chance to learn a new move or two from our experienced coaches. This event is a perfect opportunity to experience the joy of ballroom dancing in a warm and welcoming environment. Don't miss out on the fun and camaraderie - see you on the dance floor!", + "event_type":"virtual", + "start_time":"2025-08-25 21:30:00", + "end_time":"2025-08-25 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Dance", + "Performing Arts", + "Community Outreach", + "Music" + ] + }, + { + "id":"097c4753-0072-4969-a79e-c41af025c56f", + "club_id":"2108da7b-08ed-4c21-ab48-1bb80a57ba3b", + "name":"Event for NU Breakers", + "preview":"This club is holding an event.", + "description":"Join NU Breakers for an exciting evening of breaking and Hip Hop culture! Whether you're a seasoned dancer or a beginner looking to learn some new moves, our event is open to all. Come groove with us as we celebrate our love for dance and community. Be sure to follow us on Instagram (@nubreakers) and join our Facebook Group: NU Breakers (https://www.facebook.com/groups/NUBreakers/) for updates on practice times and upcoming events. We can't wait to dance with you!", + "event_type":"virtual", + "start_time":"2025-04-02 13:00:00", + "end_time":"2025-04-02 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Music", + "Community Outreach", + "Performing Arts", + "Visual Arts" + ] + }, + { + "id":"acba4ea0-4b7d-4558-b388-7cbc54f6046f", + "club_id":"5da22ee4-e6cd-4983-b69c-658e4063a3d7", + "name":"Event for NU Buddhist Group", + "preview":"This club is holding an event.", + "description":"Join us this week at NU Buddhist Group for a special event on the practice of loving-kindness meditation. In this session, we will explore the transformative power of cultivating compassion towards ourselves and others. Whether you are new to meditation or a seasoned practitioner, all are welcome to join our supportive and inclusive community. Come connect with like-minded individuals and discover the beauty of a peaceful mind and an open heart. We look forward to sharing this enriching experience with you!", + "event_type":"in_person", + "start_time":"2024-04-20 21:00:00", + "end_time":"2024-04-20 22:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Spirituality", + "Meditation" + ] + }, + { + "id":"fe84a6b0-7371-49e8-97a4-575d5c798c9f", + "club_id":"5da22ee4-e6cd-4983-b69c-658e4063a3d7", + "name":"Event for NU Buddhist Group", + "preview":"This club is holding an event.", + "description":"Join the NU Buddhist Group this Saturday for a special mindfulness workshop focused on cultivating love and compassion. This interactive session will include guided meditation, insightful discussions on Buddhist teachings, and an opportunity to connect with like-minded individuals from diverse backgrounds. Whether you're new to Buddhism or a seasoned practitioner, our welcoming community invites you to deepen your spiritual practice and explore new perspectives together. Come experience the transformative power of mindfulness and join us in creating a more peaceful and compassionate world!", + "event_type":"in_person", + "start_time":"2026-06-26 17:15:00", + "end_time":"2026-06-26 19:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Wellness" + ] + }, + { + "id":"121c7e59-b7fd-4e49-8742-b86d64b03093", + "club_id":"2bf99cdf-021b-4d7d-93f9-bab9f9d7184b", + "name":"Event for NU Club Golf", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled day at the annual NU Club Golf Open House event! Whether you're a seasoned pro or a newbie to the game, this is the perfect opportunity to meet our friendly team members, learn about our upcoming tournaments, and get a feel for what it's like to be a part of our golfing family. Swing by on Saturday, October 15th, at 10:00 AM at the NU Golf Clubhouse for a morning of networking, putting practice, and some light snacks. Don't worry if you don't have your own clubs yet - we've got plenty to spare! We can't wait to tee up with you and show you how we make golfing at Northeastern University a hole-in-one experience. See you on the green!", + "event_type":"hybrid", + "start_time":"2024-07-23 19:00:00", + "end_time":"2024-07-23 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Soccer", + "Community Outreach", + "Student Organization" + ] + }, + { + "id":"9382458b-61b5-42a0-a9fe-2553d01e2b9a", + "club_id":"2bf99cdf-021b-4d7d-93f9-bab9f9d7184b", + "name":"Event for NU Club Golf", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"virtual", + "start_time":"2024-10-04 18:30:00", + "end_time":"2024-10-04 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"42897eb6-39f1-464c-b134-a74d19ae1251", + "club_id":"b38b233a-4340-4c9a-b9a4-4b0ec10d08a9", + "name":"Event for NU COE CommLab (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us at NU COE CommLab for an engaging workshop on crafting persuasive presentations! Our experienced coaches will provide personalized feedback and tips on how to effectively communicate your ideas. Whether you're a seasoned presenter or just starting out, this event is perfect for anyone looking to enhance their public speaking skills. Don't miss this opportunity to improve your communication abilities in a supportive and dynamic environment!", + "event_type":"hybrid", + "start_time":"2024-05-26 23:15:00", + "end_time":"2024-05-27 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Creative Writing", + "Community Outreach" + ] + }, + { + "id":"ddd011ed-b664-415b-bed3-90607ce96ca5", + "club_id":"796e8bc3-25b4-4487-ae24-d70710f97865", + "name":"Event for NU Concert Band", + "preview":"This club is holding an event.", + "description":"Join us for a delightful evening filled with beautiful music at the NU Concert Band's Spring Showcase! All Northeastern University students are invited to experience the talented musicians of our ensemble as they perform a diverse repertoire that showcases their passion and dedication to music. Whether you're a seasoned musician or just starting out, our welcoming community encourages everyone to come and enjoy the power of music together. Don't miss this opportunity to witness the incredible talents of your fellow students and be inspired by the joy of creating music with others. Mark your calendars and save the date for an unforgettable musical experience with the NU Concert Band!", + "event_type":"in_person", + "start_time":"2024-06-15 23:15:00", + "end_time":"2024-06-16 02:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Music", + "Performing Arts" + ] + }, + { + "id":"2b8eff40-8dd4-4bb4-801b-de83d169908d", + "club_id":"a11eee05-178f-40ef-9315-e506b1899013", + "name":"Event for NU Hacks", + "preview":"This club is holding an event.", + "description":"Join us for our next NU Hacks event where we'll dive into the world of artificial intelligence and machine learning! Our knowledgeable guest speaker will lead an interactive discussion on the latest trends in AI and share insights on how to integrate these technologies into your projects. Whether you're a beginner or a seasoned pro, this event promises to be enlightening and inspiring. Don't miss out on this opportunity to connect with fellow hackers and makers, and discover the endless possibilities of technology. See you there!", + "event_type":"in_person", + "start_time":"2025-12-24 17:30:00", + "end_time":"2025-12-24 21:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Software Engineering" + ] + }, + { + "id":"197c5b3b-d3df-461e-99de-790175163d1a", + "club_id":"ec4c4eac-b898-47df-be31-ff3c4b7ff194", + "name":"Event for NU Mural Club", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"virtual", + "start_time":"2026-02-15 15:30:00", + "end_time":"2026-02-15 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"94f241a2-ba75-4422-8adc-28d08cdb0b7d", + "club_id":"ec4c4eac-b898-47df-be31-ff3c4b7ff194", + "name":"Event for NU Mural Club", + "preview":"This club is holding an event.", + "description":"Join NU Mural Club for a fun-filled Paint Night event where you can unleash your creativity while contributing to the community! This event will be a wonderful opportunity for you to come together with fellow art enthusiasts to create beautiful masterpieces on canvas. Whether you're a budding artist or just looking for a relaxed evening of painting, everyone is welcome to participate. With guided instructions and a vibrant atmosphere, you'll be sure to leave with a sense of accomplishment and connection. Don't miss out on this chance to make your mark and support a great cause with NU Mural Club!", + "event_type":"hybrid", + "start_time":"2024-11-01 17:30:00", + "end_time":"2024-11-01 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Creative Writing", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"baf73e8c-a764-4d18-b0c8-5de3a5f17194", + "club_id":"ec4c4eac-b898-47df-be31-ff3c4b7ff194", + "name":"Event for NU Mural Club", + "preview":"This club is holding an event.", + "description":"Join NU Mural Club for an exciting Paint Night event where you can unleash your creativity and contribute to a collaborative art project! This fun and interactive evening will be filled with laughter, painting tips, and a chance to connect with fellow art enthusiasts. No prior painting experience is necessary as our talented artists will guide you through the process. All materials will be provided, so just bring your enthusiasm and willingness to try something new. Come solo or bring friends for a memorable night of art-making and community-building. We can't wait to see your unique masterpiece come to life on canvas! Make sure to sign up early to secure your spot and join us in spreading joy through art in the Boston community.", + "event_type":"virtual", + "start_time":"2026-01-15 21:15:00", + "end_time":"2026-01-16 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Visual Arts", + "Creative Writing", + "Community Outreach" + ] + }, + { + "id":"11849ba5-99b8-40fe-a0c3-51214197fbcf", + "club_id":"e692efe2-f10b-4c5e-82b3-c9a785f9163b", + "name":"Event for NU Pep Band", + "preview":"This club is holding an event.", + "description":"Join the NU Pep Band at Matthews Arena for an electrifying performance at the upcoming women's hockey home game! Get ready to cheer on our team as we pump up the crowd with our high-energy music and contagious spirit. Whether you're a die-hard hockey fan or just looking for a fun night out, the Pep Band guarantees a memorable experience filled with school pride, camaraderie, and catchy tunes. Don't miss out on the excitement \u2013 come feel the beat with us!", + "event_type":"hybrid", + "start_time":"2024-04-01 15:15:00", + "end_time":"2024-04-01 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"b3fc1012-e270-4a14-90dc-e8b885be9e83", + "club_id":"e692efe2-f10b-4c5e-82b3-c9a785f9163b", + "name":"Event for NU Pep Band", + "preview":"This club is holding an event.", + "description":"Join the NU Pep Band at the upcoming women's hockey home game as we cheer on our team with spirit and enthusiasm! Our lively music and energetic performances will add to the exciting atmosphere of the game, creating lasting memories for players and fans alike. Whether you're a seasoned supporter or a first-time attendee, you'll feel the sense of camaraderie and pride that defines our band. Don't miss this opportunity to experience the contagious energy of the NU Pep Band in action!", + "event_type":"virtual", + "start_time":"2025-07-02 22:30:00", + "end_time":"2025-07-03 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Performing Arts", + "Community Outreach", + "Music" + ] + }, + { + "id":"b1ad34e4-fc77-44bc-862f-dcefaab22364", + "club_id":"277a8b34-7770-4491-a4a1-aadecc1eef64", + "name":"Event for NU Pride", + "preview":"This club is holding an event.", + "description":"Join NU Pride for an insightful and engaging workshop titled 'Embracing Diversity: Understanding Non-Binary Identities'. This interactive session will provide a safe and inclusive space for members of the LGBTQ+ community and allies to explore the nuances of non-binary gender identities. Facilitated by knowledgeable speakers, participants will have the opportunity to learn, share experiences, and foster meaningful connections. Let's come together to celebrate diversity and empower one another on our journey towards acceptance and understanding!", + "event_type":"in_person", + "start_time":"2026-04-06 23:00:00", + "end_time":"2026-04-07 02:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Volunteerism", + "Community Outreach", + "LGBTQ" + ] + }, + { + "id":"105b206a-b0d4-4701-8181-54b0eff48a46", + "club_id":"277a8b34-7770-4491-a4a1-aadecc1eef64", + "name":"Event for NU Pride", + "preview":"This club is holding an event.", + "description":"Join NU Pride for our upcoming event 'Intersectionality in the LGBTQ+ Community' where we will explore the diverse experiences and challenges faced by individuals at the intersections of different identities. This interactive session will feature guest speakers, group discussions, and activities that aim to foster understanding and unity within our community. Come learn, share, and connect with like-minded individuals in a welcoming and supportive environment at NU Pride!", + "event_type":"hybrid", + "start_time":"2024-05-03 22:00:00", + "end_time":"2024-05-03 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "HumanRights", + "LGBTQ" + ] + }, + { + "id":"6645bd74-2771-4184-bf50-bddbb83106c9", + "club_id":"74f277b3-e79d-445d-849d-f343752e8be6", + "name":"Event for Nu Rho Psi National Honor Society in Neuroscience", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"hybrid", + "start_time":"2025-10-09 12:15:00", + "end_time":"2025-10-09 13:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Psychology" + ] + }, + { + "id":"ca3ae613-0141-4f97-ad52-1dc52bdd34ac", + "club_id":"74f277b3-e79d-445d-849d-f343752e8be6", + "name":"Event for Nu Rho Psi National Honor Society in Neuroscience", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Neuroscience Career Panel where accomplished professionals in the field will share their journeys, insights, and advice for aspiring neuroscientists. This interactive event will provide a platform for students to network, learn about various career paths in neuroscience, and gain valuable guidance on pursuing a successful career in the field. Whether you're a seasoned neuroscience enthusiast or just beginning your journey, this event is open to all Nu Rho Psi members and those interested in the fascinating world of brain science. Don't miss this opportunity to connect with like-minded individuals, expand your knowledge, and explore the endless possibilities awaiting you in the field of neuroscience!", + "event_type":"virtual", + "start_time":"2025-11-16 18:00:00", + "end_time":"2025-11-16 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Psychology" + ] + }, + { + "id":"2e6abcea-0d65-4b33-89f9-17e9a0e7aebc", + "club_id":"74f277b3-e79d-445d-849d-f343752e8be6", + "name":"Event for Nu Rho Psi National Honor Society in Neuroscience", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of brainy fun at the Nu Rho Psi National Honor Society in Neuroscience! Dive deep into the fascinating world of behavioral neuroscience as we host a special guest speaker who will share insights and discoveries from the forefront of the field. Connect with fellow neuroscience enthusiasts, engage in thought-provoking discussions, and discover new opportunities for academic and professional growth. Whether you're a seasoned neuroscience major, a curious newcomer, or a supportive faculty member, this event is designed to inspire, educate, and unite us in our shared passion for the brain. Don't miss out on this enriching experience that celebrates the wonders of neuroscience and the boundless potential it holds for both individuals and society!", + "event_type":"in_person", + "start_time":"2024-01-12 20:00:00", + "end_time":"2024-01-12 21:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Academic Excellence", + "Neuroscience" + ] + }, + { + "id":"d90bcf03-0419-4fba-8929-6e3f447594dc", + "club_id":"47224c02-00bc-4f19-b35e-793deb8baec9", + "name":"Event for NU Science Magazine", + "preview":"This club is holding an event.", + "description":"Join NU Science Magazine for an enlightening evening of scientific exploration and discovery! Get ready to dive into the fascinating realms of biology, astronomy, physics, and more as our passionate student writers take you on a journey through the latest breakthroughs and curiosities in the world of science. Engage in thought-provoking discussions, interactive demonstrations, and maybe even a surprise experiment or two! Whether you're a seasoned science enthusiast or just curious to learn more, this event promises to inspire, educate, and entertain as we celebrate the wonders of human curiosity and ingenuity. See you there!", + "event_type":"virtual", + "start_time":"2026-11-13 16:30:00", + "end_time":"2026-11-13 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Creative Writing", + "Journalism", + "Science" + ] + }, + { + "id":"36a61b0a-1b5c-4263-9ce9-5069bf033b7b", + "club_id":"47224c02-00bc-4f19-b35e-793deb8baec9", + "name":"Event for NU Science Magazine", + "preview":"This club is holding an event.", + "description":"Join NU Science Magazine for a captivating evening of scientific exploration and discovery! Our event will feature engaging presentations from passionate student writers who will take you on a journey through the latest breakthroughs in science, from the tiniest particles to the vast expanse of the cosmos. Meet fellow science enthusiasts, ask burning questions, and immerse yourself in the fascinating realm of human knowledge. We aim to make science accessible and enjoyable for everyone, so come with an open mind and a curiosity to learn. Together, let's marvel at the wonders of the universe and be inspired by the endless possibilities that science holds for us all!", + "event_type":"virtual", + "start_time":"2025-01-02 23:00:00", + "end_time":"2025-01-03 03:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Creative Writing", + "Journalism", + "Science" + ] + }, + { + "id":"7b00e75d-505c-41d0-a260-884db5c2649d", + "club_id":"e69f193e-d4da-46eb-b8dc-e14f08a852ac", + "name":"Event for NU Sexual Health Advocacy, Resources and Education", + "preview":"This club is holding an event.", + "description":"Join NU Sexual Health Advocacy, Resources and Education for an empowering evening of learning and advocacy! This week's event will delve into the essential topic of reproductive justice and its intersection with sexual health. Come meet like-minded individuals dedicated to promoting inclusive healthcare practices and social change. Whether you are a seasoned advocate or just starting to explore these important issues, our welcoming environment in the Center for Intercultural Engagement is the perfect place to learn, share, and grow. Together, we are a dynamic Planned Parenthood Generation Action Group committed to making a positive impact on our community. We can't wait to see you there! Monday at 7pm in the Curry Student Center.", + "event_type":"virtual", + "start_time":"2025-09-17 17:15:00", + "end_time":"2025-09-17 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"284b6a5c-3f78-4f68-9645-ae51917f360b", + "club_id":"e69f193e-d4da-46eb-b8dc-e14f08a852ac", + "name":"Event for NU Sexual Health Advocacy, Resources and Education", + "preview":"This club is holding an event.", + "description":"Join NU Sexual Health Advocacy, Resources and Education for an engaging and educational event focused on empowering individuals with knowledge about reproductive justice and sexual health. Our welcoming community gathers every Monday at 7pm in the Center for Intercultural Engagement at the Curry Student Center. Whether you're a passionate advocate or simply curious to learn more, we invite you to be a part of our Planned Parenthood Generation Action Group and contribute to meaningful conversations and initiatives that promote well-being and support for all.", + "event_type":"in_person", + "start_time":"2026-07-10 16:00:00", + "end_time":"2026-07-10 20:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Reproductive Justice", + "LGBTQ", + "Community Outreach" + ] + }, + { + "id":"e50d5aa8-4a9d-41b0-a5b2-ecb1f47d33b1", + "club_id":"e69f193e-d4da-46eb-b8dc-e14f08a852ac", + "name":"Event for NU Sexual Health Advocacy, Resources and Education", + "preview":"This club is holding an event.", + "description":"Join NU Sexual Health Advocacy, Resources and Education for an engaging discussion on comprehensive sexual education and the importance of accessible reproductive health services. This event will provide a safe space for participants to learn about current initiatives in promoting sexual health equity and advocating for reproductive justice. Whether you are new to these topics or a seasoned activist, come connect with like-minded individuals passionate about empowering our communities with valuable resources and information. Let's work together to create a more inclusive and informed society! Mark your calendar for this enlightening event held on Monday at 7pm in the Center for Intercultural Engagement at the Curry Student Center.", + "event_type":"hybrid", + "start_time":"2026-09-24 12:15:00", + "end_time":"2026-09-24 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Reproductive Justice", + "LGBTQ", + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"1f15c35f-c7c1-43c0-8115-079272dfcb95", + "club_id":"21ba8ce6-a841-434d-9aa5-c8b7602ed117", + "name":"Event for NU Stage Musical Theater Company", + "preview":"This club is holding an event.", + "description":"Join NU Stage Musical Theater Company for an enchanting evening of musical magic! Experience the talent and passion of Northeastern University students as they bring to life a captivating production that will leave you in awe. Whether you're a seasoned theater enthusiast or just looking for a fun night out, this event promises to entertain and inspire. Don't miss this opportunity to witness the dedication and creativity of NU Stage members as they shine on stage. Come be a part of the excitement and discover the vibrant world of musical theater with us!", + "event_type":"in_person", + "start_time":"2024-01-22 19:30:00", + "end_time":"2024-01-22 20:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"6a1542bc-36a4-4ed3-92aa-e6c8145ed969", + "club_id":"21ba8ce6-a841-434d-9aa5-c8b7602ed117", + "name":"Event for NU Stage Musical Theater Company", + "preview":"This club is holding an event.", + "description":"Join NU Stage Musical Theater Company for our upcoming charity showcase event, where talented Northeastern University students showcase their musical theater skills in a vibrant and entertaining setting. Experience the magic of live performances as our dedicated members bring beloved musical numbers to life on stage. Whether you're a seasoned theater enthusiast or simply looking for a fun night out, this event offers something for everyone. Be part of our inclusive community that values creativity, passion, and teamwork. Mark your calendars and prepare to be dazzled by our extraordinary performers while supporting a good cause. Stay tuned for more details on how you can reserve your tickets and contribute to our mission of giving back to the community! Visit our website to learn more about NU Stage and get involved in our exciting theatrical productions.", + "event_type":"in_person", + "start_time":"2025-03-28 16:00:00", + "end_time":"2025-03-28 18:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Performing Arts", + "Community Outreach", + "Music" + ] + }, + { + "id":"4478e878-d44d-42ce-979d-751977a2fd7b", + "club_id":"21ba8ce6-a841-434d-9aa5-c8b7602ed117", + "name":"Event for NU Stage Musical Theater Company", + "preview":"This club is holding an event.", + "description":"Join NU Stage Musical Theater Company for an unforgettable evening celebrating the magic of musical theater! Whether you're a seasoned performer or a first-time participant, this event welcomes all Northeastern University students to come together and showcase their talents on stage. You'll be part of a vibrant community dedicated to producing top-notch productions that captivate audiences and inspire creativity. Get ready to sing, dance, and act your heart out while making lasting friendships and memories. Don't miss this opportunity to be part of something special - visit our website for more information and get involved today!", + "event_type":"in_person", + "start_time":"2026-10-04 19:15:00", + "end_time":"2026-10-04 22:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Performing Arts", + "Community Outreach" + ] + }, + { + "id":"1b050841-45f9-479b-91ea-2c8b9fb7c297", + "club_id":"07553ca0-6f87-4156-8fc2-a609ef2218df", + "name":"Event for NUImpact", + "preview":"This club is holding an event.", + "description":"Join NUImpact for an exciting workshop featuring a guest speaker from the impact investing industry! This interactive session will provide valuable insights and hands-on experience into the world of purposeful capital. Learn from experts, network with like-minded peers, and discover new opportunities in the field of impact investing. Don't miss this chance to expand your professional network and enhance your skills in finance and social impact. See you there!", + "event_type":"hybrid", + "start_time":"2025-01-24 20:00:00", + "end_time":"2025-01-24 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Education", + "Impact Investing", + "Finance" + ] + }, + { + "id":"ed9e4e7c-256c-4ea7-996e-27fd06d2da25", + "club_id":"07553ca0-6f87-4156-8fc2-a609ef2218df", + "name":"Event for NUImpact", + "preview":"This club is holding an event.", + "description":"Join NUImpact for an inspiring evening where industry leaders and professional alumni will share their insights on impact investing. This event is a perfect opportunity to learn about purposeful capital and network with like-minded individuals in the Northeastern community. Come engage in thoughtful discussions, gain valuable knowledge, and discover exciting co-op opportunities waiting for you in the field of impact investing. Don't miss out on this chance to broaden your horizons and make a meaningful impact!", + "event_type":"in_person", + "start_time":"2024-03-26 23:30:00", + "end_time":"2024-03-27 03:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Network Building", + "Finance" + ] + }, + { + "id":"f4338b32-714d-4386-b9b6-8fadeee4d2b6", + "club_id":"07553ca0-6f87-4156-8fc2-a609ef2218df", + "name":"Event for NUImpact", + "preview":"This club is holding an event.", + "description":"Join NUImpact for an engaging workshop on impact investing, where industry experts and professional alumni will share their insights and experiences. This interactive session will provide valuable knowledge on purposeful capital and hands-on finance education, helping you develop the necessary skills to make a positive impact in the world. Don't miss this opportunity to network with like-minded individuals and explore exciting co-op possibilities in the field of impact investing!", + "event_type":"virtual", + "start_time":"2024-09-04 21:00:00", + "end_time":"2024-09-04 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Education" + ] + }, + { + "id":"6c3bb47d-cc98-45d6-977b-0483b5836353", + "club_id":"8d9a5b57-b038-4521-85a9-70ac694ac870", + "name":"Event for NUSound: The Northeastern University Chapter of the Acoustical Society of America", + "preview":"This club is holding an event.", + "description":"Join NUSound for a captivating evening exploring the wonders of sound and acoustics! Dive into the world of audio technology through our interactive workshop, where you'll get hands-on experience and learn the art of creating beautiful sounds. Our expert presenters will take you on a journey to deepen your understanding of sound waves, resonance, and the impact of acoustics on our everyday lives. Connect with fellow audiophiles, exchange ideas, and expand your network in a welcoming and collaborative environment. Don't miss this opportunity to immerse yourself in the fascinating realm of sonic exploration!", + "event_type":"virtual", + "start_time":"2026-10-21 20:00:00", + "end_time":"2026-10-21 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Music", + "Physics" + ] + }, + { + "id":"1f53c633-e50d-472a-adb5-029cd031d0d2", + "club_id":"f79eebd8-ca36-40c7-9a06-632f64cbbb89", + "name":"Event for Oasis", + "preview":"This club is holding an event.", + "description":"Join us at Oasis for our upcoming 'Hack Session' event where students of all programming levels can come together to work on exciting software projects. Whether you're a first-year looking to showcase your skills to future co-op employers or a senior eager to mentor and guide your peers, our inclusive environment is the perfect place to collaborate, learn, and grow. Let's bring your project ideas to life and build something amazing together!", + "event_type":"in_person", + "start_time":"2025-11-06 14:00:00", + "end_time":"2025-11-06 16:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Data Science", + "Hack Sessions", + "Mentorship", + "Software Engineering" + ] + }, + { + "id":"0824ee14-47e5-44df-a471-ff416ab1b941", + "club_id":"c8acc0b2-6296-4910-a8a7-bc0e39146117", + "name":"Event for Off Campus Student Services (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join Off Campus Student Services for an evening of 'Renter's Rights Roundtable' where you can learn about your rights and responsibilities as a renter in Boston. Our knowledgeable team will guide you through common landlord issues, provide helpful tips on navigating rental agreements, and answer all your burning questions. Whether you're a first-time renter or a seasoned tenant, this event is perfect for anyone looking to feel more confident and empowered in their housing situation. Don't miss this opportunity to connect with your peers, share experiences, and gain valuable insights with our supportive community!", + "event_type":"in_person", + "start_time":"2024-02-16 13:30:00", + "end_time":"2024-02-16 16:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Volunteerism", + "Peer Support", + "Community Outreach", + "Housing" + ] + }, + { + "id":"a85db8f6-6c4b-4422-b9f1-64615492f768", + "club_id":"c8acc0b2-6296-4910-a8a7-bc0e39146117", + "name":"Event for Off Campus Student Services (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join Off Campus Student Services for our Housing Fair Extravaganza! Whether you're a seasoned renter or new to the off-campus housing scene, this event is perfect for everyone looking to secure their next cozy abode in Boston. Meet our friendly Peer Community Ambassadors who will guide you through all the steps, from understanding renters' rights to connecting you with potential roommates. Explore a variety of housing options, learn about local services, and enjoy fun activities that will help you feel right at home in the Boston community. Don't miss out on this opportunity to find your perfect off-campus oasis - mark your calendars and come say hello! Contact us for more details.", + "event_type":"hybrid", + "start_time":"2026-03-16 18:15:00", + "end_time":"2026-03-16 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Renters Rights Knowledge" + ] + }, + { + "id":"3ff88af0-774d-478b-a59c-b0d8d46c5431", + "club_id":"c8acc0b2-6296-4910-a8a7-bc0e39146117", + "name":"Event for Off Campus Student Services (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join Off Campus Student Services for our upcoming 'Off-Campus Housing Fair' event! This fun and informative fair is designed to help you find the perfect off-campus housing in Boston while connecting you with valuable resources and tips from our knowledgeable team. Chat with our friendly Peer Community Ambassadors, who will guide you through the process and answer all your questions about renting in the area. Learn about your rights and responsibilities as a renter, get advice on navigating landlord issues, and make meaningful connections with your fellow students and neighborhood community. Whether you're a first-time renter or looking to enhance your off-campus experience, this event is the place to be! Call us, drop an email, or visit us in person to secure your spot today!", + "event_type":"virtual", + "start_time":"2024-02-10 16:30:00", + "end_time":"2024-02-10 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Peer Support" + ] + }, + { + "id":"b0070c07-e6ab-4801-9033-41d416f4d0c5", + "club_id":"8ac32a8f-90f8-45aa-b2d7-fde37ae4e989", + "name":"Event for Office of Alumni Relations (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Office of Alumni Relations for a fun and engaging mixer event, where current students and alumni can connect, share experiences, and build lasting relationships. Learn firsthand about the benefits of staying involved with the Northeastern community post-graduation while enjoying great company and refreshments. Whether you're a current Husky looking to network or an alumni eager to give back, this event is the perfect opportunity to strengthen your ties with Northeastern and be a part of something special.", + "event_type":"hybrid", + "start_time":"2024-06-25 17:00:00", + "end_time":"2024-06-25 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"734bbe9f-baa3-424d-b08d-da843eb25678", + "club_id":"8ac32a8f-90f8-45aa-b2d7-fde37ae4e989", + "name":"Event for Office of Alumni Relations (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us for a special networking event hosted by the Office of Alumni Relations (Campus Resource)! Connect with fellow Huskies, both current students and alumni, in a welcoming and supportive environment. Learn about the valuable resources available to you through Alumni Relations and gain insights on building a successful career post-graduation. Whether you are a freshman looking to get a head start or a senior eager to make meaningful connections, this event is the perfect opportunity to mingle, learn, and grow with the Northeastern community.", + "event_type":"virtual", + "start_time":"2024-05-25 16:00:00", + "end_time":"2024-05-25 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Student Alumni Ambassadors", + "Networking", + "Leadership" + ] + }, + { + "id":"62654044-102a-4e54-8036-9be7556e817b", + "club_id":"57799e19-bf1e-4239-b7a1-db847cd6513f", + "name":"Event for Office of Prevention & Education at Northeastern (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Office of Prevention & Education at Northeastern for a engaging and insightful event on promoting wellness and healthy behaviors on campus! Our expert speakers will discuss strategies for alcohol and drug prevention, sexual violence awareness, and sexual health education. Come learn how to be an active advocate for yourself and your community, while also enjoying a fun and safe environment. All students are welcome to participate and contribute to a positive, supportive atmosphere where everyone's voice is heard and valued.", + "event_type":"virtual", + "start_time":"2024-09-10 23:15:00", + "end_time":"2024-09-11 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "HumanRights" + ] + }, + { + "id":"4fdf74ac-c652-4258-a33c-915a3f9347c4", + "club_id":"57799e19-bf1e-4239-b7a1-db847cd6513f", + "name":"Event for Office of Prevention & Education at Northeastern (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Office of Prevention and Education at Northeastern (Campus Resource) for an evening of empowering discussions on sexual health and well-being. Our informative session will cover crucial topics such as consent, healthy relationships, and sexual decision-making in a friendly and welcoming environment. You'll have the chance to learn valuable information, ask questions, and connect with peers who share a passion for promoting wellness on campus. Don't miss out on this opportunity to engage in meaningful conversations and foster a healthier, happier community together!", + "event_type":"hybrid", + "start_time":"2024-09-01 18:30:00", + "end_time":"2024-09-01 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Education", + "LGBTQ", + "HumanRights" + ] + }, + { + "id":"c72db8b4-fbdb-4159-a948-f0b02cef1eb8", + "club_id":"57799e19-bf1e-4239-b7a1-db847cd6513f", + "name":"Event for Office of Prevention & Education at Northeastern (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"in_person", + "start_time":"2025-02-01 14:30:00", + "end_time":"2025-02-01 16:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "LGBTQ" + ] + }, + { + "id":"6bed11c0-a2ca-452d-b331-e2851af02fe6", + "club_id":"d11001d8-a736-47b4-96b6-820c537bda74", + "name":"Event for Office of Sustainability (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Office of Sustainability (Campus Resource) for our annual Sustainability Fair! This fun and educational event showcases the latest eco-friendly innovations and initiatives on campus. Discover ways to get involved, learn about sustainable living practices, and connect with like-minded individuals who share a passion for environmental stewardship. Whether you're a seasoned sustainability enthusiast or just starting your green journey, there's something for everyone at our Sustainability Fair. Come be a part of the positive change we're making together!", + "event_type":"virtual", + "start_time":"2025-06-19 12:00:00", + "end_time":"2025-06-19 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Environmental Science", + "Environmental Advocacy" + ] + }, + { + "id":"8e9d4508-e92c-4a52-bdec-cf914f453e9f", + "club_id":"d11001d8-a736-47b4-96b6-820c537bda74", + "name":"Event for Office of Sustainability (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Come join the Office of Sustainability (Campus Resource) at Northeastern University for our annual Sustainability Showcase! This exciting event will feature interactive displays, workshops, and presentations highlighting our sustainability initiatives and achievements. Learn about simple yet impactful actions you can take to help the environment, connect with like-minded individuals, and discover the resources available to support your sustainability journey. Whether you're a seasoned eco-warrior or just starting out on your green path, this event is the perfect opportunity to engage with our vibrant community and be inspired to make a positive difference. We can't wait to share our passion for sustainability with you \u2013 see you there!", + "event_type":"in_person", + "start_time":"2024-08-24 12:15:00", + "end_time":"2024-08-24 16:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Environmental Science" + ] + }, + { + "id":"86804393-4243-4d21-b0ea-918293bb3416", + "club_id":"d11001d8-a736-47b4-96b6-820c537bda74", + "name":"Event for Office of Sustainability (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Office of Sustainability (Campus Resource) at Northeastern University for our Eco-Friendly Campus Fair! Immerse yourself in a day of exciting exhibits, engaging workshops, and inspiring speakers all focused on practical ways to live more sustainably. From composting tips to energy-saving hacks, you'll leave feeling empowered and motivated to make a positive impact on our campus community. Come together with fellow students and staff as we work hand in hand towards a greener, more eco-conscious future for all. See you there!", + "event_type":"virtual", + "start_time":"2025-11-01 22:30:00", + "end_time":"2025-11-02 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Sustainability", + "Environmental Science" + ] + }, + { + "id":"0ce22062-e223-42fd-8e86-c81a475efcc3", + "club_id":"bf44ea4a-d611-45a0-a473-26e8944e6894", + "name":"Event for Omega Chi Epsilon (Chemical Engineering Honor Society)", + "preview":"This club is holding an event.", + "description":"Join us for 'Career Pathways in Chemical Engineering' event where experienced industry professionals will share their insights and personal journeys in the field of chemical engineering. This is a great opportunity for underclassmen to learn more about potential career paths, network with professionals, and gain valuable advice on how to navigate the job market. Come connect with like-minded individuals, expand your knowledge, and take the next step towards a successful career in chemical engineering!", + "event_type":"in_person", + "start_time":"2025-10-07 12:30:00", + "end_time":"2025-10-07 15:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Mentoring", + "Community Outreach", + "Engineering" + ] + }, + { + "id":"723d648b-faf9-4651-a3e6-ab29ea16d249", + "club_id":"bf44ea4a-d611-45a0-a473-26e8944e6894", + "name":"Event for Omega Chi Epsilon (Chemical Engineering Honor Society)", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming Networking Night hosted by Omega Chi Epsilon (Chemical Engineering Honor Society)! This event will provide underclassmen with the opportunity to connect with experienced upperclassmen in the chemical engineering field. Come meet our dedicated members who are ready to share their academic and career insights to help you navigate your future in this exciting major. Whether you have burning questions about classes, internships, or career paths, our friendly and knowledgeable mentors are here to guide you every step of the way. Get ready for an evening of valuable connections, engaging conversations, and plenty of encouragement. Mark your calendar and get ready to expand your network with Omega Chi Epsilon!", + "event_type":"virtual", + "start_time":"2025-01-04 18:00:00", + "end_time":"2025-01-04 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Mentoring", + "Academic Success", + "Community Outreach" + ] + }, + { + "id":"c0bad1df-1136-40a3-8b34-1c44fd7378b7", + "club_id":"bf44ea4a-d611-45a0-a473-26e8944e6894", + "name":"Event for Omega Chi Epsilon (Chemical Engineering Honor Society)", + "preview":"This club is holding an event.", + "description":"Join Omega Chi Epsilon for our annual Career Fair Prep Night! This event is designed to provide underclassmen with valuable insights and strategies to navigate the upcoming career fair. Our experienced upperclassmen will share their firsthand tips on preparing a standout resume, acing interviews, and networking effectively. Whether you're a first-year student exploring career paths or a sophomore seeking internship opportunities, this interactive session will equip you with the knowledge and confidence to make a great impression on potential employers. Don't miss this opportunity to kickstart your professional journey with the support of the Omega Chi Epsilon community!", + "event_type":"in_person", + "start_time":"2025-12-21 23:30:00", + "end_time":"2025-12-22 03:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Engineering", + "Mentoring", + "Chemical Engineering", + "Academic Success" + ] + }, + { + "id":"08718b9f-6634-4134-9566-f63eb1d41eb4", + "club_id":"b5392845-c6d5-4014-a30d-58169868c1b3", + "name":"Event for Omega Phi Beta", + "preview":"This club is holding an event.", + "description":"Join Omega Phi Beta for a night of celebration and empowerment! Our upcoming event, 'Unity in Diversity,' will showcase the strength and resilience of women of color coming together to create positive change in our communities. Hear inspiring stories, engage in meaningful discussions, and connect with like-minded individuals who share a passion for social justice and sisterhood. Whether you're a long-time supporter or new to our mission, all are welcome to join us in building a brighter future for women of color. Together, we can make a difference!", + "event_type":"in_person", + "start_time":"2025-09-10 16:00:00", + "end_time":"2025-09-10 20:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Multiculturalism" + ] + }, + { + "id":"dd230e38-3f44-4a52-811b-cafb20c8f375", + "club_id":"b5392845-c6d5-4014-a30d-58169868c1b3", + "name":"Event for Omega Phi Beta", + "preview":"This club is holding an event.", + "description":"Join Omega Phi Beta for an empowering evening celebrating sisterhood and unity. Our event, 'Cultural Connections: Embracing Diversity', aims to honor the rich tapestry of traditions and values that make up our sisterhood. Come meet our dynamic members, engage in thought-provoking discussions, and take part in cultural activities that celebrate the diversity within our community. Whether you're a long-time supporter or a new friend, we welcome you with open arms to join us in fostering positive change and uplifting women of color. Let's come together to build a brighter future for all!", + "event_type":"hybrid", + "start_time":"2026-01-15 14:00:00", + "end_time":"2026-01-15 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Advocacy", + "Women's Empowerment", + "Multiculturalism" + ] + }, + { + "id":"8f5e4a76-4a53-4207-897d-92f498fc5c56", + "club_id":"b5392845-c6d5-4014-a30d-58169868c1b3", + "name":"Event for Omega Phi Beta", + "preview":"This club is holding an event.", + "description":"Join Omega Phi Beta at our empowering Women's Leadership Summit! This dynamic event will feature inspiring speakers, interactive workshops, and opportunities to network with like-minded individuals. Dive into discussions on leadership development, social justice, and community empowerment. Whether you're a student looking to boost your skills or a professional seeking to make a difference, this summit is where you belong. Come be part of a supportive community of diverse women committed to creating positive change in our society. Mark your calendars and get ready to be inspired and motivated to lead with purpose!", + "event_type":"virtual", + "start_time":"2024-02-27 12:30:00", + "end_time":"2024-02-27 13:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Advocacy", + "Women's Empowerment", + "Multiculturalism", + "Women of Color" + ] + }, + { + "id":"790fc6b4-0a0f-4096-ab2d-bfd03113099c", + "club_id":"91db15af-a6dc-4b77-bca6-b6b4b3164397", + "name":"Event for One for the World Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening evening at One for the World Northeastern's Charity Gala! This event is a fantastic opportunity to learn more about effective altruism and how you can make a meaningful impact in the fight against extreme poverty. Mix and mingle with like-minded individuals as we showcase the incredible work of our partner charities vetted by GiveWell. Enjoy delicious food and drinks while discovering how pledging just 1% of your post-graduation income can create a ripple effect of change worldwide. Whether you're a seasoned philanthropist or someone new to the world of charitable giving, this event is sure to inspire and empower you to make a difference!", + "event_type":"in_person", + "start_time":"2025-08-27 17:00:00", + "end_time":"2025-08-27 21:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Neuroscience", + "Community Outreach", + "Environmental Advocacy", + "HumanRights" + ] + }, + { + "id":"f8eae9bf-d95d-47b0-ac80-7597ce2e8c29", + "club_id":"91db15af-a6dc-4b77-bca6-b6b4b3164397", + "name":"Event for One for the World Northeastern", + "preview":"This club is holding an event.", + "description":"Join us at One for the World Northeastern's annual Charity Gala where we celebrate the incredible impact of our community's donations in the fight to end extreme poverty. At this memorable evening, you'll have the chance to meet like-minded individuals who are passionate about making a difference in the world. Enjoy a delicious dinner, captivating guest speakers sharing their experiences in the field, and live entertainment that will inspire you to join our cause. Learn more about effective charitable giving and how pledging just 1% of your post-graduation income can transform lives. Together, we can create a ripple of change that reaches far beyond our campus, ensuring a brighter future for those in need.", + "event_type":"virtual", + "start_time":"2024-10-26 14:15:00", + "end_time":"2024-10-26 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Environmental Advocacy", + "Community Outreach", + "Neuroscience", + "HumanRights" + ] + }, + { + "id":"ccd83620-da4d-46ef-96fb-29fbc378e895", + "club_id":"91db15af-a6dc-4b77-bca6-b6b4b3164397", + "name":"Event for One for the World Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for an inspiring evening at One for the World Northeastern's Charity Gala! Experience the power of effective altruism as we showcase how pledging just 1% of your post-graduation income can make a world of difference in ending extreme poverty. Meet fellow students passionate about creating a global impact and learn from guest speakers about the transformative work of our 16 partner charities. Enjoy live music, delicious food, and engaging conversations that will leave you motivated to be a part of positive change. Don't miss this opportunity to be part of a community dedicated to making a lasting difference in the world!", + "event_type":"virtual", + "start_time":"2025-07-09 16:30:00", + "end_time":"2025-07-09 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Volunteerism", + "HumanRights", + "Community Outreach", + "Neuroscience", + "Environmental Advocacy" + ] + }, + { + "id":"a69a1e6d-e464-4cf3-84a4-765ec852a878", + "club_id":"49dc694c-5314-421e-9a88-b717d415b8d6", + "name":"Event for Operation Smile", + "preview":"This club is holding an event.", + "description":"Join Operation Smile at Northeastern University for our annual Charity Gala! This glamorous evening will feature live music, inspirational speeches, and a silent auction to raise funds for life-changing cleft palate surgeries in resource-poor countries. Enjoy delicious food, meet like-minded individuals passionate about making a difference, and learn more about how you can get involved with our international medical missions. Together, we can help children smile brighter and bring hope for a better future. Don't miss out on this unforgettable night of compassion and generosity!", + "event_type":"virtual", + "start_time":"2026-10-05 16:00:00", + "end_time":"2026-10-05 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Visual Arts", + "PreMed" + ] + }, + { + "id":"a8e93ce0-de08-4fb4-957e-8567d8e7c4d4", + "club_id":"49dc694c-5314-421e-9a88-b717d415b8d6", + "name":"Event for Operation Smile", + "preview":"This club is holding an event.", + "description":"Join Operation Smile at Northeastern for a heartwarming evening dedicated to raising funds and awareness for children in need of cleft lip and palate surgeries in third world countries. Enjoy a night of impactful speeches, uplifting stories, and opportunities to make a difference through donations and volunteer sign-ups. Let's come together as a community to help change lives and bring hope for a brighter future. For more details, visit www.operationsmile.org or reach out to operationsmileneu@gmail.com with any questions. See you there!", + "event_type":"in_person", + "start_time":"2024-03-05 21:00:00", + "end_time":"2024-03-05 23:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "PreMed" + ] + }, + { + "id":"4ae8eb7e-548f-407e-8d2d-27b999cd058f", + "club_id":"49dc694c-5314-421e-9a88-b717d415b8d6", + "name":"Event for Operation Smile", + "preview":"This club is holding an event.", + "description":"Join us for an uplifting evening at Operation Smile's Smile Gala, where we celebrate the life-changing impact of our mission to provide free surgical procedures for children born with cleft lips and palates in underserved communities worldwide. The event will feature inspiring stories from our dedicated medical volunteers and the children whose smiles we've helped restore. Indulge in delightful refreshments, mingling with fellow supporters, and bid on exclusive auction items to raise funds for our upcoming missions. Bring your compassion and cheer as we rally together to make a difference in the lives of those in need. For more details and to reserve your spot, visit our website or reach out to operationsmileneu@gmail.com with any questions. We look forward to spreading smiles with you!", + "event_type":"hybrid", + "start_time":"2024-11-17 16:15:00", + "end_time":"2024-11-17 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"2f51305a-82c4-443e-bd41-799ae8563335", + "club_id":"2b13200f-c375-4383-98f6-d8dc04e428ff", + "name":"Event for Order of Omega", + "preview":"This club is holding an event.", + "description":"Join us for the Order of Omega's annual Leadership Summit where Greek leaders from across the nation gather to engage in inspiring workshops, interactive discussions, and networking sessions aimed at fostering personal and professional growth. This year, our theme is 'Empowering Excellence' as we explore strategies for enhancing leadership skills, promoting community service, and building lasting relationships within the fraternity and sorority world. Whether you're a seasoned chapter president or a new member eager to make a difference, this event offers a welcoming space to learn, connect, and be inspired by the incredible work of Greek leaders making a positive impact in their communities. Don't miss this opportunity to be part of a supportive network of change-makers dedicated to elevating the standards of leadership and service in the Greek community.", + "event_type":"virtual", + "start_time":"2024-06-01 17:15:00", + "end_time":"2024-06-01 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Leadership", + "Community Outreach" + ] + }, + { + "id":"5e8b3775-4dca-40e3-8789-bfc63c4ba090", + "club_id":"2b13200f-c375-4383-98f6-d8dc04e428ff", + "name":"Event for Order of Omega", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening of celebration and networking at our annual Order of Omega Gala! This glamorous event serves as a special occasion to honor and recognize the outstanding achievements of our Greek leaders. You can expect a night filled with live music, delicious cuisine, and inspiring speeches from industry experts. Whether you're a seasoned member or a new face in our community, the Gala provides the perfect opportunity to connect with like-minded individuals, share experiences, and strengthen bonds. Come dressed in your finest attire and get ready to experience the magic of camaraderie and excellence within the Greek life community!", + "event_type":"in_person", + "start_time":"2026-11-19 22:15:00", + "end_time":"2026-11-20 01:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Scholarship", + "Leadership" + ] + }, + { + "id":"6a86f633-33b0-42e5-8fe6-11a270a11ebd", + "club_id":"a3aba4a8-e4eb-45c3-9f84-d86cc1f91589", + "name":"Event for Origin", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening at Origin's Innovation Showcase, where brilliant minds converge to share their groundbreaking projects and ideas! Whether you're a seasoned entrepreneur or just starting out, this event offers a unique opportunity to network, collaborate, and be inspired by the innovative spirit of our community. Come witness the future unfold before your eyes, connect with like-minded individuals, and explore the endless possibilities that await you in the world of technology and scientific advancement. Don't miss your chance to be a part of something extraordinary \u2013 RSVP now and embark on a journey of discovery and creativity with us at Origin!", + "event_type":"hybrid", + "start_time":"2025-07-04 19:00:00", + "end_time":"2025-07-04 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Engineering", + "Environmental Advocacy", + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"6f0704b0-b7a8-49ea-ac8d-2950998f2c18", + "club_id":"a3aba4a8-e4eb-45c3-9f84-d86cc1f91589", + "name":"Event for Origin", + "preview":"This club is holding an event.", + "description":"Join Origin for an engaging Fireside Chat event where you'll have the opportunity to dive deep into the world of scientific and technological innovation. Our panel of experienced entrepreneurs and industry experts will share their insights on navigating the startup landscape and offer valuable advice for turning your ideas into impactful ventures. Whether you're a seasoned innovator or just starting out, this event is the perfect platform to connect with like-minded individuals, spark new collaborations, and gain inspiration to fuel your own entrepreneurial journey. Don't miss out on this exciting chance to be part of a vibrant community committed to driving positive change through innovation and collaboration!", + "event_type":"virtual", + "start_time":"2025-08-13 22:30:00", + "end_time":"2025-08-14 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Engineering" + ] + }, + { + "id":"558c14a6-ebf6-4aac-9b52-cc138d3670c1", + "club_id":"a3aba4a8-e4eb-45c3-9f84-d86cc1f91589", + "name":"Event for Origin", + "preview":"This club is holding an event.", + "description":"Join us at Origin for our upcoming Networking Night, where you'll have the chance to connect with like-minded individuals passionate about innovation and problem-solving in the science and technology space. This event is the perfect opportunity to expand your network, share your ideas, and collaborate on exciting projects. Whether you're a seasoned entrepreneur or just starting your journey, everyone is welcome to join us for a fun and insightful evening of learning and growth. Get ready to be inspired and make meaningful connections that could shape your future endeavors!", + "event_type":"in_person", + "start_time":"2025-11-21 23:30:00", + "end_time":"2025-11-22 01:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Engineering", + "Environmental Advocacy" + ] + }, + { + "id":"06ecbafb-90ab-48c5-a2e4-79b4e64d44d4", + "club_id":"81f6d23a-2382-4049-a378-4f8ede5d27ab", + "name":"Event for Out in Business", + "preview":"This club is holding an event.", + "description":"Join 'Out in Business' for our upcoming Networking Mixer event! Connect with fellow LGBTQ+ students at Northeastern University who share your passion for the business field. This is a great opportunity to expand your professional network, make new friends, and learn from each other's experiences in a friendly and inclusive environment. Don't miss out on this chance to grow both personally and professionally while having a fantastic time connecting with like-minded peers!", + "event_type":"virtual", + "start_time":"2025-02-12 23:15:00", + "end_time":"2025-02-13 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "LGBTQ", + "Community Outreach", + "Business" + ] + }, + { + "id":"057a18c7-82ce-4877-ba67-f263a3691886", + "club_id":"81f6d23a-2382-4049-a378-4f8ede5d27ab", + "name":"Event for Out in Business", + "preview":"This club is holding an event.", + "description":"Join us at Out in Business's Networking Mixer event where LGBTQ+ students from Northeastern University with a passion for the business world come together to connect, share ideas, and foster meaningful relationships in a welcoming and inclusive environment. This event offers a fantastic opportunity to expand your professional network, gain valuable insights, and exchange experiences while enjoying some snacks and refreshments. Don't miss out on this chance to meet like-minded peers and enhance both your personal and professional growth journey!", + "event_type":"in_person", + "start_time":"2025-07-28 20:00:00", + "end_time":"2025-07-28 21:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "LGBTQ", + "Networking", + "Community Outreach", + "Business" + ] + }, + { + "id":"e2615080-e2ad-4208-8428-055fe341047e", + "club_id":"99e05a64-082a-43c8-a861-736579e42936", + "name":"Event for Out in STEM at Northeastern University", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"in_person", + "start_time":"2026-08-18 19:00:00", + "end_time":"2026-08-18 20:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "STEM", + "Education", + "Community Outreach" + ] + }, + { + "id":"9c84d64f-d9da-4ded-addf-2b5de5bc8209", + "club_id":"99e05a64-082a-43c8-a861-736579e42936", + "name":"Event for Out in STEM at Northeastern University", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"in_person", + "start_time":"2024-05-02 22:00:00", + "end_time":"2024-05-03 01:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "LGBTQ", + "Education" + ] + }, + { + "id":"a49cf7c1-267a-4159-be8d-b0569521856c", + "club_id":"99e05a64-082a-43c8-a861-736579e42936", + "name":"Event for Out in STEM at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an engaging workshop hosted by Out in STEM at Northeastern University aimed at providing a safe space for LGBTQIA individuals interested in science, technology, engineering, and mathematics to network, learn, and grow together. This event will feature guest speakers sharing their experiences, interactive activities promoting inclusivity, and opportunities to connect with like-minded peers. Whether you're a seasoned professional or a curious newcomer, our inclusive community welcomes everyone who values diversity, education, and leadership in the STEM fields. Come be a part of our mission to promote equality and empowerment within the STEM community!", + "event_type":"hybrid", + "start_time":"2024-05-27 19:15:00", + "end_time":"2024-05-27 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "LGBTQ", + "STEM" + ] + }, + { + "id":"2a7bf331-6d6f-4dfa-90d7-1c28d5ed061d", + "club_id":"514fd351-3b3d-403f-a6c4-d5329f108e03", + "name":"Event for Pakistani Student Association", + "preview":"This club is holding an event.", + "description":"Join the Pakistani Student Association for a lively cultural extravaganza showcasing the rich traditions and vibrant heritage of Pakistan. Experience a night filled with delicious traditional food, captivating music, and colorful attire that will transport you to the heart of Pakistan. Whether you are a Pakistani student or simply curious about the culture, this event promises to be an engaging celebration of unity and diversity at Northeastern University. Come meet new friends, learn about Pakistani customs, and immerse yourself in an unforgettable cultural experience!", + "event_type":"hybrid", + "start_time":"2025-07-22 23:30:00", + "end_time":"2025-07-23 03:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"75da4edc-df06-496f-8966-d22da0ba4263", + "club_id":"514fd351-3b3d-403f-a6c4-d5329f108e03", + "name":"Event for Pakistani Student Association", + "preview":"This club is holding an event.", + "description":"Join the Pakistani Student Association for an exciting cultural night filled with traditional music, delicious cuisine, and vibrant performances showcasing the rich heritage of Pakistan. This event is open to everyone, so come and immerse yourself in the warmth of Pakistani hospitality while connecting with fellow students who share a passion for the diverse and fascinating culture of Pakistan. Don't miss this opportunity to experience the beauty and charm of Pakistani traditions right here at Northeastern University!", + "event_type":"virtual", + "start_time":"2025-01-08 12:15:00", + "end_time":"2025-01-08 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Asian American", + "Cultural Celebration" + ] + }, + { + "id":"03d1d6f7-91a9-4b76-ba6a-3541ac0280a9", + "club_id":"6dda0688-ef9e-4b7f-95a0-237ddf6b52ab", + "name":"Event for Pan Asian American Council (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Pan Asian American Council for a dynamic workshop on leadership development tailored specifically for Asian American students. This interactive session will explore strategies for fostering community engagement, refining your unique leadership style, and leveraging resources to support your organization's mission. Whether you are a seasoned leader or just embarking on your leadership journey, this event offers a welcoming space to connect, learn, and grow alongside a diverse group of your peers. Don't miss this opportunity to enhance your skills and empower your impact within the campus community!", + "event_type":"in_person", + "start_time":"2025-12-09 15:00:00", + "end_time":"2025-12-09 16:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Asian American", + "Support", + "Leadership", + "Community Outreach" + ] + }, + { + "id":"e0a40881-1a9c-4eab-9e21-1208db9fac53", + "club_id":"6dda0688-ef9e-4b7f-95a0-237ddf6b52ab", + "name":"Event for Pan Asian American Council (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Pan Asian American Council for a fun and interactive workshop on leadership development! Learn valuable skills and strategies to help you excel in your role within your student organization. This event is open to all Asian American students looking to make a positive impact on campus while building a supportive community. Come ready to engage, network, and grow together in a welcoming and empowering environment!", + "event_type":"virtual", + "start_time":"2025-10-20 14:30:00", + "end_time":"2025-10-20 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"7182e8c8-caab-4780-a7c5-b8bf76a54e0f", + "club_id":"ab92f7ab-7ae3-41fa-b35b-cc7427420895", + "name":"Event for Panhellenic Council", + "preview":"This club is holding an event.", + "description":"Join us for a fun and engaging Panhellenic Council Mixer at Northeastern University! Experience an evening filled with laughter, camaraderie, and a chance to connect with members from all 11 vibrant chapters. Whether you're interested in leadership opportunities, philanthropy projects, or simply want to make new friends, this event is the perfect way to dive into the spirit of sisterhood that defines our community. Come learn more about our shared values of friendship, scholarship, and service, and discover how you can get involved in our exciting upcoming events. All are welcome, so bring your enthusiasm and be ready to create lasting memories with the inspiring women of the Panhellenic Council!", + "event_type":"in_person", + "start_time":"2024-04-19 17:00:00", + "end_time":"2024-04-19 19:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Scholarship", + "Leadership" + ] + }, + { + "id":"603d69bd-5266-4a76-a94e-6a80a71fb07f", + "club_id":"ab92f7ab-7ae3-41fa-b35b-cc7427420895", + "name":"Event for Panhellenic Council", + "preview":"This club is holding an event.", + "description":"Join the Panhellenic Council for an enchanting evening of sisterhood and solidarity! Our inclusive event will celebrate the diverse values of friendship, leadership, scholarship, and philanthropy that unite the vibrant community of 11 chapters, including Alpha Epsilon Phi, Alpha Chi Omega, Chi Omega, Delta Phi Epsilon, Delta Zeta, Kappa Delta, Kappa Kappa Gamma, Sigma Delta Tau, Sigma Kappa, Sigma Sigma Sigma, and Phi Sigma Rho. Meet new friends, learn about our impactful initiatives, and become part of something truly special. Whether you're a seasoned member or a curious newcomer, this event promises a warm, engaging atmosphere where bonds are forged and memories are made. We can't wait to welcome you with open arms!", + "event_type":"in_person", + "start_time":"2026-02-14 12:00:00", + "end_time":"2026-02-14 16:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Scholarship" + ] + }, + { + "id":"a440aabe-3d74-492b-99ac-c654f0939c62", + "club_id":"ab92f7ab-7ae3-41fa-b35b-cc7427420895", + "name":"Event for Panhellenic Council", + "preview":"This club is holding an event.", + "description":"Join the Panhellenic Council for an evening of connection and community as we celebrate the diverse sisterhood of the 11 vibrant chapters that make up our council. Experience the essence of friendship, leadership, scholarship, and philanthropy that unite us, while fostering meaningful relationships with the wider Northeastern and Boston communities. Whether you're a member of Alpha Epsilon Phi, Sigma Delta Tau, or any of our affiliated chapters, this event promises to be a memorable blend of fun, learning, and empowerment. Come join us in creating lasting bonds and making a positive impact together!", + "event_type":"virtual", + "start_time":"2025-02-03 21:30:00", + "end_time":"2025-02-03 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Scholarship" + ] + }, + { + "id":"3eee4759-c3ab-4c22-bc7e-9a89d4858f3f", + "club_id":"e897918a-a892-4488-a7dc-3f4a268045ce", + "name":"Event for Peace Through Play", + "preview":"This club is holding an event.", + "description":"Join us for a fun and interactive Family Game Night hosted by Peace Through Play! Bring your loved ones and enjoy an evening filled with educational games, crafts, and laughter. Our enthusiastic volunteers will guide the activities, fostering a welcoming and inclusive environment for all attendees. Learn about the importance of play in child development while having a great time together. Don't miss this opportunity to connect with the community and support our mission of promoting mutual empowerment through the power of play!", + "event_type":"hybrid", + "start_time":"2025-03-22 18:00:00", + "end_time":"2025-03-22 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Education" + ] + }, + { + "id":"51c75f62-ac08-4207-86e4-adb9eef8cf14", + "club_id":"e897918a-a892-4488-a7dc-3f4a268045ce", + "name":"Event for Peace Through Play", + "preview":"This club is holding an event.", + "description":"Join Peace Through Play for our annual Fall Fun Fair! This exciting event brings together college students and Boston youth for a day of educational games, creative crafts, and interactive learning activities. From problem-solving challenges to imaginative play stations, there's something for everyone to enjoy. Our dedicated volunteers will be on hand to guide participants through the activities, promoting the importance of play in child development. Don't miss this opportunity to connect, learn, and have fun together! Visit our website or social media for more details, and get ready to experience the power of play in action.", + "event_type":"virtual", + "start_time":"2025-02-18 17:15:00", + "end_time":"2025-02-18 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Social Emotional Learning", + "Child Development", + "Education", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"bfb044c8-547f-4193-b9c9-31f01ad91923", + "club_id":"e897918a-a892-4488-a7dc-3f4a268045ce", + "name":"Event for Peace Through Play", + "preview":"This club is holding an event.", + "description":"Join Peace Through Play at our upcoming 'Summer Fun Fair' event! This exciting day will be filled with interactive educational games, creative crafts, and engaging learning activities for both college students and Boston youth. Our dedicated team, in collaboration with Dr. Emily Mann's 'Science of Play' honors seminar students, has curated a fun and enriching experience that promotes the importance of play in child development. Come and explore how play can enhance problem-solving skills, ignite imaginations, and nurture social-emotional competencies. We believe in creating a safe space for children to learn, grow, and thrive through the power of play. Don't miss out on this opportunity to be part of a community that values the holistic development of young minds. Visit our website and social media for more details, and feel free to reach out with any questions. We look forward to seeing you there!", + "event_type":"in_person", + "start_time":"2025-08-24 22:30:00", + "end_time":"2025-08-25 02:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism", + "Child Development", + "Education" + ] + }, + { + "id":"75a4538b-45aa-4df0-b8a2-0043b188287c", + "club_id":"52ddffcb-05fa-4b79-8d64-ce38770bb64e", + "name":"Event for Perfect Pair at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming 'Intergenerational Cooking Workshop' where pairs will come together to share family recipes and culinary traditions. This event promises a fun and interactive experience where seniors and college students can bond over the joy of cooking and trying out new flavors. Whether you're a seasoned chef or just starting out in the kitchen, this workshop is a great opportunity to make new friends, learn something new, and savor delicious homemade dishes. Come join us and let's create lasting memories through the magic of food!", + "event_type":"hybrid", + "start_time":"2026-11-09 18:15:00", + "end_time":"2026-11-09 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Interpersonal Relationships", + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"7df709f3-b315-4b5e-a759-6a7f202a0424", + "club_id":"52ddffcb-05fa-4b79-8d64-ce38770bb64e", + "name":"Event for Perfect Pair at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an uplifting afternoon of creativity and connection at our Paint & Sip event! Seniors and college students will come together to explore their artistic talents in a relaxed and welcoming setting. From delicate brush strokes to vibrant colors, this event promises to spark engaging conversations and foster friendships that transcend generations. Whether you're a seasoned painter or a first-timer, this is an opportunity to unwind, unleash your creativity, and cultivate meaningful relationships within our diverse community. Don't miss out on this chance to share stories, laughter, and creativity with the Perfect Pair family!", + "event_type":"hybrid", + "start_time":"2025-11-22 17:15:00", + "end_time":"2025-11-22 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Interpersonal Relationships", + "Volunteerism", + "Community Outreach", + "Mentorship" + ] + }, + { + "id":"5e6c6f6a-7d72-443d-aae7-fbfa36201573", + "club_id":"7a2cb1da-148d-4c85-a8b5-a15d76315916", + "name":"Event for Phi Alpha Delta: International Legal Fraternity of Northeastern University Frank Palmer Speare Chapter", + "preview":"This club is holding an event.", + "description":"Join Phi Alpha Delta for an engaging networking and career development event where you can interact with legal professionals, gain insights into the legal world, and explore academic and professional opportunities related to law. Whether you're a law enthusiast or simply curious about the field, this event is the perfect platform for you to connect with like-minded individuals, participate in informative discussions, and expand your knowledge on legal matters. Come expand your horizons and build meaningful connections in a welcoming and inclusive environment!", + "event_type":"virtual", + "start_time":"2026-01-02 19:30:00", + "end_time":"2026-01-02 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "HumanRights" + ] + }, + { + "id":"077e388f-b4f1-45db-a0ca-9425b965432b", + "club_id":"7a2cb1da-148d-4c85-a8b5-a15d76315916", + "name":"Event for Phi Alpha Delta: International Legal Fraternity of Northeastern University Frank Palmer Speare Chapter", + "preview":"This club is holding an event.", + "description":"Join Phi Alpha Delta for an engaging Law School Admissions Test (LSAT) seminar, where you can sharpen your test-taking skills and gain valuable insights into the legal profession. Our expert speakers will provide tips and strategies to help you succeed in your legal career journey. Don't miss this opportunity to network with fellow students and legal professionals while gaining access to exclusive discounts on preparation materials. Whether you are a pre-law student or just curious about the legal field, this event is open to all Northeastern University students, providing a welcoming and supportive environment to explore your interests in law.", + "event_type":"in_person", + "start_time":"2026-03-24 22:00:00", + "end_time":"2026-03-25 00:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Prelaw" + ] + }, + { + "id":"75e19e78-7abc-4217-89fd-fa99fff536ee", + "club_id":"7a2cb1da-148d-4c85-a8b5-a15d76315916", + "name":"Event for Phi Alpha Delta: International Legal Fraternity of Northeastern University Frank Palmer Speare Chapter", + "preview":"This club is holding an event.", + "description":"Join Phi Alpha Delta at our upcoming LSAT seminar where you can learn valuable test-taking strategies from experienced professionals in the legal field. This interactive event is open to all Northeastern students, regardless of major, who are interested in pursuing a career in law. Whether you're just starting to prepare for the LSAT or looking to fine-tune your skills, this seminar is the perfect opportunity to gain insights and boost your confidence. Connect with fellow members, ask questions, and get ready to excel on test day with the support of Phi Alpha Delta!", + "event_type":"virtual", + "start_time":"2025-09-25 14:30:00", + "end_time":"2025-09-25 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Journalism", + "Volunteerism", + "Community Outreach", + "HumanRights", + "Prelaw" + ] + }, + { + "id":"e9d28f9d-c709-4e1c-bea2-843767b8f639", + "club_id":"b038d078-7653-4f0e-a1eb-1566e2a49f3d", + "name":"Event for Phi Beta Sigma Fraternity Inc.", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening and inspiring evening with Phi Beta Sigma Fraternity Inc.! Immerse yourself in the rich history and values of our fraternity as we celebrate brotherhood, scholarship, and service. Discover how our organization, founded in 1914, has evolved into an international network of diverse leaders dedicated to 'Culture For Service and Service For Humanity'. Be a part of our inclusive community-focused event and experience the spirit of unity and empowerment that defines Phi Beta Sigma. All are welcome to join us as we continue our legacy of making a positive impact and giving back to our communities!", + "event_type":"hybrid", + "start_time":"2026-10-24 12:00:00", + "end_time":"2026-10-24 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "African American", + "Service For Humanity", + "HumanRights" + ] + }, + { + "id":"c3db0731-b292-4ff2-961e-b872877538d3", + "club_id":"b038d078-7653-4f0e-a1eb-1566e2a49f3d", + "name":"Event for Phi Beta Sigma Fraternity Inc.", + "preview":"This club is holding an event.", + "description":"Join Phi Beta Sigma Fraternity Inc. for an enriching event celebrating brotherhood, scholarship, and service. Immerse yourself in a community that values inclusivity and diversity, where members are judged by their merits. Be part of a greater brotherhood dedicated to 'Culture For Service and Service For Humanity'. Experience firsthand the impactful work of Phi Beta Sigma, an international organization of leaders that delivers services to the general community. Come be a part of an event that embodies the ideals of unity, service, and making a positive difference in the world.", + "event_type":"in_person", + "start_time":"2025-11-21 22:00:00", + "end_time":"2025-11-22 01:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "African American", + "Volunteerism" + ] + }, + { + "id":"96969185-2587-44fa-a7ec-db00f928a574", + "club_id":"b038d078-7653-4f0e-a1eb-1566e2a49f3d", + "name":"Event for Phi Beta Sigma Fraternity Inc.", + "preview":"This club is holding an event.", + "description":"Join Phi Beta Sigma Fraternity Inc. for an enriching evening where we celebrate brotherhood, scholarship, and service. Immerse yourself in a welcoming atmosphere where we value each individual's merits above all else, embodying our belief in inclusivity and giving back to the community. Experience firsthand our deep-rooted motto of 'Culture For Service and Service For Humanity' as we come together as leaders to make a positive impact. Don't miss this opportunity to be part of a historic organization that has flourished internationally, leaving a lasting legacy of service and unity.", + "event_type":"hybrid", + "start_time":"2024-09-16 22:00:00", + "end_time":"2024-09-17 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "HumanRights", + "Service For Humanity", + "African American", + "Community Outreach" + ] + }, + { + "id":"fba37a5f-1fd5-4e1f-a6a4-98732c3c6d17", + "club_id":"61479741-6f38-4cda-8894-c3272005cd0c", + "name":"Event for Phi Delta Chi", + "preview":"This club is holding an event.", + "description":"Join Phi Delta Chi for our annual Bouve Health Fair, a fun and educational event focused on promoting health and wellness within our community. This exciting event features interactive booths, health screenings, informational sessions, and opportunities to engage with healthcare professionals. Whether you're a student looking to learn more about healthcare or a community member interested in staying healthy, you're welcome to join us for a day filled with valuable insights and positive interactions. Come be a part of our commitment to advancing the science of pharmacy and promoting a fraternal spirit among all attendees. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2025-11-25 15:30:00", + "end_time":"2025-11-25 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Professional Development" + ] + }, + { + "id":"064b9f4c-efbc-4c85-b734-073b5e657c6c", + "club_id":"61479741-6f38-4cda-8894-c3272005cd0c", + "name":"Event for Phi Delta Chi", + "preview":"This club is holding an event.", + "description":"Join Phi Delta Chi for our annual Bouve Health Fair event! This exciting opportunity allows you to engage with healthcare professionals, learn about cutting-edge advancements in pharmacy, and discover ways to get involved in our mission of advancing the science of pharmacy. Whether you are a student, a healthcare enthusiast, or simply curious about our fraternity, this event is a perfect mix of education, fun, and community building. Come prepared to be inspired, make new connections, and explore the diverse world of pharmacy with us. We can't wait to welcome you to this enriching experience!", + "event_type":"in_person", + "start_time":"2024-04-08 18:15:00", + "end_time":"2024-04-08 19:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Leadership", + "Pharmacy", + "Healthcare", + "Service", + "Brotherhood" + ] + }, + { + "id":"bc4d1ac1-8513-4f0b-9247-f78577c65913", + "club_id":"7fa1cb1c-ced2-453d-9247-415199e3026f", + "name":"Event for Phi Delta Epsilon Medical Fraternity", + "preview":"This club is holding an event.", + "description":"Join Phi Delta Epsilon Medical Fraternity for an engaging networking night filled with opportunities to connect with fellow medical and premedical students at Northeastern University. Learn about our rich history dating back to 1904 at Cornell University, and discover how you can become part of a global community dedicated to excellence in the medical field. Whether you're interested in mentorship, academic support, or simply meeting like-minded individuals, this event offers a welcoming space where you can explore the myriad benefits of belonging to our prestigious fraternity.", + "event_type":"virtual", + "start_time":"2025-03-12 17:30:00", + "end_time":"2025-03-12 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Premed", + "Community Outreach" + ] + }, + { + "id":"17d928ec-2e03-4b07-942c-a47b6e160adc", + "club_id":"ba3af640-1401-485e-b34a-5ce016261b33", + "name":"Event for Phi Delta Theta", + "preview":"This club is holding an event.", + "description":"Join Phi Delta Theta for a night of camaraderie and knowledge-sharing as we celebrate our noble Cardinal Principles. Immerse yourself in a warm and inviting atmosphere where friendships flourish, minds expand, and values are upheld. Experience firsthand the legacy that has shaped the lives of over 235,000 men since our founding in 1848 at Miami University in Oxford, Ohio. Discover how you can be a part of our timeless tradition of friendship, intellectual growth, and moral excellence.", + "event_type":"virtual", + "start_time":"2026-12-10 19:30:00", + "end_time":"2026-12-10 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Mental Culture", + "Friendship", + "Morality", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"842e8a7c-5a41-4eb4-b6c5-96ea390b8d93", + "club_id":"ba3af640-1401-485e-b34a-5ce016261b33", + "name":"Event for Phi Delta Theta", + "preview":"This club is holding an event.", + "description":"Join us at Phi Delta Theta's annual Founders Day celebration as we commemorate the values that have united our brothers for over 170 years. This special event will showcase the spirit of friendship, scholarship, and morality that define our fraternity's Cardinal Principles. Whether you're a current member or interested in learning more about our rich history, all are welcome to come together in the spirit of camaraderie and personal growth. Mark your calendars and prepare to immerse yourself in a community dedicated to fostering lifelong bonds and excellence in all aspects of life.", + "event_type":"virtual", + "start_time":"2026-11-22 16:15:00", + "end_time":"2026-11-22 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Morality", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"9fed3245-e3c6-4dea-a87e-f080ac806572", + "club_id":"ba3af640-1401-485e-b34a-5ce016261b33", + "name":"Event for Phi Delta Theta", + "preview":"This club is holding an event.", + "description":"Join Phi Delta Theta at our upcoming 'Brotherhood Mixer' event where you'll experience a warm and welcoming atmosphere filled with camaraderie and laughter. Meet our dedicated members who embody the Cardinal Principles of cultivating friendship, mental growth, and high morality. Engage in meaningful conversations, forge new connections, and discover how this esteemed fraternity has positively impacted the lives of over 235,000 men since its establishment in 1848 at Miami University in Ohio.", + "event_type":"in_person", + "start_time":"2024-03-21 23:00:00", + "end_time":"2024-03-22 00:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Mental Culture", + "HumanRights" + ] + }, + { + "id":"d8a03d5f-9832-45ae-912b-bea5d46131de", + "club_id":"d0777ff0-ee4c-45cb-9bcf-17e4cf6df8ac", + "name":"Event for Phi Gamma Delta", + "preview":"This club is holding an event.", + "description":"Join Phi Gamma Delta for a fun and engaging networking event where you can connect with like-minded individuals who value enduring friendships and the pursuit of knowledge. This event is the perfect opportunity to learn more about our club and the courageous leaders who make up our community. Whether you're a newcomer or a longtime member, everyone is welcome to join in on the conversation and share the best of themselves with others. We look forward to seeing you there!", + "event_type":"in_person", + "start_time":"2025-05-27 16:00:00", + "end_time":"2025-05-27 19:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"f7325e60-a407-4832-a5a0-6a281b796c50", + "club_id":"d0777ff0-ee4c-45cb-9bcf-17e4cf6df8ac", + "name":"Event for Phi Gamma Delta", + "preview":"This club is holding an event.", + "description":"Join Phi Gamma Delta for our annual Founders Day celebration! Come together with our brothers and friends to honor our rich history and traditions. This special event will feature inspiring speeches, engaging discussions, and plenty of opportunities to connect with like-minded individuals who share our values of friendship, knowledge, and leadership. Whether you are a current member, alumni, or simply curious about our fraternity, this event is the perfect chance to experience the bond of brotherhood that defines Phi Gamma Delta. We look forward to welcoming you with open arms and sharing the best of what our organization has to offer!", + "event_type":"in_person", + "start_time":"2025-06-09 23:15:00", + "end_time":"2025-06-10 01:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Volunteerism", + "HumanRights" + ] + }, + { + "id":"23081cf6-ae33-422c-a8d0-de79db3711ff", + "club_id":"d0777ff0-ee4c-45cb-9bcf-17e4cf6df8ac", + "name":"Event for Phi Gamma Delta", + "preview":"This club is holding an event.", + "description":"Join Phi Gamma Delta for an engaging evening focused on fostering lifelong friendships, igniting intellectual curiosity, and nurturing the leadership potential within each individual. Our event will feature interactive discussions, team-building activities, and opportunities to connect with like-minded individuals who are dedicated to making a positive impact on the world around them. Whether you're a seasoned member or new to the fraternity, everyone is welcome to come together and share in the camaraderie and spirit of Phi Gamma Delta.", + "event_type":"hybrid", + "start_time":"2025-01-13 21:15:00", + "end_time":"2025-01-14 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Leadership", + "HumanRights" + ] + }, + { + "id":"c4968134-5ab3-4efc-b9c9-83013ee286c5", + "club_id":"babe1657-b7eb-40f2-b4da-036798db0c6a", + "name":"Event for Phi Lambda Sigma", + "preview":"This club is holding an event.", + "description":"Join Phi Lambda Sigma's Gamma Kappa chapter at Northeastern University for an unforgettable experience at the PLS Leadership Retreat! Dive into a weekend filled with inspiring workshops, engaging discussions, and networking opportunities with fellow pharmacy students. This retreat is designed to help you develop your leadership skills, build meaningful connections, and gain valuable insights to thrive in your pharmacy career. Don't miss out on this enriching event that will empower you to make a positive impact in the School of Pharmacy community!", + "event_type":"in_person", + "start_time":"2025-09-17 19:15:00", + "end_time":"2025-09-17 21:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Pharmacy", + "Education", + "Leadership", + "Community Outreach" + ] + }, + { + "id":"e7892d03-2fa3-46c7-8501-c4d0c63ce0d4", + "club_id":"babe1657-b7eb-40f2-b4da-036798db0c6a", + "name":"Event for Phi Lambda Sigma", + "preview":"This club is holding an event.", + "description":"Join Phi Lambda Sigma at Northeastern University's Gamma Kappa chapter for an inspiring and educational experience at the PLS Leadership Retreat. This event brings together pharmacy students from diverse backgrounds to engage in leadership development activities, workshops, and networking opportunities. Whether you're a seasoned leader or just starting to explore your potential, the retreat offers a supportive environment to enhance your skills and connect with like-minded peers. Don't miss this chance to empower yourself and contribute to the advancement of pharmacy leadership within the School of Pharmacy community.", + "event_type":"in_person", + "start_time":"2025-02-04 23:00:00", + "end_time":"2025-02-05 01:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Education", + "Community Outreach", + "Pharmacy", + "Leadership" + ] + }, + { + "id":"190f8937-2564-4f1c-a104-236a722dea8c", + "club_id":"307e9648-6615-4a32-a8d5-81cdf197b156", + "name":"Event for Phi Sigma Rho", + "preview":"This club is holding an event.", + "description":"Join Phi Sigma Rho for an engaging Engineering Tech Workshop where members and guests will collaborate on a fun project, learn new skills, and network with like-minded individuals. This interactive event is a great opportunity to experience firsthand the supportive and empowering community within Phi Sigma Rho. Whether you are a seasoned engineer or just starting out, all are welcome to attend and participate in an inspiring evening of innovation and connections!", + "event_type":"in_person", + "start_time":"2024-04-14 14:30:00", + "end_time":"2024-04-14 17:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Future Building", + "STEM", + "Women" + ] + }, + { + "id":"e72173f9-7a18-485d-baf0-66f9e2ac9f49", + "club_id":"307e9648-6615-4a32-a8d5-81cdf197b156", + "name":"Event for Phi Sigma Rho", + "preview":"This club is holding an event.", + "description":"Join Phi Sigma Rho for a fun and engaging Virtual Mixer event where you can meet current members, learn about our values and exciting activities, and ask any questions you may have about joining our supportive community. We'll have icebreakers, trivia games, and opportunities to connect with like-minded individuals in STEM fields. Whether you're a seasoned engineer or just starting out, this event is the perfect chance to see how Phi Sigma Rho can enhance your academic journey and future career opportunities. Don't miss out on this fantastic opportunity to network and make lasting friendships \u2013 mark your calendar and get ready for an unforgettable experience!", + "event_type":"hybrid", + "start_time":"2026-03-01 15:00:00", + "end_time":"2026-03-01 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Academic Excellence", + "Sorority", + "Engineering", + "Future Building", + "Friendship", + "Women", + "STEM" + ] + }, + { + "id":"6d343a66-8369-429d-bf9c-1bf260b6b8a7", + "club_id":"307e9648-6615-4a32-a8d5-81cdf197b156", + "name":"Event for Phi Sigma Rho", + "preview":"This club is holding an event.", + "description":"Join us for our Fall 2023 Recruitment Kickoff! Come meet the incredible women and non-binary folks who make up Phi Sigma Rho and learn more about our mission to empower and support individuals in engineering and STEM fields. This event is the perfect opportunity to connect with like-minded peers, discover the benefits of becoming a member, and kickstart your journey towards academic excellence and lifelong friendships. Whether you're curious about our sorority or eager to be part of a community shaping the future, our Recruitment Kickoff is the place to be. Don't miss out on this chance to take the first step towards a rewarding and fulfilling experience with Phi Sigma Rho!", + "event_type":"hybrid", + "start_time":"2024-07-10 14:15:00", + "end_time":"2024-07-10 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Future Building", + "STEM", + "Women", + "Engineering" + ] + }, + { + "id":"bbf8a846-1bbc-4c19-92d5-583f7f63766d", + "club_id":"0153ab33-9e9f-4eac-b434-12962c899673", + "name":"Event for Pi Delta Psi Fraternity, Inc.", + "preview":"This club is holding an event.", + "description":"Join Pi Delta Psi Fraternity, Inc. for a night of celebration and diversity at our upcoming Cultural Awareness Gala! Immerse yourself in a vibrant showcase of Asian culture through traditional performances, interactive exhibits, and a delicious array of authentic cuisine. Meet our passionate members and learn about our rich history rooted in brotherhood and community impact. Whether you're a student looking to embrace new experiences or a community member seeking connection, this event promises to be an evening of unity, education, and fun for all. Come be a part of our ever-growing family and witness firsthand the spirit of Pi Delta Psi that continues to inspire and empower individuals from all walks of life.", + "event_type":"virtual", + "start_time":"2025-08-11 12:30:00", + "end_time":"2025-08-11 14:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Performing Arts", + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"6da51c62-fe37-48d8-bfd9-b99aecdf0834", + "club_id":"0153ab33-9e9f-4eac-b434-12962c899673", + "name":"Event for Pi Delta Psi Fraternity, Inc.", + "preview":"This club is holding an event.", + "description":"Join Pi Delta Psi Fraternity, Inc. for a night of cultural celebration and brotherhood at our Annual Unity Gala! Immerse yourself in the vibrant traditions and values that have shaped us since our founding in 1994. Meet fellow members, alumni, and supporters as we come together to honor our shared history and forge new connections. Enjoy a lineup of exciting performances, delicious cuisine, and engaging activities that reflect the spirit of unity and growth that defines our fraternity. Whether you're a long-standing member or new to our community, this event promises to be a memorable experience filled with camaraderie and lifelong bonds. Don't miss out on this opportunity to be a part of something truly special!", + "event_type":"in_person", + "start_time":"2025-10-20 17:15:00", + "end_time":"2025-10-20 19:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Fraternity", + "Community Outreach" + ] + }, + { + "id":"9c33ea00-918f-400c-9dc1-7b3993e6925a", + "club_id":"8cb19ce2-83b5-4056-a9b6-a125346bc2e2", + "name":"Event for Pi Kappa Phi", + "preview":"This club is holding an event.", + "description":"Join Pi Kappa Phi for our annual Ability Experience Fundraiser Gala! As we gather to celebrate friendship, leadership, and make a positive impact, you can expect an evening filled with live music, delicious food, and heartfelt stories. Come meet our dedicated brothers, learn more about our philanthropic efforts, and contribute to creating a more inclusive world. Whether you're a long-time supporter or new friend, all are welcome to join us in making a difference and spreading the spirit of brotherhood!", + "event_type":"virtual", + "start_time":"2024-06-02 18:15:00", + "end_time":"2024-06-02 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Philanthropy", + "Leadership", + "Community Outreach" + ] + }, + { + "id":"8e12eeb8-4f19-4ea5-8aed-ca920a4f2e67", + "club_id":"8cb19ce2-83b5-4056-a9b6-a125346bc2e2", + "name":"Event for Pi Kappa Phi", + "preview":"This club is holding an event.", + "description":"Join Pi Kappa Phi for our annual 'Ability Awareness Week' event! Come together with our diverse and passionate brotherhood as we host a series of activities and fundraisers to support The Ability Experience, our national organization's philanthropy dedicated to empowering individuals with disabilities. Engage in meaningful conversations, participate in community service projects, and build lasting connections while making a positive impact. All are welcome to join us in spreading awareness and positivity within our campus and beyond. Together, we can make a difference and create a more inclusive world!", + "event_type":"hybrid", + "start_time":"2024-03-26 12:00:00", + "end_time":"2024-03-26 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Volunteerism", + "Philanthropy", + "Leadership" + ] + }, + { + "id":"8157be46-3fa1-4865-bf47-f6afdaeb7df0", + "club_id":"a9f21e6c-0414-473a-a508-942bf6382793", + "name":"Event for PIH Engage", + "preview":"This club is holding an event.", + "description":"Join us at PIH Engage for our upcoming Health Equity Forum! We are bringing together passionate individuals to discuss and learn about the importance of upholding the right to health for all. Engage in enlightening discussions, share your ideas, and connect with like-minded advocates who are dedicated to making a difference in our community and beyond. Don't miss this opportunity to be part of a movement that strives for equitable healthcare access and policies that prioritize the well-being of every individual. Together, we can shape a brighter and healthier future for everyone!", + "event_type":"virtual", + "start_time":"2024-12-03 22:00:00", + "end_time":"2024-12-04 02:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "PublicRelations", + "Volunteerism" + ] + }, + { + "id":"7ff37375-48f6-461e-b941-f2dc9a8cd3c2", + "club_id":"a9f21e6c-0414-473a-a508-942bf6382793", + "name":"Event for PIH Engage", + "preview":"This club is holding an event.", + "description":"Join PIH Engage for an enlightening evening discussing global healthcare challenges and solutions. Our diverse panel of experts will share insights on how community organizing can empower individuals to advocate for the right to health. Engage with like-minded individuals, learn about effective policies, and explore ways to make a real impact on healthcare access for those in need. Come be a part of a passionate community dedicated to ensuring health rights for all people, regardless of their background or location. Let's work together to create a world where health is a universal right!", + "event_type":"hybrid", + "start_time":"2026-12-17 23:30:00", + "end_time":"2026-12-18 03:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"f0db6e0b-accb-4226-9ab0-a9d95fc1d771", + "club_id":"a9f21e6c-0414-473a-a508-942bf6382793", + "name":"Event for PIH Engage", + "preview":"This club is holding an event.", + "description":"Join PIH Engage for our upcoming community organizing workshop where you can learn how to become a powerful force for change in the right to health movement. Connect with dedicated volunteers who are passionate about advocating for effective policies and driving campaigns to ensure healthcare access for all. In this interactive event, we will discuss building strong teams, fostering alliances, and educating the public about the importance of the right to health. Come be a part of the movement that demands health be protected for every person, everywhere!", + "event_type":"virtual", + "start_time":"2025-08-14 14:30:00", + "end_time":"2025-08-14 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "HumanRights", + "Community Outreach", + "PublicRelations" + ] + }, + { + "id":"f8f4d106-caa9-4c66-8002-fa796001ec3f", + "club_id":"de3dc6ac-72a3-414a-b6e9-a17a73736994", + "name":"Event for Pinky Swear Pack", + "preview":"This club is holding an event.", + "description":"Join us at our next event where we will be spreading joy and positivity to young patients at the local children's hospital through interactive story time sessions. Bring your favorite children's book and your warmest smile as we engage in storytelling, imagination, and laughter. This event is perfect for volunteers of all ages and experiences, so come be a part of our mission to brighten the days of these brave children facing pediatric cancer. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2025-11-18 16:30:00", + "end_time":"2025-11-18 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Visual Arts", + "Volunteerism", + "Creative Writing", + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"ff32e514-c8af-4945-bd90-f60cc5f82c22", + "club_id":"938c8ebf-1e2c-46ae-a66f-ac343a73a047", + "name":"Event for Pre-Physician Assistant Society", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming event where we will have guest speakers from various medical specialties sharing their experiences and insights about the PA profession. This interactive session will offer valuable advice on navigating the path to becoming a successful Physician Assistant. Whether you're just starting your journey or looking to enhance your knowledge, this event promises to be a fantastic opportunity to connect with like-minded peers and gain a deeper understanding of the exciting field of healthcare. Come join us for an evening of inspiration, information, and camaraderie!", + "event_type":"hybrid", + "start_time":"2025-11-15 19:15:00", + "end_time":"2025-11-15 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Premed" + ] + }, + { + "id":"8b9b4e8d-bc99-4a38-9742-53ab7bd8dfb8", + "club_id":"938c8ebf-1e2c-46ae-a66f-ac343a73a047", + "name":"Event for Pre-Physician Assistant Society", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming event hosted by the Pre-Physician Assistant Society! Discover the exciting world of the PA profession as we delve into the required coursework and academic achievements needed for success. Connect with knowledgeable health care professionals and gain valuable insights into the competitive field. Whether you're just starting your journey or gearing up for grad school admission, this event is the perfect opportunity to network with like-minded peers and navigate your path towards becoming a successful PA!", + "event_type":"hybrid", + "start_time":"2025-10-18 15:15:00", + "end_time":"2025-10-18 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Biology" + ] + }, + { + "id":"a5c5722d-dee1-44e8-827f-6e1eab161bca", + "club_id":"938c8ebf-1e2c-46ae-a66f-ac343a73a047", + "name":"Event for Pre-Physician Assistant Society", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming event, 'Navigating the PA Profession'. This interactive session is designed to provide valuable information and resources for aspiring physician assistants. Our guest speakers will share their personal experiences, offer insights on required coursework and academic achievement, and provide guidance on the graduate school admission process. Don't miss this opportunity to network with healthcare professionals and connect with like-minded peers. Whether you are just starting your journey or already well on your way, this event is guaranteed to inspire and empower you towards a successful career in the rapidly growing field of healthcare. Come be a part of our supportive community and start preparing for your future as a PA!", + "event_type":"in_person", + "start_time":"2026-03-25 21:00:00", + "end_time":"2026-03-25 22:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Student Organization", + "Neuroscience" + ] + }, + { + "id":"34f587f6-9b30-4832-a080-646adacbd95e", + "club_id":"42a32185-1158-4cf2-bf04-43bba3d05c64", + "name":"Event for Prehistoric Life Club", + "preview":"This club is holding an event.", + "description":"Join us for a journey through the Mesozoic era at our Dino Discovery Night! Delve into the world of dinosaurs as we explore their unique behaviors, habitats, and the latest discoveries in paleontology. Whether you're a seasoned dino enthusiast or just starting your prehistoric journey, our interactive event is perfect for all ages. Test your knowledge in a fun dinosaur trivia game and be amazed by live demonstrations that bring these ancient creatures to life. Don't miss this opportunity to connect with fellow dinosaur lovers and reignite your passion for prehistory!", + "event_type":"hybrid", + "start_time":"2024-06-14 20:15:00", + "end_time":"2024-06-14 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Biology", + "Community Outreach", + "History" + ] + }, + { + "id":"accb59b4-44d8-4145-8f59-7c75de9ee896", + "club_id":"42a32185-1158-4cf2-bf04-43bba3d05c64", + "name":"Event for Prehistoric Life Club", + "preview":"This club is holding an event.", + "description":"Join the Prehistoric Life Club for a thrilling Dino Trivia Night! Test your knowledge and learn fun facts about these ancient creatures in a friendly and welcoming atmosphere. Our trivia night is designed for both avid enthusiasts looking to showcase their expertise and newcomers eager to dive into the world of prehistory. Don't miss this engaging event that promises to spark your curiosity and reignite your passion for dinosaurs and other fascinating lifeforms!", + "event_type":"in_person", + "start_time":"2026-05-04 20:30:00", + "end_time":"2026-05-04 22:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Biology", + "Community Outreach" + ] + }, + { + "id":"cf5e508b-75e4-4543-9916-735083a847cb", + "club_id":"42a32185-1158-4cf2-bf04-43bba3d05c64", + "name":"Event for Prehistoric Life Club", + "preview":"This club is holding an event.", + "description":"Join us for a roaring good time at our Dino Trivia Night event! Test your knowledge on the fascinating lifeforms of prehistory while enjoying a fun and interactive evening with fellow dinosaur enthusiasts. Whether you are a long-time lover of all things dinosaur-related or just starting to rediscover your passion for prehistory, this event is perfect for everyone. Come challenge yourself, learn something new, and make new friends in a welcoming and engaging environment. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2026-09-14 17:15:00", + "end_time":"2026-09-14 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Biology", + "Environmental Science", + "Education" + ] + }, + { + "id":"26f4f4aa-eabe-4650-9e41-37647c2596ae", + "club_id":"0083854c-8bf4-429f-a697-ef923a26fd66", + "name":"Event for Private Equity & Venture Capital Club", + "preview":"This club is holding an event.", + "description":"Join us for an enriching evening filled with insightful discussions and valuable connections at our 'Insights into Venture Capital Funding' event. Get ready to delve deeper into the world of venture capital as experienced professionals share their expertise, success stories, and strategic insights. Whether you're a seasoned investor or looking to venture into this exciting field, this event offers a welcoming space to learn, engage, and expand your network. Don't miss out on this opportunity to gain valuable knowledge and connect with like-minded individuals in the thriving realm of venture capital!", + "event_type":"hybrid", + "start_time":"2024-04-01 12:15:00", + "end_time":"2024-04-01 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Networking", + "Community Outreach", + "Finance" + ] + }, + { + "id":"dc15739e-a32e-4626-a5fd-f0ed156fc5d9", + "club_id":"f490935f-14aa-4294-a610-8c686690ac92", + "name":"Event for Progressive Student Alliance", + "preview":"This club is holding an event.", + "description":"Join us for a powerful discussion on dismantling militarism in our community! The Progressive Student Alliance is hosting an informative panel featuring guest speakers discussing the impacts of Northeastern's ties with the war industry. Learn how you can make a difference and stand up for peace and justice. This event is open to all who are passionate about creating positive change. Stay tuned for more details on our social media channels and make sure to invite your friends!", + "event_type":"hybrid", + "start_time":"2025-10-08 14:00:00", + "end_time":"2025-10-08 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Journalism", + "Hiking", + "Film", + "Volunteerism", + "Environmental Advocacy", + "HumanRights" + ] + }, + { + "id":"df07b532-3d28-4f9d-a89f-51a907ce8cc7", + "club_id":"f490935f-14aa-4294-a610-8c686690ac92", + "name":"Event for Progressive Student Alliance", + "preview":"This club is holding an event.", + "description":"Join the Progressive Student Alliance for a virtual panel discussion on the impacts of anti-militarism activism in our communities. Hear from guest speakers with diverse perspectives on the issue and learn how you can get involved in advocating for a more peaceful and just world. This event will provide a platform for meaningful dialogue and solidarity-building, so mark your calendars and invite your friends to join us for an evening of insightful conversation and activism!", + "event_type":"in_person", + "start_time":"2024-12-13 22:00:00", + "end_time":"2024-12-14 02:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Environmental Advocacy", + "Community Outreach", + "Journalism", + "Hiking" + ] + }, + { + "id":"7139ed4d-680a-40d2-b1e0-07818539037d", + "club_id":"f490935f-14aa-4294-a610-8c686690ac92", + "name":"Event for Progressive Student Alliance", + "preview":"This club is holding an event.", + "description":"Join the Progressive Student Alliance (PSA) for an engaging discussion on social justice movements and their impact on campus and beyond. Learn about our current anti-militarism campaign targeting Northeastern's ties to the war industry. Connect with fellow students and activists to support dining workers and Full-Time Non-Tenure Track (FTNTT) Faculty in their fight for fair wages and union rights. Together, let's work towards collective liberation and a more just society. Don't miss out! Stay updated by signing up for our mailing list and following us on Instagram @neu.psa!", + "event_type":"in_person", + "start_time":"2026-09-15 22:30:00", + "end_time":"2026-09-16 02:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Journalism" + ] + }, + { + "id":"0ebbcda9-88af-4a64-aa11-afda4a3e6cd1", + "club_id":"641f0662-a563-4961-89b9-29e2bc512d5a", + "name":"Event for Project Sunshine", + "preview":"This club is holding an event.", + "description":"Join Project Sunshine for a heartwarming TelePlay session where you can connect with children in hospitals through engaging play and activities over video conference. Our dedicated college volunteers will guide the fun-filled interactions, bringing joy and smiles to young patients' faces. Come be a part of this impactful initiative and make a difference in the lives of those facing medical challenges. Get ready to spread sunshine and positivity with Project Sunshine!", + "event_type":"virtual", + "start_time":"2024-05-25 16:00:00", + "end_time":"2024-05-25 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Service Opportunities" + ] + }, + { + "id":"689fcb67-679f-4c6e-84b2-8c1e845b01ad", + "club_id":"641f0662-a563-4961-89b9-29e2bc512d5a", + "name":"Event for Project Sunshine", + "preview":"This club is holding an event.", + "description":"Join us at Project Sunshine's upcoming Sending Sunshine event at XYZ University! This special gathering will bring together college volunteers, patients, and families for a day full of heartwarming connections and creative activities. You can look forward to engaging in fun arts and crafts, spreading joy through interactive TelePlay sessions, and learning how you can make a positive impact in the lives of children facing medical challenges. Come be a part of our compassionate community dedicated to brightening lives and creating unforgettable moments!", + "event_type":"hybrid", + "start_time":"2026-01-06 14:15:00", + "end_time":"2026-01-06 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Service Opportunities" + ] + }, + { + "id":"ace42eec-9e0d-420d-96e7-833bcbd55192", + "club_id":"641f0662-a563-4961-89b9-29e2bc512d5a", + "name":"Event for Project Sunshine", + "preview":"This club is holding an event.", + "description":"Join Project Sunshine for a heartwarming TelePlay session where you can connect with young patients through fun activities over video conference. Our friendly college volunteers will guide you through interactive play, creating memorable moments right from the comfort of your own home. Experience the joy of spreading sunshine and making a difference in the lives of children facing medical challenges. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2026-05-02 23:15:00", + "end_time":"2026-05-03 03:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"7ff6837d-d2fd-4db0-9430-46106811c3a2", + "club_id":"325ae123-43a7-4433-be77-d82b17ab1daa", + "name":"Event for Psychedelic Club of Northeastern", + "preview":"This club is holding an event.", + "description":"Join the Psychedelic Club of Northeastern for an engaging and insightful event where we dive deep into the world of psychedelics and consciousness. Our welcoming community provides a safe space to discuss the latest psychedelic news, explore different perspectives on the topic, and offer support for anyone in need. Whether you're a seasoned explorer or a curious beginner, this event is a great opportunity to learn how psychedelics can make a positive impact on the world. Don't miss out on the opportunity to connect with like-minded individuals and expand your understanding of this fascinating subject.", + "event_type":"in_person", + "start_time":"2026-05-15 15:15:00", + "end_time":"2026-05-15 18:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Artistic Expression", + "Neuroscience", + "Psychology" + ] + }, + { + "id":"61534bad-ce42-43db-8e4f-165b2db08317", + "club_id":"325ae123-43a7-4433-be77-d82b17ab1daa", + "name":"Event for Psychedelic Club of Northeastern", + "preview":"This club is holding an event.", + "description":"Join us at the Psychedelic Club of Northeastern for our upcoming event! We are excited to dive into the world of psychedelics and how they intersect with various aspects of life such as psychology, culture, and art. Get ready for engaging discussions on current psychedelic news, explorations of different types of psychedelics, and valuable information on harm reduction. Whether you're a curious newcomer or a seasoned enthusiast, our welcoming environment is the perfect place to learn, share, and grow together in our exploration of consciousness and psychedelics. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2024-12-23 21:00:00", + "end_time":"2024-12-23 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Neuroscience" + ] + }, + { + "id":"1cef0fa0-565c-4e3d-b224-c081c224c2f0", + "club_id":"74a2ab59-c8eb-4265-9c7d-48407db94e82", + "name":"Event for Puerto Rican Student Association", + "preview":"This club is holding an event.", + "description":"Join the Puerto Rican Student Association for a lively salsa dance workshop, where you'll sway to the rhythms of Puerto Rican music and learn the art of this vibrant cultural dance. Our experienced instructors will guide you through basic steps and techniques, making it easy for beginners and enjoyable for experienced dancers alike. Don't miss this opportunity to immerse yourself in the rich tradition of salsa, meet new friends, and experience the joy of dancing in a welcoming and inclusive environment. Let's dance our way to fun and friendship together!", + "event_type":"virtual", + "start_time":"2026-12-01 23:00:00", + "end_time":"2026-12-02 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"26164bde-b8a2-4a46-b0a2-abc6b2934498", + "club_id":"74a2ab59-c8eb-4265-9c7d-48407db94e82", + "name":"Event for Puerto Rican Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled night of salsa dancing to celebrate Puerto Rican Heritage Month! Our event will feature live music, traditional food, and dance lessons for all skill levels. Whether you're a seasoned dancer or just looking to have a good time, this is the perfect opportunity to immerse yourself in the vibrant culture of Puerto Rico. Come meet new friends, indulge in delicious cuisine, and experience the lively spirit of our community. Get ready to move your hips, feel the rhythm, and make unforgettable memories with the Puerto Rican Student Association!", + "event_type":"in_person", + "start_time":"2025-06-19 17:00:00", + "end_time":"2025-06-19 18:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Latin America", + "Social Justice", + "Community Outreach" + ] + }, + { + "id":"090a7b66-e134-4a42-b3aa-1bf95f7c1e2d", + "club_id":"a5611769-a6d5-43f0-84f9-5a7d0657c987", + "name":"Event for Rangila", + "preview":"This club is holding an event.", + "description":"Join us for a night of vibrant performances and cultural celebration at the Rangila Showcase 2023! Experience the exhilarating blend of Bollywood, Hip Hop, Contemporary, and Bhangra dance styles, brought to life by Northeastern's talented dancers. Get ready to be dazzled by our energetic choreographies and diverse music selection. Whether you're a dance enthusiast or simply looking to immerse yourself in a dynamic cultural experience, this event promises to leave you entertained and inspired. Be sure to mark your calendars and come witness the magic of Rangila in action!", + "event_type":"hybrid", + "start_time":"2026-12-01 12:30:00", + "end_time":"2026-12-01 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Dance", + "Performing Arts", + "Music" + ] + }, + { + "id":"f12cf077-b722-452b-8c71-21df3bd14d9b", + "club_id":"1ef0ee3f-293b-4ac0-8881-89460b015543", + "name":"Event for Resident Student Association", + "preview":"This club is holding an event.", + "description":"Join us for an exciting night of community bonding and fun at the Resident Student Association's Welcome Back Social! This event is a fantastic opportunity to meet fellow resident students, connect with RSA members, and learn more about the great programming initiatives and advocacy work we do. We'll have engaging activities, delicious snacks, and a chance to win some cool prizes. Whether you're a new face or a returning member, everyone is welcome to come and enjoy the lively atmosphere as we kick off the semester with positivity and togetherness. Don't miss out on this chance to be a part of our vibrant community and make lasting memories with your fellow residents!", + "event_type":"hybrid", + "start_time":"2026-07-06 15:15:00", + "end_time":"2026-07-06 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Student Leadership", + "Volunteerism", + "Community Outreach", + "Advocacy" + ] + }, + { + "id":"b3b99b5e-0308-4cf4-a7b0-9d006c2e9566", + "club_id":"a6715ece-a9fc-4b0e-b0ae-dba90293bd36", + "name":"Event for Rethink Your Drink", + "preview":"This club is holding an event.", + "description":"Join Rethink Your Drink for our fun and interactive 'Hydration Station' event where you can discover delicious fruit-infused water recipes and receive your very own infuser water bottle! This event provides a fantastic opportunity for students and staff to learn about healthy beverage alternatives and the importance of staying hydrated. Come connect with like-minded individuals, sample refreshing drinks, and leave feeling inspired to make positive changes for your health and sustainability. Don't miss out on this exciting event that will leave you feeling refreshed and motivated!", + "event_type":"hybrid", + "start_time":"2025-02-21 13:30:00", + "end_time":"2025-02-21 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Sustainability", + "Community Outreach", + "Nutrition", + "PublicRelations", + "Health", + "Environmental Advocacy" + ] + }, + { + "id":"aabef68c-d86b-42cc-984a-9378cb4fc733", + "club_id":"a6715ece-a9fc-4b0e-b0ae-dba90293bd36", + "name":"Event for Rethink Your Drink", + "preview":"This club is holding an event.", + "description":"Join Rethink Your Drink for our upcoming event, the 'Hydration Celebration'! This fun and interactive gathering will showcase a variety of delicious fruit-infused water recipes for you to sample, as well as provide complimentary infuser water bottles for you to take home. Learn more about our mission to promote healthier beverage choices and sustainability while enjoying refreshing drinks and engaging with like-minded individuals. Don't miss out on this opportunity to enhance your hydration experience and support a great cause!", + "event_type":"in_person", + "start_time":"2025-05-20 22:15:00", + "end_time":"2025-05-21 02:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Sustainability", + "Health", + "PublicRelations", + "Community Outreach" + ] + }, + { + "id":"35743698-3a65-4cbc-b459-ae2fe1995286", + "club_id":"a6715ece-a9fc-4b0e-b0ae-dba90293bd36", + "name":"Event for Rethink Your Drink", + "preview":"This club is holding an event.", + "description":"Join Rethink Your Drink for a refreshing and informative session at our upcoming 'Hydration Station' event! Be prepared to indulge in delicious fruit-infused water recipes and discover the benefits of staying hydrated with our handy infuser water bottles. This interactive event is a great opportunity for students and staff to learn about healthier beverage options and sustainability efforts on campus. Don't miss out on this chance to take a sip towards a healthier lifestyle!", + "event_type":"in_person", + "start_time":"2024-07-17 13:30:00", + "end_time":"2024-07-17 15:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Nutrition", + "Environmental Advocacy" + ] + }, + { + "id":"37dcd0e7-a78c-4156-9daa-28b74ce6ff1f", + "club_id":"0db8ecf1-c6b1-435c-8c02-b37e1f8f8d90", + "name":"Event for Revolve Dance Crew", + "preview":"This club is holding an event.", + "description":"Join Revolve Dance Crew for an electrifying night of hip-hop dance performances and community celebration! Featuring dynamic routines showcasing the diverse talents of our dancers, this event is the perfect opportunity to experience the vibrant energy and creativity that defines our dance crew. Whether you're a seasoned dancer or just love to groove, come immerse yourself in a night of rhythm and connection. We'll also be sharing the stories behind our dance pieces and how they reflect our commitment to artistic expression and social impact. Don't miss out on this chance to be part of a movement that blends passion for dance with dedication to making a difference in our community! See you on the dance floor!", + "event_type":"hybrid", + "start_time":"2026-05-21 13:00:00", + "end_time":"2026-05-21 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Performing Arts", + "Music", + "Community Outreach" + ] + }, + { + "id":"c7818dfd-9487-47cb-94aa-ca17264d0300", + "club_id":"0db8ecf1-c6b1-435c-8c02-b37e1f8f8d90", + "name":"Event for Revolve Dance Crew", + "preview":"This club is holding an event.", + "description":"Join Revolve Dance Crew for a thrilling night of hip-hop dance performances showcasing the diverse talents of our team members. Experience the energy and passion that drives our dancers as they take the stage to express their unique artistic visions through movement. Be part of the excitement as we groove to the latest beats and choreographies, creating a vibrant atmosphere that celebrates unity and creativity. Whether you're a seasoned dancer or just looking to enjoy a fun evening, this event promises to be a memorable experience filled with incredible performances and positive vibes. Don't miss out on the opportunity to witness the magic of Revolve Dance Crew in action!", + "event_type":"in_person", + "start_time":"2026-06-10 14:30:00", + "end_time":"2026-06-10 17:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"037ebf67-652a-4aaf-81cf-df5ec2889775", + "club_id":"1ea30e6e-d39b-40f8-a0d8-7bc8629b4833", + "name":"Event for Rho Chi Beta Tau Chapter", + "preview":"This club is holding an event.", + "description":"Join the Rho Chi Beta Tau Chapter for an engaging Career Networking Night where you can connect with seasoned professionals in the field of Pharmacy. Discover valuable insights, hear inspiring stories, and expand your network within the esteemed Pharmacy honor society. Whether you're a student eager to dive into the world of Pharmacy or a professional seeking new opportunities, this event promises to provide a platform for meaningful interactions and growth. Don't miss this chance to explore diverse career paths and forge connections that could shape your future journey in the pharmaceutical realm!", + "event_type":"virtual", + "start_time":"2025-05-15 20:15:00", + "end_time":"2025-05-15 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Chemistry", + "Neuroscience" + ] + }, + { + "id":"a855ac87-93b3-48d9-8e09-aa8fc0c4a191", + "club_id":"1ea30e6e-d39b-40f8-a0d8-7bc8629b4833", + "name":"Event for Rho Chi Beta Tau Chapter", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"hybrid", + "start_time":"2025-05-16 23:00:00", + "end_time":"2025-05-17 03:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Neuroscience" + ] + }, + { + "id":"6f1fc4da-8818-4dfd-b665-a46b9ed3e3e8", + "club_id":"d7f967c1-85cc-4a61-a33f-86c35db2a807", + "name":"Event for Robotics Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Robotics Showcase event where members of the Robotics Club of Northeastern University will demonstrate the innovative projects they have been working on throughout the semester. From autonomous drones to humanoid robots, there will be a wide range of demonstrations showcasing the creativity and technical skills of our members. This event is a great opportunity to network with like-minded individuals, learn about cutting-edge technologies, and explore potential collaborations. Whether you are a seasoned robotics enthusiast or just getting started, everyone is welcome to attend and be inspired by the limitless possibilities of robotics!", + "event_type":"hybrid", + "start_time":"2025-09-04 18:30:00", + "end_time":"2025-09-04 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Robotics", + "Technology", + "Community", + "Student Organization", + "Education", + "Engineering", + "Innovation", + "STEM" + ] + }, + { + "id":"ab41eb83-3070-46f7-b91c-b9dc250d8647", + "club_id":"d7f967c1-85cc-4a61-a33f-86c35db2a807", + "name":"Event for Robotics Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Robotics Demo Day event where you can witness firsthand the innovative projects created by our talented members at the Robotics Club of Northeastern University! From autonomous drones to smart home devices, there will be a variety of cutting-edge demonstrations showcasing the creativity and technical skills of our team. Whether you're new to robotics or a seasoned enthusiast, this event promises to inspire and educate. Come meet the passionate community, ask questions, and even try your hand at operating some of the robots. Don't miss out on this opportunity to immerse yourself in the world of robotics and see how you can get involved in shaping the future of technology!", + "event_type":"in_person", + "start_time":"2026-10-03 15:15:00", + "end_time":"2026-10-03 19:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community", + "Education", + "Technology", + "Engineering", + "Student Organization" + ] + }, + { + "id":"d75aff30-7cf7-4e9d-993c-1e6b20ba1365", + "club_id":"d7f967c1-85cc-4a61-a33f-86c35db2a807", + "name":"Event for Robotics Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting afternoon of robot building and coding at the Robotics Club of Northeastern University's Robot Workshop! Whether you're a seasoned enthusiast or a curious beginner, this hands-on event is perfect for delving into the world of robotics. Our experienced members will be there to guide you through the process, share tips and tricks, and help bring your ideas to life. Don't miss this opportunity to get involved, learn new skills, and connect with like-minded individuals. We provide all the necessary materials and equipment, so just bring your enthusiasm and creativity to our lab in Richards 440. Come discover the endless possibilities of robotics with us!", + "event_type":"hybrid", + "start_time":"2025-12-25 12:30:00", + "end_time":"2025-12-25 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Technology", + "Robotics", + "Education", + "Student Organization" + ] + }, + { + "id":"86f0afcf-c4ae-461c-be14-c76abec30b06", + "club_id":"5c953562-86d6-4700-9667-07154a36e87a", + "name":"Event for Roxbury Robotics of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Robot Building Workshop hosted by Roxbury Robotics of Northeastern University! During this hands-on event, students will dive into the world of engineering and robotics, learning the basics of building a LEGO Robot while having fun and making new friends. Our team of dedicated student mentors will guide participants through the process, encouraging creativity and teamwork. Don't miss this opportunity to spark your child's interest in STEM and see their innovation come to life! Contact us to reserve a spot for your budding engineer.", + "event_type":"hybrid", + "start_time":"2024-12-06 19:00:00", + "end_time":"2024-12-06 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Engineering", + "Education", + "Robotics", + "Community Outreach" + ] + }, + { + "id":"122cf274-ba0d-4902-b0c1-ec40a2ed9e5a", + "club_id":"339bcaa1-76ba-40ba-ba41-fa4de0049a1f", + "name":"Event for Rural Health Initiatives", + "preview":"This club is holding an event.", + "description":"Join Rural Health Initiatives for our upcoming Tele-Friend Program Launch Party! Be part of something special as we kick off this heartwarming initiative to connect college students with older adults in rural areas. Get ready for an evening filled with exciting activities, engaging discussions, and opportunities to make meaningful connections. Help us combat social isolation and loneliness by becoming a part of our caring community. Mark your calendar and spread the word - everyone is welcome!", + "event_type":"virtual", + "start_time":"2026-03-09 23:00:00", + "end_time":"2026-03-10 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "LGBTQ", + "Community Outreach", + "Volunteerism", + "Psychology" + ] + }, + { + "id":"f8c8359d-2e8a-4199-b287-43ade6ab85e7", + "club_id":"339bcaa1-76ba-40ba-ba41-fa4de0049a1f", + "name":"Event for Rural Health Initiatives", + "preview":"This club is holding an event.", + "description":"Join us for a heartwarming Tele-Friend Meet & Greet event where we will introduce our wonderful volunteers to their older adult pen-pal partners! This fun and interactive event will kick off with an icebreaker session followed by light refreshments and a short presentation about the values of fostering companionship and combating loneliness in rural communities. Get ready to make meaningful connections and spread joy through virtual interactions that truly make a difference in someone's life!", + "event_type":"virtual", + "start_time":"2026-10-23 21:00:00", + "end_time":"2026-10-23 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "LGBTQ", + "Volunteerism", + "Psychology", + "Community Outreach" + ] + }, + { + "id":"861b300b-6de4-4252-bf1b-5f50fddf7f57", + "club_id":"339bcaa1-76ba-40ba-ba41-fa4de0049a1f", + "name":"Event for Rural Health Initiatives", + "preview":"This club is holding an event.", + "description":"Join us for an enriching virtual event, 'Connecting Generations: Tele-Friend Mixer', hosted by Rural Health Initiatives! This event serves as a platform for college students and older adults in rural communities to come together and form meaningful connections through engaging conversations and fun activities. You'll have the opportunity to meet your Tele-Friend pen-pal, share stories, and build friendships that transcend age barriers. Let's bridge the gap of social isolation and loneliness by joining hands and hearts in this heartwarming event!", + "event_type":"virtual", + "start_time":"2026-08-19 19:15:00", + "end_time":"2026-08-19 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"35050793-16f0-4fec-be38-adafa9abf83f", + "club_id":"3e19965f-f88f-41c2-a85d-fe457cb147db", + "name":"Event for Russian-Speaking Club", + "preview":"This club is holding an event.", + "description":"Join the Russian-Speaking Club for a captivating evening of cultural immersion and lively discussions! Our upcoming event, 'Russian Film Night: Exploring Cinematic Gems from Eastern Europe and Central Asia', will showcase a curated selection of thought-provoking films that offer a glimpse into the rich tapestry of storytelling and cinematography from the region. Whether you're a cinema enthusiast or simply curious about exploring new cinematic landscapes, this event promises to be a delightful blend of entertainment and cultural discovery. Come mingle with fellow students and faculty, expand your horizons, and embark on a cinematic journey through the diverse cultures of Russia and its neighboring countries!", + "event_type":"in_person", + "start_time":"2024-09-09 23:15:00", + "end_time":"2024-09-10 01:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Engagement", + "International Perspectives" + ] + }, + { + "id":"34acf417-4e96-4569-921a-bd7a52bcbd45", + "club_id":"3e19965f-f88f-41c2-a85d-fe457cb147db", + "name":"Event for Russian-Speaking Club", + "preview":"This club is holding an event.", + "description":"Join the Russian-Speaking Club as we host an engaging cultural exchange night focused on the diverse traditions and flavors of Eastern Europe and Central Asia. Immerse yourself in an evening of lively discussions with fellow club members and special guest speakers, sharing insights on language, history, and customs while enjoying delicious authentic cuisine. This event offers a welcoming space for students and faculty at Northeastern University to connect, learn, and broaden their cultural horizons in a vibrant and inclusive setting. Come join us for a night of connection, discovery, and unforgettable experiences!", + "event_type":"virtual", + "start_time":"2024-01-10 20:00:00", + "end_time":"2024-01-10 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Educational Seminars" + ] + }, + { + "id":"e1daf28d-8a10-45fb-99d2-2010e143713d", + "club_id":"3e19965f-f88f-41c2-a85d-fe457cb147db", + "name":"Event for Russian-Speaking Club", + "preview":"This club is holding an event.", + "description":"Join us for a cultural immersion evening at the Russian-Speaking Club! Dive into the vibrant traditions and diverse heritage of Russia and Eastern Europe through engaging discussions, interactive workshops, and live performances. Connect with like-minded individuals from the Northeastern community as we celebrate the richness of our shared experiences. Whether you're a native speaker or just starting to learn, our event promises to be a truly enriching and enlightening experience for all. Don't miss out on this exciting opportunity to foster connections, broaden perspectives, and embrace the spirit of unity and diversity!", + "event_type":"hybrid", + "start_time":"2024-11-04 22:15:00", + "end_time":"2024-11-05 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Networking", + "Cultural Exchange", + "Socialization" + ] + }, + { + "id":"b543c8c1-aedd-4808-ba62-4041e99d3b10", + "club_id":"146a7c70-46eb-4a9c-a782-49a67bc732e1", + "name":"Event for Sandbox", + "preview":"This club is holding an event.", + "description":"Join us for an exciting Meet and Greet event hosted by Sandbox, Northeastern's student-led software consultancy! This event is a great opportunity to learn more about our club, meet current members, and discover how you can get involved in amazing projects that make a real impact on campus and beyond. Whether you're a seasoned coder or just curious about software development, we welcome everyone with a passion for innovation and collaboration. Don't miss out on this chance to connect with like-minded individuals, explore our past work, and find out how you can contribute to cutting-edge projects. Mark your calendars and let's build something amazing together!", + "event_type":"virtual", + "start_time":"2026-07-23 15:15:00", + "end_time":"2026-07-23 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Data Science", + "Community Outreach" + ] + }, + { + "id":"fd197c25-b5ba-4937-9e5d-625e0c25b64e", + "club_id":"6a700e69-9148-4d3d-8bc2-277e847e5a78", + "name":"Event for Sanskriti", + "preview":"This club is holding an event.", + "description":"Sanskriti invites you to join us for 'Desi Beats Night' - an electrifying celebration of Indian music, dance, and culture! Immerse yourself in the lively rhythms of Bollywood hits, traditional garba, and Bhangra beats as our talented performers take the stage. Whether you're a seasoned dancer or new to Indian traditions, everyone is welcome to dance the night away in a vibrant, inclusive atmosphere. Come experience the vibrant colors, flavors, and energy of India right here at Northeastern University with Sanskriti!", + "event_type":"hybrid", + "start_time":"2025-12-22 12:30:00", + "end_time":"2025-12-22 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "PublicRelations", + "Hinduism", + "Performing Arts" + ] + }, + { + "id":"9155567e-c7c5-461f-aecd-ee27bdf03da0", + "club_id":"4397e21f-107b-47a3-a5cf-a3d8eea0a29f", + "name":"Event for Scandinavian Student Association", + "preview":"This club is holding an event.", + "description":"Join the Scandinavian Student Association for an enchanting evening of Nordic folklore and traditions! Immerse yourself in the rich customs of Scandinavian culture as we gather to share stories, sample delicious traditional treats, and learn about the fascinating history behind some of the region's most beloved traditions. Whether you hail from the snowy landscapes of Scandinavia or are simply captivated by its charm, all are welcome to come together in a spirit of warmth and camaraderie. Don't miss this unique opportunity to connect with like-minded individuals and expand your cultural horizons in a welcoming and inclusive setting!", + "event_type":"hybrid", + "start_time":"2024-03-07 17:15:00", + "end_time":"2024-03-07 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"d775edca-8ccb-448d-a7bd-2cc33531a467", + "club_id":"12d0ebc7-0033-4ff0-92d5-a817aa46c94c", + "name":"Event for Science Book Club", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming Science Book Club meeting where we'll dive into the fascinating world of quantum physics through the pages of 'Astrophysics for People in a Hurry' by Neil deGrasse Tyson. It will be a stimulating discussion filled with insights and shared perspectives on the cosmos, followed by a chance to sign up for our latest volunteering opportunity to inspire the next generation of young scientists. Don't miss out on this enlightening evening of learning and camaraderie!", + "event_type":"hybrid", + "start_time":"2026-03-02 20:00:00", + "end_time":"2026-03-02 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Creative Writing", + "Neuroscience", + "Environmental Science" + ] + }, + { + "id":"c7a5452a-ecd6-485b-96d5-b3d03f0f493f", + "club_id":"12d0ebc7-0033-4ff0-92d5-a817aa46c94c", + "name":"Event for Science Book Club", + "preview":"This club is holding an event.", + "description":"Join the Science Book Club for our next exciting event - a movie night under the stars! Bring your blankets and snacks as we gather together to watch a science-themed film that will spark your imagination and curiosity. This is a great opportunity to relax, socialize with fellow science enthusiasts, and enjoy an evening of entertainment that will inspire you to dive deeper into the realms of scientific discovery. Don't miss out on this fun and educational experience, see you there!", + "event_type":"hybrid", + "start_time":"2024-02-23 14:00:00", + "end_time":"2024-02-23 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Neuroscience", + "Environmental Science" + ] + }, + { + "id":"62829814-65da-4d94-8d3b-1862bf625ccd", + "club_id":"12d0ebc7-0033-4ff0-92d5-a817aa46c94c", + "name":"Event for Science Book Club", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming 'Science Book Club Social Night' where we will gather to connect over our shared love for science and books. This event will feature engaging icebreaker activities, casual discussions about our current book selection, and a fun movie screening related to our latest topic. Whether you're a science enthusiast or just curious to learn more, this social night is the perfect opportunity to meet new friends and deepen your knowledge in a relaxed and welcoming environment. Don't miss out on this chance to unwind, chat, and bond with fellow bookworms in the Science Book Club community!", + "event_type":"hybrid", + "start_time":"2026-10-02 20:15:00", + "end_time":"2026-10-02 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Environmental Science", + "Community Outreach", + "Creative Writing" + ] + }, + { + "id":"17927cb2-9f77-4ba4-b9ff-7f9b07b4db77", + "club_id":"7fd97e78-efdc-43fc-8b15-c10c6d9bc641", + "name":"Event for Science Club for Girls Mentor Chapter at Northeastern", + "preview":"This club is holding an event.", + "description":"Join the Science Club for Girls Mentor Chapter at Northeastern for an interactive and engaging workshop on coding basics! Our experienced women-in-STEM mentors will guide participants through fun coding exercises, introducing them to the world of computer science. This is a great opportunity for girls and gender-expansive youth from underrepresented communities to explore a new skill in a supportive and encouraging environment. Don't miss out on this chance to ignite your passion for technology and connect with inspiring mentors. Mark your calendars for this exciting event and get ready to code your way to success!", + "event_type":"virtual", + "start_time":"2026-09-13 16:00:00", + "end_time":"2026-09-13 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Inclusivity", + "Women in STEM", + "Community Outreach", + "STEM", + "Education" + ] + }, + { + "id":"9c17ae47-ded0-4134-93f7-a5014df8143f", + "club_id":"7fd97e78-efdc-43fc-8b15-c10c6d9bc641", + "name":"Event for Science Club for Girls Mentor Chapter at Northeastern", + "preview":"This club is holding an event.", + "description":"Join the Science Club for Girls Mentor Chapter at Northeastern for an exciting and interactive STEM workshop designed to spark curiosity and inspiration in young girls and gender-expansive youth from underrepresented communities. Our passionate women-in-STEM mentors will lead hands-on activities that explore the wonders of science, technology, engineering, and mathematics. This event is perfect for aspiring scientists aged 8-12 who are eager to learn and grow in a supportive and encouraging environment. Don't miss this opportunity to connect, learn, and have fun while discovering the endless possibilities in the world of STEM!", + "event_type":"virtual", + "start_time":"2026-01-27 16:00:00", + "end_time":"2026-01-27 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Education", + "Women in STEM", + "Inclusivity" + ] + }, + { + "id":"b72f1378-caf4-404a-aead-7c1a17abf9cd", + "club_id":"7fd97e78-efdc-43fc-8b15-c10c6d9bc641", + "name":"Event for Science Club for Girls Mentor Chapter at Northeastern", + "preview":"This club is holding an event.", + "description":"Join the Science Club for Girls Mentor Chapter at Northeastern for a fun and interactive STEM Exploration Day! This event is catered to girls and gender-expansive youth from underrepresented communities who are eager to dive into the exciting world of science, technology, engineering, and mathematics. Our experienced women-in-STEM mentors will guide participants through hands-on experiments, encouraging them to develop their curiosity and passion for discovery. Whether you're a budding scientist or just curious about STEM, this event is the perfect opportunity to learn, explore, and connect with like-minded individuals. Don't miss out - mark your calendars and join us for a day of inspiration and empowerment! Applications for our programs will be opening soon, so be sure to visit us during Fall Fest this upcoming year (2024) to learn more and get involved. Get ready to unleash your potential and embark on an unforgettable journey of learning and growth with us!", + "event_type":"hybrid", + "start_time":"2024-02-13 12:15:00", + "end_time":"2024-02-13 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Women in STEM" + ] + }, + { + "id":"e650ba23-06d5-4c9d-bfee-672c63021015", + "club_id":"4f6c1858-000b-422a-94ce-9782664d52d7", + "name":"Event for Secular Humanist Society", + "preview":"This club is holding an event.", + "description":"Join us for an engaging discussion on the intersection of science and spirituality as we dive deep into the mysteries of the universe. Whether you are atheist, agnostic, humanist, skeptic, or curious about exploring different perspectives, we invite you to join our welcoming and inclusive community. This event offers a safe space for open dialogue and thoughtful conversation, where we celebrate diversity of beliefs and encourage mutual respect. Come share your thoughts, ask questions, and connect with like-minded individuals in a warm and supportive environment. Together, we can explore the beauty of humanism and the richness of meaningful conversations that bridge the gap between the rational and the unknown.", + "event_type":"virtual", + "start_time":"2026-08-17 15:00:00", + "end_time":"2026-08-17 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Philosophy", + "Community Outreach" + ] + }, + { + "id":"fad45574-56b8-4c00-99f9-e410c261ba4c", + "club_id":"4f6c1858-000b-422a-94ce-9782664d52d7", + "name":"Event for Secular Humanist Society", + "preview":"This club is holding an event.", + "description":"Join the Secular Humanist Society for a thought-provoking evening exploring the intersection of science and spirituality. Our upcoming event will feature engaging discussions, friendly debates, and a chance to delve into the rational and the openly strange aspects of the universe. Whether you identify as an atheist, agnostic, humanist, skeptic, or simply someone curious about meaningful dialogue, all beliefs and perspectives are warmly welcomed. Connect with like-minded individuals in a welcoming and non-discriminatory environment that encourages diversity and open-mindedness. Don't miss out on this opportunity to broaden your horizons and be a part of our inclusive community. RSVP now to receive updates and join the conversation!", + "event_type":"hybrid", + "start_time":"2024-09-07 21:15:00", + "end_time":"2024-09-08 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Philosophy" + ] + }, + { + "id":"e3cf105d-55e3-43de-abb7-f1e82b429204", + "club_id":"4f6c1858-000b-422a-94ce-9782664d52d7", + "name":"Event for Secular Humanist Society", + "preview":"This club is holding an event.", + "description":"Join us at the Secular Humanist Society for a thought-provoking evening exploring the intersections of science, spirituality, and humanism. Whether you're an Atheist, Agnostic, or simply curious about engaging in meaningful dialogue, this event welcomes all students to participate in a welcoming and inclusive environment. Dive deep into discussions that navigate the rational and the mysterious aspects of the universe, fostering an atmosphere of open-mindedness and diversity. Come join us for an enriching experience that celebrates different beliefs, backgrounds, and perspectives!", + "event_type":"in_person", + "start_time":"2025-05-21 16:00:00", + "end_time":"2025-05-21 19:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Environmental Advocacy", + "HumanRights", + "Psychology" + ] + }, + { + "id":"34967b05-fd9f-4a36-a054-ec0aa345a00b", + "club_id":"0b423e17-74eb-490c-a306-ab8416b88124", + "name":"Event for Security Club", + "preview":"This club is holding an event.", + "description":"Join Security Club for an engaging workshop on Ethical Hacking! Dive into the exciting world of cybersecurity as our experienced members guide you through hands-on exercises, exploring the fundamentals of hacking ethically and responsibly. Whether you're a beginner or have some experience, this workshop is tailored to support your learning journey and foster your passion for security. Don't miss this opportunity to enhance your skills, connect with like-minded individuals, and deepen your understanding of cybersecurity in a welcoming and supportive environment. We can't wait to learn and grow together with you!", + "event_type":"in_person", + "start_time":"2024-05-14 18:30:00", + "end_time":"2024-05-14 19:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Cybersecurity" + ] + }, + { + "id":"dc74efd7-ba61-4cad-982e-df504064e6d9", + "club_id":"0b423e17-74eb-490c-a306-ab8416b88124", + "name":"Event for Security Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting hands-on workshop on penetration testing where you'll learn essential skills in identifying vulnerabilities, exploiting weaknesses, and securing systems. This interactive session will guide you through real-world scenarios, providing valuable insights into the methodologies used by ethical hackers. Whether you're a beginner or an experienced cyber enthusiast, this workshop offers a supportive learning environment to hone your skills and explore the fascinating world of cybersecurity. Come meet like-minded individuals, ask questions, and share experiences in a welcoming space designed to empower you on your cybersecurity journey. Don't miss out on this opportunity to level up your security knowledge and build valuable connections within the Security Club community!", + "event_type":"virtual", + "start_time":"2026-04-26 18:15:00", + "end_time":"2026-04-26 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Education" + ] + }, + { + "id":"c4cbb89c-16f9-4e08-8e72-bb945325fac6", + "club_id":"0b423e17-74eb-490c-a306-ab8416b88124", + "name":"Event for Security Club", + "preview":"This club is holding an event.", + "description":"Join Security Club for our upcoming tech talk on 'Introduction to Cryptography'. Whether you're a cybersecurity enthusiast or just curious about the world of encryption, this event is perfect for all levels of experience. Our knowledgeable speakers will guide you through the fundamentals of cryptography, discussing its importance, applications, and real-world impact. Don't miss this opportunity to expand your knowledge and network with fellow security enthusiasts. We welcome everyone to join us for an engaging evening of learning and exploration! Be sure to sign up for this event and our mailing list to stay updated on future activities.", + "event_type":"virtual", + "start_time":"2025-04-14 20:00:00", + "end_time":"2025-04-15 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach", + "Computer Science", + "Technology" + ] + }, + { + "id":"c1b6bdc7-4034-4167-877a-590697c191e2", + "club_id":"31aadc16-19fe-42c8-a414-2096ac788ebc", + "name":"Event for Senior Legacy Committee (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Senior Legacy Committee for a delightful evening under the stars at the Welcome Back BBQ event! This casual gathering offers a perfect setting for new and returning seniors to mingle, share stories, and kick off the academic year with a delicious spread of grilled favorites. As we celebrate our shared love for Northeastern, we'll also be showcasing the various ways students can get involved in making a lasting impact on campus through exciting upcoming initiatives. Whether you're a seasoned senior or new to the pack, come join us for an evening of community, connection, and a healthy dose of Husky Pride!", + "event_type":"virtual", + "start_time":"2025-07-13 19:15:00", + "end_time":"2025-07-13 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "HumanRights" + ] + }, + { + "id":"cd0af2be-e41a-4e80-bc52-53d198c0909b", + "club_id":"31aadc16-19fe-42c8-a414-2096ac788ebc", + "name":"Event for Senior Legacy Committee (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Senior Legacy Committee for a scenic campus picnic celebrating the rich tapestry of Northeastern's community. Share stories, enjoy delicious food, and bask in the camaraderie of fellow seniors united by their love for our alma mater. Take part in engaging conversations and uplifting activities that strengthen our bond and ignite our Husky Pride. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2024-05-03 21:00:00", + "end_time":"2024-05-03 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Senior Legacy", + "HumanRights", + "Volunteerism" + ] + }, + { + "id":"42032d95-b89e-4875-8d32-bfb1c891da7e", + "club_id":"31aadc16-19fe-42c8-a414-2096ac788ebc", + "name":"Event for Senior Legacy Committee (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Senior Legacy Committee for an unforgettable evening of nostalgia and unity at the Husky Pride Gala! Celebrate your time at Northeastern with your fellow seniors as we come together to share stories, make new memories, and support our beloved campus. Enjoy a night filled with music, dancing, and heartfelt speeches while giving back to the area of Northeastern that holds a special place in your heart. Let's strengthen our bond and show our Husky spirit by making this event a true reflection of our love for our alma mater!", + "event_type":"hybrid", + "start_time":"2024-08-25 20:15:00", + "end_time":"2024-08-25 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "HumanRights", + "Volunteerism", + "Senior Legacy", + "Husky Pride" + ] + }, + { + "id":"2ff8595a-4267-45d1-b8b5-47f7385985ee", + "club_id":"4642b2f1-4271-4286-b4ee-63abdce37549", + "name":"Event for Sewing Club", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming Sewing Club meeting where we'll dive into the art of basic embroidery! Whether you're a beginner looking to learn a new skill or an experienced sewer wanting to brush up on techniques, this session is perfect for everyone. Our experienced members will guide you through different embroidery stitches and help you create your own unique designs. Don't miss out on this opportunity to connect with fellow sewing enthusiasts and expand your crafting knowledge. We look forward to stitching together with you! Check our Discord and Instagram for more details and updates.", + "event_type":"in_person", + "start_time":"2026-06-13 21:15:00", + "end_time":"2026-06-13 23:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Creative Writing", + "Community Outreach" + ] + }, + { + "id":"efab7b63-5c4f-417c-b67c-57fdc19a8249", + "club_id":"4642b2f1-4271-4286-b4ee-63abdce37549", + "name":"Event for Sewing Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting hands-on workshop where we will be diving deep into the art of basic embroidery! Whether you're a beginner looking to learn a new skill or an experienced sewer looking to refine your techniques, this event is perfect for anyone interested in adding beautiful embroidery touches to their projects. Our seasoned instructors will guide you through various embroidery stitches and design tips, while creating a collaborative space for sharing ideas and inspiration. Don't miss out on this fun and educational event where you can meet fellow sewers and enhance your crafting abilities!", + "event_type":"hybrid", + "start_time":"2026-10-01 15:30:00", + "end_time":"2026-10-01 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Visual Arts", + "Creative Writing", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"6d5b28f2-e908-449e-9cb0-76d67a7970a0", + "club_id":"4642b2f1-4271-4286-b4ee-63abdce37549", + "name":"Event for Sewing Club", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming event where we will be diving into the wonderful world of basic embroidery! Whether you're a seasoned pro or just starting out, this workshop is perfect for anyone looking to enhance their skills and create beautiful pieces. Our experienced members will guide you every step of the way, providing helpful tips and tricks to help you perfect your stitches. This is a fantastic opportunity to connect with fellow sewing enthusiasts, share ideas, and gain inspiration. Don't miss out on this fun and educational event! See you there!", + "event_type":"hybrid", + "start_time":"2026-07-26 17:30:00", + "end_time":"2026-07-26 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Visual Arts", + "Creative Writing", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"dd84d93c-c2ac-4f53-84bd-a745ecd3fb9c", + "club_id":"5b83b3f1-3753-4dfa-b60c-a3505a7aba85", + "name":"Event for Sexual and Gender Based Harassment and Title IX Hearing Board", + "preview":"This club is holding an event.", + "description":"Join the Sexual and Gender Based Harassment and Title IX Hearing Board for a special event on creating safe spaces in our community. Explore strategies for advocating against harassment and discrimination while promoting inclusivity and understanding. This interactive session will feature guest speakers, group discussions, and resource sharing to empower individuals to take action and support one another. Whether you're new to the conversation or a seasoned advocate, this event provides a valuable opportunity to connect, learn, and make a difference together.", + "event_type":"in_person", + "start_time":"2025-03-08 22:15:00", + "end_time":"2025-03-09 00:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "LGBTQ" + ] + }, + { + "id":"8f24ab55-b82d-4105-bd53-ee475de94904", + "club_id":"5b83b3f1-3753-4dfa-b60c-a3505a7aba85", + "name":"Event for Sexual and Gender Based Harassment and Title IX Hearing Board", + "preview":"This club is holding an event.", + "description":"Join the Sexual and Gender Based Harassment and Title IX Hearing Board for an empowering evening discussing the importance of fostering safe and inclusive spaces on campus. Our event will feature insightful discussions led by experts in the field, opportunities to learn about your rights under Title IX, and a chance to connect with fellow students passionate about creating a culture of respect and accountability. Whether you're a seasoned advocate or new to the conversation, this gathering promises to be both enlightening and enriching. Be a part of the change \u2013 together, we can make a difference!", + "event_type":"in_person", + "start_time":"2024-04-16 19:15:00", + "end_time":"2024-04-16 20:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "HumanRights" + ] + }, + { + "id":"ec5bc1a0-71aa-4eb5-afde-e12615ad9cfd", + "club_id":"5b83b3f1-3753-4dfa-b60c-a3505a7aba85", + "name":"Event for Sexual and Gender Based Harassment and Title IX Hearing Board", + "preview":"This club is holding an event.", + "description":"Join us for an empowering panel discussion hosted by the Sexual and Gender Based Harassment and Title IX Hearing Board. Our event will focus on fostering safe campus environments through dialogues on consent, respect, and equality. Gain valuable insights from expert guest speakers as we explore strategies for supporting survivors and promoting accountability in our community. Let's come together to learn, advocate, and create positive change! Stay tuned for more details and save the date.", + "event_type":"virtual", + "start_time":"2024-09-17 12:15:00", + "end_time":"2024-09-17 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "LGBTQ", + "HumanRights" + ] + }, + { + "id":"eb4c4f4f-432b-4773-87bd-adff5792d4e8", + "club_id":"4c2d1418-fa7f-4fcb-9ac3-39c788b231c6", + "name":"Event for Sexual Assault Response Coalition", + "preview":"This club is holding an event.", + "description":"Join the Sexual Assault Response Coalition for an empowering evening of solidarity and support at our Voices of Resilience event! As a student group committed to enhancing campus safety and well-being, we invite you to share your story in a safe and confidential space, or simply come to listen and show your support. Together, we aim to raise awareness and advocate for the rights of survivors of sexual assault and intimate partner violence, fostering a community where everyone feels empowered to speak out. This event is an opportunity to connect, learn, and stand in solidarity with survivors, helping us make Northeastern University a safer and more inclusive environment for all.", + "event_type":"hybrid", + "start_time":"2025-01-12 14:00:00", + "end_time":"2025-01-12 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"33754fb2-fa7c-4444-adc2-f45c4617ad60", + "club_id":"dcfe4bca-c2f3-4703-a01f-5f47a6a52c57", + "name":"Event for SGA Student Involvement", + "preview":"This club is holding an event.", + "description":"Join SGA Student Involvement for an exciting evening of networking and collaboration! Connect with student organization leaders, learn about the latest updates in student organization policies, and discover new opportunities for your own organization's growth. Our event will feature interactive discussions, insightful presentations, and chances to connect with like-minded peers. Whether you're a seasoned organization leader or just starting out, this event is the perfect place to gain valuable insights and expand your network. Don't miss out on this fantastic opportunity to enhance your organization's impact and connect with the vibrant student organization community at Northeastern University!", + "event_type":"virtual", + "start_time":"2024-04-20 13:30:00", + "end_time":"2024-04-20 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Journalism", + "HumanRights", + "Visual Arts" + ] + }, + { + "id":"30f631bb-a84a-4bfe-980e-5649071c4a75", + "club_id":"4c7a27fb-dfee-4267-b4c2-aa0643c4b073", + "name":"Event for SHRM Student Chapter", + "preview":"This club is holding an event.", + "description":"Join us for an exciting virtual workshop on 'Employee Relations Essentials' hosted by the NU SHRM Student Chapter! Led by an experienced HR professional, this interactive session will cover key topics such as conflict resolution, disciplinary procedures, and fostering a positive work culture. Whether you're a seasoned HR enthusiast or someone looking to expand your knowledge, this event is perfect for anyone passionate about the world of human resources. Bring your questions and be prepared to engage in insightful discussions with fellow members. Don't miss out on this valuable opportunity to enhance your HR skills and network with like-minded individuals!", + "event_type":"hybrid", + "start_time":"2025-12-19 20:15:00", + "end_time":"2025-12-19 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "HumanRights", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"3f24df3c-43ea-4282-b724-f485aa20db23", + "club_id":"479af9ef-8d9e-47d6-aeab-84b48aae2110", + "name":"Event for Sigma Beta Rho Fraternity Inc.", + "preview":"This club is holding an event.", + "description":"Join Sigma Beta Rho Fraternity Inc. at Northeastern University for a fun and engaging cultural awareness night! Meet our diverse group of brothers who are dedicated to promoting brotherhood and unity through celebrating our unique differences. This event is open to all members of the community looking to learn more about our principles of duty to society and respect for different backgrounds. Come participate in interactive activities, enjoy delicious multicultural cuisine, and discover what makes our fraternity the premier national multicultural organization in the United States. We can't wait to welcome you and share our passion for inclusivity and community involvement!", + "event_type":"in_person", + "start_time":"2026-08-13 14:00:00", + "end_time":"2026-08-13 17:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Multicultural Greek", + "Community Outreach", + "Volunteerism", + "Brotherhood" + ] + }, + { + "id":"5e415d18-fd39-4e06-b6ae-975b41485dff", + "club_id":"479af9ef-8d9e-47d6-aeab-84b48aae2110", + "name":"Event for Sigma Beta Rho Fraternity Inc.", + "preview":"This club is holding an event.", + "description":"Join us for our annual Multicultural Mixer hosted by Sigma Beta Rho Fraternity Inc. at Northeastern University! This event celebrates diversity and unity, bringing together students from all backgrounds to enjoy a night of cultural exchange, music, and delicious food. Meet our brothers and learn more about our commitment to brotherhood, service, and cultural awareness. Whether you're a member of the Greek community or simply interested in making new friends, everyone is welcome to join us for an evening of fun and friendship!", + "event_type":"hybrid", + "start_time":"2025-09-19 14:30:00", + "end_time":"2025-09-19 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Multicultural Greek", + "Brotherhood", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"297433a4-f44d-4680-a5a1-10a8416c4b65", + "club_id":"b9bb71b2-adf9-412b-8cdc-7dbf457f51ee", + "name":"Event for Sigma Delta Pi", + "preview":"This club is holding an event.", + "description":"Join Sigma Delta Pi's Alpha Beta Gamma chapter for a vibrant celebration of Spanish culture at our upcoming Flamenco Night! Immerse yourself in the rhythms and movements of traditional flamenco dancing, indulge in delicious tapas, and enjoy live music performances by talented local artists. Whether you're a Spanish major, a minor, or simply have a passion for the language and culture, this event is open to all members of the Northeastern community. Don't miss this unforgettable evening of cultural exchange and fun \u2013 we can't wait to share this experience with you!", + "event_type":"virtual", + "start_time":"2025-08-04 22:15:00", + "end_time":"2025-08-05 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Cultural Events", + "Spanish Language", + "Community Outreach", + "Latin America" + ] + }, + { + "id":"c356565b-053a-480a-83eb-c487f68f7f37", + "club_id":"b9bb71b2-adf9-412b-8cdc-7dbf457f51ee", + "name":"Event for Sigma Delta Pi", + "preview":"This club is holding an event.", + "description":"Join Sigma Delta Pi's Alpha Beta Gamma chapter for an exciting Spanish Movie Night event! Immerse yourself in the vibrant world of Spanish film as we showcase a critically-acclaimed movie with English subtitles for all language levels to enjoy. The event is open to all Spanish students and the Northeastern community, offering a fun and relaxed atmosphere to appreciate Hispanic culture while connecting with fellow language enthusiasts. Be sure to mark your calendars and invite your friends for a cozy movie night filled with laughter, popcorn, and engaging discussions afterwards. Stay tuned for event details and updates by following us on social media @nusigmadeltapi or visiting our website at https://sigmadeltapiatneu.weebly.com/eventos.html. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2026-03-13 21:30:00", + "end_time":"2026-03-14 01:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Cultural Events", + "Spanish Language" + ] + }, + { + "id":"a4175da0-88c0-44fe-bd8a-817172797a79", + "club_id":"b87e469f-18f8-4fa9-a007-bd69764ca603", + "name":"Event for Sigma Delta Tau, Gamma Mu", + "preview":"This club is holding an event.", + "description":"Join Sigma Delta Tau, Gamma Mu for our annual Fall Fest event! Delight in an evening filled with music, laughter, and camaraderie as we celebrate sisterhood and unity. Experience a warm and welcoming atmosphere where you can connect with like-minded individuals who share a passion for personal growth and community involvement. This event promises engaging activities, delicious treats, and opportunities to learn more about our esteemed club and the impactful initiatives we champion. Whether you're a long-standing member or a newcomer eager to immerse yourself in our inclusive culture, there's something for everyone at our Fall Fest event. Don't miss out on this fantastic opportunity to be a part of something truly special!", + "event_type":"in_person", + "start_time":"2026-01-11 18:00:00", + "end_time":"2026-01-11 19:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Philanthropy" + ] + }, + { + "id":"b2fea6da-feee-420f-8f99-df174e048d3e", + "club_id":"b87e469f-18f8-4fa9-a007-bd69764ca603", + "name":"Event for Sigma Delta Tau, Gamma Mu", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled night of sisterhood at our annual Sigma Delta Tau, Gamma Mu Mixer! This event is the perfect opportunity to meet amazing women who share your passions and values while enjoying activities that promote personal growth and lasting friendships. Whether you're a new member or a seasoned sister, our Mixer promises an evening of intellectual conversations, philanthropic initiatives, and leadership-building exercises\u2014all within a supportive atmosphere of mutual respect and high ethical standards. Come experience firsthand why we are the proud recipients of Northeastern's Chapter of the Year 2014 and Sigma Delta Tau's Outstanding Diamond Chapter multiple times. Get ready to create unforgettable memories and strengthen your connection to our vibrant sisterhood!", + "event_type":"virtual", + "start_time":"2024-08-01 16:30:00", + "end_time":"2024-08-01 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Philanthropy", + "Community Service" + ] + }, + { + "id":"c1038967-1964-4130-b9cf-f79bcf44175d", + "club_id":"b87e469f-18f8-4fa9-a007-bd69764ca603", + "name":"Event for Sigma Delta Tau, Gamma Mu", + "preview":"This club is holding an event.", + "description":"Join Sigma Delta Tau, Gamma Mu for our annual Sisterhood Retreat! Come spend a fun-filled day bonding with your sisters, participating in team-building activities, and creating lasting memories. This retreat is the perfect opportunity to strengthen your friendships, learn more about the values of our sisterhood, and recharge your mind and spirit. Don't miss out on this wonderful experience that will leave you feeling inspired and connected with your fellow sisters in Sigma Delta Tau. All sisters are welcome to join us in this special event that embodies our commitment to personal growth, friendship, and sisterhood.", + "event_type":"in_person", + "start_time":"2024-02-07 14:15:00", + "end_time":"2024-02-07 17:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Awards", + "Leadership", + "Philanthropy", + "Sisterhood", + "Women's Empowerment" + ] + }, + { + "id":"c4e56bea-c2f8-4b67-9232-7e3401ac3950", + "club_id":"ccff6882-b883-4fba-8acd-15c368b3f721", + "name":"Event for Sigma Kappa", + "preview":"This club is holding an event.", + "description":"Join Sigma Kappa for our annual Sisterhood Celebration event! This special gathering is a time for our diverse and involved sisters to come together to strengthen bonds, create memories, and celebrate the unique sisterhood that unites us. From fun icebreaker activities to heartfelt conversations, this event is the perfect opportunity to connect with your fellow Kappa Omega chapter members and forge lasting friendships. Whether you're a new member or a seasoned sister, everyone is welcome to join in the laughter, love, and camaraderie that defines Sigma Kappa events. Mark your calendars and get ready for an evening filled with joy, sisterhood, and endless support from your Sigma Kappa family!", + "event_type":"hybrid", + "start_time":"2024-08-24 12:30:00", + "end_time":"2024-08-24 13:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Performing Arts", + "LGBTQ" + ] + }, + { + "id":"a28883af-501c-45d2-a676-c5ba72779c95", + "club_id":"ccff6882-b883-4fba-8acd-15c368b3f721", + "name":"Event for Sigma Kappa", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"in_person", + "start_time":"2024-10-22 20:15:00", + "end_time":"2024-10-22 22:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Creative Writing", + "PublicRelations", + "Community Outreach", + "Performing Arts" + ] + }, + { + "id":"81d9de0b-efd4-4c6c-b41d-5f0837831572", + "club_id":"ccff6882-b883-4fba-8acd-15c368b3f721", + "name":"Event for Sigma Kappa", + "preview":"This club is holding an event.", + "description":"Join the vibrant sisters of Sigma Kappa for a night of friendship and fun at our annual Moonlight Mixer event. Get ready for a magical evening under the stars, filled with music, laughter, and unforgettable memories with your fellow Sigma Kappa sisters. Whether you're a new member or a seasoned sister, this event is the perfect opportunity to connect, unwind, and celebrate the bond of sisterhood that unites us all. Don't miss out on this chance to make new friends, share stories, and dance the night away in the company of the amazing women of Sigma Kappa!", + "event_type":"virtual", + "start_time":"2024-09-25 12:30:00", + "end_time":"2024-09-25 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"2ba12c11-571a-4670-8f9b-2be3a282c876", + "club_id":"00655d05-114b-460a-8cbd-bb614d8bbd09", + "name":"Event for Sigma Phi Epsilon", + "preview":"This club is holding an event.", + "description":"Join the brothers of Sigma Phi Epsilon for a fun-filled evening of brotherhood and camaraderie! Our event, 'SigEp Social Fiesta', promises an exciting atmosphere where you can meet new friends, enjoy games and activities, and learn more about our values of Virtue, Diligence, and Brotherly Love. Whether you're a current member or interested in joining our fraternity, this event is the perfect opportunity to connect with like-minded individuals who are dedicated to personal growth and leadership development. Come be a part of our SigEp family and experience a night of positivity and shared experiences!", + "event_type":"hybrid", + "start_time":"2026-10-06 14:30:00", + "end_time":"2026-10-06 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"11c687f4-a37a-4288-ba20-46a969396826", + "club_id":"8cf35ed4-da83-41ab-aef1-33a41006c99a", + "name":"Event for Sigma Psi Zeta Sorority, Inc.", + "preview":"This club is holding an event.", + "description":"Join us for a vibrant evening of sisterhood and empowerment at Sigma Psi Zeta's annual Multicultural Fest! Celebrate diversity, culture, and the bonds of friendship as we showcase talents from different backgrounds. Connect with our SYZters and learn more about our mission to uplift women of color and fight against violence towards women. Whether you're a long-time supporter or new to our sorority, all are welcome to enjoy this lively event filled with performances, interactive activities, and a sense of belonging. Mark your calendars and be a part of our inclusive community that values unity and strength in diversity.", + "event_type":"hybrid", + "start_time":"2026-12-25 20:00:00", + "end_time":"2026-12-25 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Community Outreach", + "Asian American", + "Women Empowerment" + ] + }, + { + "id":"ba26faf3-5ba0-45c7-9436-d1e6a0d335cb", + "club_id":"8cf35ed4-da83-41ab-aef1-33a41006c99a", + "name":"Event for Sigma Psi Zeta Sorority, Inc.", + "preview":"This club is holding an event.", + "description":"Join us for a night of celebration and sisterhood at our annual Founders Day event! We'll be commemorating the inspiring journey of Sigma Psi Zeta Sorority, Inc. since its establishment in 1994 at the University at Albany. This year, we're proud to be hosting this special occasion at Northeastern University, where our Alpha Upsilon Charter was founded in 2021. Come meet our passionate SYZters and learn more about our dedication to promoting women's empowerment and fighting against violence towards women. Whether you're a member, alumna, or new to our community, everyone is welcome to join us for an evening of unity, friendship, and meaningful conversations. Don't miss out on this opportunity to connect with like-minded individuals who are committed to making a positive impact together!", + "event_type":"virtual", + "start_time":"2026-11-22 15:15:00", + "end_time":"2026-11-22 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"751aa3d5-d837-475f-afdc-c746563b6c05", + "club_id":"894790d8-39a5-4f10-be83-cf343fabd4b6", + "name":"Event for Sigma Sigma Sigma", + "preview":"This club is holding an event.", + "description":"Join Sigma Sigma Sigma for an empowering and engaging community event focused on supporting premature babies and their families. Our dedicated sisters will be organizing a fundraiser in partnership with the March of Dimes, with proceeds going towards Boston's Franciscan Children's Hospital. Come connect with us, learn more about our philanthropic efforts through our motto 'Sigma Serves Children,' and see firsthand how we are making a difference in the lives of others. Whether you're a current member, prospective recruit, or simply interested in our cause, we welcome you to join us for a meaningful evening of sisterhood, friendship, and positive impact!", + "event_type":"hybrid", + "start_time":"2025-11-02 13:30:00", + "end_time":"2025-11-02 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Philanthropy", + "Sisterhood", + "Women Empowerment", + "Community Outreach", + "Community Service" + ] + }, + { + "id":"29b3842c-880b-445c-9dfa-b401d5679c32", + "club_id":"66c006f9-daf1-46df-8366-5ac10ab0b54a", + "name":"Event for Sigma Xi", + "preview":"This club is holding an event.", + "description":"Join Sigma Xi at Northeastern University for an enriching research-centric event aimed at students of all levels of research experience! You'll have the opportunity to attend engaging monthly chapter meetings, workshops for enhancing your public speaking and slide creation skills, and sessions focused on research awards, grants, and post-grad fellowships. Immerse yourself in the year-long Research Immerse Program, where you'll receive mentorship from Sigma Xi members, work on your research topic through monthly assignments, and showcase your findings at a research symposium. Additionally, you can contribute to the Think Like A Scientist program, collaborating on K-12 science projects in local schools, developing curricula, and engaging with the Boston community. All are welcome to participate and grow in our vibrant research community!", + "event_type":"virtual", + "start_time":"2025-03-22 19:30:00", + "end_time":"2025-03-22 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "STEM Education", + "Mentorship", + "Undergraduate Research", + "Community Outreach" + ] + }, + { + "id":"febcf4ad-9276-4bf0-b483-ab77232b9d3a", + "club_id":"66c006f9-daf1-46df-8366-5ac10ab0b54a", + "name":"Event for Sigma Xi", + "preview":"This club is holding an event.", + "description":"Join us at Sigma Xi's monthly chapter meeting where you can engage with fellow Affiliate and Associate Members in discussions about public speaking, slide creation, research awards, grants, and post-grad fellowships. Meet our executive board members and gain valuable insights from research faculty and alumni. If you're new to research, consider becoming part of the Research Immerse Program - a year-long journey of bi-weekly workshops, monthly research assignments, and a chance to present your work at a symposium. Don't forget about our Think Like A Scientist program open to all Northeastern undergraduates, where you can mentor K-12 science projects and contribute to the local community through outreach programs and curriculum development. There's something for everyone at Sigma Xi!", + "event_type":"hybrid", + "start_time":"2024-08-25 19:15:00", + "end_time":"2024-08-25 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Undergraduate Research", + "STEM Education", + "Mentorship" + ] + }, + { + "id":"4170e3b2-0a57-4294-8116-aa6b0a655c9e", + "club_id":"060edc49-7e54-43de-a4d0-cb068fe3161a", + "name":"Event for Signing Huskies at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an engaging workshop hosted by the Signing Huskies at Northeastern University! Dive into the fascinating world of ASL, the Deaf community, and interpretation as we explore key aspects of Deaf culture and communication. Whether you're an ASL enthusiast, an interpreting student, or simply curious about the Deaf world, this event offers a welcoming space to practice your signing skills and broaden your understanding. Our guest lecturer, a prominent figure in the Deaf community, will share insights and experiences to inspire and educate all attendees. Come learn, connect, and celebrate the beauty of ASL and the Deaf culture with us!", + "event_type":"virtual", + "start_time":"2025-04-04 23:30:00", + "end_time":"2025-04-05 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "ASL" + ] + }, + { + "id":"6dd68a5a-f862-4593-9679-fe03fca2eee3", + "club_id":"060edc49-7e54-43de-a4d0-cb068fe3161a", + "name":"Event for Signing Huskies at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Signing Huskies at Northeastern University for an exciting evening of interactive ASL games and activities. Whether you're a beginner or fluent signer, this event is designed to help you practice your skills in a supportive and encouraging environment. Get ready to learn more about the Deaf community and culture as you engage with fellow students and guest lecturers. Come prepared to expand your knowledge and appreciation for ASL while connecting with like-minded individuals who share your passion for sign language and interpretation. Don't miss out on this opportunity to immerse yourself in a fun and educational experience that celebrates the diversity and beauty of the Deaf community!", + "event_type":"hybrid", + "start_time":"2024-04-05 18:30:00", + "end_time":"2024-04-05 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "LGBTQ", + "Deaf Culture", + "ASL" + ] + }, + { + "id":"ab3b3209-72dd-47a3-825e-eb85e6024ab1", + "club_id":"060edc49-7e54-43de-a4d0-cb068fe3161a", + "name":"Event for Signing Huskies at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join Signing Huskies at Northeastern University for an engaging evening of ASL immersion! Whether you're a seasoned signer or just starting out, this event is the perfect opportunity to practice your skills in a supportive and inclusive environment. Our featured guest lecturer will share insights into Deaf culture and the interpreting community, offering a unique perspective that will deepen your understanding and appreciation. Come connect with fellow students, learn something new, and leave inspired to continue your journey of learning and growth with SHNU!", + "event_type":"virtual", + "start_time":"2024-09-25 22:30:00", + "end_time":"2024-09-26 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "ASL" + ] + }, + { + "id":"1ef382e0-49df-4d0c-8d11-7a46bb98ec9b", + "club_id":"25675d82-c3dc-4b22-ae2c-67da6763eaf5", + "name":"Event for Sikh Student Association at Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for an enriching evening of Kirtan Darbar, a devotional singing session, hosted by the Sikh Student Association at Northeastern. Immerse yourself in the rhythmic melodies and spiritual vibes as we come together to celebrate unity and harmony on campus. Whether you're a seasoned musician or simply curious about Sikh traditions, all are welcome to join in this vibrant cultural experience that aims to foster understanding and connection among students of all backgrounds. Mark your calendars and be a part of this heartwarming event that promises to uplift your spirits and create a sense of community within our diverse student body.", + "event_type":"in_person", + "start_time":"2026-05-23 19:15:00", + "end_time":"2026-05-23 20:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Seva", + "Sikhi", + "Community Outreach", + "InterFaith" + ] + }, + { + "id":"eca6e7cc-1704-49ed-996e-3480700ea37a", + "club_id":"25675d82-c3dc-4b22-ae2c-67da6763eaf5", + "name":"Event for Sikh Student Association at Northeastern", + "preview":"This club is holding an event.", + "description":"Join the Sikh Student Association at Northeastern for a heartwarming Kirtan Darbar event on campus, where the soothing sounds of Sikh hymns will fill the air, creating a peaceful and inclusive atmosphere for students of all backgrounds to come together in harmony. Embrace the spirit of Seva as we engage in community service activities that uplift those in need around the greater Boston area, showcasing the values of Sikhi through selfless acts of kindness. Be part of our Sangat, a welcoming community that celebrates diversity and promotes understanding among all students, fostering a sense of belonging and unity on campus. Come experience the beauty of our faith and culture as we come together to learn, serve, and build relationships that go beyond barriers. All are welcome to join us in this enriching event that embodies the essence of the Sikh Student Association's mission.", + "event_type":"in_person", + "start_time":"2026-02-16 15:30:00", + "end_time":"2026-02-16 19:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "InterFaith", + "Seva", + "Volunteerism", + "Sikhi", + "LGBTQ", + "HumanRights", + "Sangat" + ] + }, + { + "id":"6878d45d-1c8c-4b62-913b-128f4ee9b870", + "club_id":"25675d82-c3dc-4b22-ae2c-67da6763eaf5", + "name":"Event for Sikh Student Association at Northeastern", + "preview":"This club is holding an event.", + "description":"Join the Sikh Student Association at Northeastern for an enlightening evening of Kirtan Darbar, where we bring the spiritual experience of a Sikhi faith service to campus. Immerse yourself in the beautiful sounds of devotional music and feel the sense of community as we come together to celebrate our shared values of Seva (service) and Sangat (community). Whether you are a practicing Sikh or simply curious about the Sikh faith, all are welcome to join us in this inclusive and welcoming event that aims to foster inter-community connections and break down misconceptions. Mark your calendars and come experience the joy of Sikhi firsthand!", + "event_type":"hybrid", + "start_time":"2026-07-24 14:00:00", + "end_time":"2026-07-24 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "HumanRights", + "LGBTQ" + ] + }, + { + "id":"738dd1d4-0e09-47d5-8a8e-935778a5d3e2", + "club_id":"ef0be564-5250-4671-870e-5f6a64b40932", + "name":"Event for Silver Masque", + "preview":"This club is holding an event.", + "description":"Join us at Silver Masque for an exciting evening of theatrical magic! Whether you're an aspiring actor, playwright, director, designer, or just looking to be part of a vibrant creative community, there's a place for you here. Our events offer a supportive environment where you can explore your creativity, collaborate with fellow students, and bring new stories to life on stage. Come be a part of something special as we strive to foster artistic innovation, share diverse voices, and build lasting relationships in a fun and welcoming atmosphere. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2025-03-23 14:15:00", + "end_time":"2025-03-23 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Creative Writing", + "Theatre" + ] + }, + { + "id":"3176c386-9f72-4a96-8d79-fe9fd992b71a", + "club_id":"ef0be564-5250-4671-870e-5f6a64b40932", + "name":"Event for Silver Masque", + "preview":"This club is holding an event.", + "description":"Join us at Silver Masque for an exciting evening of student-produced theatre! Experience the vibrancy and creativity of our talented artists as they showcase original works through acting, playwriting, directing, and theatrical design. Whether you're interested in getting involved on stage or behind the scenes, our inclusive community welcomes all skill levels and backgrounds. Come be a part of a supportive environment that values artistic innovation, diverse storytelling, and meaningful relationships. Discover your passion for the performing arts and connect with other emerging artists in a safe and respectful setting at Silver Masque!", + "event_type":"hybrid", + "start_time":"2025-10-06 20:30:00", + "end_time":"2025-10-06 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Theatre", + "Creative Writing" + ] + }, + { + "id":"64131e31-75d6-4236-b36c-f7568cc5e6c8", + "club_id":"ef0be564-5250-4671-870e-5f6a64b40932", + "name":"Event for Silver Masque", + "preview":"This club is holding an event.", + "description":"Join us for an immersive acting workshop at Silver Masque! Whether you're a seasoned performer or a newcomer to the stage, this event provides a welcoming space for you to explore your theatrical talents. Our experienced mentors will guide you through improvisation exercises, scene studies, and character development techniques, helping you to enhance your skills and confidence on stage. Connect with fellow emerging artists, share your creative ideas, and be part of a supportive community dedicated to fostering artistic innovation and storytelling. Don't miss this opportunity to unleash your acting potential and be a part of the vibrant world of Silver Masque!", + "event_type":"virtual", + "start_time":"2026-04-01 12:00:00", + "end_time":"2026-04-01 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Creative Writing", + "Performing Arts", + "Theatre" + ] + }, + { + "id":"b1adf0ca-5457-4e5a-89ed-b32806728c57", + "club_id":"52e1983b-7679-47b7-898c-e2e4ac73f3c4", + "name":"Event for Sisters in Solidarity", + "preview":"This club is holding an event.", + "description":"Join Sisters in Solidarity for an empowering evening of storytelling and connection! Our event, 'Black Women Excelling in STEM Fields', will feature panel discussions with inspiring Black women leaders in science, technology, engineering, and mathematics. Hear their journeys, insights, and advice on navigating and excelling in STEM careers. This gathering is a space for support, mentorship, and solidarity among Black cisgender and transgender women pursuing excellence in STEM fields. Bring your enthusiasm, questions, and an open mind as we celebrate the achievements and aspirations of Black women in STEM together!", + "event_type":"virtual", + "start_time":"2026-02-11 16:00:00", + "end_time":"2026-02-11 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "LGBTQ", + "African American", + "HumanRights" + ] + }, + { + "id":"c4bb1888-fd99-4fa0-9645-6eff8a5aff88", + "club_id":"52e1983b-7679-47b7-898c-e2e4ac73f3c4", + "name":"Event for Sisters in Solidarity", + "preview":"This club is holding an event.", + "description":"Join Sisters in Solidarity at our next event, 'Breaking Barriers Through Storytelling'! This empowering gathering will feature engaging conversations with inspiring Black cisgender and transgender women sharing their experiences and wisdom. Come connect with us in a supportive space where diverse stories are celebrated and powerful bonds are formed. Whether you're a long-time member or new to the community, this event is a fantastic opportunity to enrich your understanding, find solidarity, and contribute to the uplifting tapestry of our shared narratives. We can't wait to welcome you into this enriching and empowering experience!", + "event_type":"hybrid", + "start_time":"2026-07-15 17:15:00", + "end_time":"2026-07-15 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "HumanRights", + "LGBTQ", + "African American", + "Community Outreach" + ] + }, + { + "id":"3d66ae80-593c-4dd4-a90d-c7e734c7fc2c", + "club_id":"07fcc222-8395-4002-8206-329ccc21d1c6", + "name":"Event for Skateboarding Club", + "preview":"This club is holding an event.", + "description":"Join us for our weekly skate session this Friday at the local skate park! Our skate sessions are open to skaters of all levels, from beginners to pros. It's a great opportunity to learn new tricks, meet fellow skaters, and have a fun time while improving your skills. Don't worry if you're new to skateboarding, we have experienced members who are happy to help you get started and provide tips. Whether you're looking to master that kickflip or simply enjoy cruising on your board, come join us for an exciting and inclusive skate session with the Skateboarding Club!", + "event_type":"in_person", + "start_time":"2025-10-13 17:15:00", + "end_time":"2025-10-13 20:15:00", + "link":"", + "location":"ISEC", + "tags":[ + "Film", + "Music", + "Visual Arts" + ] + }, + { + "id":"2d76dce2-85e6-4f1c-89ef-18624b72e24a", + "club_id":"48df80f7-b2bd-4838-ab65-39b9de173992", + "name":"Event for Slow Food NU", + "preview":"This club is holding an event.", + "description":"Join Slow Food NU for an engaging and enlightening workshop on sustainable food practices! Discover how our everyday food choices can have a profound impact on our health, the environment, and social justice. This interactive event will include hands-on activities, thought-provoking discussions, and delicious food tastings. Whether you're a seasoned food enthusiast or just beginning your journey towards sustainable eating, this event is open to everyone who shares our passion for good, mindful eating. Come connect with like-minded individuals and learn how to make a positive difference through the power of food!", + "event_type":"in_person", + "start_time":"2025-02-08 17:15:00", + "end_time":"2025-02-08 20:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Volunteerism", + "Environmental Advocacy" + ] + }, + { + "id":"32624033-ba9c-4315-802c-74a9ad94ae66", + "club_id":"48df80f7-b2bd-4838-ab65-39b9de173992", + "name":"Event for Slow Food NU", + "preview":"This club is holding an event.", + "description":"Join Slow Food NU for 'Sustainable Food Fair', a vibrant event celebrating the interconnectedness of food, environment, and health. Engage in enriching conversations, savor delicious sustainable bites, and discover how your food choices can make a difference in the world. Embrace the opportunity to connect with like-minded individuals, learn about local food initiatives, and explore avenues for promoting social justice through collective action. Whether you're a seasoned foodie or just starting your sustainability journey, this event welcomes all with open arms and a plateful of possibilities.", + "event_type":"in_person", + "start_time":"2025-11-09 16:30:00", + "end_time":"2025-11-09 20:30:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"32571f70-0b89-49c5-90b7-47cb2c601f06", + "club_id":"48df80f7-b2bd-4838-ab65-39b9de173992", + "name":"Event for Slow Food NU", + "preview":"This club is holding an event.", + "description":"Join Slow Food NU for a lively farm-to-table cooking workshop where participants will learn about the importance of local, sustainable ingredients and how they contribute to a healthier planet and community. Meet fellow food enthusiasts, share stories, and savor delicious dishes prepared together in a collaborative, inclusive environment. Discover how to make mindful food choices that align with your values while supporting social justice initiatives. All skill levels are welcome - come hungry for good food, good company, and good conversations!", + "event_type":"in_person", + "start_time":"2024-03-09 16:30:00", + "end_time":"2024-03-09 17:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"5e34af13-79e0-40c1-8c5c-6f32bfe285b4", + "club_id":"9e39995b-5647-4b8e-bb70-420559b22876", + "name":"Event for Society of Asian Scientists and Engineers", + "preview":"This club is holding an event.", + "description":"Join the Society of Asian Scientists and Engineers for our upcoming Tech Talk event where industry professionals will share insights and tips on navigating the tech industry. Whether you're a seasoned enthusiast or just beginning your journey in STEM, this event is tailored to inspire and equip you for success! Connect with like-minded individuals, expand your network, and gain valuable knowledge to propel your career forward. Don't miss out on this opportunity to learn, engage, and grow with us!", + "event_type":"in_person", + "start_time":"2025-05-05 23:15:00", + "end_time":"2025-05-06 01:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Professional Development", + "Asian American", + "Community Service", + "STEM" + ] + }, + { + "id":"995d092c-e849-4084-ac6b-66ea1a4c85f6", + "club_id":"9e39995b-5647-4b8e-bb70-420559b22876", + "name":"Event for Society of Asian Scientists and Engineers", + "preview":"This club is holding an event.", + "description":"Join the Society of Asian Scientists and Engineers for our upcoming Tech Talk event, where you can network with fellow members, learn about the latest trends in STEM fields, and gain valuable insights from industry professionals. Whether you're a seasoned professional or just starting your journey in science and engineering, this event is designed to provide you with inspiration, knowledge, and opportunities for growth. Don't miss out on this exciting chance to connect, learn, and be a part of our vibrant community dedicated to empowering Asian heritage scientists and engineers!", + "event_type":"hybrid", + "start_time":"2026-08-02 17:30:00", + "end_time":"2026-08-02 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "STEM" + ] + }, + { + "id":"95b4a3ea-f0d8-4d04-bb29-d8c09c9209e9", + "club_id":"9e39995b-5647-4b8e-bb70-420559b22876", + "name":"Event for Society of Asian Scientists and Engineers", + "preview":"This club is holding an event.", + "description":"Join us for our annual SASE Career Fair, where you can network with industry professionals, explore internship and job opportunities, and gain valuable insights into various STEM fields. Whether you're a seasoned professional or just starting out, this event is designed to help you navigate your career path and connect with like-minded individuals. Don't miss out on this unique chance to enhance your professional development and expand your network within the supportive community of SASE!", + "event_type":"virtual", + "start_time":"2024-07-27 13:15:00", + "end_time":"2024-07-27 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "STEM", + "Community Service", + "Asian American" + ] + }, + { + "id":"5f358b99-4942-454e-8d73-1f24a5bf2dda", + "club_id":"500f2438-7957-44a7-88e1-c98a4ba86827", + "name":"Event for Society of Hispanic Professional Engineers", + "preview":"This club is holding an event.", + "description":"Join the Society of Hispanic Professional Engineers for our upcoming Networking Mixer event! This fun and engaging evening will provide an opportunity for students and professionals from diverse backgrounds to connect and build meaningful relationships. Come meet our Familia and learn about the exciting projects we have in store to support Hispanic students in engineering and technical fields. Whether you're a seasoned engineer or just starting your journey, everyone is welcome to participate in this enriching experience. Don't miss out on this chance to expand your network and be a part of our mission to make a positive impact on the community and future generations!", + "event_type":"virtual", + "start_time":"2025-01-24 12:00:00", + "end_time":"2025-01-24 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Latin America", + "Volunteerism", + "Community Outreach", + "STEM" + ] + }, + { + "id":"ba7589f8-c7c1-4a0e-ac60-0e7989f53141", + "club_id":"81493b30-61e1-49f8-adb1-23e3b9f07176", + "name":"Event for Society of Physics Students", + "preview":"This club is holding an event.", + "description":"Come join the Society of Physics Students for an exciting workshop on computational physics! Our workshop will provide an introduction to programming languages commonly used in physics research, as well as hands-on practice on solving physics problems using code. Whether you're a seasoned coder or just starting out, this workshop is a great opportunity to enhance your skills and expand your knowledge in a welcoming and inclusive environment. Don't miss out on this chance to connect with fellow physics enthusiasts and dive into the world of computational physics! See you on Wednesday @ 12 PM in 206 Egan!", + "event_type":"virtual", + "start_time":"2026-02-06 16:15:00", + "end_time":"2026-02-06 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Workshops", + "Engineering", + "Mentorship", + "Community Outreach", + "Mathematics", + "Physics" + ] + }, + { + "id":"1f504616-b902-40aa-909a-2fb42b425eb7", + "club_id":"28e06cdd-40dd-4f03-8ad5-ab61fbd17fcd", + "name":"Event for Society of Women Engineers", + "preview":"This club is holding an event.", + "description":"Join the Society of Women Engineers at their weekly gathering, where members come together every Wednesday from 8 to 9pm to network, share ideas, and support each other in pursuing excellence in engineering. Enjoy insightful discussions, exciting guest speakers, and valuable opportunities to connect with like-minded individuals passionate about driving innovation and empowerment in the engineering field. Whether you're a seasoned professional or just starting on your engineering journey, this welcoming community is the perfect place to learn, grow, and thrive. Come be a part of our inspiring and inclusive community!", + "event_type":"in_person", + "start_time":"2026-05-21 14:15:00", + "end_time":"2026-05-21 15:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"2b044e44-ac09-4517-9ab6-3fbec7676c26", + "club_id":"5f17df4f-1e7e-4d8b-9c19-1bd7592024f8", + "name":"Event for Sojourn Christian Collegiate Ministry NEU", + "preview":"This club is holding an event.", + "description":"Join Sojourn NEU for our next event, 'Love in Action', where we will come together as a community to serve those in need. This event is an opportunity for us to put our faith into practice by volunteering at a local shelter and spreading love and joy to those who need it most. Whether you're a seasoned volunteer or just looking to make a difference, all are welcome to join us in making a positive impact in our community. Together, we can embody our core values of community, justice, and faith while making lasting connections and creating a better world for all. Come be a part of something special and experience the joy of giving back - we can't wait to see you there!", + "event_type":"in_person", + "start_time":"2026-10-19 13:15:00", + "end_time":"2026-10-19 17:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Community Outreach", + "Christianity", + "Volunteerism" + ] + }, + { + "id":"7d4db540-ac3f-4003-8cd8-00282d4468e3", + "club_id":"5f17df4f-1e7e-4d8b-9c19-1bd7592024f8", + "name":"Event for Sojourn Christian Collegiate Ministry NEU", + "preview":"This club is holding an event.", + "description":"Come join us at Sojourn NEU for our weekly Bible study and discussion event, where college students gather to explore the Christian faith, dive into the scriptures, and ponder life's big questions together in a supportive and encouraging environment. Whether you're seeking answers, looking for community, or just curious about faith, our doors are open for you to join the conversation, share your thoughts, and grow alongside like-minded peers on this spiritual journey. Mark your calendar for an evening of meaningful discussions, deep connections, and uplifting fellowship. We can't wait to welcome you with open arms and embark on this adventure of faith and discovery together!", + "event_type":"virtual", + "start_time":"2025-02-14 15:00:00", + "end_time":"2025-02-14 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Volunteerism", + "Christianity" + ] + }, + { + "id":"567830f2-8354-4b79-9e3b-24d3e06ceefc", + "club_id":"5f17df4f-1e7e-4d8b-9c19-1bd7592024f8", + "name":"Event for Sojourn Christian Collegiate Ministry NEU", + "preview":"This club is holding an event.", + "description":"Join Sojourn Christian Collegiate Ministry NEU for an engaging evening of community and growth! Our next event will focus on exploring the theme of 'Hope in Uncertain Times' through interactive discussions, personal reflections, and uplifting fellowship. Whether you're new to the group or a long-time member, this event is the perfect opportunity to connect with like-minded peers, share your thoughts, and gain valuable insights into how faith can provide strength and comfort during life's challenges. Mark your calendar and come join us as we journey together towards a deeper understanding of faith and purpose!", + "event_type":"in_person", + "start_time":"2026-12-22 13:30:00", + "end_time":"2026-12-22 15:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Christianity" + ] + }, + { + "id":"2f410db4-06a0-40df-ba0b-41b01b7038ac", + "club_id":"5e007a31-9d22-4911-bc8b-5469d870694d", + "name":"Event for Solar Decathlon", + "preview":"This club is holding an event.", + "description":"Join the Solar Decathlon club for an exciting event focused on sustainable building design and innovation! This special gathering will feature guest speakers sharing insights on the latest trends in energy efficiency and architectural design. Students of all backgrounds are welcome to attend and learn more about how they can contribute to the future of sustainable construction. Come network with like-minded individuals and discover how you can get involved in the club's upcoming projects and competitions. Don't miss this opportunity to be a part of a community dedicated to creating a greener, more efficient world!", + "event_type":"hybrid", + "start_time":"2024-09-05 18:15:00", + "end_time":"2024-09-05 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Engineering", + "Sustainability", + "Environmental Science" + ] + }, + { + "id":"77a486d8-62bd-41cd-b622-a63cae0f3d14", + "club_id":"5e007a31-9d22-4911-bc8b-5469d870694d", + "name":"Event for Solar Decathlon", + "preview":"This club is holding an event.", + "description":"Join the Solar Decathlon club at Northeastern University for an exciting workshop on sustainable building design! Dive into the world of construction documentation in the Design Challenge, where you can bring your innovative ideas to life. Then, roll up your sleeves and get hands-on experience in the Build Challenge, watching your designs take shape before your eyes. Whether you're an undergraduate or graduate student, this club offers a unique opportunity to collaborate across disciplines and create a project that pushes the boundaries of efficiency and innovation. Who knows, your work here could lead to the chance to showcase your design at the annual Solar Decathlon Competition Event in Golden, Colorado, where you'll have the opportunity to present your ideas to industry leaders and connect with professionals in the field. Don't miss out on this exciting chance to be part of something truly impactful!", + "event_type":"hybrid", + "start_time":"2024-11-13 16:30:00", + "end_time":"2024-11-13 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Sustainability" + ] + }, + { + "id":"b6dca16f-3278-4235-a480-7ce6ffc71e3f", + "club_id":"3623965d-3858-4b6a-988d-3c3656b07f67", + "name":"Event for Somali Students Association", + "preview":"This club is holding an event.", + "description":"Join the Somali Students Association for an enriching cultural event showcasing the vibrant heritage of Somalia. Immerse yourself in traditional music, dance, and cuisine as we celebrate the diversity and beauty of Somali culture. This event will provide a platform for meaningful conversations about Somalia's history, politics, and community issues, fostering a deeper understanding and connection within the NEU community. Come together with fellow students and community members to learn, share, and celebrate the rich tapestry of Somali traditions and values.", + "event_type":"virtual", + "start_time":"2026-10-09 17:00:00", + "end_time":"2026-10-09 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "African American", + "LGBTQ" + ] + }, + { + "id":"c05def6e-26c1-46d9-9f4b-c863d007316e", + "club_id":"3623965d-3858-4b6a-988d-3c3656b07f67", + "name":"Event for Somali Students Association", + "preview":"This club is holding an event.", + "description":"Join us for an engaging and insightful event hosted by the Somali Students Association at Northeastern University. Dive deep into the rich culture, diverse history, and current affairs of Somalia as we come together to learn, discuss, and celebrate. Whether you are a Somali student at NEU looking to connect with peers and mentors, an individual interested in Somalia's heritage, or a member of the community eager to support local causes, this event is the perfect opportunity to expand your knowledge, make new connections, and be a part of something meaningful. All are welcome to join us for an illuminating experience that promises to inspire and educate!", + "event_type":"hybrid", + "start_time":"2026-07-26 14:30:00", + "end_time":"2026-07-26 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "African American", + "Community Outreach", + "LGBTQ" + ] + }, + { + "id":"291e6c32-c164-4f68-9f85-806f0d6f0863", + "club_id":"3623965d-3858-4b6a-988d-3c3656b07f67", + "name":"Event for Somali Students Association", + "preview":"This club is holding an event.", + "description":"Join the Somali Students Association for an enriching cultural event showcasing the vibrant heritage of Somalia! Dive into lively discussions on Somalia's rich culture, politics, and history while enjoying traditional music and cuisine. This event offers a warm and inclusive space for Northeastern University students and the broader community to come together, learn, and celebrate the beauty of Somali culture. Don't miss this wonderful opportunity to connect with fellow Somali college students, engage in meaningful conversations, and foster a deeper understanding of Somalia's past, present, and future.", + "event_type":"hybrid", + "start_time":"2024-09-14 15:15:00", + "end_time":"2024-09-14 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "LGBTQ", + "African American", + "Community Outreach" + ] + }, + { + "id":"4a41dca9-bdd7-41d0-a150-f5c36a415a0e", + "club_id":"beae59a7-92d9-4e83-b541-20387ad506a5", + "name":"Event for Spark", + "preview":"This club is holding an event.", + "description":"Come join us at Spark for an immersive Art Appreciation Workshop where you can explore different techniques, styles, and mediums with passionate students just like you! This hands-on experience is perfect for beginners and experienced artists alike, as our friendly members are excited to share their knowledge and help you unleash your creativity. Get ready to dive into exciting discussions about the art scene in Boston, engage in interactive activities, and leave feeling inspired to express yourself through art in new ways. No matter your major or skill level, this workshop is a welcoming space for everyone to connect, learn, and have a blast discovering the vibrant world of art with Spark!", + "event_type":"hybrid", + "start_time":"2025-03-20 19:00:00", + "end_time":"2025-03-20 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Marketing" + ] + }, + { + "id":"d9f76ab8-02d5-4b28-b27c-80dd39347782", + "club_id":"beae59a7-92d9-4e83-b541-20387ad506a5", + "name":"Event for Spark", + "preview":"This club is holding an event.", + "description":"Join us at Spark for 'Art Night Out' where we will be celebrating creativity and collaboration! Get ready for a fun evening filled with inspiring student artwork, engaging discussions with local artists, and interactive art-making stations. Whether you're an art enthusiast or just curious to explore your creative side, this event is open to everyone! Come connect with like-minded individuals, discover new talents, and immerse yourself in the vibrant artistic community that Spark has to offer. See you there!", + "event_type":"in_person", + "start_time":"2024-10-09 17:30:00", + "end_time":"2024-10-09 19:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Design", + "Creative Writing", + "Visual Arts" + ] + }, + { + "id":"d0598e18-a992-4d07-b1c9-788834d4d5cd", + "club_id":"5fb4bb17-bb34-40d2-812d-8bfbcc657eee", + "name":"Event for Spectrum Literary Arts Magazine", + "preview":"This club is holding an event.", + "description":"Join Spectrum Literary Arts Magazine for our annual Spring Showcase event, where we celebrate the creative talents of Northeastern's vibrant community! This exciting evening will feature live readings of captivating poetry and prose, stunning displays of photography and artwork, and engaging discussions on the beauty of literary arts. Whether you're a seasoned writer or just beginning your creative journey, this event is the perfect opportunity to immerse yourself in the inspiring world of storytelling and expression. Come connect with fellow enthusiasts, share your work, and experience the magic of Spectrum Magazine firsthand. We can't wait to welcome you to an evening filled with creativity, passion, and community spirit!", + "event_type":"hybrid", + "start_time":"2026-08-23 13:00:00", + "end_time":"2026-08-23 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "LGBTQ", + "Creative Writing", + "Visual Arts", + "Journalism", + "Community Outreach" + ] + }, + { + "id":"83d1b7ab-a315-48ee-aba8-bc0f8b790704", + "club_id":"32e75721-5cfd-43e2-9bb9-f848647ee072", + "name":"Event for Splash at Northeastern", + "preview":"This club is holding an event.", + "description":"Join us at Splash at Northeastern's Open House event where high school students can explore the exciting array of free classes being offered this semester! Meet the passionate Northeastern students who have created and will be teaching these engaging courses on various subjects and hobbies. Learn about the unique opportunity for mentorship, gaining insight into college life, and understanding the application process. Get a sneak peek into the classes, meet potential teachers, and provide valuable feedback to help shape the upcoming events. It's a fun and informative event that promises to inspire and ignite a love for learning in all attendees!", + "event_type":"hybrid", + "start_time":"2026-04-01 12:00:00", + "end_time":"2026-04-01 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Creative Writing", + "Music", + "Environmental Advocacy", + "Visual Arts" + ] + }, + { + "id":"574f57ce-4ab5-437e-a216-524bb5b53961", + "club_id":"32e75721-5cfd-43e2-9bb9-f848647ee072", + "name":"Event for Splash at Northeastern", + "preview":"This club is holding an event.", + "description":"Join us at Splash at Northeastern for our upcoming event 'Career Exploration Day'! This unique opportunity allows local high school students to explore various career paths with hands-on workshops and engaging discussions led by enthusiastic Northeastern student instructors. Dive into a day filled with excitement, learning, and mentorship as you discover your passion and potential future career. Don't miss out on this enriching experience - come join us and take the first step towards your dream career!", + "event_type":"virtual", + "start_time":"2024-07-24 14:30:00", + "end_time":"2024-07-24 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Visual Arts", + "Music", + "Environmental Advocacy", + "Community Outreach" + ] + }, + { + "id":"020fe35a-1dbf-4b4d-984a-5482142fe7dd", + "club_id":"32e75721-5cfd-43e2-9bb9-f848647ee072", + "name":"Event for Splash at Northeastern", + "preview":"This club is holding an event.", + "description":"Join us at Splash at Northeastern's Spring Showcase! Step onto campus and immerse yourself in a day full of interactive, engaging classes led by passionate Northeastern students. Whether you're interested in coding, creative writing, or culinary arts, there's a class for everyone to explore their interests. Throughout the day, our team will be there to guide you through the schedule, answer any questions you may have, and ensure you have a memorable experience. Don't miss this opportunity to learn, connect, and discover the endless possibilities of higher education!", + "event_type":"in_person", + "start_time":"2026-04-12 14:15:00", + "end_time":"2026-04-12 17:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Visual Arts", + "Environmental Advocacy", + "Community Outreach", + "Creative Writing" + ] + }, + { + "id":"93cfa4ab-43df-4417-b2ff-dec8843a25b5", + "club_id":"febed50f-02c1-4894-be58-a3810f53153f", + "name":"Event for Spoon University - Northeastern", + "preview":"This club is holding an event.", + "description":"Join Spoon University - Northeastern for an exciting foodie extravaganza! Our upcoming event, 'Taste of Campus', will showcase a variety of delicious dishes and culinary creations from local eateries near Northeastern University. Whether you're a seasoned foodie or just looking to explore new flavors, this event is the perfect opportunity to mingle with fellow food enthusiasts, learn about the latest food trends, and maybe even discover your new favorite go-to spot for a quick bite. Don't miss out on the chance to indulge in amazing food, make new friends, and immerse yourself in the vibrant culinary community Spoon University has cultivated!", + "event_type":"virtual", + "start_time":"2024-11-02 13:30:00", + "end_time":"2024-11-02 15:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Journalism" + ] + }, + { + "id":"0367612b-49f2-4294-9bf9-d0f7ca3de9d6", + "club_id":"f66fa80f-2d40-4985-bc19-5b2c1a9257b5", + "name":"Event for Sports Business & Innovation Network", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of networking and learning at the Sports Business & Innovation Network's upcoming event! Connect with industry professionals, engage in cutting-edge discussions on the future of sports innovation, and discover new opportunities to enhance your career in the dynamic world of sports business. Whether you're a student looking to kickstart your career or a seasoned professional seeking to stay ahead of the game, this event promises to empower you with valuable insights and connections. Don't miss out on this chance to be part of a vibrant community that is shaping the future of sports! RSVP now to secure your spot and stay updated on all our upcoming events through our mailing list.", + "event_type":"virtual", + "start_time":"2026-05-11 22:15:00", + "end_time":"2026-05-12 02:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Sports Business & Innovation" + ] + }, + { + "id":"addcfaa2-82c5-4d8f-b8f8-c2e054323b13", + "club_id":"f66fa80f-2d40-4985-bc19-5b2c1a9257b5", + "name":"Event for Sports Business & Innovation Network", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening with the Sports Business & Innovation Network! Immerse yourself in a vibrant atmosphere filled with passionate individuals who are shaping the future of the industry. This event offers a unique opportunity to network with like-minded professionals, gain valuable insights from expert speakers, and discover innovative strategies driving the world of sports business forward. Feel empowered to collaborate, learn, and grow with us at this inspiring gathering. Don't miss out \u2013 be part of the conversation and unlock endless possibilities in the realm of sports business and innovation!", + "event_type":"hybrid", + "start_time":"2026-02-21 23:30:00", + "end_time":"2026-02-22 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Sports Business & Innovation", + "Networking", + "Empowerment" + ] + }, + { + "id":"05e65409-74b9-4e89-bb93-ec5038f3ee90", + "club_id":"f66fa80f-2d40-4985-bc19-5b2c1a9257b5", + "name":"Event for Sports Business & Innovation Network", + "preview":"This club is holding an event.", + "description":"Join us at Sports Business & Innovation Network's upcoming event, where we'll be delving into the exciting world of sports business and innovation! Connect with fellow passionate individuals, hear from industry professionals, and explore opportunities to learn and grow in this dynamic field. Whether you're a student looking to kickstart your career or a seasoned professional seeking new insights, this is the perfect platform to network, learn, and be inspired. Don't miss out on this chance to be a part of our vibrant community dedicated to shaping the future of sports!", + "event_type":"in_person", + "start_time":"2026-08-02 16:15:00", + "end_time":"2026-08-02 20:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Networking", + "Community Outreach", + "Empowerment", + "Sports Business & Innovation" + ] + }, + { + "id":"dd282373-3b79-4c1d-ba30-f58496592a6c", + "club_id":"1cee8135-740a-49e5-aad1-0d1a7e75122a", + "name":"Event for STEMout", + "preview":"This club is holding an event.", + "description":"Join STEMout for our annual STEM Symposium, a day dedicated to celebrating and promoting STEM education in the Boston community. This event will feature inspiring guest speakers, interactive workshops, and networking opportunities for students, faculty, and community members alike. Whether you're interested in designing innovative outreach programs or volunteering for local initiatives, the STEM Symposium is the perfect place to connect with like-minded individuals and make a meaningful impact. Don't miss this chance to learn, collaborate, and contribute to the vibrant STEM community at Northeastern University and beyond!", + "event_type":"in_person", + "start_time":"2024-03-19 13:30:00", + "end_time":"2024-03-19 16:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Software Engineering", + "Environmental Science" + ] + }, + { + "id":"38d3af63-c655-4f32-aac1-1fdecf8a79b3", + "club_id":"1cee8135-740a-49e5-aad1-0d1a7e75122a", + "name":"Event for STEMout", + "preview":"This club is holding an event.", + "description":"Join us at STEMout's STEM Fair and Outreach Showcase! Discover exciting opportunities to get involved in designing or volunteering for outreach efforts in the Boston community. Meet our passionate members and learn about our partnerships with local organizations. Whether you're a student, faculty member, or community member interested in STEM education, this event is for you. Explore interactive exhibits, workshops, and presentations that will inspire you to make a difference. Come network, share ideas, and find resources to support your own STEM outreach initiatives. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2026-11-26 16:00:00", + "end_time":"2026-11-26 20:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Volunteerism", + "Software Engineering", + "STEMout" + ] + }, + { + "id":"fd4fb448-4708-4d44-9426-51583cb06cc0", + "club_id":"0febe0b5-2b0b-4d38-98bd-7805158af442", + "name":"Event for Stepping On Another Level", + "preview":"This club is holding an event.", + "description":"Join Stepping On Another Level (S.O.A.L.) for an electrifying evening of rhythmic beats and energetic performances! Experience the vibrant art of step dance firsthand as the talented members of S.O.A.L. showcase their skills and passion on stage. Whether you're a seasoned pro or a curious beginner, this event is the perfect opportunity to immerse yourself in the world of step dance, learn some new moves, and connect with like-minded individuals. Come feel the power of community and music coming together in a celebration of culture and creativity. Don't miss out on this exciting event - mark your calendar and get ready to step up your game with S.O.A.L.!", + "event_type":"virtual", + "start_time":"2024-10-11 14:15:00", + "end_time":"2024-10-11 18:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Performing Arts", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"153efd34-cf43-48af-b21e-293206c88580", + "club_id":"95ab416b-8ec3-4c9b-837c-efd439ee9a3d", + "name":"Event for Strong Women, Strong Girls", + "preview":"This club is holding an event.", + "description":"Join us for an exciting afternoon of mentorship and empowerment at Strong Women, Strong Girls' Leadership Workshop! This special event will bring together passionate college mentors and enthusiastic mentees from the Boston Public School System for an interactive session filled with inspiring activities and discussions. Together, we will explore the importance of strong role models, leadership skills, and building a supportive community. Don't miss this opportunity to learn, grow, and connect with like-minded individuals in a welcoming and inclusive environment. See you there!", + "event_type":"in_person", + "start_time":"2026-12-14 19:15:00", + "end_time":"2026-12-14 21:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Women Empowerment", + "Empowerment", + "Community Outreach" + ] + }, + { + "id":"0bb437f6-a73c-470b-82d5-09d13a89f16e", + "club_id":"95ab416b-8ec3-4c9b-837c-efd439ee9a3d", + "name":"Event for Strong Women, Strong Girls", + "preview":"This club is holding an event.", + "description":"Join us at our 'Girls Empowerment Workshop' event where college mentors and mentees come together to learn about self-confidence, goal-setting, and the power of positive thinking. Through interactive activities and group discussions, we will explore how to overcome challenges, embrace diversity, and build a strong support system. This workshop is a safe space for girls to express themselves, ask questions, and connect with inspiring role models. Together, we will celebrate each other's strengths and uniqueness while creating lifelong bonds of friendship and empowerment. Don't miss this opportunity to be part of a community that uplifts and encourages every girl to reach her full potential!", + "event_type":"in_person", + "start_time":"2026-10-26 19:15:00", + "end_time":"2026-10-26 23:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Empowerment", + "Women Empowerment", + "Community Outreach" + ] + }, + { + "id":"b046f231-881c-4bf8-8ee0-43de66c8f14d", + "club_id":"f4202b64-fea3-4c86-81b6-f013fcf8368e", + "name":"Event for Student Activities Business Office (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us for an exciting financial workshop hosted by the Student Activities Business Office! Learn how to effectively manage your student organization's finances and maximize your budget for awesome events and activities. Our friendly staff will be on hand to provide guidance and answer any questions you may have. Don't miss this opportunity to gain valuable skills and resources to make your student organization thrive. Mark your calendars for this informative session! Office Hours: Monday to Friday 8:30am to 4:30pm.", + "event_type":"virtual", + "start_time":"2025-12-20 15:30:00", + "end_time":"2025-12-20 18:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Student Organizations", + "Financial Management" + ] + }, + { + "id":"924df7b6-e796-4640-bf5a-b9eb4d357340", + "club_id":"f4202b64-fea3-4c86-81b6-f013fcf8368e", + "name":"Event for Student Activities Business Office (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us for our student organization finance workshop hosted by the Student Activities Business Office (Campus Resource)! Learn how to effectively manage your budget, apply for funding, and navigate financial forms with ease. Our knowledgeable staff will be on hand to provide guidance and answer any questions you may have. Whether you're a seasoned treasurer or new to handling finances, this workshop is designed to support you in maximizing your organization's financial potential. Mark your calendar for this interactive and informative session happening during office hours, Monday to Friday from 8:30am to 4:30pm. We can't wait to help you succeed in managing your organization's finances!", + "event_type":"in_person", + "start_time":"2026-03-26 21:00:00", + "end_time":"2026-03-27 00:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"8e17cd16-affc-4d45-bded-cd255ab86c10", + "club_id":"f4202b64-fea3-4c86-81b6-f013fcf8368e", + "name":"Event for Student Activities Business Office (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us for our annual 'Finance 101' Workshop hosted by the Student Activities Business Office (Campus Resource)! Whether you're a seasoned treasurer or new to managing finances for your student organization, this workshop is tailored to provide you with the tools and knowledge to navigate the financial side of running a successful club. Our friendly staff will guide you through budget planning, fundraising strategies, and proper documentation to ensure your club's financial success. Come learn and mingle with other student leaders in a welcoming environment! Refreshments will be provided. Mark your calendars for this informative event happening on [date] from [time] to [time]. See you there!", + "event_type":"virtual", + "start_time":"2026-10-04 21:15:00", + "end_time":"2026-10-05 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"0fe6b861-a00b-4112-8a76-487087f5bc83", + "club_id":"786bc64f-772b-408b-8fb2-deec7a2d1614", + "name":"Event for Student Affiliates of School Psychology", + "preview":"This club is holding an event.", + "description":"Join the Student Affiliates of School Psychology (SASP) for a fun and engaging mixer event! Meet fellow graduate students from the school psychology program and connect with like-minded individuals who share a passion for advocacy and social justice. Hear about exciting upcoming initiatives focused on building a strong student community, advocating for high-quality training, and fostering collaboration with both students and faculty. Whether you're new to SASP or a returning member, this event is the perfect opportunity to network, learn, and be a part of our inclusive and supportive community!", + "event_type":"virtual", + "start_time":"2024-05-21 21:00:00", + "end_time":"2024-05-22 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Psychology", + "Social Justice" + ] + }, + { + "id":"718c5325-8dbe-41c9-b215-7b7855163eba", + "club_id":"0e311fb4-ab90-44e1-ab21-5ad4710ecbc3", + "name":"Event for Student Affiliates of the American Chemical Society", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening with the Student Affiliates of the American Chemical Society! Our club welcomes all students passionate about chemistry and related fields. This event offers a unique opportunity to connect with like-minded peers, as we dive into the fascinating world of chemistry through interactive discussions and presentations. Don't miss out on the chance to learn from industry experts and broaden your knowledge in a vibrant and supportive atmosphere. Whether you're a seasoned chemist or just curious about the subject, this event promises to be both enriching and enjoyable. See you there!", + "event_type":"in_person", + "start_time":"2026-05-12 18:00:00", + "end_time":"2026-05-12 22:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Science" + ] + }, + { + "id":"91c13324-61c0-4dd1-8778-baae82531efb", + "club_id":"c643246d-e60e-4773-b63f-354ed017e633", + "name":"Event for Student Alliance for Prison Reform", + "preview":"This club is holding an event.", + "description":"Join the Student Alliance for Prison Reform at Northeastern for an eye-opening Movie Night event focused on raising awareness about the impacts of mass incarceration. This interactive session will feature a thought-provoking documentary followed by a discussion where attendees can share viewpoints and learn from each other. Whether you're a seasoned advocate or new to the cause, all are welcome to participate in this educational and engaging event. Don't miss this opportunity to deepen your understanding of the prison system and contribute to the conversation for positive change!", + "event_type":"virtual", + "start_time":"2025-07-22 12:15:00", + "end_time":"2025-07-22 13:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Prison Reform", + "Education", + "Community Outreach", + "HumanRights" + ] + }, + { + "id":"126b4af1-5f4c-485e-92af-728b97a1cad5", + "club_id":"c643246d-e60e-4773-b63f-354ed017e633", + "name":"Event for Student Alliance for Prison Reform", + "preview":"This club is holding an event.", + "description":"Join the Student Alliance for Prison Reform for an eye-opening movie night event as we screen a thought-provoking documentary exploring the impact of mass incarceration on communities. Engage in meaningful discussions with fellow attendees, broaden your understanding of the prison system, and learn how you can be an advocate for change. This event is open to all students passionate about social justice and eager to make a difference. We look forward to seeing you there!", + "event_type":"in_person", + "start_time":"2026-02-01 21:00:00", + "end_time":"2026-02-02 01:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "HumanRights" + ] + }, + { + "id":"cf26629e-26ba-42fc-a7e3-859de0119ba9", + "club_id":"c643246d-e60e-4773-b63f-354ed017e633", + "name":"Event for Student Alliance for Prison Reform", + "preview":"This club is holding an event.", + "description":"Join the Student Alliance for Prison Reform for an eye-opening movie night event focusing on the impact of mass incarceration on marginalized communities. Engage in insightful discussions and share your thoughts on the issues presented in the film, while enjoying free snacks and drinks in a welcoming environment. This event is a great opportunity to learn, connect with like-minded peers, and become more informed about the complexities of the prison system. Mark your calendars and invite your friends to join us for an enlightening evening!", + "event_type":"hybrid", + "start_time":"2025-09-02 13:15:00", + "end_time":"2025-09-02 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Prison Reform", + "HumanRights" + ] + }, + { + "id":"f13515a0-741a-44d6-8a31-dd6c7dd9f85d", + "club_id":"578b4cd1-1d50-4b3a-8099-28e7d743f540", + "name":"Event for Student Bar Association", + "preview":"This club is holding an event.", + "description":"Join the Student Bar Association for a night of networking and fun at our annual mixer event! Meet fellow students, connect with SBA representatives, and learn more about how we advocate for your needs at NUSL. Enjoy delicious refreshments, engaging conversations, and exciting opportunities to get involved in student-centered programming initiatives. Don't miss out on this chance to be a part of our supportive community and make your voice heard!", + "event_type":"hybrid", + "start_time":"2026-05-01 12:00:00", + "end_time":"2026-05-01 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Legal Advocacy" + ] + }, + { + "id":"6fee4445-a9d5-4f38-9e79-30cce3ebd10c", + "club_id":"578b4cd1-1d50-4b3a-8099-28e7d743f540", + "name":"Event for Student Bar Association", + "preview":"This club is holding an event.", + "description":"Join the Student Bar Association for an exciting evening of networking and fun! This event will provide a platform for students to engage with the SBA team and learn how they advocate for NUSL students. Come meet your peers, share your ideas, and discover the various ways you can get involved in creating a more unified community at NUSL. Be a part of the conversation, connect with like-minded individuals, and be empowered to make a difference in your law school experience. Don't miss this opportunity to be a part of something bigger and contribute to shaping a positive student experience. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2026-08-19 16:00:00", + "end_time":"2026-08-19 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"c9c2d377-730f-481a-9d76-f767b0b33a7d", + "club_id":"578b4cd1-1d50-4b3a-8099-28e7d743f540", + "name":"Event for Student Bar Association", + "preview":"This club is holding an event.", + "description":"Join the Student Bar Association at NUSL for an engaging evening focused on advocating for student voices and fostering a more unified community! This event will highlight the SBA's mission to collaborate with the NUSL administration, address student concerns, and provide a platform for student organizations. Come be a part of the conversation and learn how you can contribute to creating a supportive and inclusive environment for all students at NUSL!", + "event_type":"virtual", + "start_time":"2026-03-16 22:30:00", + "end_time":"2026-03-17 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Student Organization", + "Law", + "Community Outreach", + "Legal Advocacy" + ] + }, + { + "id":"716db9e2-eb47-4dc1-a366-f7b8c27f7656", + "club_id":"07419d4f-5a15-4707-9b39-209018dd9c69", + "name":"Event for Student Conduct Board (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join the Student Conduct Board for an engaging evening of student-led justice! As a key campus resource, we provide a fair and supportive environment for undergraduates, graduates, Law, and Professional students facing alleged violations of the Code of Student Conduct. Our diverse board welcomes all majors, experience levels, and backgrounds, creating a rich atmosphere for discussion and learning. Whether you're interested in observing a hearing or taking an active role, you'll find a warm and inclusive community here. Come be a part of shaping a campus culture built on accountability and mutual respect!", + "event_type":"hybrid", + "start_time":"2024-08-19 18:00:00", + "end_time":"2024-08-19 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Law" + ] + }, + { + "id":"2e6bd229-8c92-4480-aaf7-90091960554c", + "club_id":"14b50f92-8eb2-4073-a0c0-b0cfb31b2d75", + "name":"Event for Student Garden Club", + "preview":"This club is holding an event.", + "description":"Join the Student Garden Club for our upcoming 'Succulent Soiree' event! Get ready to roll up your sleeves and pot some adorable succulents while bonding with fellow plant enthusiasts. Our experienced members will be on hand to guide you through the process of planting and caring for these little green wonders. Whether you're a seasoned succulent whisperer or looking to dip your toes into the world of gardening, this event is perfect for all skill levels. Not only will you leave with a new plant companion, but also with new friends who share your passion for all things botanical. Come join us for an afternoon of fun, learning, and growing together!", + "event_type":"in_person", + "start_time":"2025-12-10 19:30:00", + "end_time":"2025-12-10 21:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Environmental Science" + ] + }, + { + "id":"02b763cc-4791-4993-b0cb-0cfe21e1e70b", + "club_id":"14b50f92-8eb2-4073-a0c0-b0cfb31b2d75", + "name":"Event for Student Garden Club", + "preview":"This club is holding an event.", + "description":"Join the Student Garden Club for a Spring Planting Party! Dive into the world of gardening with us as we roll up our sleeves and get down in the dirt together. This event is perfect for both seasoned plant parents and newcomers looking to cultivate their green thumbs. We'll be potting vibrant flowers, planting a variety of vegetables, and sharing tips on plant care and maintenance. Let's bond over our love for all things botanical and sow the seeds of new friendships. See you there as we grow, learn, and bloom together!", + "event_type":"hybrid", + "start_time":"2024-09-07 23:00:00", + "end_time":"2024-09-08 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Environmental Science", + "Community Outreach", + "Volunteerism", + "Gardening" + ] + }, + { + "id":"db187cc4-dae6-49a5-9fd8-827c47a9e522", + "club_id":"753e4fdb-da08-4ebc-bdf9-0ebed8203d91", + "name":"Event for Student Government Association", + "preview":"This club is holding an event.", + "description":"Join us for a fun and interactive town hall event hosted by the Student Government Association! This is your chance to voice your opinions, share your ideas, and connect with fellow undergraduate students in a welcoming and inclusive environment. Our dedicated Student Senate members and committee representatives will be there to listen to your feedback, address your concerns, and provide updates on the latest initiatives happening within the Northeastern community. Don't miss this opportunity to be part of shaping your Northeastern Experience \u2013 together, we can make a difference! Follow us on Instagram at @northeasternsga for event updates and more exciting news!", + "event_type":"in_person", + "start_time":"2025-10-28 22:15:00", + "end_time":"2025-10-29 00:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Journalism", + "Volunteerism", + "HumanRights" + ] + }, + { + "id":"58b5e79b-e116-498f-8bcb-cd300dea28a2", + "club_id":"753e4fdb-da08-4ebc-bdf9-0ebed8203d91", + "name":"Event for Student Government Association", + "preview":"This club is holding an event.", + "description":"Join the Student Government Association for an exciting evening of student empowerment and community engagement! Come meet fellow students, share your ideas, and learn how you can make a difference in shaping the Northeastern experience. Whether you're passionate about student advocacy, campus events, or financial matters, there's a place for you in the Student Senate, committees, Finance Board, or Student Involvement Board. Our welcoming and inclusive environment encourages everyone to get involved and be a part of positive change. Follow us on Instagram at @northeasternsga, @sgacampuslife, and @sgastudentlife for updates and to connect with like-minded peers. See you there!", + "event_type":"in_person", + "start_time":"2026-07-06 14:15:00", + "end_time":"2026-07-06 15:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Environmental Advocacy", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"6adbf47b-3298-4746-b80c-1d8ed9df9e2a", + "club_id":"753e4fdb-da08-4ebc-bdf9-0ebed8203d91", + "name":"Event for Student Government Association", + "preview":"This club is holding an event.", + "description":"Join the Student Government Association for a fun and engaging Town Hall meeting where you can share your ideas, concerns, and aspirations for the campus community. This interactive session is a perfect opportunity to connect with your fellow students, learn about ongoing initiatives, and get involved in shaping the future of your Northeastern Experience. Don't miss out on this chance to make your voice heard and be a part of the positive changes happening on campus. Follow our Instagram accounts @northeasternsga, @sgacampuslife, and @sgastudentlife for more updates and ways to get engaged!", + "event_type":"virtual", + "start_time":"2025-12-25 22:00:00", + "end_time":"2025-12-26 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Environmental Advocacy" + ] + }, + { + "id":"bb97affd-a070-4bec-b5e7-376c21f90e87", + "club_id":"5125f4ee-51f1-4398-bb85-40b73fa463c0", + "name":"Event for Student National Pharmaceutical Association", + "preview":"This club is holding an event.", + "description":"Join the Student National Pharmaceutical Association for our upcoming Health Fair community event! We're excited to offer free health screenings, educational sessions on medication management, and opportunities to meet pharmacy students dedicated to serving minority communities. Our goal is to provide resources and support to improve the health and well-being of all attendees. Don't miss out on this enriching experience that promotes a healthier future for everyone. For more updates and details, be sure to follow us on Instagram @nuspha!", + "event_type":"in_person", + "start_time":"2024-04-22 17:30:00", + "end_time":"2024-04-22 21:30:00", + "link":"", + "location":"West Village H", + "tags":[ + "Education", + "Minority Communities" + ] + }, + { + "id":"97f82248-04a4-43f1-85f3-fb958e0a454a", + "club_id":"5125f4ee-51f1-4398-bb85-40b73fa463c0", + "name":"Event for Student National Pharmaceutical Association", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening as the Student National Pharmaceutical Association hosts a Health Fair aimed at promoting wellness and education in underserved communities. Learn about important healthcare issues, participate in interactive activities, and connect with pharmacy students dedicated to making a positive impact. Whether you're passionate about healthcare or looking to support minority representation in the field, this event is the perfect opportunity to get involved and make a difference. Don't miss out on this opportunity to learn, grow, and contribute to community health! Stay updated by following us on Instagram @nuspha.", + "event_type":"virtual", + "start_time":"2026-04-10 12:00:00", + "end_time":"2026-04-10 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Healthcare Issues" + ] + }, + { + "id":"e9620f10-6ca5-4634-afb8-355d03bb21d6", + "club_id":"5125f4ee-51f1-4398-bb85-40b73fa463c0", + "name":"Event for Student National Pharmaceutical Association", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming community health fair hosted by the Student National Pharmaceutical Association! This event aims to provide valuable health screenings, medication education, and resources to empower individuals in minority communities. Come learn about the importance of healthcare, meet our dedicated pharmacy student volunteers, and gain insights into opportunities for improving your well-being. Enjoy a fun and informative day filled with activities, giveaways, and a chance to connect with like-minded individuals passionate about making a positive impact on health disparities. Stay in the loop by following us on Instagram @nuspha for all the latest updates and event details. We can't wait to see you there!", + "event_type":"hybrid", + "start_time":"2024-08-09 12:15:00", + "end_time":"2024-08-09 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Education", + "Healthcare Issues", + "Minority Communities" + ] + }, + { + "id":"be8906b4-936f-4055-a138-9bb0fd2e5a9e", + "club_id":"449d16d9-2b78-4ee0-a0af-e4e1b288ce74", + "name":"Event for Student Nurse Anesthetist Association", + "preview":"This club is holding an event.", + "description":"Join us for an engaging panel discussion on the future of nurse anesthetist practice, featuring esteemed professionals in the field sharing insights and experiences. This event provides a unique opportunity for SRNAs to network, learn, and collaborate on advancements in anesthesia care. Whether you're a seasoned SRNA or just starting your journey, this event promises to spark inspiration and foster a sense of camaraderie within the SNAA community. Get ready to expand your knowledge, make new connections, and be part of shaping the future of nurse anesthetist practice!", + "event_type":"hybrid", + "start_time":"2025-09-12 17:30:00", + "end_time":"2025-09-12 21:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Networking", + "Healthcare", + "Community Outreach" + ] + }, + { + "id":"bf1ee0a7-7f7a-403e-b351-9fc64ad78d7b", + "club_id":"449d16d9-2b78-4ee0-a0af-e4e1b288ce74", + "name":"Event for Student Nurse Anesthetist Association", + "preview":"This club is holding an event.", + "description":"Join the Student Nurse Anesthetist Association (SNAA) for a lively gathering focused on enhancing wellness and fostering community among Student Registered Nurse Anesthetists (SRNAs) at Northeastern! This event is a fantastic opportunity to connect with your fellow SRNAs, participate in engaging activities, and gain access to valuable resources to support you on your academic and professional journey. Whether you're a seasoned SRNA or just starting out, everyone is welcome to come together and strengthen communication across different cohorts. Don't miss out on an evening filled with support, networking, and fun interactions that will leave you feeling inspired and empowered!", + "event_type":"hybrid", + "start_time":"2025-11-02 19:15:00", + "end_time":"2025-11-02 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Networking", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"6a4b244a-5111-428e-a6f0-3b4c75bef14e", + "club_id":"32cc4579-353f-409d-beff-6403774ce151", + "name":"Event for Student Organ Donation Advocates at Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for our Virtual Donor Drive event where we will come together as a community to learn about the impact of organ and tissue donation. This interactive session will feature guest speakers sharing their personal stories, informative presentations on the donation process, and opportunities to register as donors right from the comfort of your home. Help us save lives by spreading awareness and taking the first step towards making a difference. All are welcome to attend and be a part of this important cause!", + "event_type":"virtual", + "start_time":"2025-01-18 21:30:00", + "end_time":"2025-01-18 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "HumanRights", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"7841a00d-dc78-4095-becf-1abdedd18a7d", + "club_id":"b4d6d09c-1339-47dd-8dcd-392c4ed13901", + "name":"Event for Student Value Fund", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening evening with the Student Value Fund! Dive into the world of value investing as we discuss our latest long-only investment opportunities and how we analyze intrinsic value. Whether you're a seasoned investor or just curious about the financial markets, this event is a perfect opportunity to learn from our experienced student team. Come see firsthand how we embody Northeastern's values of experiential learning by applying theory to real-world investing. We can't wait to share our passion for investing with you!", + "event_type":"hybrid", + "start_time":"2025-05-19 15:00:00", + "end_time":"2025-05-19 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Student Organization" + ] + }, + { + "id":"b7a16505-6325-4934-9c52-b6d35526bd9c", + "club_id":"b4d6d09c-1339-47dd-8dcd-392c4ed13901", + "name":"Event for Student Value Fund", + "preview":"This club is holding an event.", + "description":"Join the Student Value Fund for an insightful workshop on value investing strategies! This event is perfect for students interested in learning more about identifying undervalued investment opportunities and applying theoretical knowledge to real-world practice. Gain valuable insights on how the fund aims to outperform the S&P 500 while embodying Northeastern's commitment to experiential learning. Meet like-minded peers, engage in lively discussions, and leave with practical knowledge to kickstart your journey into the world of value investing!", + "event_type":"in_person", + "start_time":"2024-11-18 19:15:00", + "end_time":"2024-11-18 23:15:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Experiential Learning", + "University Fund", + "Finance", + "Value Investing" + ] + }, + { + "id":"4183d2f3-c23a-436e-8589-92bb273cbdf0", + "club_id":"b4d6d09c-1339-47dd-8dcd-392c4ed13901", + "name":"Event for Student Value Fund", + "preview":"This club is holding an event.", + "description":"Come join the Student Value Fund for an engaging evening of learning and networking! Our event will feature guest speakers sharing insights about value investing and opportunities in the market. Whether you're a seasoned investor or just curious about finance, this is the perfect opportunity to connect with like-minded individuals and expand your knowledge. We welcome everyone to join us for an interactive discussion and discover how you can get involved with our mission of applying theory into practice through value-oriented investing. See you there!", + "event_type":"virtual", + "start_time":"2024-05-26 21:00:00", + "end_time":"2024-05-27 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Student Organization", + "Investments" + ] + }, + { + "id":"b2ea2ce6-5821-466d-ada3-e6bf101c5919", + "club_id":"59e8ea90-f68d-49d1-91d5-585523f6aee7", + "name":"Event for Student Veterans Organization", + "preview":"This club is holding an event.", + "description":"Join us for our monthly networking event at the Student Veterans Organization! Connect with fellow student veterans and service member students while enjoying free refreshments and informative guest speakers. Learn about the latest resources and opportunities available to support your academic and personal success at Northeastern University. Whether you're a new member or a seasoned SVO supporter, this event is a great way to build lasting relationships and stay updated on all of our upcoming activities. Don't miss out - mark your calendar and invite your friends to join us for an evening of camaraderie and community building!", + "event_type":"hybrid", + "start_time":"2024-02-24 18:30:00", + "end_time":"2024-02-24 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Veterans" + ] + }, + { + "id":"4b394313-e610-470d-86c5-ceecb852eace", + "club_id":"a4c0b5cb-d994-4d49-88c7-fb59ba5b2f20", + "name":"Event for Students Demand Action at NEU", + "preview":"This club is holding an event.", + "description":"Join Students Demand Action at NEU for an engaging panel discussion on the impact of gun violence in our community, featuring guest speakers from local advocacy groups and survivors. Connect with like-minded individuals who are passionate about promoting common sense gun laws and creating safer communities for all. Learn about ways to get involved in our grassroots efforts to make a difference, from voter registration drives to educational workshops. Be a part of the movement to end gun violence and ensure a brighter future for generations to come!", + "event_type":"hybrid", + "start_time":"2025-11-19 22:00:00", + "end_time":"2025-11-20 01:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "HumanRights", + "Environmental Advocacy", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"a7d126cf-5e65-4558-a7a1-1cdd850dc1da", + "club_id":"a4c0b5cb-d994-4d49-88c7-fb59ba5b2f20", + "name":"Event for Students Demand Action at NEU", + "preview":"This club is holding an event.", + "description":"Join Students Demand Action at NEU for an engaging community event where we will discuss the importance of advocating for common sense gun laws at the local, state, and federal levels. Meet like-minded individuals who are passionate about ending gun violence, hear from inspiring survivor voices, and learn how you can make a difference by registering voters and endorsing gun sense political candidates. Whether you're a student, community member, or activist, this event is an opportunity to come together and take meaningful action in the fight against gun violence. Together, we can create a safer and more compassionate future for all.", + "event_type":"in_person", + "start_time":"2024-04-14 12:00:00", + "end_time":"2024-04-14 15:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"9eac69c6-74f7-4f34-a8c9-bb62dcff6008", + "club_id":"5d99a388-9c07-4f64-8853-7782656de36c", + "name":"Event for Students for Justice in Palestine", + "preview":"This club is holding an event.", + "description":"Join Students for Justice in Palestine for an enlightening panel discussion on the historical context and current challenges facing Palestinians in the West Bank and Gaza. Our guest speakers will shed light on the importance of Palestinian self-determination and the impact of the Israeli occupation on the daily lives of Palestinians. This event aims to foster meaningful conversations and provide attendees with a deeper understanding of the issues at hand. All are welcome to participate in this educational and respectful dialogue as we continue to advocate for justice and human rights for the Palestinian people.", + "event_type":"virtual", + "start_time":"2025-01-18 23:30:00", + "end_time":"2025-01-19 02:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "HumanRights", + "SocialJustice" + ] + }, + { + "id":"d0cc069d-337e-49ab-aba0-b8d2259abc66", + "club_id":"5d99a388-9c07-4f64-8853-7782656de36c", + "name":"Event for Students for Justice in Palestine", + "preview":"This club is holding an event.", + "description":"Join Students for Justice in Palestine at Northeastern University for an evening of enlightening discussions and cultural exchange! Our event will focus on exploring the rich history and current challenges faced by Palestinians in the West Bank and Gaza. Engage with passionate speakers as they shed light on the fight for Palestinian self-determination and the quest for peace in the region. Enjoy an open and inclusive atmosphere where different perspectives are welcome, and where we can learn from each other. Together, let's envision a future where all people live free from oppression and discrimination.", + "event_type":"in_person", + "start_time":"2025-10-06 15:00:00", + "end_time":"2025-10-06 16:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Journalism", + "SocialJustice" + ] + }, + { + "id":"8793e907-9e0c-4b69-aaa5-63a6e50bd947", + "club_id":"488aaaab-646f-47e3-84a9-31968b965376", + "name":"Event for Students for the Exploration and Development of Space of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening under the stars at our upcoming stargazing event! At Students for the Exploration and Development of Space of Northeastern University, we love sharing our passion for space exploration with our community. This event is a perfect opportunity to connect with fellow space enthusiasts, hear captivating stories from our members' co-op experiences at top aerospace companies, and engage in lively discussions about the latest technical news and aerospace advancements. Whether you're a seasoned stargazer or a newcomer to the wonders of the universe, all are welcome to join us for a night of inspiration and discovery. See you there!", + "event_type":"hybrid", + "start_time":"2024-02-23 20:30:00", + "end_time":"2024-02-24 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Student Development", + "STEM", + "Diversity" + ] + }, + { + "id":"b2dcd57c-c795-49bb-8d5e-73b03f102576", + "club_id":"488aaaab-646f-47e3-84a9-31968b965376", + "name":"Event for Students for the Exploration and Development of Space of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at our next event, Space Exploration Night, where we will gather under the stars for a captivating evening of stargazing and aerospace discussions. Immerse yourself in the wonders of the cosmos as our members share captivating stories from their aerospace co-ops and delve into the latest technical news and aerospace topics. Whether you're a seasoned stargazer or a budding space enthusiast, this event is the perfect opportunity to connect with like-minded individuals, learn something new, and embrace the endless possibilities of space exploration. Come be a part of our diverse and inclusive space-loving community!", + "event_type":"hybrid", + "start_time":"2025-09-18 18:30:00", + "end_time":"2025-09-18 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Research Competitions" + ] + }, + { + "id":"e09d4ddd-8ce3-4198-85e0-1be5efd288bd", + "club_id":"488aaaab-646f-47e3-84a9-31968b965376", + "name":"Event for Students for the Exploration and Development of Space of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at our next stargazing and co-op showcase event where members of the Students for the Exploration and Development of Space of Northeastern University club gather under the night sky to share their internship experiences in leading aerospace companies. Engage in lively discussions about the latest technical news and aerospace topics while enjoying the beauty of the stars above. Whether you're a seasoned space enthusiast or just starting your journey into the cosmos, our welcoming community is ready to inspire and support you on your exploration of the universe.", + "event_type":"virtual", + "start_time":"2025-10-17 16:00:00", + "end_time":"2025-10-17 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Aerospace", + "STEM", + "Space Exploration", + "Networking", + "Research Competitions", + "Community", + "Diversity", + "Student Development" + ] + }, + { + "id":"7b9856cd-ce37-4272-8c1d-ad9aa605f9eb", + "club_id":"10154c7f-7a54-44f2-b6aa-fe5c8d11b83a", + "name":"Event for Students to Seniors", + "preview":"This club is holding an event.", + "description":"Join Students to Seniors for our upcoming 'Memory Lane Garden Party' event, where we will gather to enjoy a beautiful afternoon filled with laughter, stories, and gardening activities alongside our beloved seniors. This special event aims to enhance cognitive skills, promote social connections, and create lasting memories for both youths and elders. Our friendly volunteers will guide attendees in planting flowers, sharing experiences, and fostering new friendships in a welcoming and inclusive environment. As we nurture our community garden, we also nurture our relationships and minds, all while learning more about the importance of mental stimulation in combating neurodegeneration. Come be part of this enriching experience that celebrates the wisdom and vitality of our seniors while creating a brighter future together!", + "event_type":"hybrid", + "start_time":"2025-11-10 17:15:00", + "end_time":"2025-11-10 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Neuroscience", + "HumanRights" + ] + }, + { + "id":"6f96f417-0d14-4937-860c-473635851e2a", + "club_id":"10154c7f-7a54-44f2-b6aa-fe5c8d11b83a", + "name":"Event for Students to Seniors", + "preview":"This club is holding an event.", + "description":"Come join us at Students to Seniors for our upcoming 'Memory Lane Tea Party' event! Enjoy a delightful afternoon of tea, snacks, and engaging conversations with our beloved senior members. Take part in memory-boosting activities and share stories as we foster meaningful connections between students and the elderly. Learn about the importance of social interaction in promoting healthy aging and the impact of environmental enrichment on brain health. Our volunteers will be on hand to guide you through the event while ensuring a warm and inclusive atmosphere for everyone. Let's make memories together and support our community's seniors in a fun and enriching way!", + "event_type":"hybrid", + "start_time":"2026-09-23 17:00:00", + "end_time":"2026-09-23 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Psychology", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"4cb02a33-9421-48d8-bed3-ee12832c8bcc", + "club_id":"17dffb72-72ab-4265-a9bb-3043cd06df68", + "name":"Event for Studio Art Club", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming 'Painting Party' event at Studio Art Club! No art experience? No problem! This fun and relaxing event is perfect for anyone looking to unwind, get creative, and meet new friends. We'll provide all the materials you need to unleash your inner artist, whether you prefer watercolors, acrylics, or oils. Our experienced instructors will be on hand to guide you through creating your own masterpiece, or feel free to go freestyle and experiment with different techniques. Come ready to express yourself, enjoy the soothing vibes of the art studio, and take home a beautiful piece that you can be proud of. We can't wait to see your creativity shine!", + "event_type":"in_person", + "start_time":"2024-03-25 13:00:00", + "end_time":"2024-03-25 14:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Visual Arts", + "Music", + "Creative Writing" + ] + }, + { + "id":"83bb68cc-1b49-4063-a3be-b008c642fd04", + "club_id":"17dffb72-72ab-4265-a9bb-3043cd06df68", + "name":"Event for Studio Art Club", + "preview":"This club is holding an event.", + "description":"Join the Studio Art Club for a creativity-filled evening of painting and drawing! Whether you're a seasoned artist or just beginning, this event is the perfect opportunity to express yourself and connect with fellow art enthusiasts. We'll provide all the materials you need to unleash your imagination, so come ready to relax, have fun, and let your inner artist shine. No experience necessary, just bring your passion for art and we'll take care of the rest. See you there!", + "event_type":"in_person", + "start_time":"2026-05-21 14:30:00", + "end_time":"2026-05-21 17:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Creative Writing", + "Music" + ] + }, + { + "id":"7b368090-e5a7-4687-af21-3026ad8811c3", + "club_id":"ed196dd2-5a02-4e4c-a6d8-076c119b2586", + "name":"Event for Sunrise Northeastern", + "preview":"This club is holding an event.", + "description":"Join Sunrise Northeastern for an engaging community discussion on shaping a sustainable future at Northeastern. This event will feature interactive sessions on climate research, educational workshops on the Green New Deal, and collaborative efforts with other social justice clubs. Whether you're a seasoned climate advocate or new to the movement, this gathering promises to be an inclusive space where you can learn, connect, and take meaningful action towards a greener and more equitable campus environment. Don't miss this opportunity to be part of a passionate community dedicated to creating positive change at Northeastern!", + "event_type":"in_person", + "start_time":"2024-11-06 22:00:00", + "end_time":"2024-11-07 00:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Social Justice", + "Environmental Science", + "Environmental Advocacy" + ] + }, + { + "id":"6ea90836-81cb-4064-a36c-06dbbcedf2a6", + "club_id":"04df4df1-3d58-4138-90ff-a60e374b5550", + "name":"Event for Super Smash Bros Club", + "preview":"This club is holding an event.", + "description":"Join us this Friday for an electrifying Super Smash Bros Ultimate tournament! Whether you're a seasoned competitor or a casual player, our welcoming community is eager to challenge and cheer you on. Gather with fellow gamers at the club, where fierce battles and unforgettable moments await. Don't miss this opportunity to showcase your skills, make new friends, and bask in the thrill of victory! See you there!", + "event_type":"virtual", + "start_time":"2026-08-24 12:00:00", + "end_time":"2026-08-24 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Discord", + "Community Outreach", + "Gaming" + ] + }, + { + "id":"1f2f960c-afdf-45a3-9e0f-d7fb9f4aa8e8", + "club_id":"04df4df1-3d58-4138-90ff-a60e374b5550", + "name":"Event for Super Smash Bros Club", + "preview":"This club is holding an event.", + "description":"Join us this upcoming Friday for our energetic Smash Ultimate tournament! Bring your A-game and compete with fellow club members for a chance to showcase your skills and earn some epic bragging rights. Whether you're a seasoned player or just starting out, our inclusive and welcoming environment ensures a fun and engaging experience for everyone. Don't miss out on the excitement - mark your calendar and get ready to smash your way to victory with the Super Smash Bros Club!", + "event_type":"in_person", + "start_time":"2024-05-08 23:00:00", + "end_time":"2024-05-09 03:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Tournaments", + "Gaming", + "Discord" + ] + }, + { + "id":"bf891fff-241b-4f67-9a07-6aaff0ab5e64", + "club_id":"43a7d0ed-5b73-4317-9b3a-b87ecfcf9a6a", + "name":"Event for Surf Club", + "preview":"This club is holding an event.", + "description":"Join us this Saturday for a thrilling Surfing 101 workshop at our beloved Surf Club! Whether you're a total beginner or a seasoned pro, our experienced instructors will guide you through the waves with enthusiasm and patience. Make new friends, catch some epic waves, and immerse yourself in the vibrant surfing community here at Northeastern Campus. After the session, we'll gather for a beach cleanup to give back to our beautiful coastline. Don't miss out on the chance to learn, laugh, and enjoy some delicious pizza together! See you there!", + "event_type":"hybrid", + "start_time":"2025-07-05 16:15:00", + "end_time":"2025-07-05 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Environmental Advocacy", + "Hiking", + "Community Outreach", + "Sustainability", + "Ocean Conservation" + ] + }, + { + "id":"8df40524-db92-4c7f-aa07-0c3663eb170e", + "club_id":"e9699a87-d831-49a6-89c6-60e0c64d3db0", + "name":"Event for Survivor: Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for a thrilling Tribal Challenge Night event where students gather to compete in fun and strategic challenges inspired by the hit TV show Survivor. Test your teamwork and problem-solving skills as you vie for immunity and participate in a mock tribal council. Whether you're a superfan or new to the Survivor world, this event is a fantastic way to experience the excitement of the show in a friendly and inclusive environment. Don't miss out on the chance to bond with fellow students and immerse yourself in the Survivor: Northeastern community!", + "event_type":"in_person", + "start_time":"2026-12-21 22:30:00", + "end_time":"2026-12-22 02:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Broadcasting" + ] + }, + { + "id":"ac275f58-5500-4f4d-a484-3f5dfdc93398", + "club_id":"e9699a87-d831-49a6-89c6-60e0c64d3db0", + "name":"Event for Survivor: Northeastern", + "preview":"This club is holding an event.", + "description":"Join Survivor: Northeastern for our exciting tribal challenge event, where students from all backgrounds come together to test their physical and mental abilities in a friendly and competitive setting. Cheer on your tribe as they compete for immunity and strategize during tribal councils. Whether you're a seasoned contestant or new to the game, this event is the perfect opportunity to experience the thrill of Survivor while making new friends and memories. Don't miss out on this unique opportunity to be a part of our dynamic community - visit our social media, YouTube page, and website to learn more and get involved!", + "event_type":"hybrid", + "start_time":"2024-12-25 21:15:00", + "end_time":"2024-12-26 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "LGBTQ", + "Performing Arts", + "Broadcasting" + ] + }, + { + "id":"0fd8e2b3-90c5-46e5-accb-09584ebbab24", + "club_id":"4648b636-2054-4adf-bbb4-11ba42bc25eb", + "name":"Event for Sustainable Transportation @ Northeastern ", + "preview":"This club is holding an event.", + "description":"Join Sustainable Transportation @ Northeastern for an exciting evening featuring a panel discussion on the future of electric scooters in urban environments. Our expert panelists will share insights on the benefits and challenges of integrating e-scooters into city transportation systems, and how they align with sustainability goals. Whether you're a seasoned rider or new to the e-scooter scene, this event is a great opportunity to learn, ask questions, and connect with like-minded individuals passionate about sustainable transportation. Don't miss out on this engaging discussion that aims to inspire positive change in our community!", + "event_type":"hybrid", + "start_time":"2026-07-19 12:00:00", + "end_time":"2026-07-19 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Bike Enthusiasts @ Northeastern", + "PublicRelations", + "Environmental Advocacy", + "Sustainable Transportation" + ] + }, + { + "id":"edcf65c9-18c7-49f0-9ba5-dcdb30499bcb", + "club_id":"4648b636-2054-4adf-bbb4-11ba42bc25eb", + "name":"Event for Sustainable Transportation @ Northeastern ", + "preview":"This club is holding an event.", + "description":"Join Sustainable Transportation @ Northeastern for our upcoming event 'Commute with Confidence'! We will be hosting a panel discussion featuring experts in the transportation field who will share valuable insights on navigating Boston's transit system sustainably and safely. This interactive event will also include a bike maintenance workshop and free bike tune-ups for attendees. Whether you're a seasoned commuter or just starting your sustainable transportation journey, this event is perfect for anyone looking to enhance their transportation knowledge while connecting with like-minded individuals. Don't miss out on this opportunity to learn, network, and be inspired to make a positive impact on our community!", + "event_type":"hybrid", + "start_time":"2024-11-06 21:30:00", + "end_time":"2024-11-07 01:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Bike Enthusiasts @ Northeastern" + ] + }, + { + "id":"1692474e-75cb-43a8-86bb-37e91f002975", + "club_id":"cc26b6f3-1dc9-4834-b4b2-7a70d1efcdef", + "name":"Event for Suzanne B. Greenberg Physician Assistant Student Society of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an insightful seminar on the latest advancements in the field of primary care at Northeastern University's Suzanne B. Greenberg Physician Assistant Student Society event. Connect with fellow PA students and experienced healthcare professionals as we cover topics ranging from patient care strategies to navigating the job market post-graduation. Whether you're a seasoned PA student or just starting your journey, this event is the perfect opportunity to network, learn, and grow together in our shared mission of upholding integrity, professionalism, and excellence in healthcare practice.", + "event_type":"hybrid", + "start_time":"2025-11-01 14:00:00", + "end_time":"2025-11-01 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Education", + "Healthcare", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"9ba95894-3a07-493c-b57e-8e15d18109ba", + "club_id":"d9f7cacb-f8dc-4f49-83df-32e16d865b3a", + "name":"Event for Systematic Alpha", + "preview":"This club is holding an event.", + "description":"Join Systematic Alpha for an exciting workshop on applying machine learning in quantitative finance! Whether you're a data science guru, finance expert, or math aficionado, this event is the perfect opportunity to collaborate and learn from each other's unique perspectives. Dive deep into the intricacies of financial modeling and uncover cutting-edge investment strategies together with fellow enthusiasts. This interactive session promises to empower you with new skills, valuable insights, and a supportive community dedicated to pushing the boundaries of quantitative finance. Don't miss out on this enriching experience!", + "event_type":"hybrid", + "start_time":"2025-12-26 17:30:00", + "end_time":"2025-12-26 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Quantitative Finance" + ] + }, + { + "id":"85f58bb3-6990-4626-ac89-7a66d66b241c", + "club_id":"d9f7cacb-f8dc-4f49-83df-32e16d865b3a", + "name":"Event for Systematic Alpha", + "preview":"This club is holding an event.", + "description":"Join Systematic Alpha for an exciting evening of learning and networking! Our upcoming event, 'Quantitative Finance Unleashed,' will dive deep into the world of financial modeling, unveiling the secrets of innovative investment strategies. Whether you're a data enthusiast, a finance pro, or a math whiz, this event welcomes all backgrounds to explore the symbiosis between these fields. Engage in eye-opening workshops, participate in thought-provoking discussions, and collaborate on impactful projects alongside like-minded individuals. Step into a supportive and dynamic environment where you can enhance your skills, build lasting connections, and unlock the true potential of quantitative finance. See you there!", + "event_type":"hybrid", + "start_time":"2025-09-15 13:15:00", + "end_time":"2025-09-15 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Workshops", + "Quantitative Finance", + "Data Science", + "Mathematics" + ] + }, + { + "id":"d5e9d783-4ae6-4dcc-9f1e-e08c661c451a", + "club_id":"d9f7cacb-f8dc-4f49-83df-32e16d865b3a", + "name":"Event for Systematic Alpha", + "preview":"This club is holding an event.", + "description":"Join Systematic Alpha for an exciting workshop on Quantitative Finance Fundamentals! Whether you're a seasoned data scientist, a curious finance enthusiast, or a math whiz looking to dive into the world of financial modeling, this event is perfect for you. Our inclusive and vibrant community welcomes everyone interested in exploring innovative investment strategies through the lens of interdisciplinary collaboration. Engage in insightful discussions, participate in hands-on activities, and network with fellow members to unlock the potential of quantitative finance in a supportive and dynamic environment. Don't miss this opportunity to enhance your skills and be a part of a community that thrives on blending the best practices of Data Science, Finance, and Math!", + "event_type":"hybrid", + "start_time":"2024-07-15 12:00:00", + "end_time":"2024-07-15 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Workshops", + "Data Science", + "Collaboration", + "Finance", + "Quantitative Finance", + "Mathematics" + ] + }, + { + "id":"de3cbb39-90ee-43b4-96a9-8a245f526bc3", + "club_id":"61619887-a627-4844-bb5c-2a05b6ccde54", + "name":"Event for Taiwanese American Student Association", + "preview":"This club is holding an event.", + "description":"Join the Taiwanese American Student Association for a night of cultural immersion and celebration at our Taiwan Night extravaganza! Dive into the captivating traditions and flavors of Taiwan as we showcase a dynamic fusion of Taiwanese and American influences through engaging performances, interactive workshops, and delicious authentic cuisine. Whether you're a seasoned member or a newcomer, our vibrant community is ready to warmly welcome you with open arms as we come together to learn, share, and celebrate the beauty of our shared heritage. Don't miss this opportunity to connect with like-minded peers and experience the rich tapestry of Taiwanese and American cultures in a fun and inclusive environment!", + "event_type":"hybrid", + "start_time":"2024-09-11 23:15:00", + "end_time":"2024-09-12 03:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Asian American", + "Community Outreach", + "Cultural Diversity", + "Volunteerism" + ] + }, + { + "id":"0ba5db20-0445-4705-ae7b-7e3bbe1039ad", + "club_id":"61619887-a627-4844-bb5c-2a05b6ccde54", + "name":"Event for Taiwanese American Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled Taiwanese American cultural night at the Taiwanese American Student Association! Immerse yourself in a whirlwind of traditional Taiwanese music, delectable cuisine, and interactive activities that will transport you to the heart of Taiwan. Whether you're a seasoned fan of Taiwanese culture or simply curious to learn more, this event promises an engaging experience where you can forge new friendships and deepen your connection with the vibrant fusion of Taiwanese and American heritage. Come ready to embrace diversity, share stories, and create lasting memories with our warm and welcoming community!", + "event_type":"virtual", + "start_time":"2026-08-13 14:15:00", + "end_time":"2026-08-13 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Volunteerism", + "Cultural Diversity" + ] + }, + { + "id":"c2ae424b-3b71-49f7-a2ac-86e7294d5b40", + "club_id":"63adb6b3-825c-4472-ad47-1a800c6dbb82", + "name":"Event for TAMID Group at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for our annual Start-Up Showcase event hosted by the TAMID Group at Northeastern University! This event is a fantastic opportunity to meet and network with aspiring entrepreneurs, consultants, and finance professionals. Get inspired by innovative Israeli startups as they present their cutting-edge projects and share insights about the booming startup ecosystem in Tel-Aviv. Engage in thought-provoking discussions, participate in interactive workshops, and discover how you can get involved in our pro bono consulting program or stock pitch competition. Whether you're a seasoned entrepreneur or just curious about the world of startups, this event promises to be engaging and enlightening. Don't miss out on this exciting opportunity to connect, learn, and grow with like-minded individuals passionate about the Israeli startup scene!", + "event_type":"in_person", + "start_time":"2026-10-08 23:15:00", + "end_time":"2026-10-09 03:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Consulting", + "Stock Pitch", + "Startups", + "Israel", + "Internship", + "Finance" + ] + }, + { + "id":"0d73a58b-a65b-4382-8d09-2969ee73d541", + "club_id":"63adb6b3-825c-4472-ad47-1a800c6dbb82", + "name":"Event for TAMID Group at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join TAMID Group at Northeastern University for an engaging workshop on the fundamentals of stock pitching! Learn how to analyze market trends, assess company financials, and present a compelling investment thesis. Our team of experienced mentors will provide personalized feedback to help you refine your pitch and prepare for our upcoming stock pitch competition. Whether you're a seasoned finance enthusiast or new to the world of investing, this event is the perfect opportunity to hone your skills and connect with like-minded peers passionate about the Israeli startup ecosystem. Don't miss out on this valuable learning experience \u2013 RSVP now and secure your spot!", + "event_type":"virtual", + "start_time":"2026-05-21 20:00:00", + "end_time":"2026-05-21 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Internship", + "Consulting Program", + "Finance", + "Stock Pitch", + "Consulting" + ] + }, + { + "id":"282083b0-b7f6-464c-9d5c-f7734c234ea3", + "club_id":"63adb6b3-825c-4472-ad47-1a800c6dbb82", + "name":"Event for TAMID Group at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the TAMID Group at Northeastern University for an exciting evening of innovation and collaboration! Dive into the world of entrepreneurship, consulting, and finance as we explore the dynamic landscape of the Israeli startup ecosystem. Connect with like-minded peers and industry professionals as we showcase our pro bono consulting program working with top startups from Tel-Aviv. Be part of the action as we host a thrilling national stock pitch competition to select the next great companies for our portfolio. Plus, don't miss out on the opportunity to learn more about our exclusive summer internship program in Israel. Mark your calendars for an event that promises to inspire, educate, and empower you in the world of startups! RSVP now to secure your spot and stay tuned for updates on our Spring 2024 recruitment process!", + "event_type":"in_person", + "start_time":"2026-10-05 16:15:00", + "end_time":"2026-10-05 20:15:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Consulting Program", + "Israel", + "Internship", + "Consulting", + "Stock Pitch", + "Entrepreneurship", + "Finance" + ] + }, + { + "id":"4b8882e9-72d6-4f3b-83e5-29f06878a8aa", + "club_id":"87b9e057-8f39-4c2d-be78-8d5446fb229a", + "name":"Event for Tastemakers Magazine", + "preview":"This club is holding an event.", + "description":"Join us at Tastemakers Magazine for our upcoming Music Discovery Night! This event is the perfect opportunity to delve into new sounds, connect with fellow music enthusiasts, and expand your musical horizons. Whether you're a seasoned veteran or just starting to explore different genres, our cozy gathering promises lively discussions, shared playlists, and maybe even a surprise performance or two. We believe in creating a safe and inclusive space where everyone's unique music taste is celebrated. So, come along, bring your favorite vinyl record, and let's make some unforgettable memories together!", + "event_type":"hybrid", + "start_time":"2025-12-16 16:15:00", + "end_time":"2025-12-16 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Community Outreach", + "Visual Arts" + ] + }, + { + "id":"792aee10-c0d8-432b-8480-3025c7ded917", + "club_id":"87b9e057-8f39-4c2d-be78-8d5446fb229a", + "name":"Event for Tastemakers Magazine", + "preview":"This club is holding an event.", + "description":"Join us at Tastemakers Magazine for our monthly Meet-Up Mixer event, where music enthusiasts of all backgrounds can come together to share their passion, discover new artists, and connect with like-minded individuals. Whether you're a die-hard fan of indie rock, a pop music connoisseur, or an electronic music aficionado, there's a place for you here. Enjoy engaging discussions, live performances, and opportunities to get involved in our upcoming magazine issues and concert productions. Don't miss out on the chance to expand your network, broaden your music horizons, and embrace the camaraderie that comes with being a Tastemaker!", + "event_type":"virtual", + "start_time":"2026-03-25 16:00:00", + "end_time":"2026-03-25 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Music", + "Community Outreach", + "Visual Arts", + "Creative Writing", + "Journalism" + ] + }, + { + "id":"22772b81-a168-4f89-97ad-88dc46edc4ce", + "club_id":"d09a8d68-535b-4144-8a2b-19475dbb5b5b", + "name":"Event for Tau Beta Pi, MA Epsilon", + "preview":"This club is holding an event.", + "description":"Join Tau Beta Pi, MA Epsilon for our annual Engineering Showcase event! This exciting gathering brings together students and professionals from various engineering disciplines to showcase their innovative projects and share their passion for the field. Whether you're a seasoned engineer or just starting out, this event offers a unique opportunity to network, learn, and be inspired by the incredible work happening in our community. Connect with like-minded individuals, gain insights from industry experts, and discover new avenues for personal and professional growth. Don't miss this chance to be part of a vibrant community that values excellence, integrity, and collaboration - together, let's shape the future of engineering!", + "event_type":"in_person", + "start_time":"2024-07-10 16:30:00", + "end_time":"2024-07-10 19:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Collaboration", + "Academic Excellence", + "Innovation" + ] + }, + { + "id":"cab7e327-4d01-4473-ab80-16748f2a4713", + "club_id":"d09a8d68-535b-4144-8a2b-19475dbb5b5b", + "name":"Event for Tau Beta Pi, MA Epsilon", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening at Tau Beta Pi, MA Epsilon's Engineering Showcase! Explore cutting-edge projects, network with bright minds, and witness the innovative spirit of our talented members. Get inspired by hands-on demonstrations, insightful talks, and opportunities to collaborate on exciting initiatives. Whether you're a seasoned engineer or just starting your journey, this event is the perfect platform to connect, learn, and grow. Embrace the energy of innovation and camaraderie as we come together to celebrate the amazing world of engineering!", + "event_type":"hybrid", + "start_time":"2024-01-24 12:00:00", + "end_time":"2024-01-24 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Networking", + "Engineering" + ] + }, + { + "id":"9d7463a5-819a-4cbc-867e-defeec6eb477", + "club_id":"666b9776-5e47-4366-80ed-59fd84635c61", + "name":"Event for TEDxNortheasternU", + "preview":"This club is holding an event.", + "description":"Join us at TEDxNortheasternU's upcoming event where we will showcase local speakers who are at the forefront of innovation and research. Immerse yourself in a day full of inspiring talks and engaging discussions that will spark your curiosity and broaden your perspective. Connect with like-minded individuals and be part of a vibrant community that values sharing ideas and fostering collaboration. Don't miss this opportunity to expand your knowledge and be inspired by the transformative power of ideas!", + "event_type":"virtual", + "start_time":"2025-10-22 21:15:00", + "end_time":"2025-10-23 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach", + "PublicRelations", + "Creative Writing" + ] + }, + { + "id":"9faf9d1a-1742-477f-8855-4cf6c16aa658", + "club_id":"666b9776-5e47-4366-80ed-59fd84635c61", + "name":"Event for TEDxNortheasternU", + "preview":"This club is holding an event.", + "description":"Join us at TEDxNortheasternU's next event where we will dive deep into the world of sustainable innovations, exploring how cutting-edge technologies are shaping the future of a greener planet. Our lineup of dynamic speakers includes environmental activists, industry experts, and pioneering researchers who will share their insights and solutions for a more sustainable future. From renewable energy to eco-friendly practices, this event will spark engaging conversations and empower you to make a positive impact on the world. Don't miss this opportunity to connect with like-minded individuals, gain new perspectives, and be inspired to create change for a better tomorrow!", + "event_type":"in_person", + "start_time":"2026-05-03 19:15:00", + "end_time":"2026-05-03 20:15:00", + "link":"", + "location":"Marino", + "tags":[ + "PublicRelations" + ] + }, + { + "id":"53b9ad3d-9227-4427-9b0f-885a6017ea10", + "club_id":"62a9c17f-8139-483f-abb5-31ccfeaed828", + "name":"Event for Thai Society of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Thai Society of Northeastern University for a fun-filled evening celebrating Thai culture! Get ready to immerse yourself in traditional Thai dances, mouthwatering cuisine, and engaging discussions about the diverse heritage of Thailand. This event offers a unique opportunity to connect with fellow students and learn more about the vibrant Thai community here at Northeastern. Whether you're a seasoned Thai culture enthusiast or just curious to explore something new, all are welcome to come and experience the warmth and hospitality of the Thai Society. Don't miss out on this fantastic chance to broaden your horizons and make meaningful connections in a friendly and inclusive setting!", + "event_type":"virtual", + "start_time":"2024-10-23 19:30:00", + "end_time":"2024-10-23 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Asian American", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"28c0e1bb-6109-4740-9cf9-1dbc0fd8cc0b", + "club_id":"37ce9dea-d322-4705-aa42-b973cde6aeed", + "name":"Event for The American Red Cross of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled day of volunteering at a local shelter where we will interact with residents, play games, and lend a helping hand to those in need. We will also be raising awareness about disaster relief efforts and discussing ways to get involved in the community. Bring your friends and make a difference together with the American Red Cross Club at Northeastern University!", + "event_type":"hybrid", + "start_time":"2024-04-12 17:30:00", + "end_time":"2024-04-12 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Volunteerism", + "Community Outreach", + "PublicRelations", + "Environmental Advocacy" + ] + }, + { + "id":"b5c347e0-8988-4f65-8f69-e670573a1a6d", + "club_id":"20d6b2f4-a182-419c-a87c-6bc4c49a1c1f", + "name":"Event for The Avenue Magazine", + "preview":"This club is holding an event.", + "description":"Join us at The Avenue Magazine's monthly showcase event where we celebrate the creativity and talent of Northeastern University's writers and creatives. Showcasing the latest issue, this event offers a platform for everyone to engage with diverse perspectives and incredible artistry. Meet fellow enthusiasts, engage in insightful discussions, and be part of a supportive community that values expression and inclusivity. Whether you're into fashion, culture, writing, design, or simply appreciate creativity, this event is the perfect place to connect and be inspired. Don't miss out on this opportunity to immerse yourself in a vibrant world of creativity and passion!", + "event_type":"virtual", + "start_time":"2026-08-22 15:30:00", + "end_time":"2026-08-22 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Journalism" + ] + }, + { + "id":"9955a363-5c79-4232-afe3-ba4118b54b6e", + "club_id":"20d6b2f4-a182-419c-a87c-6bc4c49a1c1f", + "name":"Event for The Avenue Magazine", + "preview":"This club is holding an event.", + "description":"Join The Avenue Magazine for an exciting evening of creativity and collaboration at our next event! Whether you're a seasoned writer, a talented photographer, a skilled designer, or simply someone with a passion for fashion and culture, our club welcomes you with open arms. This is a great opportunity to connect with like-minded individuals, share ideas, and contribute to our inclusive and student-driven publication. Mark your calendars and don't miss out on the chance to be part of something special. See you there!", + "event_type":"virtual", + "start_time":"2024-09-03 21:15:00", + "end_time":"2024-09-03 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Journalism" + ] + }, + { + "id":"d84f89fc-59c0-4601-b924-6175fd1c9d2e", + "club_id":"20d6b2f4-a182-419c-a87c-6bc4c49a1c1f", + "name":"Event for The Avenue Magazine", + "preview":"This club is holding an event.", + "description":"Join us this Thursday at 7:00 P.M. EST for a fun and engaging general meeting at The Avenue Magazine, Northeastern University's premier fashion and culture publication. At this event, you'll have the opportunity to meet fellow students passionate about writing, photography, design, and more. We welcome all ideas and perspectives, providing a platform for creativity and expression. Whether you're a seasoned contributor or a newcomer, we invite you to become a part of our inclusive and dynamic community. Stay connected and inspired by following us on Instagram: @theavenuemag.", + "event_type":"in_person", + "start_time":"2025-11-10 14:15:00", + "end_time":"2025-11-10 16:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Visual Arts" + ] + }, + { + "id":"6b449502-04e1-489b-8469-f1bf5f23dc78", + "club_id":"430d13f5-6901-44e8-a3aa-13e2a63c5e31", + "name":"Event for The Business and Innovative Technologies Club", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening of discovery and exploration at our next event hosted by The Business and Innovative Technologies Club! Delve into the fascinating world of innovative information systems and technologies, and uncover how they shape the business landscape. Be part of insightful discussions on the latest MIS-based innovations driving companies towards success and profitability. Gain valuable insights and inspiration to drive innovation and positive change in your academic and professional journey. Embrace the opportunity to connect with like-minded individuals passionate about revolutionizing industries and creating a brighter future through technology!", + "event_type":"virtual", + "start_time":"2026-06-27 20:15:00", + "end_time":"2026-06-27 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Technology", + "Software Engineering", + "Innovation", + "Networking" + ] + }, + { + "id":"e967b062-74c6-4004-b52c-14766f60f30c", + "club_id":"430d13f5-6901-44e8-a3aa-13e2a63c5e31", + "name":"Event for The Business and Innovative Technologies Club", + "preview":"This club is holding an event.", + "description":"Join us for an engaging evening at The Business and Innovative Technologies Club as we delve into the world of emerging technologies reshaping the business landscape. Our special guest speaker will shed light on the latest trends in management information systems and how they are revolutionizing industries. Explore the intersection of technology and business with like-minded individuals passionate about driving innovation and creating positive change. Whether you're a seasoned professional or a curious student, this event promises to inspire you to harness the power of innovation for your academic and professional journey.", + "event_type":"hybrid", + "start_time":"2026-07-10 16:30:00", + "end_time":"2026-07-10 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Networking" + ] + }, + { + "id":"9717baf3-fb8a-4000-9f9b-cea17c88ee43", + "club_id":"552a0fd4-1cd7-413f-983d-557bdadc0408", + "name":"Event for The Data Science Hub at Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for our next event at The Data Science Hub at Northeastern, where we will be diving into the practical applications of machine learning in real-world scenarios. This interactive workshop will provide hands-on experience with building predictive models and understanding their impact on decision-making processes. Whether you're new to data science or a seasoned pro, this event offers a fantastic opportunity to learn, collaborate, and grow your network within the vibrant community of data enthusiasts at Northeastern. Don't miss out on this exciting chance to expand your data science skills while building valuable connections with fellow graduate students and industry professionals!", + "event_type":"virtual", + "start_time":"2024-02-15 15:00:00", + "end_time":"2024-02-15 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"bf250e0f-a034-463e-8180-1637ef86f80c", + "club_id":"552a0fd4-1cd7-413f-983d-557bdadc0408", + "name":"Event for The Data Science Hub at Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for a dynamic workshop at The Data Science Hub! In this event, we will dive deep into the world of machine learning, exploring real-world applications and hands-on coding exercises. Whether you're a seasoned data scientist or just starting out, this practical session will provide valuable insights and opportunities to network with fellow enthusiasts. Bring your curiosity and enthusiasm, and let's embark on a journey of learning and collaboration together!", + "event_type":"virtual", + "start_time":"2024-08-10 14:00:00", + "end_time":"2024-08-10 17:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Networking" + ] + }, + { + "id":"ad708b41-c127-4243-9a1a-679afab1d780", + "club_id":"a0a7e720-a6d0-4e43-8df2-3493aada38ef", + "name":"Event for The Downbeats", + "preview":"This club is holding an event.", + "description":"Join The Downbeats for an electrifying night of a cappella music at their annual Spring Showcase! Experience the harmonious blend of voices from talented individuals coming together as one family on stage. Be ready to be amazed by their award-winning arrangements and soulful performances that will leave you tapping your feet and singing along. Whether you are a music enthusiast or simply looking for a night of entertainment, this event is perfect for all. Come witness the magic of The Downbeats and immerse yourself in the vibrant world of a cappella music. Visit their website for more details and mark your calendars for a night you won't forget!", + "event_type":"virtual", + "start_time":"2026-01-13 23:30:00", + "end_time":"2026-01-14 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Creative Writing" + ] + }, + { + "id":"3edc462b-d92b-47c4-85d5-ba8cc48a2986", + "club_id":"87774d20-28a7-4d04-b71a-06978c48427e", + "name":"Event for The END Initiative at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join The END Initiative at Northeastern University for an impactful evening dedicated to raising awareness about neglected tropical diseases (NTDs). Learn about the devastating effects of NTDs on global communities and how crucial it is to end the cycle of poverty they perpetuate. Our event will feature engaging presentations, interactive discussions, and opportunities to make a difference through donations and advocacy. Let's come together as a community to support Deworm the World and be a part of the movement towards a healthier and more equitable world. All students, faculty, and community members are welcome to participate in this enlightening event!", + "event_type":"virtual", + "start_time":"2024-08-20 19:15:00", + "end_time":"2024-08-20 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Premed", + "Chemistry", + "Environmental Advocacy" + ] + }, + { + "id":"1e45ae0b-650b-4f26-b9b1-4ee889d08fc6", + "club_id":"87774d20-28a7-4d04-b71a-06978c48427e", + "name":"Event for The END Initiative at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join The END Initiative at Northeastern University for a fun and engaging awareness event on neglected tropical diseases (NTDs)! Learn about the impact these diseases have on communities worldwide and how you can make a difference. Enjoy interactive activities, guest speakers, and opportunities to support the Deworm the World campaign. Whether you're a seasoned advocate or new to the cause, come connect with like-minded individuals and be a part of the movement to end NTDs for good. See you there!", + "event_type":"hybrid", + "start_time":"2026-05-14 13:30:00", + "end_time":"2026-05-14 14:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Neuroscience", + "Environmental Advocacy", + "HumanRights", + "Biology" + ] + }, + { + "id":"59dd5887-07d9-49a8-ae89-9cae4d783ed2", + "club_id":"bf246fae-1d4c-4d40-b0f2-1b5017e00034", + "name":"Event for The Fashion Society", + "preview":"This club is holding an event.", + "description":"Join us at The Fashion Society's Meet and Greet event, where you can connect with fellow fashion enthusiasts, learn about our exciting upcoming projects, and discover how you can get involved in our mission to bridge the gap between Northeastern's campus and the vibrant Boston fashion scene. Expect a fun evening filled with insightful conversations, style inspiration, and opportunities to make lasting connections. Whether you're a fashion connoisseur or just curious about the industry, this event is the perfect way to kickstart a semester of creativity, collaboration, and chic experiences. We can't wait to welcome you into our fashionable community!", + "event_type":"hybrid", + "start_time":"2025-12-02 13:15:00", + "end_time":"2025-12-02 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Creative Writing", + "Networking" + ] + }, + { + "id":"93b648a3-a433-4e7d-9bdc-6239ff8c0632", + "club_id":"bf246fae-1d4c-4d40-b0f2-1b5017e00034", + "name":"Event for The Fashion Society", + "preview":"This club is holding an event.", + "description":"Join The Fashion Society at our upcoming 'Fashion Trends of 2022' event where we will explore the latest styles and trends shaping the fashion industry. This interactive session will feature guest speakers from Boston's fashion scene and hands-on activities to spark your creativity. Whether you're a seasoned fashion enthusiast or just curious to learn more, this event is perfect for anyone looking to dive into the world of fashion in a fun and engaging way. Don't miss out on this opportunity to connect with like-minded individuals and elevate your fashion knowledge while having a great time together!", + "event_type":"hybrid", + "start_time":"2024-09-20 16:30:00", + "end_time":"2024-09-20 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Fashion", + "Creative Writing" + ] + }, + { + "id":"42b38b36-ce49-4bbd-9fc4-4cd1253a5e46", + "club_id":"bf246fae-1d4c-4d40-b0f2-1b5017e00034", + "name":"Event for The Fashion Society", + "preview":"This club is holding an event.", + "description":"Join us for a fun and engaging fashion workshop where you'll learn about upcoming trends, styling tips, and how to express your unique sense of style! This hands-on event will feature guest speakers from the industry, interactive activities, and free giveaways to inspire your creativity. Whether you're a fashion enthusiast or just looking to explore something new, this event is open to all Northeastern students who are passionate about fashion and eager to connect with like-minded peers. Don't miss out on this exciting opportunity to elevate your fashion game and be part of our vibrant community at The Fashion Society!", + "event_type":"in_person", + "start_time":"2024-12-13 21:00:00", + "end_time":"2024-12-13 22:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Fashion" + ] + }, + { + "id":"6842a777-8de8-416c-92f4-12b90d298ccc", + "club_id":"9594b794-c9bd-4863-95e0-f63b6fe6254c", + "name":"Event for The Francophone Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at the Francophone Club's upcoming movie night event where you can immerse yourself in the captivating world of French cinema. Whether you're a beginner or a seasoned Francophile, this event is a perfect opportunity to relax, enjoy a film en français, and engage in discussions with fellow language enthusiasts. Popcorn and lively conversations are guaranteed, creating a cozy and inclusive atmosphere for everyone to enjoy a cinematic soirée. Venez nombreux!", + "event_type":"in_person", + "start_time":"2025-06-28 15:15:00", + "end_time":"2025-06-28 19:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "LGBTQ", + "Foreign Language", + "Visual Arts" + ] + }, + { + "id":"222b608f-70a1-48a5-b644-3811bf24a1ad", + "club_id":"9594b794-c9bd-4863-95e0-f63b6fe6254c", + "name":"Event for The Francophone Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting movie night hosted by The Francophone Club of Northeastern University! Whether you're a French language enthusiast or simply curious about Francophone cultures, you're invited to enjoy a cinematic experience with fellow club members. Immerse yourself in the vibrant world of French cinema while socializing and connecting with like-minded individuals. Popcorn, good company, and engaging discussions await you. Let's delve into the beauty of French storytelling together! À bientôt!", + "event_type":"virtual", + "start_time":"2026-05-02 17:30:00", + "end_time":"2026-05-02 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Film", + "LGBTQ", + "Community Outreach" + ] + }, + { + "id":"c07c4c6c-2fcb-4c78-b282-a5eb7e0400b5", + "club_id":"794673f6-7ea4-4729-8ef5-3f2cb2f5b1ed", + "name":"Event for The Interdisciplinary Women's Council", + "preview":"This club is holding an event.", + "description":"Join The Interdisciplinary Women's Council at Northeastern University for a vibrant and empowering event showcasing the diverse talents and achievements of women on campus. Celebrate the spirit of unity and collaboration as we come together to share knowledge, resources, and experiences to further women's empowerment and gender equality. Be a part of this inclusive community where we support each other in our journey towards success and equality. Stay tuned for engaging discussions, inspiring speakers, and exciting opportunities to connect with like-minded individuals who are passionate about making a difference. It's time to amplify women's voices and create lasting change together!", + "event_type":"virtual", + "start_time":"2024-03-28 23:15:00", + "end_time":"2024-03-29 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Environmental Advocacy", + "Journalism", + "Human Rights" + ] + }, + { + "id":"4577cb3b-3f0a-4a26-8e94-f1776acd9f7a", + "club_id":"ee3008ce-aef8-48f6-a0e7-9a645ed0debe", + "name":"Event for The Interrobang Poets", + "preview":"This club is holding an event.", + "description":"Join The Interrobang Poets for an evening of powerful words and raw emotion at our upcoming Poetry Slam event! Get ready to be captivated by the talent and passion of Northeastern's slam poetry community, as they take the stage to share their stories and experiences. This event is not just about poetry; it's about building connections, fostering creativity, and creating a safe space where every voice is heard and respected. Come be a part of this vibrant and inclusive community where self-expression reigns supreme, and together, let's celebrate the transformative power of words.", + "event_type":"in_person", + "start_time":"2024-10-18 13:00:00", + "end_time":"2024-10-18 17:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Creative Writing" + ] + }, + { + "id":"e6e65551-a083-41d8-9c7b-076df4e35cd6", + "club_id":"ee3008ce-aef8-48f6-a0e7-9a645ed0debe", + "name":"Event for The Interrobang Poets", + "preview":"This club is holding an event.", + "description":"Join The Interrobang Poets for an electrifying night of slam poetry at our monthly Open Mic event! Step up to the mic and share your voice, your truth, and your art in a supportive and inclusive environment. Whether you're a seasoned poet or a first-timer, all are welcome to participate and experience the power of spoken word. Our community values authenticity, respect, and creativity, where every story has a place to be heard. Come connect with poets from Northeastern University and beyond, as we celebrate the diverse voices that make up the vibrant poetry scene in Greater Boston. Expect an evening filled with inspiration, connection, and the magic of poetry as we come together to amplify marginalized voices and create a safer space for artistic expression. Let your words ignite change and join us in building a community where everyone's stories matter.", + "event_type":"hybrid", + "start_time":"2024-08-17 13:15:00", + "end_time":"2024-08-17 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "HumanRights", + "Performing Arts", + "Community Outreach", + "Creative Writing" + ] + }, + { + "id":"d27f4253-6913-4fe0-a785-5853f8b94ec7", + "club_id":"e5d86b95-b9f5-46c9-aaa2-c4c87343ca39", + "name":"Event for The National Society of Black Women in Medicine", + "preview":"This club is holding an event.", + "description":"Join The National Society of Black Women in Medicine for an exciting networking brunch event! Meet fellow Black women professionals in the medical field and enjoy engaging discussions on career development and personal growth. Our expert guest speakers will share valuable insights and advice while creating a warm and welcoming environment for you to connect with like-minded individuals. Don't miss this opportunity to expand your professional network and be part of a supportive community dedicated to helping you thrive in your medical career!", + "event_type":"in_person", + "start_time":"2026-06-03 15:30:00", + "end_time":"2026-06-03 19:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "HumanRights" + ] + }, + { + "id":"35242c20-a8d2-4fd3-8ce0-a4fca32f17fa", + "club_id":"e5d86b95-b9f5-46c9-aaa2-c4c87343ca39", + "name":"Event for The National Society of Black Women in Medicine", + "preview":"This club is holding an event.", + "description":"Join us for an engaging panel discussion on 'Breaking Barriers in Medicine' where inspirational Black women leaders in the medical field will share their personal stories, challenges, and triumphs. This event is designed to foster connections, provide insights into overcoming obstacles, and ignite a passion for diversity and inclusion within the medical profession. Whether you're a seasoned professional or a student exploring career paths, this event promises to be a platform of empowerment, knowledge sharing, and community support. Come be a part of this insightful dialogue and be inspired to reach new heights in your medical journey!", + "event_type":"in_person", + "start_time":"2026-05-23 23:00:00", + "end_time":"2026-05-24 02:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Mentorship", + "African American" + ] + }, + { + "id":"b9a700d1-7bef-4923-ab80-d946f98a70af", + "club_id":"e5d86b95-b9f5-46c9-aaa2-c4c87343ca39", + "name":"Event for The National Society of Black Women in Medicine", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming 'Women in Medicine Spotlight' event hosted by The National Society of Black Women in Medicine! This engaging event will feature panel discussions with accomplished Black women leaders in various medical fields, providing valuable insights and inspiring stories. Attendees will have the opportunity to network with fellow members, share their experiences, and build new connections in a supportive and empowering atmosphere. Whether you are a student aspiring to enter the medical profession or a seasoned professional looking to expand your network, this event is designed to uplift and celebrate the diversity and excellence of Black women in medicine. Don't miss this chance to connect, learn, and be inspired \u2013 together, we can achieve greatness!", + "event_type":"virtual", + "start_time":"2025-10-23 13:30:00", + "end_time":"2025-10-23 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Mentorship", + "Volunteerism", + "HumanRights", + "African American" + ] + }, + { + "id":"82e91155-fa8f-4bdd-9dd8-538a7bc40c00", + "club_id":"08e45b84-c493-4396-8072-cbb10341606c", + "name":"Event for The Northeastern Debate Society", + "preview":"This club is holding an event.", + "description":"Join us for an engaging debate workshop hosted by The Northeastern Debate Society! Whether you're a seasoned debater or new to the world of parliamentary debate, this event is the perfect opportunity to hone your public speaking and critical thinking skills in a supportive and welcoming environment. Our knowledgeable mentors will guide you through lively discussions on current events and thought-provoking topics. Don't miss out on this chance to meet like-minded individuals and have a fun evening of intellectual stimulation. No experience is required - just bring your enthusiasm and an open mind! Eager to learn more? Sign up for our mailing list to stay updated on this event and other exciting opportunities.", + "event_type":"virtual", + "start_time":"2024-11-01 13:15:00", + "end_time":"2024-11-01 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Performing Arts", + "LGBTQ", + "Community Outreach", + "PublicRelations" + ] + }, + { + "id":"17c20e0b-bf45-4d0a-83ac-7c606976796c", + "club_id":"a2c47f8b-54f2-4fc9-a27c-6bd11e41aecb", + "name":"Event for The Ortelian Society", + "preview":"This club is holding an event.", + "description":"Join The Ortelian Society for a captivating evening exploring the intersection of Classical and heterodox thought. Immerse yourself in insightful conversations as we delve into ideas often overlooked in traditional academia, from challenging scientific norms to questioning prevailing humanities narratives. This event offers a unique opportunity to engage with diverse perspectives and cultivate your independent thinking skills. Whether you are a seasoned intellectual or just beginning your journey of exploration, all are warmly welcomed to be part of this enlightening experience.", + "event_type":"in_person", + "start_time":"2024-11-03 15:00:00", + "end_time":"2024-11-03 18:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Classics", + "Independent Thinkers", + "Neuroscience", + "Philosophy", + "Creative Writing", + "Community Outreach" + ] + }, + { + "id":"8a0629cf-3ea8-453b-9e37-759db7daaf7f", + "club_id":"a2c47f8b-54f2-4fc9-a27c-6bd11e41aecb", + "name":"Event for The Ortelian Society", + "preview":"This club is holding an event.", + "description":"Join the Ortelian Society for an engaging panel discussion on 'Challenging Orthodoxy: Exploring Classical and Heterodox Thought'. This event will feature esteemed speakers sharing their insights on topics often overlooked in traditional liberal arts education, encouraging lively debate and critical thinking. Whether you're a seasoned intellectual or simply curious about unconventional ideas, this is the perfect opportunity to broaden your intellectual horizons and connect with like-minded individuals in a welcoming and stimulating environment.", + "event_type":"hybrid", + "start_time":"2024-02-01 17:15:00", + "end_time":"2024-02-01 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Neuroscience" + ] + }, + { + "id":"0ea44c51-fd5b-4e40-a548-f759c6b34abf", + "club_id":"7182537b-ec0f-4fd1-b06a-801338b2cba1", + "name":"Event for The Red & Black", + "preview":"This club is holding an event.", + "description":"Join The Red & Black for an exciting evening celebrating the talents and achievements of Northeastern University's student-athletes! Discover firsthand the passion and dedication that drive the stories featured in our student-run athletics magazine. Meet the dedicated student writers, photographers, and designers behind the publication, and learn about the unique experiences and perspectives shared by our student-athlete contributors. This event promises to be an inspiring showcase of teamwork, leadership, and excellence in sports journalism. Don't miss this opportunity to immerse yourself in the vibrant athletics culture at Northeastern - all are welcome to attend!", + "event_type":"hybrid", + "start_time":"2026-07-08 20:00:00", + "end_time":"2026-07-08 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Broadcasting", + "Journalism", + "Community Outreach" + ] + }, + { + "id":"4313272e-9ea8-4be0-b988-7f437d0278c9", + "club_id":"7182537b-ec0f-4fd1-b06a-801338b2cba1", + "name":"Event for The Red & Black", + "preview":"This club is holding an event.", + "description":"Join The Red & Black for an exciting evening of storytelling and celebration as we showcase the diverse talents and stories of Northeastern University's student-athletes. This special event will feature captivating First Person Stories, engaging discussions, and insights into the behind-the-scenes work of our student-run athletics magazine. Whether you're a sports enthusiast, a passionate writer, or simply curious about the vibrant athletics culture at Northeastern, this event is a must-attend. Mark your calendar and get ready to be inspired by the spirit of teamwork and dedication that defines The Red & Black!", + "event_type":"in_person", + "start_time":"2026-05-15 22:30:00", + "end_time":"2026-05-15 23:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Film", + "Broadcasting", + "Journalism", + "Community Outreach" + ] + }, + { + "id":"3ee7b498-a9a3-4361-8156-a7fe3650044d", + "club_id":"7182537b-ec0f-4fd1-b06a-801338b2cba1", + "name":"Event for The Red & Black", + "preview":"This club is holding an event.", + "description":"Join The Red & Black club for an exciting evening filled with inspiring stories from Northeastern student-athletes! Hear firsthand accounts and experiences shared by our talented athletes as they showcase their dedication to sports and academics. This special event will also feature a showcase of our current staff members and their exceptional work in writing, photography, design, and social media. Experience the vibrant culture of Northeastern University's athletics scene and get a glimpse into the behind-the-scenes world of our student-run athletics magazine. Don't miss out on this opportunity to immerse yourself in the dynamic spirit of The Red & Black! Visit www.nuredandblack.com for more details.", + "event_type":"hybrid", + "start_time":"2024-02-07 21:15:00", + "end_time":"2024-02-07 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Broadcasting" + ] + }, + { + "id":"663f6703-848a-40bc-8596-43b5e7317157", + "club_id":"6b943e46-9280-4533-8ab2-212de59e00f5", + "name":"Event for The Sports Analytics Club", + "preview":"This club is holding an event.", + "description":"Join us for an interactive workshop on using advanced statistical models to analyze player performance in sports. Whether you're a beginner or an experienced analyst, this event is designed to be inclusive and inspiring for everyone. We'll dive into real-world data sets to uncover insights that can inform strategic decision-making in the sports industry. Come learn, collaborate, and sharpen your skills with fellow sports analytics enthusiasts. Don't miss this opportunity to expand your knowledge and passion for the fascinating intersection of sports and data science!", + "event_type":"virtual", + "start_time":"2024-11-24 16:00:00", + "end_time":"2024-11-24 19:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Software Engineering" + ] + }, + { + "id":"93327d54-10c9-4bc5-84b8-a9b84075b0e6", + "club_id":"6b943e46-9280-4533-8ab2-212de59e00f5", + "name":"Event for The Sports Analytics Club", + "preview":"This club is holding an event.", + "description":"Join us at 'Data Slam Dunk' - an interactive workshop where we dive into the world of basketball analytics and explore how data can unlock hidden insights in the game. Whether you're a seasoned statistician or a curious beginner, this event is the perfect opportunity to learn, collaborate, and grow with like-minded peers. Get ready to sharpen your analytical skills, be part of engaging discussions, and challenge yourself to think outside the box. Let's come together to unravel the mysteries of basketball data and score big on knowledge and fun!", + "event_type":"virtual", + "start_time":"2026-05-01 17:30:00", + "end_time":"2026-05-01 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Mathematics", + "Sports Analytics", + "Software Engineering", + "Data Science" + ] + }, + { + "id":"8e99352d-3982-47d1-b0fc-31c73bc3eb26", + "club_id":"6b943e46-9280-4533-8ab2-212de59e00f5", + "name":"Event for The Sports Analytics Club", + "preview":"This club is holding an event.", + "description":"Join The Sports Analytics Club for an engaging seminar on leveraging data to uncover hidden insights in sports performance. This event welcomes both beginners and seasoned analysts, offering a platform for interactive discussions and practical demonstrations. Dive into the fascinating world of sports analytics with like-minded peers, and enhance your skills through hands-on activities. Whether you're interested in player performance metrics or game strategies, this event aims to inspire, educate, and connect individuals passionate about the intersection of sports and data analytics. Embrace the opportunity to expand your knowledge, network with industry enthusiasts, and embark on a rewarding journey towards mastering data-driven decision-making in sports analysis.", + "event_type":"in_person", + "start_time":"2025-07-10 13:00:00", + "end_time":"2025-07-10 14:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Software Engineering", + "Data Science" + ] + }, + { + "id":"92a95dcc-3208-48e6-9321-1596f998ec87", + "club_id":"24665713-8707-4a90-9fbf-7bc6784b4ac3", + "name":"Event for The Student Osteopathic Medical Association", + "preview":"This club is holding an event.", + "description":"Join us for our annual 'Exploring Osteopathic Medicine' event where we welcome pre-medical students interested in pursuing a career in healthcare! Discover the hands-on approach of osteopathic medicine, learn about the unique opportunities within the field, and connect with seasoned healthcare professionals who are passionate about improving patient care. This event is perfect for anyone curious about the path to becoming a DO and looking to network with like-minded individuals dedicated to promoting the holistic principles of osteopathic medicine. Come be inspired and gain valuable insights that will empower you on your journey to a fulfilling medical career!", + "event_type":"in_person", + "start_time":"2025-08-03 16:00:00", + "end_time":"2025-08-03 19:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Healthcare Professionals", + "Community Outreach", + "Biology" + ] + }, + { + "id":"f9b31778-2b90-408e-9487-61fb9fea2572", + "club_id":"2f7be8d1-f3e3-4902-9616-ced37045fe80", + "name":"Event for The Sustainable Innovation Network", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"hybrid", + "start_time":"2024-12-13 16:00:00", + "end_time":"2024-12-13 18:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Social Innovation", + "Community Outreach" + ] + }, + { + "id":"e8bc3432-e4d9-41c8-b7b2-fc5b95f31583", + "club_id":"8184df02-8607-4f6f-920a-1eb9340eb98e", + "name":"Event for The Undergraduate Research Club", + "preview":"This club is holding an event.", + "description":"Join The Undergraduate Research Club (URC) for an exciting hands-on workshop on scientific poster design! Learn how to effectively communicate your research findings in a visually appealing and informative way. Our experienced mentors will guide you through the process, providing valuable tips and tricks to make your poster stand out. Whether you're a novice or have some experience, this event is a great opportunity to enhance your skills, network with like-minded peers, and showcase your work to the community. Come expand your knowledge and creativity with us at this engaging event!", + "event_type":"in_person", + "start_time":"2026-07-05 22:00:00", + "end_time":"2026-07-06 01:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Science", + "Education", + "Innovation", + "Research", + "Community Outreach" + ] + }, + { + "id":"356b082b-2746-4601-8dbf-3c348283290b", + "club_id":"8184df02-8607-4f6f-920a-1eb9340eb98e", + "name":"Event for The Undergraduate Research Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting afternoon of Virtual Research Showcase, where aspiring undergraduate researchers will have the chance to present their innovative projects to a diverse audience. Get ready to be inspired by a wide range of topics and methodologies, with opportunities to network with like-minded peers and experienced mentors. Whether you're a seasoned researcher or just starting out, this event promises to spark your curiosity, ignite your passion for discovery, and provide a platform to share your ideas with the world. Mark your calendar and prepare to be part of an engaging community that celebrates the spirit of research and fosters a culture of creativity and collaboration!", + "event_type":"hybrid", + "start_time":"2026-01-06 15:30:00", + "end_time":"2026-01-06 16:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Research", + "Science", + "Education", + "Community Outreach", + "Innovation" + ] + }, + { + "id":"b8f788f8-1b4a-464f-9450-b2d687339fee", + "club_id":"47bc8c00-451c-4719-aab6-d7760ad64c6e", + "name":"Event for The Wellness Project ", + "preview":"This club is holding an event.", + "description":"Join The Wellness Project for an interactive cooking workshop where we'll explore delicious and nutritious recipes to boost your well-being. Our experienced chefs will guide you through the step-by-step process, sharing tips on meal planning and budget-friendly shopping along the way. Connect with fellow health enthusiasts in a fun and supportive environment, and leave with the inspiration and knowledge to make positive changes to your eating habits. Don't miss out on this opportunity to take a tasty step towards a healthier you!", + "event_type":"hybrid", + "start_time":"2024-05-08 12:00:00", + "end_time":"2024-05-08 13:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Student Wellness" + ] + }, + { + "id":"95b85498-b02b-4c82-bca3-84afb1620f0b", + "club_id":"07f51820-7d5f-4585-ba6b-fb055bebef89", + "name":"Event for Theme Park Engineering Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening exploring the magic behind theme park attractions at our next event! Get ready to delve into the fascinating blend of art and science that brings your favorite rides to life. Whether you're a thrill-seeker, a budding engineer, or simply curious, there's something for everyone at the Theme Park Engineering Club. Come learn about the secrets and techniques used in designing roller coasters and immersive experiences around the world. We'll also be unveiling our upcoming projects, including thrilling competitions that showcase your creativity and technical skills. Don't miss out on this opportunity to be part of a community passionate about all things amusement parks!", + "event_type":"virtual", + "start_time":"2024-05-08 12:00:00", + "end_time":"2024-05-08 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Creative Writing", + "Artificial Intelligence", + "Physics", + "Engineering" + ] + }, + { + "id":"050d6a3c-5900-47fc-80e1-cb83c7539afc", + "club_id":"07f51820-7d5f-4585-ba6b-fb055bebef89", + "name":"Event for Theme Park Engineering Club", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening workshop where we delve into the secrets behind creating thrilling roller coaster elements! Hear from industry experts as they share the science and engineering principles that make your favorite rides heart-pounding experiences. Get hands-on experience designing and prototyping your own coaster element, all while connecting with fellow theme park enthusiasts and gaining insights for our upcoming club competition. Whether you're a seasoned coaster connoisseur or just starting your theme park journey, this event promises to be a delightful blend of fun and learning for all!", + "event_type":"hybrid", + "start_time":"2026-05-14 20:15:00", + "end_time":"2026-05-14 21:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Creative Writing" + ] + }, + { + "id":"c43d9d4f-0203-486c-96b2-e338b182bd0a", + "club_id":"07f51820-7d5f-4585-ba6b-fb055bebef89", + "name":"Event for Theme Park Engineering Club", + "preview":"This club is holding an event.", + "description":"Join us for a thrilling roller coaster design workshop where you'll learn the secrets behind creating heart-pounding loops and gravity-defying drops! Our experienced members will guide you through the fascinating world of engineering in theme parks, from designing interactive experiences to mastering the art of storytelling through attractions. Let your creativity soar as we tackle fun challenges and work together to build our very own mini roller coasters. Come ready to unleash your passion for innovation and join a community of enthusiasts dedicated to making magical moments come to life!", + "event_type":"hybrid", + "start_time":"2025-02-25 12:00:00", + "end_time":"2025-02-25 14:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Artificial Intelligence", + "Creative Writing", + "Physics", + "Engineering" + ] + }, + { + "id":"713aee74-d406-48b2-8a4a-5afb0e0280a2", + "club_id":"629eae49-7a1c-4e93-8ddf-94f974c6082c", + "name":"Event for Times New Roman", + "preview":"This club is holding an event.", + "description":"Join Times New Roman this Saturday for a night of laughter and entertainment at our weekly standup comedy show! Enjoy a lineup of talented performers, from seasoned comedians to up-and-coming stars, all sharing their unique perspectives and making you smile. Whether you're a comedy enthusiast or just looking for a fun night out, everyone is welcome to come, sit back, and enjoy the show. Feel free to bring friends along and share the joy of live comedy. Don't miss out on this opportunity to experience the comedic talent of Times New Roman - it's sure to be a night to remember!", + "event_type":"in_person", + "start_time":"2025-11-19 14:30:00", + "end_time":"2025-11-19 18:30:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Comedy", + "Visual Arts", + "Performing Arts", + "Creative Writing" + ] + }, + { + "id":"73d1aed2-77a1-4514-aadb-c7057bbc3347", + "club_id":"629eae49-7a1c-4e93-8ddf-94f974c6082c", + "name":"Event for Times New Roman", + "preview":"This club is holding an event.", + "description":"Join us this Thursday for an evening of side-splitting laughs at our weekly standup comedy show! Hosted in the cozy ambiance of AfterHours, our talented lineup of performers will have you rolling in your seats with their unique and hilarious routines. Whether you're a seasoned comedy enthusiast or a first-time attendee, our welcoming atmosphere ensures that everyone feels right at home. Stick around after the show to chat with the comedians and maybe even try your hand at the mic during our open-mic session. Don't miss out on a night of non-stop fun and laughter with Times New Roman!", + "event_type":"virtual", + "start_time":"2025-02-07 15:30:00", + "end_time":"2025-02-07 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Visual Arts", + "Performing Arts", + "Journalism", + "Comedy", + "Creative Writing" + ] + }, + { + "id":"6b8abd0f-6359-4ca6-867c-4d41e8d653d5", + "club_id":"629eae49-7a1c-4e93-8ddf-94f974c6082c", + "name":"Event for Times New Roman", + "preview":"This club is holding an event.", + "description":"Join Times New Roman's weekly open-mic night at a cozy campus classroom where aspiring standup comedians and seasoned performers come together to share their wit and humor. Be prepared for a night filled with laughter, camaraderie, and maybe even a surprise guest appearance! Whether you're looking to showcase your comedic talents or simply enjoy a night of good fun, this event is the perfect opportunity to immerse yourself in Northeastern's vibrant comedy scene.", + "event_type":"hybrid", + "start_time":"2026-02-22 18:15:00", + "end_time":"2026-02-22 19:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Creative Writing", + "Visual Arts", + "Performing Arts" + ] + }, + { + "id":"44b98974-0ada-4b56-8615-8eebab3a6114", + "club_id":"98818f26-f674-44dc-984e-d6fb56d569fa", + "name":"Event for Transfer Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Transfer Student Organization for our upcoming Welcome Mixer! This event is the perfect opportunity for transfer students to come together and connect with other members of the Northeastern community. Enjoy a fun evening of games, music, and refreshments while learning more about the exciting events and resources available to you as a member of the NUTS family. Don't miss this chance to make new friends, explore Boston, and feel at home in our vibrant university community!", + "event_type":"virtual", + "start_time":"2024-07-06 23:30:00", + "end_time":"2024-07-07 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Networking", + "Community Outreach", + "Social", + "Volunteerism" + ] + }, + { + "id":"70173b84-fa90-4759-a41b-ae2d75779bbd", + "club_id":"98818f26-f674-44dc-984e-d6fb56d569fa", + "name":"Event for Transfer Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Transfer Student Organization for our upcoming Welcome Mixer event, a fantastic opportunity for new transfer students to connect, make friends, and feel at home within the Northeastern community. This casual gathering will feature engaging conversations, fun icebreakers, and valuable insights about the best spots to explore in Boston. Don't miss this chance to kick off your journey at the university with a warm and welcoming atmosphere!", + "event_type":"hybrid", + "start_time":"2024-02-27 16:30:00", + "end_time":"2024-02-27 17:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Volunteerism", + "Networking" + ] + }, + { + "id":"11f4128c-6ccb-4e2b-a18f-59a1b8f1b7af", + "club_id":"98818f26-f674-44dc-984e-d6fb56d569fa", + "name":"Event for Transfer Student Organization", + "preview":"This club is holding an event.", + "description":"Join the Transfer Student Organization for a fun-filled evening at our upcoming event, 'Boston Trivia Night'. Test your knowledge about the vibrant city of Boston while connecting with fellow transfer students in a friendly and welcoming atmosphere. Get ready to discover hidden gems and interesting facts about the city that will make you fall in love with Boston even more. Don't miss this opportunity to socialize, make new friends, and deepen your connection to the Northeastern community. See you there!", + "event_type":"virtual", + "start_time":"2026-07-16 12:15:00", + "end_time":"2026-07-16 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"92df363c-6349-4966-95ee-a00bbad839e7", + "club_id":"fb437c64-1f63-43db-8394-a67f084fc9fc", + "name":"Event for Trash2Treasure", + "preview":"This club is holding an event.", + "description":"Join Trash2Treasure for our annual T2T Sale event! This exciting opportunity allows you to shop for a variety of items, from electronics to kitchen utensils, all while contributing to Northeastern University's zero-waste mission. Every item you purchase helps divert waste from the landfill and supports our efforts to create a more sustainable campus environment. With our incredible prices and diverse selection, you don't want to miss out on this eco-friendly shopping experience. Come be a part of the positive impact - see you there!", + "event_type":"virtual", + "start_time":"2024-04-06 18:00:00", + "end_time":"2024-04-06 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Environmental Advocacy", + "Volunteerism" + ] + }, + { + "id":"89866721-ff65-48be-9429-9bff9d0bf789", + "club_id":"9f2d55a8-875c-4663-baf5-3d109f2bb743", + "name":"Event for Treble on Huntington A Cappella Group", + "preview":"This club is holding an event.", + "description":"Join Treble on Huntington A Cappella Group for their Fall 2024 auditions in September! Step into the spotlight and showcase your vocal talents alongside a group of talented women who have been captivating audiences for over a decade. Whether you're a seasoned performer or new to the a cappella scene, we welcome you with open arms and can't wait to hear your unique voice blend with ours. Stay connected with us on social media to stay up to date on all audition details and be part of our exciting journey ahead. The stage is set, the spotlight is on you - let's make some beautiful music together!", + "event_type":"virtual", + "start_time":"2025-12-05 18:00:00", + "end_time":"2025-12-05 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Music", + "Community Outreach", + "Performing Arts", + "LGBTQ" + ] + }, + { + "id":"8cd41324-4240-4a36-936a-f6b45067871a", + "club_id":"c29d710b-a3f0-4283-b518-1838dc844a1a", + "name":"Event for Trivia Club", + "preview":"This club is holding an event.", + "description":"Join us this Friday night at the local restaurant for a fun and exciting trivia night hosted by Trivia Club! Whether you're a trivia whiz or just looking to have a good time, our events are open to everyone. Test your knowledge, meet new friends, and enjoy a lively atmosphere filled with laughter and camaraderie. Don't miss out on a chance to showcase your trivia skills and possibly win some cool prizes. See you there!", + "event_type":"virtual", + "start_time":"2025-04-05 22:00:00", + "end_time":"2025-04-05 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"2a317428-d2d3-43be-a766-5fbbacde85b0", + "club_id":"c29d710b-a3f0-4283-b518-1838dc844a1a", + "name":"Event for Trivia Club", + "preview":"This club is holding an event.", + "description":"Join Trivia Club at our upcoming trivia night on Wednesday at The Rusty Mug! Bring your friends and sharpen your minds while having a blast answering challenging questions across various categories. Whether you're a trivia expert or just starting out, everyone is welcome to participate in the fun-filled evening. Don't miss out on the chance to showcase your knowledge, meet new friends, and enjoy a great atmosphere of friendly competition and laughter. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2024-12-26 20:00:00", + "end_time":"2024-12-26 23:00:00", + "link":"", + "location":"West Village H", + "tags":[ + "Trivia" + ] + }, + { + "id":"16507ca7-7fb4-44cb-9d24-a261ad617ff1", + "club_id":"7a93adf9-3ea3-4856-841c-c58a03a0248c", + "name":"Event for Turkish Student Association", + "preview":"This club is holding an event.", + "description":"Join the Turkish Student Association for an exciting evening of Turkish cuisine and cultural exploration! Dive into the enchanting world of Turkish traditions as we showcase a variety of dishes, music, and art that capture the essence of Turkey. Our knowledgeable members will guide you through the intricacies of Turkish culinary delights while sharing fascinating insights into the country's history and customs. Whether you are a food enthusiast, a culture buff, or simply curious about the vibrant Turkish community in Boston, this event promises to be a delightful journey for your senses and soul. Get ready to taste, learn, and connect with us as we celebrate the rich cultural tapestry of Turkey together!", + "event_type":"virtual", + "start_time":"2025-10-27 19:00:00", + "end_time":"2025-10-27 20:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Cultural Heritage", + "Community Building" + ] + }, + { + "id":"c037e3ec-5d8b-42fd-b2bf-f35fce5a4a69", + "club_id":"7a93adf9-3ea3-4856-841c-c58a03a0248c", + "name":"Event for Turkish Student Association", + "preview":"This club is holding an event.", + "description":"Join us for a fun and enlightening Turkish coffee night at the Turkish Student Association! Immerse yourself in the rich tradition of Turkish coffee-making as our experienced members guide you through the process, from grinding the beans to savoring the final sip. Alongside the aromatic brew, indulge in delicious Turkish sweets and engage in lively conversations about the cultural significance of this cherished drink. Whether you're a coffee aficionado or just curious to learn something new, this event promises to be a delightful blend of flavors, stories, and connections. So come sip, chat, and experience the warm hospitality of Turkey with us!", + "event_type":"in_person", + "start_time":"2024-12-12 19:00:00", + "end_time":"2024-12-12 22:00:00", + "link":"", + "location":"Marino", + "tags":[ + "International Affairs", + "Islam", + "Turkish Student Association" + ] + }, + { + "id":"b1f828d7-33bb-4cab-be97-cb51dc94db18", + "club_id":"7a93adf9-3ea3-4856-841c-c58a03a0248c", + "name":"Event for Turkish Student Association", + "preview":"This club is holding an event.", + "description":"Join us for an exciting evening of traditional Turkish music and dance at our upcoming event, where we will showcase the vibrant cultural heritage of Turkey. Immerse yourself in the enchanting melodies of the ba\u011flama and the mesmerizing movements of folk dances like the horon and halay. This is a fantastic opportunity to not only experience the beauty of Turkish artistry but also to connect with fellow students who share a passion for learning about different cultures. Whether you're a seasoned admirer of Turkish culture or a complete newcomer, all are welcome to join us in celebrating the rich tapestry of traditions that make Turkey truly unique.", + "event_type":"in_person", + "start_time":"2024-07-10 20:30:00", + "end_time":"2024-07-10 21:30:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Turkish Student Association" + ] + }, + { + "id":"fa829a1f-26ba-469a-89d4-4d3a3f9bab14", + "club_id":"1b85e42b-8f9c-4716-930e-047cdd32749d", + "name":"Event for Ukrainian Cultural Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join the Ukrainian Cultural Club of Northeastern University at our upcoming event celebrating traditional Ukrainian cuisine and music! Immerse yourself in the rich culture and history of Ukraine as we gather to share delicious pierogies, borscht, and lively folk music. All are welcome to participate in this cultural experience, whether you have Ukrainian roots or simply a curiosity about this vibrant community. Let our club introduce you to the warmth and hospitality of Ukrainian traditions, fostering a sense of unity and cultural appreciation among students and guests alike.", + "event_type":"virtual", + "start_time":"2024-09-20 18:15:00", + "end_time":"2024-09-20 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Cultural Awareness" + ] + }, + { + "id":"3bc1879b-b130-4420-a9d7-7b22ff20510d", + "club_id":"1b85e42b-8f9c-4716-930e-047cdd32749d", + "name":"Event for Ukrainian Cultural Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled Ukrainian cultural night at the Ukrainian Cultural Club of Northeastern University! Immerse yourself in the rich traditions and vibrant heritage of Ukraine as we showcase traditional dances, music, and delicious homemade Ukrainian cuisine. Whether you're Ukrainian or simply curious about the culture, this event is the perfect opportunity to connect with like-minded individuals and experience the beauty of Ukraine firsthand. Don't miss out on this exciting evening of cultural exchange and community building!", + "event_type":"hybrid", + "start_time":"2026-01-16 21:15:00", + "end_time":"2026-01-17 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Cultural Awareness", + "Community Outreach", + "Volunteerism" + ] + }, + { + "id":"77bd4527-1bc3-41e7-ae01-a740625a20cb", + "club_id":"1b85e42b-8f9c-4716-930e-047cdd32749d", + "name":"Event for Ukrainian Cultural Club of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us at our upcoming traditional Ukrainian dance workshop and cultural extravaganza! Immerse yourself in the vibrant rhythms and intricate footwork of Ukrainian dance while learning about the rich history and traditions behind each step. Whether you're a seasoned dancer or just curious to try something new, this event is open to all skill levels. Come connect with fellow students and community members in a fun and welcoming environment that celebrates the beauty of Ukrainian culture. No experience required, just bring your enthusiasm and be ready to experience the joy of dance!", + "event_type":"in_person", + "start_time":"2026-08-11 18:00:00", + "end_time":"2026-08-11 19:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Community Outreach", + "Cultural Awareness", + "Ukrainian Culture", + "Volunteerism" + ] + }, + { + "id":"e8c9cb4d-5861-4ca3-98a8-131ec1c13cd1", + "club_id":"2adce3a2-0ab8-4852-9380-92a376cb1160", + "name":"Event for Undergraduate Global Health Initiative", + "preview":"This club is holding an event.", + "description":"Join the Undergraduate Global Health Initiative for an enlightening evening as we host a 'Health Equity in Action' panel discussion featuring prominent public health professionals and passionate activists. Dive deep into topics surrounding healthcare disparities, social justice, and community empowerment. Connect with like-minded individuals, gain new insights, and explore ways to make a tangible impact in the world around us. All are welcome to join this vital conversation that aims to inspire change and create a more equitable and inclusive society.", + "event_type":"virtual", + "start_time":"2024-11-12 13:00:00", + "end_time":"2024-11-12 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"c3805bfe-003e-4f4d-921d-ced563b151fa", + "club_id":"2adce3a2-0ab8-4852-9380-92a376cb1160", + "name":"Event for Undergraduate Global Health Initiative", + "preview":"This club is holding an event.", + "description":"Join the Undergraduate Global Health Initiative for an engaging discussion on mental health awareness and advocacy in marginalized communities. Our panel of passionate mental health experts and community advocates will share their insights and experiences, highlighting the importance of destigmatizing mental health issues and promoting access to resources. Don't miss this opportunity to connect with like-minded individuals and learn how you can make a difference in supporting mental well-being for all. Refreshments and networking opportunities will be provided for all attendees!", + "event_type":"in_person", + "start_time":"2024-04-07 14:15:00", + "end_time":"2024-04-07 15:15:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Health", + "PublicRelations", + "Volunteerism", + "Community Outreach" + ] + }, + { + "id":"a6eb4943-0943-4ff1-8c06-06cc961f6a44", + "club_id":"4b3c66e3-3be3-490e-9e11-8f51462dbb9c", + "name":"Event for Undergraduate Law Review", + "preview":"This club is holding an event.", + "description":"Join the Undergraduate Law Review for a captivating panel discussion on 'Emerging Trends in Legal Education'. Our esteemed guest speakers, including legal professionals and academics, will share their insights and personal experiences in navigating the ever-evolving landscape of the legal field. This interactive event offers a unique opportunity for students and enthusiasts alike to engage in thought-provoking conversations, ask questions, and network with like-minded individuals passionate about law. Whether you're a seasoned law enthusiast or new to the legal world, this event promises to inspire, educate, and connect you with the vibrant community of NUULR.", + "event_type":"virtual", + "start_time":"2026-02-23 13:15:00", + "end_time":"2026-02-23 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Creative Writing" + ] + }, + { + "id":"894feccc-6a00-46e2-bb2e-4ff40d6ed194", + "club_id":"861edc0f-6ced-4b30-b35d-486ac06b1e09", + "name":"Event for UNICEF at Northeastern", + "preview":"This club is holding an event.", + "description":"Join UNICEF at Northeastern for a fun and engaging trivia night to support children in need around the world! Test your knowledge on global issues and UNICEF's impactful work while enjoying snacks and connecting with fellow passionate advocates. This event is a great opportunity to learn more about how you can make a difference through volunteering with UNICEF and contribute to meaningful causes. Bring your friends and join us for an evening of games, learning, and community building!", + "event_type":"hybrid", + "start_time":"2025-12-25 13:15:00", + "end_time":"2025-12-25 17:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "HumanRights" + ] + }, + { + "id":"d47b4330-8d9b-4869-bf69-5b5058f12c31", + "club_id":"861edc0f-6ced-4b30-b35d-486ac06b1e09", + "name":"Event for UNICEF at Northeastern", + "preview":"This club is holding an event.", + "description":"Join UNICEF at Northeastern for our upcoming event called 'Global Giving Day'. This interactive event will give you the opportunity to learn more about UNICEF's impactful work around the world through engaging presentations and discussions. You'll also have the chance to contribute to our fundraising efforts that support UNICEF's mission of promoting children's rights and well-being. Bring your friends and join us for a meaningful and fun-filled evening of global awareness and solidarity!", + "event_type":"in_person", + "start_time":"2026-07-16 20:15:00", + "end_time":"2026-07-16 23:15:00", + "link":"", + "location":"Marino", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"1133225e-d6ee-4d39-9546-e1fa30c59978", + "club_id":"861edc0f-6ced-4b30-b35d-486ac06b1e09", + "name":"Event for UNICEF at Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening evening at UNICEF at Northeastern's Education Showcase! Learn about the impact of education on children's lives around the world and how UNICEF is making a difference. Engage with interactive displays, hear inspiring stories, and discover ways you can support education initiatives. This event is perfect for anyone passionate about children's rights and global education efforts. Come connect with like-minded individuals and be a part of creating positive change!", + "event_type":"virtual", + "start_time":"2024-05-27 12:00:00", + "end_time":"2024-05-27 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Community Outreach", + "Volunteerism", + "HumanRights" + ] + }, + { + "id":"3de26d94-d880-4a01-8395-20ad1727eee3", + "club_id":"a2b58d3d-3bfb-4106-a523-a3f430a0b299", + "name":"Event for Unicycling at Northeastern Club", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled afternoon of unicycling at Northeastern Club! Whether you're a seasoned pro or trying it out for the first time, our supportive community welcomes everyone. Our experienced mentors will guide you through the basics and help you build confidence on one wheel. It's a unique opportunity to challenge yourself, make new friends, and experience the thrill of unicycling. Don't be shy, come and roll with us! \ud83c\udfaa\ud83d\udeb4", + "event_type":"hybrid", + "start_time":"2024-01-16 12:00:00", + "end_time":"2024-01-16 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Community Outreach" + ] + }, + { + "id":"65cf1b5a-f595-4e38-9f24-337733122e0c", + "club_id":"cd1a9630-0637-4b9e-9f4e-175a899c5a14", + "name":"Event for United Against Inequities in Disease", + "preview":"This club is holding an event.", + "description":"Join us for an enlightening panel discussion on 'Equity in Healthcare Delivery' where we will delve into the systemic barriers that prevent equal access to quality healthcare services. Our distinguished speakers will share their insights on how we can collectively work towards creating a more inclusive and equitable healthcare system. This event is open to everyone who cares about making a positive impact on public health and is curious to learn more about the intersection of social justice and medicine. Don't miss this opportunity to engage in meaningful conversations and be inspired to take action with UAID!", + "event_type":"hybrid", + "start_time":"2025-05-03 20:30:00", + "end_time":"2025-05-04 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Volunteerism", + "PublicRelations", + "HumanRights", + "Premed" + ] + }, + { + "id":"364c5cd8-3bfb-460b-9fa0-ffccb2635bb7", + "club_id":"cd1a9630-0637-4b9e-9f4e-175a899c5a14", + "name":"Event for United Against Inequities in Disease", + "preview":"This club is holding an event.", + "description":"Join us for our upcoming workshop titled 'Community Health Champions' where we will explore innovative strategies and best practices in addressing health inequities within Boston neighborhoods. This interactive session will feature guest speakers from diverse backgrounds sharing their expertise and experiences. Whether you're a student, healthcare professional, or community member, this event is open to all who are passionate about creating positive change in public health. Come network, learn, and be inspired to join our mission in building a healthier and more equitable future for all.", + "event_type":"hybrid", + "start_time":"2025-02-10 20:00:00", + "end_time":"2025-02-10 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "PublicRelations", + "Environmental Advocacy" + ] + }, + { + "id":"41d3dd4b-bf25-4bb3-b894-f3207964ecf6", + "club_id":"d2ddf7a4-19f2-4559-82be-6119db09ba50", + "name":"Event for University Health and Counseling Services (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us for our annual wellness fair at University Health and Counseling Services! It's a fun and educational event where you can learn about various ways to stay healthy both mentally and physically while enjoying interactive booths, free screenings, and informative sessions with our dedicated medical and behavioral health teams. We're here to support you in maintaining a balanced lifestyle and provide valuable resources to enhance your health and well-being throughout your college journey. Come mingle with fellow students, grab some healthy snacks, and discover how our team can empower you to lead a healthier and happier life!", + "event_type":"hybrid", + "start_time":"2024-02-13 16:30:00", + "end_time":"2024-02-13 20:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Psychology" + ] + }, + { + "id":"57548ef5-8ac1-489c-9b59-b0b620b719d4", + "club_id":"d2ddf7a4-19f2-4559-82be-6119db09ba50", + "name":"Event for University Health and Counseling Services (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us for a special workshop on self-care and well-being, hosted by the University Health and Counseling Services Team. Discover practical tips for maintaining a healthy lifestyle both physically and mentally, as well as how to seek support when you need it. Our knowledgeable medical and behavioral health experts will share valuable insights and resources to empower you on your wellness journey. Whether you're feeling under the weather or seeking ways to de-stress, this event is designed to provide you with the compassionate care and support you deserve. We welcome all students to be a part of this engaging and informative session dedicated to enhancing your overall well-being during your college years.", + "event_type":"virtual", + "start_time":"2025-04-21 12:15:00", + "end_time":"2025-04-21 14:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Psychology", + "Volunteerism", + "LGBTQ" + ] + }, + { + "id":"ad4f620e-c16d-495f-8292-4c4fa7b8f7b8", + "club_id":"d2ddf7a4-19f2-4559-82be-6119db09ba50", + "name":"Event for University Health and Counseling Services (Campus Resource)", + "preview":"This club is holding an event.", + "description":"Join us for a Wellness Workshop hosted by the University Health and Counseling Services team! Discover practical tips and strategies for staying healthy both physically and mentally. Our expert medical and behavioral health professionals will be there to share valuable insights and advice on managing stress, fostering well-being, and seeking support when needed. Come be a part of this engaging and supportive event where we prioritize your holistic wellness and are committed to providing confidential, compassionate, and top-quality care for all students. See you there!", + "event_type":"in_person", + "start_time":"2026-01-03 15:00:00", + "end_time":"2026-01-03 19:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Psychology", + "Volunteerism", + "LGBTQ", + "Neuroscience" + ] + }, + { + "id":"248a55c0-3d7e-47e5-bcb4-b3fa70062da3", + "club_id":"0db0334a-39ec-4f31-bf63-0ad917ff34c3", + "name":"Event for UTSAV - South Asian Organization", + "preview":"This club is holding an event.", + "description":"Join UTSAV - South Asian Organization for our annual Cultural Showcase event, a vibrant celebration of South Asian heritage through dance, music, fashion, and cuisine. This inclusive and exciting evening will feature performances from talented students representing diverse cultural backgrounds, as well as opportunities for all attendees to immerse themselves in the rich traditions of Bangladesh, Bhutan, India, Nepal, Pakistan, and Sri Lanka. Whether you are a seasoned dancer or a curious newcomer, our Cultural Showcase promises to be a memorable experience that fosters unity, understanding, and appreciation for the beauty of South Asian culture. Don't miss this chance to connect with our diverse community, learn something new, and make lasting memories with us at UTSAV!", + "event_type":"in_person", + "start_time":"2026-07-27 23:00:00", + "end_time":"2026-07-28 00:00:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Hinduism", + "Performing Arts", + "Volunteerism", + "Community Outreach", + "Asian American" + ] + }, + { + "id":"6d07a8fe-72d7-41d6-81c1-c2c41b1b2ec4", + "club_id":"0db0334a-39ec-4f31-bf63-0ad917ff34c3", + "name":"Event for UTSAV - South Asian Organization", + "preview":"This club is holding an event.", + "description":"Join UTSAV - South Asian Organization for an exciting Bollywood Night extravaganza! Immerse yourself in the vibrant music, colorful dances, and delicious cuisine that represent the rich tapestry of South Asian cultures. Whether you're a seasoned dancer or just looking to have fun, everyone is welcome to showcase their talents on the dance floor. Come experience the warmth and camaraderie of our diverse community as we celebrate unity in diversity through music, dance, and food. Make new friends, learn something new, and create lasting memories with UTSAV!", + "event_type":"in_person", + "start_time":"2024-06-20 20:15:00", + "end_time":"2024-06-20 21:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Performing Arts" + ] + }, + { + "id":"2cf21b0d-bc06-4134-82dc-0ec434a501c5", + "club_id":"8a178f1c-3322-4826-869c-b2b646661467", + "name":"Event for Vietnamese Student Association", + "preview":"This club is holding an event.", + "description":"Join the Vietnamese Student Association for our upcoming Mid-Autumn Festival celebration! Immerse yourself in the vibrant atmosphere as we gather to enjoy traditional mooncakes, lively dance performances, and fun games under the glowing lanterns. Connect with fellow members and guests as we share stories of this cultural harvest festival and create lasting memories together. Don't miss out on this opportunity to experience the warmth and community spirit of VSA - a 'Home Away From Home' where everyone is welcome!", + "event_type":"hybrid", + "start_time":"2024-01-07 18:30:00", + "end_time":"2024-01-07 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Asian American", + "Creative Writing" + ] + }, + { + "id":"d7e59930-5e9b-4785-b629-1fa7dff73cfe", + "club_id":"8a178f1c-3322-4826-869c-b2b646661467", + "name":"Event for Vietnamese Student Association", + "preview":"This club is holding an event.", + "description":"Join us for an enchanting evening filled with vibrant colors, infectious beats, and delicious Vietnamese cuisine at our Annual Culture Show! Celebrating the rich heritage and talents of the Vietnamese and Vietnamese American community, this event promises an unforgettable showcase of traditional dance performances, captivating music, and engaging cultural displays. Bring your friends and immerse yourself in the beauty and warmth of our culture as we come together to share our stories and traditions. Whether you're a seasoned member or a curious newcomer, everyone is welcome to experience the magic of our 'Home Away From Home'. Don't miss out on this opportunity to connect, learn, and celebrate with us!", + "event_type":"virtual", + "start_time":"2025-09-02 21:30:00", + "end_time":"2025-09-02 22:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Asian American" + ] + }, + { + "id":"94e322dd-298b-4fa5-8544-a1b5f12df46a", + "club_id":"8a178f1c-3322-4826-869c-b2b646661467", + "name":"Event for Vietnamese Student Association", + "preview":"This club is holding an event.", + "description":"Join the Vietnamese Student Association for a vibrant evening celebrating the rich tapestry of Vietnamese culture at our annual Culture Show! Get ready to be immersed in a showcase of traditional dances, tantalizing food, and engaging performances that highlight the essence of our community's values of Culture, Family, and Fun. This is a fantastic opportunity to experience the warmth and inclusivity of our 'Home Away From Home' and connect with fellow culture enthusiasts. Don't miss out on this unforgettable event that embodies our commitment to fostering cultural awareness and unity within the diverse community of Northeastern! We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2026-01-28 19:00:00", + "end_time":"2026-01-28 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Creative Writing", + "Performing Arts" + ] + }, + { + "id":"7adb5c9e-42d4-448d-a275-119af92c8552", + "club_id":"c768c19e-7f57-42e6-876a-26bc2e678016", + "name":"Event for Virtual Reality Organization of Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an exciting dive into the world of virtual reality at our next event hosted by the Virtual Reality Organization of Northeastern University! Connect with fellow enthusiasts as we discuss the latest advancements in VR, AR, and XR technologies and collaborate on cutting-edge projects. Whether you're a seasoned pro or just getting started, this event promises to be an engaging and informative experience. Don't miss out on this opportunity to expand your knowledge and passion for all things virtual reality! See you there!", + "event_type":"in_person", + "start_time":"2025-09-08 21:15:00", + "end_time":"2025-09-09 01:15:00", + "link":"", + "location":"West Village H", + "tags":[ + "Software Engineering", + "Artificial Intelligence", + "Virtual Reality" + ] + }, + { + "id":"99c2aa7a-8c62-48f5-83ae-8eeb08be3e79", + "club_id":"55b54c17-cefd-4c92-8c04-fcbe1041683e", + "name":"Event for ViTAL: Northeastern's Healthcare Innovation Core", + "preview":"This club is holding an event.", + "description":"Join ViTAL for an engaging evening filled with insights into healthcare innovation! Our upcoming event will feature a diverse panel of industry experts sharing their experiences and knowledge on cutting-edge healthcare practices. Whether you're a seasoned professional or just starting your journey in healthcare, this event offers a unique opportunity to network, learn, and be inspired. Connect with like-minded individuals, discover new perspectives, and take the first step towards shaping the future of healthcare with ViTAL!", + "event_type":"hybrid", + "start_time":"2024-06-21 13:15:00", + "end_time":"2024-06-21 16:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Entrepreneurship", + "Public Health", + "Biotechnology" + ] + }, + { + "id":"97e08302-0f2a-4b10-ad99-690de1255d5d", + "club_id":"ad0f0c79-0ca2-47d7-a746-1329ec697961", + "name":"Event for Wildlife/Ecology Club", + "preview":"This club is holding an event.", + "description":"Join the Wildlife/Ecology Club for a fun and educational nature walk this Saturday at the local park. Discover the amazing biodiversity of your surroundings while learning about the crucial role each species plays in our ecosystem. Bring your friends and family for a day of exploration, birdwatching, and learning how we can all make a positive impact on our environment. Don't miss this opportunity to connect with like-minded individuals and make a difference in preserving our planet for future generations.", + "event_type":"hybrid", + "start_time":"2024-03-09 20:00:00", + "end_time":"2024-03-09 22:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Environmental Advocacy", + "Environmental Science", + "Wildlife/Ecology Club" + ] + }, + { + "id":"7b795342-5591-4e94-bd14-6dd9fc8cba26", + "club_id":"ad0f0c79-0ca2-47d7-a746-1329ec697961", + "name":"Event for Wildlife/Ecology Club", + "preview":"This club is holding an event.", + "description":"Join the Wildlife/Ecology Club for an exciting bird-watching event at the local nature reserve! This is a fantastic opportunity to connect with nature enthusiasts and learn about the migratory patterns of various bird species. Experienced guides will be on hand to share their knowledge about the importance of preserving natural habitats for these beautiful creatures. Whether you're a seasoned birder or a beginner, this event promises a fun and educational experience for all. Don't miss out on this chance to immerse yourself in the wonders of the natural world and make a difference in protecting our planet's biodiversity!", + "event_type":"in_person", + "start_time":"2024-06-25 23:15:00", + "end_time":"2024-06-26 02:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Wildlife/Ecology Club", + "Environmental Science", + "Environmental Advocacy" + ] + }, + { + "id":"91929d55-b82e-4772-9329-f18f87b5cbe9", + "club_id":"2adb61bc-7181-4989-b549-f6419992872a", + "name":"Event for Wireless Club", + "preview":"This club is holding an event.", + "description":"Join the Wireless Club at their upcoming 'Intro to Arduino' workshop! Whether you're a beginner or an experienced coder, this event is perfect for anyone interested in learning more about electronics and programming with Arduino boards. Come connect with fellow students, share ideas, and get hands-on experience building your own projects. Don't miss this opportunity to enhance your skills in a friendly and supportive environment provided by NU Wireless Club's maker space and expert members!", + "event_type":"virtual", + "start_time":"2024-06-25 14:00:00", + "end_time":"2024-06-25 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Software Engineering", + "Music" + ] + }, + { + "id":"35504a42-f0ec-4bd8-a37c-0afe1b5d42f9", + "club_id":"2adb61bc-7181-4989-b549-f6419992872a", + "name":"Event for Wireless Club", + "preview":"This club is holding an event.", + "description":"Join the Wireless Club for an exciting evening of electronic exploration and innovation! This week, we will be diving into the world of Arduino programming, where you can learn how to code and control your own devices. Whether you're a beginner or a seasoned pro, all are welcome to come and tinker in our maker space equipped with the latest tools and technology. Don't miss this opportunity to connect with like-minded individuals and expand your knowledge of electronics in a fun and supportive environment.", + "event_type":"hybrid", + "start_time":"2026-11-11 20:30:00", + "end_time":"2026-11-12 00:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Creative Writing", + "Community Outreach" + ] + }, + { + "id":"e40b05ce-fc00-4b0c-958c-35d8b3465273", + "club_id":"2adb61bc-7181-4989-b549-f6419992872a", + "name":"Event for Wireless Club", + "preview":"This club is holding an event.", + "description":"Join us for our monthly Electronics Showcase event at Wireless Club! This exciting event is a fantastic opportunity for students of all backgrounds to come together and share their latest projects, from Arduino creations to Raspberry Pi experiments. Whether you're a beginner or a seasoned electronics enthusiast, you'll find something to inspire you. The showcase will include live demonstrations, project presentations, and networking sessions where you can exchange ideas and get feedback from fellow members. Don't miss this chance to connect with like-minded peers and immerse yourself in the world of electronics at Wireless Club!", + "event_type":"virtual", + "start_time":"2026-11-04 22:15:00", + "end_time":"2026-11-05 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Software Engineering", + "Electrical Engineering" + ] + }, + { + "id":"7c813700-099e-4a75-8afd-6bc2d7e83cfb", + "club_id":"77656525-045f-4da6-a47f-003cd51a92e8", + "name":"Event for Women in Business", + "preview":"This club is holding an event.", + "description":"Join us at Northeastern Women in Business (WIB) for an empowering Empower Hour community event where we will focus on the important topic of work-life balance. Come connect with fellow members in a relaxed and fun setting as we explore practical tips for maintaining a healthy equilibrium between your academic and personal life. Share experiences, swap advice, and build friendships that will support you on your journey towards success. This is a wonderful opportunity to step out of the classroom and engage in meaningful discussions about achieving a fulfilling and balanced lifestyle. We can't wait to see you there!", + "event_type":"in_person", + "start_time":"2026-01-28 15:30:00", + "end_time":"2026-01-28 18:30:00", + "link":"", + "location":"ISEC", + "tags":[ + "Empower Hour", + "Professional Development", + "Community Outreach", + "Community", + "Mentorship", + "Women in Business", + "Inspiration" + ] + }, + { + "id":"cea77373-4fbc-4b7c-ba65-7f6bbf6a1fe1", + "club_id":"77656525-045f-4da6-a47f-003cd51a92e8", + "name":"Event for Women in Business", + "preview":"This club is holding an event.", + "description":"Join us this Tuesday at 8PM for an inspiring Executive Speaker series event, where we will welcome a top female business leader from the Boston area to share their remarkable story and insights with our Northeastern Women in Business community. Prepare to be motivated and empowered as you learn from the experiences and wisdom of this accomplished individual, gaining valuable lessons that can fuel your own journey towards success. Whether you're a new member or a seasoned attendee, this event promises to be a memorable and uplifting gathering that embodies the spirit of growth and empowerment that defines our Women in Business club.", + "event_type":"hybrid", + "start_time":"2026-09-19 21:15:00", + "end_time":"2026-09-20 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Community", + "Professional Development", + "Women in Business", + "Networking", + "Mentorship", + "Empower Hour", + "Inspiration", + "Community Outreach" + ] + }, + { + "id":"b8b3b427-e1ab-40de-83cd-f329cbf8cae5", + "club_id":"0c970fc1-718a-4db3-b3bb-717350c2e862", + "name":"Event for Women in CyberSecurity", + "preview":"This club is holding an event.", + "description":"Join the Women in CyberSecurity (WiCyS) club for an exciting networking event aimed at bringing together women interested in cybersecurity. Our event will feature guest speakers from the industry sharing their insights and experiences, providing valuable advice for both undergraduate and graduate students. You'll have the opportunity to connect with like-minded individuals, forge new relationships, and gain valuable knowledge about career opportunities in cybersecurity. Whether you are a seasoned professional or just starting to explore the world of security, this event is the perfect place to learn, grow, and be inspired!", + "event_type":"in_person", + "start_time":"2025-01-20 17:00:00", + "end_time":"2025-01-20 21:00:00", + "link":"", + "location":"ISEC 2", + "tags":[ + "Community Outreach", + "Networking", + "Women in CyberSecurity" + ] + }, + { + "id":"c4d65948-6168-4a64-9429-d611f0abc379", + "club_id":"0c970fc1-718a-4db3-b3bb-717350c2e862", + "name":"Event for Women in CyberSecurity", + "preview":"This club is holding an event.", + "description":"Join WiCyS at Northeastern University for an exciting evening filled with insightful discussions, networking opportunities, and hands-on workshops tailored for women interested in cybersecurity. Connect with like-minded individuals, industry professionals, and faculty members as we share experiences, provide guidance, and explore the fascinating world of cybersecurity together. Whether you're a seasoned expert or just starting your journey in the field, this event is the perfect space to learn, grow, and be inspired within our supportive and close-knit community.", + "event_type":"hybrid", + "start_time":"2024-03-20 22:00:00", + "end_time":"2024-03-20 23:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC", + "tags":[ + "Women in CyberSecurity", + "Community Outreach", + "Networking", + "Professional Development" + ] + }, + { + "id":"446364b8-af33-4cac-a6c1-ee3af20fda28", + "club_id":"c4640094-d74f-4569-8e4e-ec3b0387f766", + "name":"Event for Women in Economics", + "preview":"This club is holding an event.", + "description":"Join Women in Economics for our upcoming large-scale event where we will be featuring a captivating speaker who will share their insights and experiences in the field of economics. This interactive session will delve into current research trends, challenges faced by female economists, and strategies for success. Whether you're an economics enthusiast or just curious about the field, this event is a fantastic opportunity to connect with like-minded individuals, gain valuable knowledge, and be inspired by the endless possibilities in economics. All are welcome to attend, so come and be a part of a supportive and inclusive community!", + "event_type":"in_person", + "start_time":"2026-10-23 12:00:00", + "end_time":"2026-10-23 14:00:00", + "link":"", + "location":"Curry Student Center", + "tags":[ + "Research", + "Environmental Advocacy", + "Diversity and Inclusivity", + "Empowerment", + "Women in Economics", + "Community Outreach" + ] + }, + { + "id":"bfed2174-bdee-499a-afcd-7fe14b8b5b32", + "club_id":"c4640094-d74f-4569-8e4e-ec3b0387f766", + "name":"Event for Women in Economics", + "preview":"This club is holding an event.", + "description":"Join Women in Economics for an exciting evening featuring a guest speaker sharing insights into groundbreaking research and personal experiences in the field. This event aims to inspire and empower attendees by showcasing the real-world applications of economics while fostering a welcoming and inclusive environment for all students, regardless of major. Don't miss this opportunity to connect with like-minded peers, gain valuable skills, and explore the diverse opportunities available in economics!", + "event_type":"in_person", + "start_time":"2025-04-26 23:00:00", + "end_time":"2025-04-27 02:00:00", + "link":"", + "location":"ISEC", + "tags":[ + "Empowerment", + "Research", + "Community Outreach", + "Environmental Advocacy" + ] + }, + { + "id":"c292f41b-e486-43ac-82fd-49f43f4360d1", + "club_id":"40f56d2a-32e3-4b35-845f-80332f2ccb28", + "name":"Event for Women in Music Northeastern", + "preview":"This club is holding an event.", + "description":"Join Women in Music Northeastern for our next event, Rock Your Career Path! This interactive workshop will feature industry professionals sharing their personal journeys, tips for navigating the music business, and networking opportunities. Whether you're a musician, manager, producer, or just passionate about music, this event is perfect for anyone looking to learn and grow in the industry. Come meet like-minded individuals, gain insights, and feel empowered to take the next step in your music career!", + "event_type":"hybrid", + "start_time":"2024-08-25 18:15:00", + "end_time":"2024-08-25 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Women in Music", + "Music", + "Community Outreach" + ] + }, + { + "id":"86e7a960-f34f-4bf3-9b5b-9e9e93b29523", + "club_id":"40f56d2a-32e3-4b35-845f-80332f2ccb28", + "name":"Event for Women in Music Northeastern", + "preview":"This club is holding an event.", + "description":"Event description", + "event_type":"hybrid", + "start_time":"2025-08-04 13:00:00", + "end_time":"2025-08-04 15:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"ISEC 2", + "tags":[ + "Performing Arts", + "Community Outreach", + "Women in Music", + "Music" + ] + }, + { + "id":"a3527009-4c58-4d14-b757-39f6c5ce5f46", + "club_id":"0640a95d-4567-4260-8edc-66b9c1fa501a", + "name":"Event for Women in the Enterprise of Science and Technology at Northeastern", + "preview":"This club is holding an event.", + "description":"Join us for a special networking event featuring a panel of accomplished women leaders in STEM at WEST NEU! Connect with like-minded peers, gain valuable insights, and expand your professional network. This interactive session will include discussions on career development, overcoming challenges in male-dominated industries, and strategies for success in the tech world. Don't miss this opportunity to be inspired and empowered by our diverse community of members and mentors. Refreshments will be provided, so come ready to engage, learn, and grow with WEST NEU!", + "event_type":"in_person", + "start_time":"2024-12-07 22:00:00", + "end_time":"2024-12-08 01:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Networking", + "Women in STEM", + "Leadership Development", + "Panels", + "Workshops", + "Career Advancement" + ] + }, + { + "id":"5f632844-2768-4474-90a3-18c016f58d35", + "club_id":"572bb9a1-5470-4655-8b8f-e889030a2711", + "name":"Event for Women's and Nonbinary Club Ultimate Frisbee", + "preview":"This club is holding an event.", + "description":"Join us for our weekly pick-up game event! This is a casual and inclusive gathering where members of all skill levels come together to throw some discs, practice drills, and enjoy the spirit of ultimate frisbee. It's a great opportunity to meet new friends, learn the game, and have a blast on the field. Whether you're a seasoned player or a curious beginner, everyone is welcome to join in on the fun. Don't worry if you've never played before, we'll teach you everything you need to know to get started. Just bring your enthusiasm and a positive attitude, and get ready for a fantastic time running, catching, and scoring points with us!", + "event_type":"virtual", + "start_time":"2025-01-23 14:15:00", + "end_time":"2025-01-23 15:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "Community Outreach", + "Volunteerism", + "Soccer", + "LGBTQ" + ] + }, + { + "id":"347353b3-925d-4574-b51d-d094236746c4", + "club_id":"572bb9a1-5470-4655-8b8f-e889030a2711", + "name":"Event for Women's and Nonbinary Club Ultimate Frisbee", + "preview":"This club is holding an event.", + "description":"Join us for a friendly scrimmage event where both our high-commitment and lower-commitment teams will come together for a fun and inclusive game of ultimate frisbee. Whether you're a seasoned player or new to the sport, everyone is welcome to join in on the action! Our experienced players will be there to help guide newcomers and facilitate a supportive environment for all. Don't miss out on this opportunity to play, learn, and connect with the Women's and Nonbinary Club Ultimate Frisbee community.", + "event_type":"virtual", + "start_time":"2026-02-17 19:30:00", + "end_time":"2026-02-17 23:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Soccer", + "Community Outreach" + ] + }, + { + "id":"ab001ced-7855-4328-b64b-468db7740a5b", + "club_id":"029ac32b-c220-4ce5-b4e0-6c1927c43923", + "name":"Event for Women's Club Basketball", + "preview":"This club is holding an event.", + "description":"Join Women's Club Basketball for a fun-filled evening of open tryouts! Whether you're a seasoned player looking for a new team or a beginner wanting to improve your skills, this event is open to all skill levels. Come meet our enthusiastic team members, participate in drills that cater to your level, and experience the supportive and competitive spirit of our organization. Don't miss out on this chance to be part of a welcoming community dedicated to growing as players and as individuals. Email nuwomensclubbball@gmail.com to RSVP and learn more!", + "event_type":"virtual", + "start_time":"2026-02-11 22:15:00", + "end_time":"2026-02-12 01:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Soccer", + "Volunteerism", + "Women's Club", + "Basketball", + "LGBTQ" + ] + }, + { + "id":"874c890b-b3c0-4b26-a7f8-bc20e822345d", + "club_id":"41627c4d-99d4-47e8-b69f-e51e4eab3ddc", + "name":"Event for Women's Club Ice Hockey", + "preview":"This club is holding an event.", + "description":"Join the Women's Club Ice Hockey for an exciting night of fun and competition at our upcoming friendly scrimmage event. Whether you're a seasoned player or just starting out, everyone is welcome to lace up their skates and hit the ice with us. Cheer on your fellow Northeastern students as they showcase their talents in a spirited game that embodies the teamwork and camaraderie of our club. Make new friends, challenge yourself on the rink, and experience the thrill of collegiate hockey in a supportive and inclusive environment. Don't miss out on this opportunity to be a part of our vibrant community and celebrate the love of the game together!", + "event_type":"virtual", + "start_time":"2026-05-11 15:30:00", + "end_time":"2026-05-11 19:30:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Team Environment", + "Women's Sports", + "Hockey", + "Student-Run Organization", + "Collegiate Sports" + ] + }, + { + "id":"ab15aed5-69d0-4b29-add1-b9d1d62da396", + "club_id":"41627c4d-99d4-47e8-b69f-e51e4eab3ddc", + "name":"Event for Women's Club Ice Hockey", + "preview":"This club is holding an event.", + "description":"Join us for our annual Ice Hockey Kickoff Event! It's a great opportunity to meet fellow ice hockey enthusiasts, both new and experienced players, as we gear up for another exciting season. We'll have friendly pick-up games, skills challenges, and team-building activities planned for everyone to enjoy. Whether you're a seasoned player looking for some friendly competition or a newcomer interested in learning more about the sport, this event is for you! Don't miss out on the chance to connect with the Women's Club Ice Hockey family and get a taste of the camaraderie and fun that define our organization.", + "event_type":"virtual", + "start_time":"2024-03-22 14:00:00", + "end_time":"2024-03-22 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Hockey", + "Collegiate Sports", + "Women's Sports", + "Team Environment", + "Student-Run Organization" + ] + }, + { + "id":"44e212c2-688b-4151-a106-cd2b0d25a7ed", + "club_id":"7e054cf5-bc2d-4ad1-91cd-3be82c29c71a", + "name":"Event for Women's Club Lacrosse", + "preview":"This club is holding an event.", + "description":"Join the Women's Club Lacrosse team as we celebrate the start of the new season with a fun-filled Meet and Greet event! Come meet our dedicated players, passionate coaches, and enthusiastic cheerleaders. Learn about our team's impressive journey to the WCLA championship game and how we continue to strive for excellence in every game. Whether you are a seasoned lacrosse player looking for a competitive outlet or a newcomer eager to learn, our welcoming community is the perfect place for you to grow your skills, make lasting friendships, and be a part of our unstoppable force on the field. Go Dawgs!", + "event_type":"in_person", + "start_time":"2025-05-10 21:15:00", + "end_time":"2025-05-10 22:15:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Competition", + "Lacrosse" + ] + }, + { + "id":"573226c6-6f44-483b-8471-ad612c325e27", + "club_id":"9e8eb737-b080-48a4-946f-c2a04272acf3", + "name":"Event for Women's Club Water Polo", + "preview":"This club is holding an event.", + "description":"Join us for a fun-filled afternoon at the pool as the Women's Club Water Polo team hosts a friendly scrimmage open to all skill levels! Whether you're a beginner looking to learn the basics or a seasoned player eager for some friendly competition, this event is perfect for everyone. Our experienced players will be on hand to guide you through the game and help you improve your skills. Make new friends, stay active, and enjoy the thrill of water polo in a welcoming and inclusive environment. Don't miss this opportunity to dive into the exciting world of collegiate water polo with us!", + "event_type":"in_person", + "start_time":"2025-12-08 20:30:00", + "end_time":"2025-12-08 21:30:00", + "link":"", + "location":"Marino", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"3d6c74d3-0ee7-4b84-9c5a-331ace1a2f52", + "club_id":"9e8eb737-b080-48a4-946f-c2a04272acf3", + "name":"Event for Women's Club Water Polo", + "preview":"This club is holding an event.", + "description":"Join us for an exciting day at the pool with the Women's Club Water Polo! Whether you're a seasoned athlete or a complete beginner, we welcome all levels of skill and experience. Meet fellow teammates, work on your water polo techniques, and enjoy a fun and supportive atmosphere. Don't miss out on the chance to be part of our close-knit community of water polo enthusiasts. Dive in and make a splash with us!", + "event_type":"hybrid", + "start_time":"2024-12-11 22:15:00", + "end_time":"2024-12-11 23:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Soccer" + ] + }, + { + "id":"43dc2079-5120-4792-9f0d-dc9226fba7b1", + "club_id":"7eb17636-2b72-4014-976b-503983681d70", + "name":"Event for Women's Interdisciplinary Society of Entrepreneurship", + "preview":"This club is holding an event.", + "description":"Join the Women’s Interdisciplinary Society of Entrepreneurship (WISE) for an exciting event that will spark your creativity and ignite your passion for innovation! Dive into a hands-on workshop led by industry experts where you can brainstorm ideas, collaborate with like-minded individuals, and gain valuable insights into the world of entrepreneurship. Whether you're a seasoned entrepreneur or just starting to explore the possibilities, this event offers a supportive environment to learn, grow, and network with fellow trailblazers. Don't miss out on this opportunity to expand your horizons and connect with the vibrant community of WISE at Northeastern University!", + "event_type":"virtual", + "start_time":"2024-02-21 23:00:00", + "end_time":"2024-02-22 03:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Experiential Learning", + "Entrepreneurship", + "Professional Skills", + "Problem Solving", + "Innovation" + ] + }, + { + "id":"d992e4d8-4177-4663-85f6-1dfd4da57dfc", + "club_id":"7eb17636-2b72-4014-976b-503983681d70", + "name":"Event for Women's Interdisciplinary Society of Entrepreneurship", + "preview":"This club is holding an event.", + "description":"Join the Women's Interdisciplinary Society of Entrepreneurship for an exciting workshop on ideation and innovation in the world of startups! Connect with like-minded individuals and industry experts to dive deep into developing your entrepreneurial mindset. Come ready to brainstorm, collaborate, and learn how to turn your ideas into actions. Don't miss this opportunity to expand your network, gain valuable skills, and be inspired to take your entrepreneurial journey to the next level. See you there!", + "event_type":"in_person", + "start_time":"2024-04-25 16:00:00", + "end_time":"2024-04-25 18:00:00", + "link":"", + "location":"Marino", + "tags":[ + "Experiential Learning", + "Problem Solving" + ] + }, + { + "id":"1400b7ac-45ae-4aaa-9aac-6e12203f385c", + "club_id":"a70ce23e-ae3c-4590-a0af-7234903df8d0", + "name":"Event for Women's Run Club", + "preview":"This club is holding an event.", + "description":"Join the Women's Run Club for our upcoming Group Run & Brunch event! Lace up your shoes and meet us bright and early at the campus track for a refreshing morning run with supportive and encouraging fellow members. Afterwards, we'll cool down with some delicious post-run brunch at a local cafe where we can chat, connect, and share our running experiences. Whether you're a seasoned runner or just starting out, this event is a fantastic opportunity to sweat, socialize, and feel empowered in a fun and welcoming environment. Don't miss out!", + "event_type":"hybrid", + "start_time":"2024-01-10 22:00:00", + "end_time":"2024-01-11 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Snell Library", + "tags":[ + "LGBTQ", + "Empowerment", + "Women's", + "Running" + ] + }, + { + "id":"1068486e-61b2-4eee-b9d5-65faad606650", + "club_id":"10ee184c-ba19-491d-b7b9-676e633f9718", + "name":"Event for Woof Magazine", + "preview":"This club is holding an event.", + "description":"Join Woof Magazine for our annual Fall Kickoff Party! Get to know our enthusiastic team of creative students, enjoy some snacks and drinks, and learn more about how you can contribute to the next issue. Whether you're a seasoned writer, photographer, or designer, or just looking to dip your toes into the world of lifestyle journalism, this event is the perfect opportunity to connect with like-minded peers and explore your creative potential. Don't miss out on a chance to be a part of something amazing \u2013 see you there!", + "event_type":"hybrid", + "start_time":"2024-01-15 15:00:00", + "end_time":"2024-01-15 16:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Curry Student Center", + "tags":[ + "Visual Arts", + "Creative Writing", + "Journalism", + "PublicRelations", + "Broadcasting" + ] + }, + { + "id":"8286968c-8a0c-4da6-9ae6-df15c4dc5f38", + "club_id":"10ee184c-ba19-491d-b7b9-676e633f9718", + "name":"Event for Woof Magazine", + "preview":"This club is holding an event.", + "description":"Join Woof Magazine for a cozy evening of creativity at our annual fall launch party! Get ready to mingle with fellow students passionate about writing, photography, and design while enjoying delicious snacks and drinks. Learn more about how you can contribute to our upcoming issue and have your work showcased on our website and Instagram. Whether you're a seasoned artist or just starting out, there's a place for you at Woof. Don't miss out on this opportunity to connect with our talented team and see how you can get involved. See you there, Woofers!", + "event_type":"in_person", + "start_time":"2026-11-24 23:30:00", + "end_time":"2026-11-25 02:30:00", + "link":"", + "location":"Krentzman Quad", + "tags":[ + "Creative Writing", + "PublicRelations", + "Journalism", + "Visual Arts", + "Broadcasting" + ] + }, + { + "id":"4f2dc9f9-7c62-444e-8d90-da8ce051fa5e", + "club_id":"959f7ad4-2bee-47ed-8dc7-6e71d17a9875", + "name":"Event for WRBB 104.9FM Campus Radio", + "preview":"This club is holding an event.", + "description":"Join us on Friday for our monthly live music showcase, featuring up-and-coming local artists and bands curated by our talented music department! Discover new sounds, connect with fellow music enthusiasts, and support the vibrant Boston music scene. Whether you're a music lover, aspiring broadcaster, or simply looking for a fun night out, our event promises a memorable experience filled with great tunes, friendly faces, and a welcoming atmosphere. Don't miss this opportunity to be a part of the WRBB community and immerse yourself in the magic of live music!", + "event_type":"hybrid", + "start_time":"2024-04-13 20:15:00", + "end_time":"2024-04-13 22:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Marino", + "tags":[ + "Broadcasting", + "Journalism", + "Music" + ] + }, + { + "id":"f395b7af-9842-451b-a118-d299aa18518d", + "club_id":"959f7ad4-2bee-47ed-8dc7-6e71d17a9875", + "name":"Event for WRBB 104.9FM Campus Radio", + "preview":"This club is holding an event.", + "description":"Join WRBB 104.9FM Campus Radio for an exciting night of live music and broadcasting fun! Dive into the eclectic sounds of up-and-coming local bands while learning about the inner workings of radio production. Meet our vibrant community of music enthusiasts, aspiring broadcasters, and event coordinators who are passionate about supporting emerging talent in the Boston music scene. Whether you're interested in spinning tracks as a DJ, getting behind the microphone for a live show, or contributing to our award-winning sports coverage, there's a place for you at WRBB. Come experience firsthand why we're one of the largest and most dynamic media groups on campus. Don't miss out on the opportunity to be part of something special \u2013 tune in to WRBB and let your voice be heard!", + "event_type":"hybrid", + "start_time":"2026-04-03 17:00:00", + "end_time":"2026-04-03 21:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Music", + "Community Outreach", + "Journalism" + ] + }, + { + "id":"6fe81077-ccab-470d-b863-bb2c0368187c", + "club_id":"f3b7efe4-ab48-42c2-9e65-d39352aa04af", + "name":"Event for Young Democratic Socialists of America at Northeastern University", + "preview":"This club is holding an event.", + "description":"Join us for an engaging discussion on the intersection of democracy and social justice at Northeastern University. In this event, we will explore how collective ownership of the means of production can lead to true human liberation within our local community. Whether you're a seasoned activist or new to the movement, this is a welcoming space for all to learn and share perspectives. Let's work together towards a more just and equitable society where every individual can thrive. See you there!", + "event_type":"in_person", + "start_time":"2024-07-08 17:00:00", + "end_time":"2024-07-08 20:00:00", + "link":"", + "location":"Snell Library", + "tags":[ + "Socialist", + "Environmental Advocacy" + ] + }, + { + "id":"118605b4-cc8b-47ee-85c9-6f40938972bb", + "club_id":"374ba1b4-efa8-43e9-af43-437fa5148be2", + "name":"Event for Zeta Beta Tau: Gamma Psi Chapter", + "preview":"This club is holding an event.", + "description":"Join Zeta Beta Tau: Gamma Psi Chapter for our annual Charity Gala fundraiser! This elegant evening will feature live music, delicious food, and a silent auction with amazing prizes, all to support our mission of giving back to the Boston community. Bring your friends and enjoy a night of philanthropy and fun, surrounded by our dedicated group of 30 college-aged men who are passionate about making a difference. We can't wait to see you there!", + "event_type":"virtual", + "start_time":"2025-07-09 23:00:00", + "end_time":"2025-07-10 00:00:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "Human Rights", + "Philanthropy", + "Community Outreach" + ] + }, + { + "id":"d8445059-1399-4b02-9802-f823d5361430", + "club_id":"374ba1b4-efa8-43e9-af43-437fa5148be2", + "name":"Event for Zeta Beta Tau: Gamma Psi Chapter", + "preview":"This club is holding an event.", + "description":"Join Zeta Beta Tau: Gamma Psi Chapter at our upcoming charity carnival, where we come together as a brotherhood to spread joy and support our community in Boston. This fun-filled event will feature games, food, and live music, with all proceeds going towards our selected charity of the year. Whether you're a member or a visitor, everyone is welcome to participate and make a difference while enjoying a day of camaraderie and philanthropy!", + "event_type":"virtual", + "start_time":"2024-05-22 18:15:00", + "end_time":"2024-05-22 20:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"West Village H", + "tags":[ + "Volunteerism" + ] + }, + { + "id":"9b2affd4-9337-4dd5-ae03-39f8dbc2af5b", + "club_id":"ce730054-cb32-4f57-983d-4c481ce46696", + "name":"Event for Zeta Phi Beta Sorority, Inc.", + "preview":"This club is holding an event.", + "description":"Join Zeta Phi Beta Sorority, Inc., Beta Chi chapter at Northeastern University for a fun-filled and enlightening 'Empowerment Through Sisterhood' workshop. This uplifting event aims to strengthen bonds of sisterhood, enhance personal development, and foster a sense of community among attendees. With engaging group activities, insightful discussions, and empowering guest speakers, participants will leave feeling inspired and connected. Open to all students looking to make meaningful connections and grow as individuals, this event embodies the values of scholarship, service, sisterhood, and finerwomanhood that define Zeta Phi Beta Sorority, Inc. Beta Chi chapter!", + "event_type":"hybrid", + "start_time":"2024-05-14 22:15:00", + "end_time":"2024-05-15 00:15:00", + "link":"https://northeastern.zoom.us/j/6610103275", + "location":"Krentzman Quad", + "tags":[ + "HumanRights", + "Scholarship", + "Community Outreach", + "Service", + "Volunteerism", + "African American" + ] + } ] -} \ No newline at end of file + } \ No newline at end of file diff --git a/mock_data/main.py b/mock_data/main.py index 4c91d3910..2979a01c5 100644 --- a/mock_data/main.py +++ b/mock_data/main.py @@ -26,55 +26,55 @@ PARENT_UUID = args.parent_uuid MOCK_CATEGORIES_AND_TAGS = { - "PreProfessional": [ + "Pre-Professional": [ "Premed", "Prelaw", ], - "CulturalAndIdentity": [ + "Cultural And Identity": [ "Judaism", "Christianity", "Hinduism", "Islam", - "LatinAmerica", - "AfricanAmerican", - "AsianAmerican", + "Latin America", + "African American", + "Asian American", "LGBTQ", ], - "ArtsAndCreativity": [ - "PerformingArts", - "VisualArts", - "CreativeWriting", + "Arts And Creativity": [ + "Performing Arts", + "Visual Arts", + "Creative Writing", "Music", ], - "SportsAndRecreation": [ + "Sports And Recreation": [ "Soccer", "Hiking", "Climbing", "Lacrosse", ], - "ScienceAndTechnology": [ + "Science And Technology": [ "Mathematics", "Physics", "Biology", "Chemistry", - "EnvironmentalScience", + "Environmental Science", "Geology", "Neuroscience", "Psychology", - "SoftwareEngineering", - "ArtificialIntelligence", - "DataScience", - "MechanicalEngineering", - "ElectricalEngineering", - "IndustrialEngineering", + "Software Engineering", + "Artificial Intelligence", + "Data Science", + "Mechanical Engineering", + "Electrical Engineering", + "Industrial Engineering", ], - "CommunityServiceAndAdvocacy": [ + "Community Service And Advocacy": [ "Volunteerism", - "EnvironmentalAdvocacy", + "Environmental Advocacy", "HumanRights", - "CommunityOutreach", + "Community Outreach", ], - "MediaAndCommunication": [ + "Media And Communication": [ "Journalism", "Broadcasting", "Film", @@ -129,6 +129,7 @@ def random_start_and_endtimes() -> tuple[datetime.datetime, datetime.datetime]: print("NUEngage request done.") clubs_json = json.loads(clubs_response.text)['value'] + print(clubs_json) clubs = [] events = [] @@ -136,6 +137,7 @@ def random_start_and_endtimes() -> tuple[datetime.datetime, datetime.datetime]: bad_club_descriptions = 0 for club in clubs_json: name = club['Name'].replace("(Tentative) ", "").replace("( Tentative) ", "") + logo = "https://se-images.campuslabs.com/clink/images/{}".format(club['ProfilePicture']) preview = club['Summary'][:250] description = club['Description'] @@ -150,6 +152,8 @@ def random_start_and_endtimes() -> tuple[datetime.datetime, datetime.datetime]: ] ) + print('Created description for club:', name) + description = json.loads(description_response.choices[0].message.content)['description'] # Some description responses will not contain valid JSON, hence this if check. if not isinstance(description, str): @@ -178,7 +182,8 @@ def random_start_and_endtimes() -> tuple[datetime.datetime, datetime.datetime]: "is_recruiting": random.choice(["TRUE", "FALSE"]), "recruitment_cycle": random.choice(["fall", "spring", "fallSpring", "always"]), "recruitment_type": random.choice(["unrestricted", "application"]), - "tags": tags + "tags": tags, + "logo": logo } clubs.append(clubData) @@ -200,6 +205,15 @@ def random_start_and_endtimes() -> tuple[datetime.datetime, datetime.datetime]: event_description = "Event description" times = random_start_and_endtimes() + + event_type = random.choice(["hybrid", "in_person", "virtual"]) + link = "" + if event_type == "hybrid" or event_type == "virtual": + link = "https://northeastern.zoom.us/j/6610103275" + + location = random.choice(["West Village H", "Curry Student Center", "Snell Library", "Krentzman Quad", "Marino", "ISEC", "ISEC 2"]) + if event_type == "online": + location = "" events.append({ "id": str(uuid4()), @@ -207,9 +221,11 @@ def random_start_and_endtimes() -> tuple[datetime.datetime, datetime.datetime]: "name": f"Event for {clubData["name"]}", "preview": "This club is holding an event.", "description": event_description, - "event_type": random.choice(["hybrid", "in_person", "virtual"]), + "event_type": event_type, "start_time": times[0].strftime("%Y-%m-%d %H:%M:%S"), "end_time": times[1].strftime("%Y-%m-%d %H:%M:%S"), + "link": link, + "location": location, "tags": random.sample(tags, random.randint(1,len(tags))) }) bar.next() @@ -304,7 +320,7 @@ def delete_existing(): @transaction def fill_clubs(): print("Creating club data...") - cmd = """INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "parent") VALUES (%s, %s, %s, %s, %s, %s)""" + cmd = """INSERT INTO "clubs" ("id", "name", "preview", "description", "logo", "num_members", "parent") VALUES (%s, %s, %s, %s, %s, %s, %s)""" for club in clubs: data = ( @@ -312,6 +328,7 @@ def fill_clubs(): club['name'].replace("\'", "''"), club['preview'].replace("\'", "''"), club['description'].replace('\'', "''"), + club['logo'], str(club['num_members']), PARENT_UUID ) From f7c6e7c21b486a229c99bec9a480380b5267c862 Mon Sep 17 00:00:00 2001 From: Alder Whiteford Date: Sat, 15 Jun 2024 08:55:29 -0400 Subject: [PATCH 3/3] =?UTF-8?q?=F0=9F=93=9D=20feat:=20integrate=20api=20wi?= =?UTF-8?q?th=20event=20page=20(#1025)?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Co-authored-by: Alder Whiteford --- frontend/mobile/src/app/(app)/event/[id].tsx | 31 ++- frontend/mobile/src/consts/user-interest.ts | 188 +++++++++---------- mock_data/main.py | 18 ++ 3 files changed, 125 insertions(+), 112 deletions(-) diff --git a/frontend/mobile/src/app/(app)/event/[id].tsx b/frontend/mobile/src/app/(app)/event/[id].tsx index cc9c57ccc..be85507b3 100644 --- a/frontend/mobile/src/app/(app)/event/[id].tsx +++ b/frontend/mobile/src/app/(app)/event/[id].tsx @@ -132,26 +132,21 @@ const EventPage = () => { }, headerLeft: () => ( - + ), - headerRight: - !eventError || clubError - ? () => ( - - - shareEvent.current?.snapToIndex(0) - } - color="white" - /> - - ) - : () => <> + headerRight: !apiError + ? () => ( + + + shareEvent.current?.snapToIndex(0) + } + color="white" + /> + + ) + : () => <> }} /> tuple[datetime.datetime, datetime.datetime]: ) tags = json.loads(tags_response.choices[0].message.content)['tags'] + + logoOptions = [ + + ] clubData = { "id": str(uuid4()), @@ -229,6 +233,20 @@ def random_start_and_endtimes() -> tuple[datetime.datetime, datetime.datetime]: "tags": random.sample(tags, random.randint(1,len(tags))) }) bar.next() + +# name: z.string().max(255), +# preview: z.string().max(255), +# description: z.string(), +# start_time: z.string(), +# end_time: z.string(), +# location: z.string().max(255), +# link: z.string().max(255).optional(), +# event_type: eventTypeEnum, +# is_recurring: z.boolean().optional(), +# is_public: z.boolean(), +# is_draft: z.boolean(), +# is_archived: z.boolean(), +# host: z.string().uuid(), bar.finish() print(f"Bad club descriptions (JSON not created properly): {bad_club_descriptions}")