From c3fff7e11b9fde571809571465968beca6d5bac5 Mon Sep 17 00:00:00 2001
From: David Oduneye <44040421+DOOduneye@users.noreply.github.com>
Date: Wed, 10 Apr 2024 03:20:12 -0400
Subject: [PATCH 01/32] create mock data from functions (#512)
---
.../sac-mobile/app/(app)/(tabs)/index.tsx | 22 +++-
.../app/(app)/_components/description.tsx | 34 ------
frontend/sac-mobile/app/(app)/event/[id].tsx | 20 ++--
.../app/(app)/event/_components/host-list.tsx | 4 +-
.../(app)/event/_components/host-names.tsx | 4 +-
.../(app)/event/_components/location-view.tsx | 1 -
.../sac-mobile/app/(app)/event/_layout.tsx | 2 +
frontend/sac-mobile/components/club-card.tsx | 2 +-
.../sac-mobile/components/description.tsx | 42 +++++++
frontend/sac-mobile/data/clubs.ts | 60 ++++++++++
frontend/sac-mobile/data/events.ts | 92 ++++++++++++++
frontend/sac-mobile/data/tags.ts | 13 ++
frontend/sac-mobile/hooks/use-club.ts | 25 +---
frontend/sac-mobile/hooks/use-event.ts | 113 ++----------------
frontend/sac-mobile/services/club.ts | 24 ++--
frontend/sac-mobile/services/event.ts | 89 +++++++++-----
frontend/sac-mobile/types/club.ts | 10 +-
17 files changed, 335 insertions(+), 222 deletions(-)
delete mode 100644 frontend/sac-mobile/app/(app)/_components/description.tsx
create mode 100644 frontend/sac-mobile/components/description.tsx
create mode 100644 frontend/sac-mobile/data/clubs.ts
create mode 100644 frontend/sac-mobile/data/events.ts
create mode 100644 frontend/sac-mobile/data/tags.ts
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/index.tsx b/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
index 0a11eb693..ae04bd2cb 100644
--- a/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
+++ b/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
@@ -5,19 +5,39 @@ import { Link } from 'expo-router';
import { Button } from '@/components/button';
import { useAuthStore } from '@/hooks/use-auth';
+import { useEvents } from '@/hooks/use-event';
const Home = () => {
const { signOut, user } = useAuthStore();
+ const { data: events, isLoading, error } = useEvents();
const handleSignOut = async () => {
signOut();
};
+ if (isLoading) {
+ return Loading...;
+ }
+
+ if (error) {
+ return Error: {error.message};
+ }
+
return (
Welcome {user?.first_name}
- Go to Event
+ {events?.map((event) => (
+
+ {event.name}
+
+ ))}
);
};
diff --git a/frontend/sac-mobile/app/(app)/_components/description.tsx b/frontend/sac-mobile/app/(app)/_components/description.tsx
deleted file mode 100644
index f4ef3bd77..000000000
--- a/frontend/sac-mobile/app/(app)/_components/description.tsx
+++ /dev/null
@@ -1,34 +0,0 @@
-import React, { useState } from 'react';
-import { Text, TouchableOpacity, View } from 'react-native';
-
-type DescriptionProps = {
- title: string;
- description: string;
-};
-
-const Description = ({ title, description }: DescriptionProps) => {
- const [expanded, setExpanded] = useState(false);
-
- const onExpand = () => {
- setExpanded(!expanded);
- };
-
- return (
-
-
- {title}
-
-
- {expanded ? description : `${description.slice(0, 100)}...`}
-
- onExpand()}
- >
- Read more...
-
-
- );
-};
-
-export { Description };
diff --git a/frontend/sac-mobile/app/(app)/event/[id].tsx b/frontend/sac-mobile/app/(app)/event/[id].tsx
index 238e252ca..d54c16802 100644
--- a/frontend/sac-mobile/app/(app)/event/[id].tsx
+++ b/frontend/sac-mobile/app/(app)/event/[id].tsx
@@ -1,15 +1,17 @@
import React from 'react';
import { Alert, Platform, ScrollView, Share, Text, View } from 'react-native';
+import { useLocalSearchParams } from 'expo-router';
+
import { MenuView } from '@react-native-menu/menu';
import { HostList } from '@/app/(app)/event/_components/host-list';
import ShareIcon from '@/assets/images/svg/share.svg';
import { TagList } from '@/components/all-tags';
import { Button } from '@/components/button';
+import { Description } from '@/components/description';
import { useEvent } from '@/hooks/use-event';
-import { Description } from '../_components/description';
import { Title } from '../_components/title';
import { EventLocation } from './_components/event-location';
import { EventTime } from './_components/event-time';
@@ -18,20 +20,16 @@ import { LocationView } from './_components/location-view';
// TODO: handle link OR location
const Event = () => {
- // const { id } = useLocalSearchParams();
+ const { id } = useLocalSearchParams<{ id: string }>();
- const {
- data: event,
- isLoading: isEventLoading,
- error: eventError
- } = useEvent('tester');
+ const { data: event, isLoading, error } = useEvent(id);
- if (eventError) {
- console.error(eventError);
+ if (error) {
+ console.error(error);
return Error fetching event;
}
- if (isEventLoading) {
+ if (isLoading) {
return Loading...;
}
@@ -39,6 +37,8 @@ const Event = () => {
return Event not found;
}
+ console.log('[event]', event);
+
return (
diff --git a/frontend/sac-mobile/app/(app)/event/_components/host-list.tsx b/frontend/sac-mobile/app/(app)/event/_components/host-list.tsx
index c380dee58..eced19918 100644
--- a/frontend/sac-mobile/app/(app)/event/_components/host-list.tsx
+++ b/frontend/sac-mobile/app/(app)/event/_components/host-list.tsx
@@ -1,11 +1,11 @@
import { ScrollView, Text, View } from 'react-native';
import { ClubCard } from '@/components/club-card';
-import { useHosts } from '@/hooks/use-event';
+import { useEventHosts } from '@/hooks/use-event';
import { uuid } from '@/types/uuid';
const HostList = ({ eventID }: { eventID: uuid }) => {
- const { data: hosts, error, isLoading } = useHosts(eventID);
+ const { data: hosts, error, isLoading } = useEventHosts(eventID);
if (isLoading) {
return Loading...;
diff --git a/frontend/sac-mobile/app/(app)/event/_components/host-names.tsx b/frontend/sac-mobile/app/(app)/event/_components/host-names.tsx
index a86eb0da5..635200b32 100644
--- a/frontend/sac-mobile/app/(app)/event/_components/host-names.tsx
+++ b/frontend/sac-mobile/app/(app)/event/_components/host-names.tsx
@@ -1,11 +1,11 @@
import { Fragment } from 'react';
import { Pressable, Text, View } from 'react-native';
-import { useHosts } from '@/hooks/use-event';
+import { useEventHosts } from '@/hooks/use-event';
import { uuid } from '@/types/uuid';
const HostNames = ({ eventID }: { eventID: uuid }) => {
- const { data: hosts, error, isLoading } = useHosts(eventID);
+ const { data: hosts, error, isLoading } = useEventHosts(eventID);
if (isLoading) {
return Loading...;
diff --git a/frontend/sac-mobile/app/(app)/event/_components/location-view.tsx b/frontend/sac-mobile/app/(app)/event/_components/location-view.tsx
index f7c11268a..647a6ef61 100644
--- a/frontend/sac-mobile/app/(app)/event/_components/location-view.tsx
+++ b/frontend/sac-mobile/app/(app)/event/_components/location-view.tsx
@@ -55,7 +55,6 @@ const LocationView = ({ location, meetingLink }: LocationViewProps) => {
{assets ? (
diff --git a/frontend/sac-mobile/app/(app)/event/_layout.tsx b/frontend/sac-mobile/app/(app)/event/_layout.tsx
index f1ea8680a..1bbb8d7f2 100644
--- a/frontend/sac-mobile/app/(app)/event/_layout.tsx
+++ b/frontend/sac-mobile/app/(app)/event/_layout.tsx
@@ -14,6 +14,8 @@ const EventLayout = () => {
{
{asset && (
)}
diff --git a/frontend/sac-mobile/components/description.tsx b/frontend/sac-mobile/components/description.tsx
new file mode 100644
index 000000000..dcc160026
--- /dev/null
+++ b/frontend/sac-mobile/components/description.tsx
@@ -0,0 +1,42 @@
+import React, { useState } from 'react';
+import { Text, TouchableOpacity, View } from 'react-native';
+
+type DescriptionProps = {
+ title: string;
+ description: string;
+};
+
+const Description = ({ title, description }: DescriptionProps) => {
+ const [expanded, setExpanded] = useState(false);
+
+ const displayedCharacters =
+ description.length < 100 ? description.length : 100;
+
+ return (
+
+
+ {title}
+
+
+ {description.length <= 100 ? (
+ description
+ ) : (
+ <>
+ {description.slice(0, displayedCharacters)}
+ ...
+ >
+ )}
+
+ {description.length > 100 && (
+ setExpanded(!expanded)}
+ >
+ Read more...
+
+ )}
+
+ );
+};
+
+export { Description };
diff --git a/frontend/sac-mobile/data/clubs.ts b/frontend/sac-mobile/data/clubs.ts
new file mode 100644
index 000000000..bf565603d
--- /dev/null
+++ b/frontend/sac-mobile/data/clubs.ts
@@ -0,0 +1,60 @@
+import { Club } from '@/types/club';
+import { Contact } from '@/types/contact';
+
+export const clubs: Club[] = [];
+
+for (let i = 1; i <= 10; i++) {
+ const club: Club = {
+ id: i.toString(),
+ updated_at: new Date(),
+ created_at: new Date(),
+ name: `Club ${i}`,
+ preview: `Preview ${i}`,
+ description: `Description ${i}`,
+ num_members: i * 10,
+ is_recruiting: i % 2 === 0,
+ recruitment_cycle:
+ i % 4 === 0
+ ? 'always'
+ : i % 3 === 0
+ ? 'fallSpring'
+ : i % 2 === 0
+ ? 'spring'
+ : 'fall',
+ recruitment_type:
+ i % 3 === 0
+ ? 'unrestricted'
+ : i % 2 === 0
+ ? 'tryout'
+ : 'application',
+ application_link: `https://example.com/club${i}`,
+ logo: `https://example.com/club${i}.png`
+ };
+ clubs.push(club);
+}
+
+export const contacts: Contact[] = [];
+
+for (let i = 1; i <= 10; i++) {
+ const contact: Contact = {
+ id: i.toString(),
+ created_at: new Date(),
+ updated_at: new Date(),
+ content: `Contact ${i}`,
+ type: Math.random() > 0.5 ? 'email' : 'slack'
+ };
+ contacts.push(contact);
+}
+
+export const clubContacts: { [key: string]: Contact[] } = {};
+
+for (let i = 1; i <= 10; i++) {
+ const clubContactsArray: Contact[] = [];
+ const contactIndices: number[] = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9].filter(
+ (index) => index % i === 0
+ );
+ contactIndices.slice(0, 2).forEach((index) => {
+ clubContactsArray.push(contacts[index]);
+ });
+ clubContacts[i.toString()] = clubContactsArray;
+}
diff --git a/frontend/sac-mobile/data/events.ts b/frontend/sac-mobile/data/events.ts
new file mode 100644
index 000000000..ea6533685
--- /dev/null
+++ b/frontend/sac-mobile/data/events.ts
@@ -0,0 +1,92 @@
+import { Club } from '@/types/club';
+import { Event } from '@/types/event';
+import { Tag } from '@/types/tag';
+
+import { clubs } from './clubs';
+import { tags } from './tags';
+
+const Locations = [
+ '2435 E. North St., Greenville, SC',
+ '1234 Main Rd., New York, NY',
+ '5678 Elm St., Los Angeles, CA',
+ '91011 Pine Ct., Chicago, IL',
+ '1213 Oak Ave., Houston, TX',
+ '1415 Maple Dr., Phoenix, AZ',
+ '1617 Birch Ln., Philadelphia, PA',
+ '1819 Cedar Rd., San Antonio, TX',
+ '2021 Spruce St., San Diego, CA',
+ '2223 Willow Dr., Dallas, TX'
+];
+
+const generateLoremIpsum = (paragraphs = 1, sentencesPerParagraph = 3) => {
+ const loremIpsumText =
+ 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.';
+ const sentences = loremIpsumText.split('. ');
+
+ const getRandomSentence = () => {
+ return sentences[Math.floor(Math.random() * sentences.length)];
+ };
+
+ let paragraphsText = '';
+ for (let i = 0; i < paragraphs; i++) {
+ let paragraph = '';
+ for (let j = 0; j < sentencesPerParagraph; j++) {
+ paragraph += getRandomSentence() + ' ';
+ }
+ paragraphsText += paragraph.trim() + '\n\n';
+ }
+
+ return paragraphsText.trim();
+};
+
+export const events: Event[] = [];
+
+for (let i = 1; i <= 10; i++) {
+ events.push({
+ id: i.toString(),
+ updated_at: new Date(),
+ created_at: new Date(),
+ name: `Event ${i}`,
+ start_time: new Date(),
+ end_time: new Date(),
+ location: Locations[i - 1],
+ preview: `Preview ${i}`,
+ content: generateLoremIpsum(
+ Math.floor(Math.random() * 3) + 1,
+ Math.floor(Math.random() * 3) + 1
+ ),
+ meeting_link: `http://www.example.com/event${i}`,
+ is_recurring: false,
+ event_type: 'open'
+ });
+}
+
+// Event Hosts
+
+export const eventHosts: { [key: string]: Club[] } = {};
+
+for (let i = 1; i <= 10; i++) {
+ const hostsArray: Club[] = [];
+ const hostIndices: number[] = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9].filter(
+ (index) => index % i === 0
+ );
+ hostIndices.forEach((index) => {
+ hostsArray.push(clubs[index]);
+ });
+ eventHosts[i.toString()] = hostsArray;
+}
+
+// Event Tags
+
+export const eventTags: { [key: string]: Tag[] } = {};
+
+for (let i = 1; i <= 10; i++) {
+ const tagsArray: Tag[] = [];
+ const tagIndices: number[] = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9].filter(
+ (index) => index % i === 0
+ );
+ tagIndices.forEach((index) => {
+ tagsArray.push(tags[index]);
+ });
+ eventTags[i.toString()] = tagsArray;
+}
diff --git a/frontend/sac-mobile/data/tags.ts b/frontend/sac-mobile/data/tags.ts
new file mode 100644
index 000000000..045b20667
--- /dev/null
+++ b/frontend/sac-mobile/data/tags.ts
@@ -0,0 +1,13 @@
+import { Tag } from '@/types/tag';
+
+export const tags: Tag[] = [];
+
+for (let i = 1; i <= 10; i++) {
+ const tag: Tag = {
+ id: i.toString(),
+ created_at: new Date(),
+ updated_at: new Date(),
+ name: `Tag${i}`
+ };
+ tags.push(tag);
+}
diff --git a/frontend/sac-mobile/hooks/use-club.ts b/frontend/sac-mobile/hooks/use-club.ts
index ca693c605..9181de8e5 100644
--- a/frontend/sac-mobile/hooks/use-club.ts
+++ b/frontend/sac-mobile/hooks/use-club.ts
@@ -7,28 +7,9 @@ import { uuid } from '@/types/uuid';
export const useClub = (clubID: uuid): UseQueryResult => {
return useQuery({
- queryKey: ['useClubclubID', clubID],
+ queryKey: ['club', clubID],
queryFn: () => {
- if (clubID === 'tester') {
- return {
- id: 'tester',
- createdAt: new Date(),
- updatedAt: new Date(),
- name: 'Generate',
- preview: 'Generate',
- description: 'Generate',
- numMembers: 69420,
- isRecruiting: true,
- recruitmentCycle: 'always',
- recruitmentType: 'unrestricted',
- applicationLink: 'https://www.generatenu.com',
- logo: 'https://www.generatenu.com/logo.png',
- created_at: new Date(),
- updated_at: new Date()
- } as Club;
- } else {
- return fetchClub(clubID);
- }
+ return fetchClub(clubID);
}
});
};
@@ -37,7 +18,7 @@ export const useClubContacts = (
clubID: uuid
): UseQueryResult => {
return useQuery({
- queryKey: ['useClubContactsclubID', clubID],
+ queryKey: ['club', clubID, 'contacts'],
queryFn: () => {
if (clubID.startsWith('tester')) {
return [
diff --git a/frontend/sac-mobile/hooks/use-event.ts b/frontend/sac-mobile/hooks/use-event.ts
index d6c62d55a..274f4ab20 100644
--- a/frontend/sac-mobile/hooks/use-event.ts
+++ b/frontend/sac-mobile/hooks/use-event.ts
@@ -11,29 +11,11 @@ import { Event } from '@/types/event';
import { Tag } from '@/types/tag';
import { uuid } from '@/types/uuid';
-export const useEvent = (eventID: uuid): UseQueryResult => {
+export const useEvent = (eventID: string): UseQueryResult => {
return useQuery({
- queryKey: ['useEventeventID', eventID],
+ queryKey: ['event', eventID],
queryFn: () => {
- if (eventID === 'tester') {
- return {
- id: 'tester',
- created_at: new Date(),
- updated_at: new Date(),
- name: 'Tester Event',
- preview: 'This is a preview',
- content:
- 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut',
- start_time: new Date(2024, 2, 15, 18, 30),
- end_time: new Date(2024, 2, 15, 20, 0),
- location: '1234 Tester St, Boston, MA 02115',
- meeting_link: 'https://foo.com',
- event_type: 'open',
- is_recurring: false
- } as Event;
- } else {
- return fetchEvent(eventID);
- }
+ return fetchEvent(eventID);
}
});
};
@@ -49,97 +31,18 @@ export const useEvents = (): UseQueryResult => {
export const useEventTags = (eventID: uuid): UseQueryResult => {
return useQuery({
- queryKey: ['useEventTagseventID', eventID],
+ queryKey: ['event', eventID, 'tags'],
queryFn: () => {
- if (eventID === 'tester') {
- return [
- {
- id: 'tester0',
- createdAt: new Date(),
- updatedAt: new Date(),
- name: 'Tester',
- created_at: new Date(),
- updated_at: new Date()
- } as Tag,
- {
- id: 'tester1',
- createdAt: new Date(),
- updatedAt: new Date(),
- name: 'Tester1',
- created_at: new Date(),
- updated_at: new Date()
- } as Tag,
- {
- id: 'tester2',
- createdAt: new Date(),
- updatedAt: new Date(),
- name: 'Tester1',
- created_at: new Date(),
- updated_at: new Date()
- } as Tag
- ];
- } else {
- return fetchEventTags(eventID);
- }
+ return fetchEventTags(eventID);
}
});
};
-export const useHosts = (eventID: uuid): UseQueryResult => {
+export const useEventHosts = (eventID: uuid): UseQueryResult => {
return useQuery({
- queryKey: ['useHostsEventID', eventID],
+ queryKey: ['event', eventID, 'hosts'],
queryFn: () => {
- if (eventID === 'tester') {
- return [
- {
- id: 'tester0',
- createdAt: new Date(),
- updatedAt: new Date(),
- name: 'Generate0',
- preview: 'Generate',
- description: 'Generate',
- numMembers: 69420,
- isRecruiting: true,
- recruitmentCycle: 'always',
- recruitmentType: 'unrestricted',
- applicationLink: 'https://www.generatenu.com',
- created_at: new Date(),
- updated_at: new Date()
- } as Club,
- {
- id: 'tester1',
- createdAt: new Date(),
- updatedAt: new Date(),
- name: 'Generate1',
- preview: 'Generate',
- description: 'Generate',
- numMembers: 69420,
- isRecruiting: true,
- recruitmentCycle: 'always',
- recruitmentType: 'unrestricted',
- applicationLink: 'https://www.generatenu.com',
- created_at: new Date(),
- updated_at: new Date()
- } as Club,
- {
- id: 'tester2',
- createdAt: new Date(),
- updatedAt: new Date(),
- name: 'Generate2',
- preview: 'Generate',
- description: 'Generate',
- numMembers: 69420,
- isRecruiting: true,
- recruitmentCycle: 'always',
- recruitmentType: 'unrestricted',
- applicationLink: 'https://www.generatenu.com',
- created_at: new Date(),
- updated_at: new Date()
- } as Club
- ];
- } else {
- return fetchHosts(eventID);
- }
+ return fetchHosts(eventID);
}
});
};
diff --git a/frontend/sac-mobile/services/club.ts b/frontend/sac-mobile/services/club.ts
index a03425c98..e93ce0360 100644
--- a/frontend/sac-mobile/services/club.ts
+++ b/frontend/sac-mobile/services/club.ts
@@ -1,3 +1,4 @@
+import { clubContacts } from '@/data/clubs';
import { Club } from '@/types/club';
import { Contact } from '@/types/contact';
import { uuid } from '@/types/uuid';
@@ -32,11 +33,20 @@ export const fetchClub = async (clubID: uuid): Promise => {
* @see Contact[]
*/
export const fetchClubContacts = async (clubID: uuid): Promise => {
- return api
- .get(`/clubs/${clubID}/contacts`)
- .then((response) => response.data as Contact[])
- .catch((error) => {
- console.error(error);
- throw new Error('Error fetching contacts');
- });
+ // return api
+ // .get(`/clubs/${clubID}/contacts`)
+ // .then((response) => response.data as Contact[])
+ // .catch((error) => {
+ // console.error(error);
+ // throw new Error('Error fetching contacts');
+ // });
+
+ const allContacts = clubContacts[
+ clubID as keyof typeof clubContacts
+ ] as Contact[];
+ if (!allContacts) {
+ throw new Error('Error fetching contacts');
+ }
+
+ return allContacts;
};
diff --git a/frontend/sac-mobile/services/event.ts b/frontend/sac-mobile/services/event.ts
index 655ae2835..4d7d1b26b 100644
--- a/frontend/sac-mobile/services/event.ts
+++ b/frontend/sac-mobile/services/event.ts
@@ -1,10 +1,9 @@
+import { eventHosts, eventTags, events } from '@/data/events';
import { Club } from '@/types/club';
import { Event } from '@/types/event';
import { Tag } from '@/types/tag';
import { uuid } from '@/types/uuid';
-import { api } from './api';
-
/**
* Fetches an event by its ID.
*
@@ -13,14 +12,21 @@ import { api } from './api';
* @throws Error if the event cannot be fetched
* @see Event
*/
-export const fetchEvent = async (eventID: uuid): Promise => {
- return api
- .get(`/events/${eventID}`)
- .then((response) => response.data as Event)
- .catch((error) => {
- console.error(error);
- throw new Error('Error fetching event');
- });
+export const fetchEvent = async (eventID: string): Promise => {
+ // return api
+ // .get(`/events/${eventID}`)
+ // .then((response) => response.data as Event)
+ // .catch((error) => {
+ // console.error(error);
+ // throw new Error('Error fetching event');
+ // });
+
+ const event = events.find((e) => e.id === eventID);
+ if (!event) {
+ throw new Error('Event not found');
+ }
+
+ return event;
};
/**
@@ -31,13 +37,17 @@ export const fetchEvent = async (eventID: uuid): Promise => {
* @see Event
*/
export const fetchEvents = async (): Promise => {
- return api
- .get('/events')
- .then((response) => response.data as Event[])
- .catch((error) => {
- console.error(error);
- throw new Error('Error fetching events');
- });
+ // return api
+ // .get('/events')
+ // .then((response) => response.data as Event[])
+ // .catch((error) => {
+ // console.error(error);
+ // throw new Error('Error fetching events');
+ // });
+ return new Promise((resolve, _) => {
+ resolve(events);
+ });
+ // return axios.get('/Users/davidoduneye/projects/org-generate/sac/frontend/sac-mobile/data/events.json').then((response) => response.data as Event[]);
};
/**
@@ -48,14 +58,22 @@ export const fetchEvents = async (): Promise => {
* @throws Error if the hosts cannot be fetched
* @see Club
*/
-export const fetchHosts = async (eventID: uuid): Promise => {
- return api
- .get(`/events/${eventID}/hosts`)
- .then((response) => response.data as Club[])
- .catch((error) => {
- console.error(error);
- throw new Error('Error fetching hosts');
- });
+export const fetchHosts = async (eventID: string): Promise => {
+ // return api
+ // .get(`/events/${eventID}/hosts`)
+ // .then((response) => response.data as Club[])
+ // .catch((error) => {
+ // console.error(error);
+ // throw new Error('Error fetching hosts');
+ // });
+
+ // key is the eventID
+ const allHosts = eventHosts[eventID as keyof typeof eventHosts] as Club[];
+ if (!allHosts) {
+ throw new Error('Hosts not found');
+ }
+
+ return allHosts;
};
/**
@@ -67,11 +85,18 @@ export const fetchHosts = async (eventID: uuid): Promise => {
* @see Tag
*/
export const fetchEventTags = async (eventID: uuid): Promise => {
- return api
- .get(`/events/${eventID}/tags`)
- .then((response) => response.data as Tag[])
- .catch((error) => {
- console.error(error);
- throw new Error('Failed to fetch event tags');
- });
+ // return api
+ // .get(`/events/${eventID}/tags`)
+ // .then((response) => response.data as Tag[])
+ // .catch((error) => {
+ // console.error(error);
+ // throw new Error('Failed to fetch event tags');
+ // });
+
+ const allTags = eventTags[eventID as keyof typeof eventTags] as Tag[];
+ if (!allTags) {
+ throw new Error('Tags not found');
+ }
+
+ return allTags;
};
diff --git a/frontend/sac-mobile/types/club.ts b/frontend/sac-mobile/types/club.ts
index b7660bea7..2bc70ce0a 100644
--- a/frontend/sac-mobile/types/club.ts
+++ b/frontend/sac-mobile/types/club.ts
@@ -6,11 +6,11 @@ const clubSchema = z.object({
name: z.string().max(255),
preview: z.string().max(255),
description: z.string().max(255),
- numMembers: z.number(),
- isRecruiting: z.boolean(),
- recruitmentCycle: z.enum(['fall', 'spring', 'fallSpring', 'always']),
- recruitmentType: z.enum(['unrestricted', 'tryout', 'application']),
- applicationLink: z.string().max(255),
+ num_members: z.number(),
+ is_recruiting: z.boolean(),
+ recruitment_cycle: z.enum(['fall', 'spring', 'fallSpring', 'always']),
+ recruitment_type: z.enum(['unrestricted', 'tryout', 'application']),
+ application_link: z.string().max(255),
logo: z.string().max(255).optional()
});
From 8cf3da01dd3dde871d7a9ca70fba8a2705f98d03 Mon Sep 17 00:00:00 2001
From: David Oduneye <44040421+DOOduneye@users.noreply.github.com>
Date: Wed, 10 Apr 2024 12:58:41 -0400
Subject: [PATCH 02/32] refactor: guests (#488)
---
backend/src/auth/jwt.go | 2 +-
backend/src/errors/common.go | 4 ++++
backend/src/middleware/auth.go | 13 +++++++++----
backend/src/middleware/club.go | 2 +-
backend/src/middleware/user.go | 2 +-
backend/src/server/routes/club_follower.go | 2 +-
backend/src/server/routes/club_member.go | 2 +-
backend/src/server/routes/user.go | 9 ++++-----
backend/src/server/routes/user_follower.go | 4 ++--
backend/src/server/routes/user_member.go | 4 ++--
backend/src/server/routes/user_tag.go | 4 ++--
backend/tests/api/user_test.go | 2 +-
12 files changed, 29 insertions(+), 21 deletions(-)
diff --git a/backend/src/auth/jwt.go b/backend/src/auth/jwt.go
index 91abc2cfd..b75f396ac 100644
--- a/backend/src/auth/jwt.go
+++ b/backend/src/auth/jwt.go
@@ -22,7 +22,7 @@ type CustomClaims struct {
func From(c *fiber.Ctx) (*CustomClaims, *errors.Error) {
rawClaims := c.Locals("claims")
if rawClaims == nil {
- return nil, nil
+ return nil, &errors.Forbidden
}
claims, ok := rawClaims.(*CustomClaims)
diff --git a/backend/src/errors/common.go b/backend/src/errors/common.go
index 59cf0b1a4..acf9e0906 100644
--- a/backend/src/errors/common.go
+++ b/backend/src/errors/common.go
@@ -43,6 +43,10 @@ var (
StatusCode: fiber.StatusUnauthorized,
Message: "unauthorized",
}
+ Forbidden = Error{
+ StatusCode: fiber.StatusForbidden,
+ Message: "forbidden",
+ }
FailedToSignToken = Error{
StatusCode: fiber.StatusInternalServerError,
Message: "failed to sign token",
diff --git a/backend/src/middleware/auth.go b/backend/src/middleware/auth.go
index b5636cde2..8538137a0 100644
--- a/backend/src/middleware/auth.go
+++ b/backend/src/middleware/auth.go
@@ -17,14 +17,14 @@ import (
func getExcludedPaths() []map[string]string {
return []map[string]string{
- {"/api/v1/auth/login": "POST"},
- {"/api/v1/auth/refresh": "POST"},
{"/api/v1/users/": "POST"},
+ {"/api/v1/auth/login": "POST"},
{"/api/v1/auth/logout": "POST"},
- {"/api/v1/auth/forgot-password": "POST"},
+ {"/api/v1/auth/refresh": "POST"},
{"/api/v1/auth/send-code/": "POST"},
{"/api/v1/auth/verify-email": "POST"},
{"/api/v1/auth/verify-reset": "POST"},
+ {"/api/v1/auth/forgot-password": "POST"},
}
}
@@ -63,6 +63,11 @@ func (m *AuthMiddlewareService) Authenticate(c *fiber.Ctx) error {
}
}
+ // TODO: maybe a better way to handle this?
+ if c.Method() == "OPTIONS" || (c.Method() == "GET" && c.Path() != "/api/v1/users/") {
+ return c.Next()
+ }
+
accessToken := GetAuthroizationToken(c)
if accessToken == nil {
return errors.Unauthorized.FiberError(c)
@@ -106,7 +111,7 @@ func (m *AuthMiddlewareService) Authorize(requiredPermissions ...auth.Permission
for _, requiredPermission := range requiredPermissions {
if !slices.Contains(userPermissions, requiredPermission) {
- return errors.Unauthorized.FiberError(c)
+ return errors.Forbidden.FiberError(c)
}
}
diff --git a/backend/src/middleware/club.go b/backend/src/middleware/club.go
index 97e62687d..b110a6912 100644
--- a/backend/src/middleware/club.go
+++ b/backend/src/middleware/club.go
@@ -40,5 +40,5 @@ func (m *AuthMiddlewareService) ClubAuthorizeById(c *fiber.Ctx) error {
return c.Next()
}
- return errors.Unauthorized.FiberError(c)
+ return errors.Forbidden.FiberError(c)
}
diff --git a/backend/src/middleware/user.go b/backend/src/middleware/user.go
index 8f626ac21..fd8656f39 100644
--- a/backend/src/middleware/user.go
+++ b/backend/src/middleware/user.go
@@ -31,5 +31,5 @@ func (m *AuthMiddlewareService) UserAuthorizeById(c *fiber.Ctx) error {
return c.Next()
}
- return errors.Unauthorized.FiberError(c)
+ return errors.Forbidden.FiberError(c)
}
diff --git a/backend/src/server/routes/club_follower.go b/backend/src/server/routes/club_follower.go
index ff252ea13..b45a97ec3 100644
--- a/backend/src/server/routes/club_follower.go
+++ b/backend/src/server/routes/club_follower.go
@@ -12,5 +12,5 @@ func ClubFollower(clubParams types.RouteParams) {
clubFollowers := clubParams.Router.Group("/followers")
// api/clubs/:clubID/followers/*
- clubFollowers.Get("/", clubParams.AuthMiddleware.ClubAuthorizeById, clubFollowerController.GetClubFollowers)
+ clubFollowers.Get("/", clubFollowerController.GetClubFollowers)
}
diff --git a/backend/src/server/routes/club_member.go b/backend/src/server/routes/club_member.go
index 8787f04c8..e95b052f0 100644
--- a/backend/src/server/routes/club_member.go
+++ b/backend/src/server/routes/club_member.go
@@ -12,5 +12,5 @@ func ClubMember(clubParams types.RouteParams) {
clubMembers := clubParams.Router.Group("/members")
// api/v1/clubs/:clubID/members/*
- clubMembers.Get("/", clubParams.AuthMiddleware.ClubAuthorizeById, clubMemberController.GetClubMembers)
+ clubMembers.Get("/", clubMemberController.GetClubMembers)
}
diff --git a/backend/src/server/routes/user.go b/backend/src/server/routes/user.go
index d5a453ab8..9e283aa65 100644
--- a/backend/src/server/routes/user.go
+++ b/backend/src/server/routes/user.go
@@ -27,15 +27,14 @@ func User(userParams types.RouteParams) fiber.Router {
users.Get("/", userParams.AuthMiddleware.Authorize(p.ReadAll), userController.GetUsers)
users.Post("/", userController.CreateUser)
users.Get("/me", userController.GetMe)
- users.Get("/:userID", userController.GetUser)
// api/v1/users/:userID/*
usersID := users.Group("/:userID")
- usersID.Use(userParams.AuthMiddleware.UserAuthorizeById)
- usersID.Patch("/", userController.UpdateUser)
- usersID.Patch("/password", userController.UpdatePassword)
- usersID.Delete("/", userController.DeleteUser)
+ usersID.Get("/", userController.GetUser)
+ usersID.Patch("/", userParams.AuthMiddleware.UserAuthorizeById, userController.UpdateUser)
+ usersID.Patch("/password", userParams.AuthMiddleware.UserAuthorizeById, userController.UpdatePassword)
+ usersID.Delete("/", userParams.AuthMiddleware.UserAuthorizeById, userController.DeleteUser)
return usersID
}
diff --git a/backend/src/server/routes/user_follower.go b/backend/src/server/routes/user_follower.go
index 24773a9fb..4fcff5ad3 100644
--- a/backend/src/server/routes/user_follower.go
+++ b/backend/src/server/routes/user_follower.go
@@ -13,6 +13,6 @@ func UserFollower(userParams types.RouteParams) {
userFollower := userParams.Router.Group("/follower")
userFollower.Get("/", userFollowerController.GetFollowing)
- userFollower.Post("/:clubID", userFollowerController.CreateFollowing)
- userFollower.Delete("/:clubID", userFollowerController.DeleteFollowing)
+ userFollower.Post("/:clubID", userParams.AuthMiddleware.UserAuthorizeById, userFollowerController.CreateFollowing)
+ userFollower.Delete("/:clubID", userParams.AuthMiddleware.UserAuthorizeById, userFollowerController.DeleteFollowing)
}
diff --git a/backend/src/server/routes/user_member.go b/backend/src/server/routes/user_member.go
index 290ca8bf1..36573dd79 100644
--- a/backend/src/server/routes/user_member.go
+++ b/backend/src/server/routes/user_member.go
@@ -13,6 +13,6 @@ func UserMember(userParams types.RouteParams) {
userMember := userParams.Router.Group("/member")
userMember.Get("/", userMemberController.GetMembership)
- userMember.Post("/:clubID", userMemberController.CreateMembership)
- userMember.Delete("/:clubID", userMemberController.DeleteMembership)
+ userMember.Post("/:clubID", userParams.AuthMiddleware.UserAuthorizeById, userMemberController.CreateMembership)
+ userMember.Delete("/:clubID", userParams.AuthMiddleware.UserAuthorizeById, userMemberController.DeleteMembership)
}
diff --git a/backend/src/server/routes/user_tag.go b/backend/src/server/routes/user_tag.go
index d9378f025..8f65852d4 100644
--- a/backend/src/server/routes/user_tag.go
+++ b/backend/src/server/routes/user_tag.go
@@ -13,8 +13,8 @@ func UserTag(userParams types.RouteParams) {
userTags := userParams.Router.Group("/tags")
userTags.Get("/", userTagController.GetUserTags)
- userTags.Post("/", userTagController.CreateUserTags)
+ userTags.Post("/", userParams.AuthMiddleware.UserAuthorizeById, userTagController.CreateUserTags)
tagID := userTags.Group("/:tagID")
- tagID.Delete("/", userTagController.DeleteUserTag)
+ tagID.Delete("/", userParams.AuthMiddleware.UserAuthorizeById, userTagController.DeleteUserTag)
}
diff --git a/backend/tests/api/user_test.go b/backend/tests/api/user_test.go
index 3ae271709..c9df6c605 100644
--- a/backend/tests/api/user_test.go
+++ b/backend/tests/api/user_test.go
@@ -67,7 +67,7 @@ func TestGetUsersFailsForStudent(t *testing.T) {
Path: "/api/v1/users/",
Role: &models.Student,
},
- errors.Unauthorized,
+ errors.Forbidden,
).Close()
}
From 89f2ba854c3859a5b27e58b848c0f1b61377f017 Mon Sep 17 00:00:00 2001
From: David Oduneye <44040421+DOOduneye@users.noreply.github.com>
Date: Wed, 10 Apr 2024 15:04:23 -0400
Subject: [PATCH 03/32] fixed s3 url key for uploading (#515)
---
backend/src/file/file.go | 4 ++--
1 file changed, 2 insertions(+), 2 deletions(-)
diff --git a/backend/src/file/file.go b/backend/src/file/file.go
index 0e89e879a..9314ffce5 100644
--- a/backend/src/file/file.go
+++ b/backend/src/file/file.go
@@ -132,7 +132,7 @@ func (aw *AWSClient) UploadFile(folder string, fileHeader *multipart.FileHeader,
return nil, &errors.FailedToUploadFile
}
- fileURL := fmt.Sprintf("https://%s.s3.amazonaws.com/%s", bucket, key)
+ fileURL := fmt.Sprintf("https://s3.amazonaws.com/%s/%s", bucket, key)
return &models.FileInfo{
FileName: *fileName,
FileType: fileHeader.Header.Get("Content-Type"),
@@ -146,7 +146,7 @@ func (aw *AWSClient) DeleteFile(fileURL string) *errors.Error {
svc := s3.New(aw.session)
bucket := aw.Settings.BUCKET_NAME.Expose()
- key := fileURL[len(fmt.Sprintf("https://s3.amazonaws.com/%s", bucket)):]
+ key := fileURL[len(fmt.Sprintf("https://s3.amazonaws.com/%s/", bucket)):]
_, err := svc.DeleteObject(&s3.DeleteObjectInput{
Bucket: aws.String(bucket),
From 0b8dc0ee756e79e5bbbe12fd8db591069f4adf2b Mon Sep 17 00:00:00 2001
From: David Oduneye <44040421+DOOduneye@users.noreply.github.com>
Date: Wed, 10 Apr 2024 16:13:10 -0400
Subject: [PATCH 04/32] refactor: move depenencies (#516)
---
backend/src/auth/jwt_mock.go | 36 +++++++
backend/src/email/resend_mock.go | 25 +++++
backend/src/file/aws_mock.go | 26 +++++
backend/src/search/openai_mock.go | 17 +++
backend/src/search/pinecone_mock.go | 2 +-
backend/tests/api/helpers/dependencies.go | 15 ++-
backend/tests/api/helpers/mock.go | 126 ----------------------
7 files changed, 115 insertions(+), 132 deletions(-)
create mode 100644 backend/src/auth/jwt_mock.go
create mode 100644 backend/src/email/resend_mock.go
create mode 100644 backend/src/file/aws_mock.go
create mode 100644 backend/src/search/openai_mock.go
delete mode 100644 backend/tests/api/helpers/mock.go
diff --git a/backend/src/auth/jwt_mock.go b/backend/src/auth/jwt_mock.go
new file mode 100644
index 000000000..6a8a7aebe
--- /dev/null
+++ b/backend/src/auth/jwt_mock.go
@@ -0,0 +1,36 @@
+package auth
+
+import (
+ "github.com/GenerateNU/sac/backend/src/errors"
+ "github.com/golang-jwt/jwt"
+)
+
+type JWTMockClient struct{}
+
+func NewJWTMockClient() JWTClientInterface {
+ return &JWTMockClient{}
+}
+
+func (c *JWTMockClient) GenerateTokenPair(accessClaims, refreshClaims Claims) (*Token, *errors.Error) {
+ return &Token{}, nil
+}
+
+func (c *JWTMockClient) GenerateToken(claims Claims, tokenType JWTType) ([]byte, *errors.Error) {
+ return []byte{}, nil
+}
+
+func (c *JWTMockClient) RefreshToken(token, refreshToken string, tokenType JWTType, newClaims jwt.MapClaims) ([]byte, *errors.Error) {
+ return []byte{}, nil
+}
+
+func (c *JWTMockClient) ExtractClaims(tokenString string, tokenType JWTType) (jwt.MapClaims, *errors.Error) {
+ return jwt.MapClaims{}, nil
+}
+
+func (c *JWTMockClient) ParseToken(tokenString string, tokenType JWTType) (*jwt.Token, *errors.Error) {
+ return &jwt.Token{}, nil
+}
+
+func (c *JWTMockClient) IsTokenValid(tokenString string, tokenType JWTType) (bool, *errors.Error) {
+ return true, nil
+}
diff --git a/backend/src/email/resend_mock.go b/backend/src/email/resend_mock.go
new file mode 100644
index 000000000..482635d32
--- /dev/null
+++ b/backend/src/email/resend_mock.go
@@ -0,0 +1,25 @@
+package email
+
+import "github.com/GenerateNU/sac/backend/src/errors"
+
+type ResendMockClient struct{}
+
+func NewResendMockClient() EmailClientInterface {
+ return &ResendMockClient{}
+}
+
+func (c *ResendMockClient) SendPasswordResetEmail(name, email, token string) *errors.Error {
+ return nil
+}
+
+func (c *ResendMockClient) SendEmailVerification(email, code string) *errors.Error {
+ return nil
+}
+
+func (c *ResendMockClient) SendWelcomeEmail(name, email string) *errors.Error {
+ return nil
+}
+
+func (c *ResendMockClient) SendPasswordChangedEmail(name, email string) *errors.Error {
+ return nil
+}
diff --git a/backend/src/file/aws_mock.go b/backend/src/file/aws_mock.go
new file mode 100644
index 000000000..eff2b6443
--- /dev/null
+++ b/backend/src/file/aws_mock.go
@@ -0,0 +1,26 @@
+package file
+
+import (
+ "mime/multipart"
+
+ "github.com/GenerateNU/sac/backend/src/errors"
+ "github.com/GenerateNU/sac/backend/src/models"
+)
+
+type AWSMockClient struct{}
+
+func NewAWSMockClient() FileClientInterface {
+ return &AWSMockClient{}
+}
+
+func (c *AWSMockClient) UploadFile(folder string, fileHeader *multipart.FileHeader, allowedTypes []FileType) (*models.FileInfo, *errors.Error) {
+ return nil, nil
+}
+
+func (c *AWSMockClient) DeleteFile(fileURL string) *errors.Error {
+ return nil
+}
+
+func (c *AWSMockClient) GetFileURL(fileURL string) *string {
+ return nil
+}
diff --git a/backend/src/search/openai_mock.go b/backend/src/search/openai_mock.go
new file mode 100644
index 000000000..ba81def43
--- /dev/null
+++ b/backend/src/search/openai_mock.go
@@ -0,0 +1,17 @@
+package search
+
+import "github.com/GenerateNU/sac/backend/src/errors"
+
+type OpenAIMockClient struct{}
+
+func NewOpenAIMockClient() AIClientInterface {
+ return &OpenAIMockClient{}
+}
+
+func (c *OpenAIMockClient) CreateEmbedding(items []Searchable) ([]Embedding, *errors.Error) {
+ return []Embedding{}, nil
+}
+
+func (c *OpenAIMockClient) CreateModeration(items []Searchable) ([]ModerationResult, *errors.Error) {
+ return []ModerationResult{}, nil
+}
diff --git a/backend/src/search/pinecone_mock.go b/backend/src/search/pinecone_mock.go
index a56d23c3a..4e0725702 100644
--- a/backend/src/search/pinecone_mock.go
+++ b/backend/src/search/pinecone_mock.go
@@ -8,7 +8,7 @@ import (
type PineconeMockClient struct{}
// Connects to an existing Pinecone index, using the host and keys provided in settings.
-func NewPineconeMockClient() *PineconeMockClient {
+func NewPineconeMockClient() SearchClientInterface {
return &PineconeMockClient{}
}
diff --git a/backend/tests/api/helpers/dependencies.go b/backend/tests/api/helpers/dependencies.go
index 882319114..f9554120d 100644
--- a/backend/tests/api/helpers/dependencies.go
+++ b/backend/tests/api/helpers/dependencies.go
@@ -1,12 +1,17 @@
package helpers
-import "github.com/GenerateNU/sac/backend/src/types"
+import (
+ "github.com/GenerateNU/sac/backend/src/email"
+ "github.com/GenerateNU/sac/backend/src/file"
+ "github.com/GenerateNU/sac/backend/src/search"
+ "github.com/GenerateNU/sac/backend/src/types"
+)
func NewMockDependencies() *types.Dependencies {
return &types.Dependencies{
- Search: NewPineconeMockClient(),
- AI: NewOpenAIMockClient(),
- Email: NewResendMockClient(),
- File: NewAWSMockClient(),
+ Search: search.NewPineconeMockClient(),
+ AI: search.NewOpenAIMockClient(),
+ Email: email.NewResendMockClient(),
+ File: file.NewAWSMockClient(),
}
}
diff --git a/backend/tests/api/helpers/mock.go b/backend/tests/api/helpers/mock.go
deleted file mode 100644
index 79a6d5357..000000000
--- a/backend/tests/api/helpers/mock.go
+++ /dev/null
@@ -1,126 +0,0 @@
-package helpers
-
-import (
- "mime/multipart"
-
- "github.com/GenerateNU/sac/backend/src/auth"
- "github.com/GenerateNU/sac/backend/src/email"
- "github.com/GenerateNU/sac/backend/src/errors"
- "github.com/GenerateNU/sac/backend/src/file"
- "github.com/GenerateNU/sac/backend/src/models"
- "github.com/GenerateNU/sac/backend/src/search"
- "github.com/golang-jwt/jwt"
- "gorm.io/gorm"
-)
-
-// AWSMockClient
-type AWSMockClient struct{}
-
-func NewAWSMockClient() file.FileClientInterface {
- return &AWSMockClient{}
-}
-
-func (c *AWSMockClient) UploadFile(folder string, fileHeader *multipart.FileHeader, allowedTypes []file.FileType) (*models.FileInfo, *errors.Error) {
- return nil, nil
-}
-
-func (c *AWSMockClient) DeleteFile(fileURL string) *errors.Error {
- return nil
-}
-
-func (c *AWSMockClient) GetFileURL(fileURL string) *string {
- return nil
-}
-
-// PineconeMockClient
-type PineconeMockClient struct{}
-
-// Connects to an existing Pinecone index, using the host and keys provided in settings.
-func NewPineconeMockClient() search.SearchClientInterface {
- return &PineconeMockClient{}
-}
-
-func (c *PineconeMockClient) Seed(db *gorm.DB) *errors.Error {
- return nil
-}
-
-func (c *PineconeMockClient) Upsert(items []search.Searchable) *errors.Error {
- return nil
-}
-
-func (c *PineconeMockClient) Delete(items []search.Searchable) *errors.Error {
- return nil
-}
-
-func (c *PineconeMockClient) Search(item search.Searchable) ([]string, *errors.Error) {
- return []string{}, nil
-}
-
-// OpenAIMockClient
-type OpenAIMockClient struct{}
-
-func NewOpenAIMockClient() search.AIClientInterface {
- return &OpenAIMockClient{}
-}
-
-func (c *OpenAIMockClient) CreateEmbedding(items []search.Searchable) ([]search.Embedding, *errors.Error) {
- return []search.Embedding{}, nil
-}
-
-func (c *OpenAIMockClient) CreateModeration(items []search.Searchable) ([]search.ModerationResult, *errors.Error) {
- return []search.ModerationResult{}, nil
-}
-
-// ResendMockClient
-type ResendMockClient struct{}
-
-func NewResendMockClient() email.EmailClientInterface {
- return &ResendMockClient{}
-}
-
-func (c *ResendMockClient) SendPasswordResetEmail(name, email, token string) *errors.Error {
- return nil
-}
-
-func (c *ResendMockClient) SendEmailVerification(email, code string) *errors.Error {
- return nil
-}
-
-func (c *ResendMockClient) SendWelcomeEmail(name, email string) *errors.Error {
- return nil
-}
-
-func (c *ResendMockClient) SendPasswordChangedEmail(name, email string) *errors.Error {
- return nil
-}
-
-// JWTMockClient
-type JWTMockClient struct{}
-
-func NewJWTMockClient() auth.JWTClientInterface {
- return &JWTMockClient{}
-}
-
-func (c *JWTMockClient) GenerateTokenPair(accessClaims, refreshClaims auth.Claims) (*auth.Token, *errors.Error) {
- return &auth.Token{}, nil
-}
-
-func (c *JWTMockClient) GenerateToken(claims auth.Claims, tokenType auth.JWTType) ([]byte, *errors.Error) {
- return []byte{}, nil
-}
-
-func (c *JWTMockClient) RefreshToken(token, refreshToken string, tokenType auth.JWTType, newClaims jwt.MapClaims) ([]byte, *errors.Error) {
- return []byte{}, nil
-}
-
-func (c *JWTMockClient) ExtractClaims(tokenString string, tokenType auth.JWTType) (jwt.MapClaims, *errors.Error) {
- return jwt.MapClaims{}, nil
-}
-
-func (c *JWTMockClient) ParseToken(tokenString string, tokenType auth.JWTType) (*jwt.Token, *errors.Error) {
- return &jwt.Token{}, nil
-}
-
-func (c *JWTMockClient) IsTokenValid(tokenString string, tokenType auth.JWTType) (bool, *errors.Error) {
- return true, nil
-}
From 2212a045275b691f431c51ce6cff63f124bea591 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Thu, 11 Apr 2024 10:16:35 -0400
Subject: [PATCH 05/32] Chore(deps): Bump tar from 6.2.0 to 6.2.1 in
/frontend/sac-mobile in the npm_and_yarn group across 1 directory (#518)
---
frontend/sac-mobile/yarn.lock | 23 +++++++++++------------
1 file changed, 11 insertions(+), 12 deletions(-)
diff --git a/frontend/sac-mobile/yarn.lock b/frontend/sac-mobile/yarn.lock
index d3855b199..75f99b6da 100644
--- a/frontend/sac-mobile/yarn.lock
+++ b/frontend/sac-mobile/yarn.lock
@@ -5222,7 +5222,7 @@ fast-diff@^1.1.2:
resolved "https://registry.yarnpkg.com/fast-diff/-/fast-diff-1.3.0.tgz#ece407fa550a64d638536cd727e129c61616e0f0"
integrity sha512-VxPP4NqbUjj6MaAOafWeUn2cXWLcCtljklUtZf0Ind4XQ+QPtmA0b18zZy0jIQx+ExRVCR/ZQpBmik5lXshNsw==
-fast-glob@^3.2.12, fast-glob@^3.2.5, fast-glob@^3.2.9:
+fast-glob@^3.2.5, fast-glob@^3.2.9, fast-glob@^3.3.0:
version "3.3.2"
resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.3.2.tgz#a904501e57cfdd2ffcded45e99a54fef55e46129"
integrity sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow==
@@ -6765,7 +6765,7 @@ jimp-compact@0.16.1:
resolved "https://registry.yarnpkg.com/jimp-compact/-/jimp-compact-0.16.1.tgz#9582aea06548a2c1e04dd148d7c3ab92075aefa3"
integrity sha512-dZ6Ra7u1G8c4Letq/B5EzAxj4tLFHL+cGtdpR+PVm4yzPDj+lCk+AbivWt1eOM+ikzkowtyV7qSqX6qr3t71Ww==
-jiti@^1.18.2:
+jiti@^1.21.0:
version "1.21.0"
resolved "https://registry.yarnpkg.com/jiti/-/jiti-1.21.0.tgz#7c97f8fe045724e136a397f7340475244156105d"
integrity sha512-gFqAIbuKyyso/3G2qhiO2OM6shY6EPP/R0+mkDbyspxKazh8BXDC5FiFsUjlczgdNz/vfra0da2y+aHrusLG/Q==
@@ -9638,20 +9638,20 @@ tailwind-merge@^2.2.2:
dependencies:
"@babel/runtime" "^7.24.0"
-tailwindcss@3.3.2:
- version "3.3.2"
- resolved "https://registry.yarnpkg.com/tailwindcss/-/tailwindcss-3.3.2.tgz#2f9e35d715fdf0bbf674d90147a0684d7054a2d3"
- integrity sha512-9jPkMiIBXvPc2KywkraqsUfbfj+dHDb+JPWtSJa9MLFdrPyazI7q6WX2sUrm7R9eVR7qqv3Pas7EvQFzxKnI6w==
+tailwindcss@3.4.3:
+ version "3.4.3"
+ resolved "https://registry.yarnpkg.com/tailwindcss/-/tailwindcss-3.4.3.tgz#be48f5283df77dfced705451319a5dffb8621519"
+ integrity sha512-U7sxQk/n397Bmx4JHbJx/iSOOv5G+II3f1kpLpY2QeUv5DcPdcTsYLlusZfq1NthHS1c1cZoyFmmkex1rzke0A==
dependencies:
"@alloc/quick-lru" "^5.2.0"
arg "^5.0.2"
chokidar "^3.5.3"
didyoumean "^1.2.2"
dlv "^1.1.3"
- fast-glob "^3.2.12"
+ fast-glob "^3.3.0"
glob-parent "^6.0.2"
is-glob "^4.0.3"
- jiti "^1.18.2"
+ jiti "^1.21.0"
lilconfig "^2.1.0"
micromatch "^4.0.5"
normalize-path "^3.0.0"
@@ -9663,14 +9663,13 @@ tailwindcss@3.3.2:
postcss-load-config "^4.0.1"
postcss-nested "^6.0.1"
postcss-selector-parser "^6.0.11"
- postcss-value-parser "^4.2.0"
resolve "^1.22.2"
sucrase "^3.32.0"
tar@^6.0.2, tar@^6.0.5:
- version "6.2.0"
- resolved "https://registry.yarnpkg.com/tar/-/tar-6.2.0.tgz#b14ce49a79cb1cd23bc9b016302dea5474493f73"
- integrity sha512-/Wo7DcT0u5HUV486xg675HtjNd3BXZ6xDbzsCUZPt5iw8bTQ63bP0Raut3mvro9u+CUyq7YQd8Cx55fsZXxqLQ==
+ version "6.2.1"
+ resolved "https://registry.yarnpkg.com/tar/-/tar-6.2.1.tgz#717549c541bc3c2af15751bea94b1dd068d4b03a"
+ integrity sha512-DZ4yORTwrbTj/7MZYq2w+/ZFdI6OZ/f9SFHR+71gIVUZhOQPHzVCLpvRnPgyaMpfWxxk/4ONva3GQSyNIKRv6A==
dependencies:
chownr "^2.0.0"
fs-minipass "^2.0.0"
From 94700a4a14e3ed53ab91152247f9eb52f5ee87bf Mon Sep 17 00:00:00 2001
From: David Oduneye <44040421+DOOduneye@users.noreply.github.com>
Date: Thu, 11 Apr 2024 12:15:06 -0400
Subject: [PATCH 06/32] Fix frontend crash (#519)
---
backend/src/middleware/auth.go | 7 +-
.../sac-mobile/app/(app)/(tabs)/_layout.tsx | 4 +-
.../sac-mobile/app/(app)/(tabs)/index.tsx | 3 +
frontend/sac-mobile/app/(app)/_layout.tsx | 9 +++
frontend/sac-mobile/app/(app)/event/[id].tsx | 77 ++++++++++---------
.../event/_components/event-location.tsx | 43 -----------
.../sac-mobile/app/(app)/event/_layout.tsx | 10 ++-
frontend/sac-mobile/app/_layout.tsx | 6 +-
frontend/sac-mobile/lib/const.ts | 2 +-
frontend/sac-mobile/types/categories.ts | 12 +++
10 files changed, 85 insertions(+), 88 deletions(-)
create mode 100644 frontend/sac-mobile/app/(app)/_layout.tsx
delete mode 100644 frontend/sac-mobile/app/(app)/event/_components/event-location.tsx
create mode 100644 frontend/sac-mobile/types/categories.ts
diff --git a/backend/src/middleware/auth.go b/backend/src/middleware/auth.go
index 8538137a0..8b763d5f1 100644
--- a/backend/src/middleware/auth.go
+++ b/backend/src/middleware/auth.go
@@ -63,8 +63,11 @@ func (m *AuthMiddlewareService) Authenticate(c *fiber.Ctx) error {
}
}
- // TODO: maybe a better way to handle this?
- if c.Method() == "OPTIONS" || (c.Method() == "GET" && c.Path() != "/api/v1/users/") {
+ if c.Method() == "OPTIONS" {
+ return c.Next()
+ }
+ // if a get request but not /api/v1/users/ or /api/v1/users/me
+ if c.Method() == "GET" && c.Path() != "/api/v1/users/" && c.Path() != "/api/v1/users/me" {
return c.Next()
}
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx b/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx
index 328400e68..65e279e4a 100644
--- a/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx
+++ b/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx
@@ -10,7 +10,7 @@ const HomeTabBarIcon = ({ color }: { color: string }) => (
);
-const AppLayout = () => {
+const Layout = () => {
const { isLoggedIn, fetchUser } = useAuthStore();
useEffect(() => {
@@ -32,4 +32,4 @@ const AppLayout = () => {
);
};
-export default AppLayout;
+export default Layout;
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/index.tsx b/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
index ae04bd2cb..2b33abab9 100644
--- a/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
+++ b/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
@@ -27,6 +27,9 @@ const Home = () => {
Welcome {user?.first_name}
+ {/*
+ Event
+ */}
{events?.map((event) => (
{
+ return ;
+};
+
+export default Layout;
diff --git a/frontend/sac-mobile/app/(app)/event/[id].tsx b/frontend/sac-mobile/app/(app)/event/[id].tsx
index d54c16802..284c54f46 100644
--- a/frontend/sac-mobile/app/(app)/event/[id].tsx
+++ b/frontend/sac-mobile/app/(app)/event/[id].tsx
@@ -1,7 +1,7 @@
import React from 'react';
import { Alert, Platform, ScrollView, Share, Text, View } from 'react-native';
-import { useLocalSearchParams } from 'expo-router';
+import { Stack, useLocalSearchParams } from 'expo-router';
import { MenuView } from '@react-native-menu/menu';
@@ -10,10 +10,11 @@ import ShareIcon from '@/assets/images/svg/share.svg';
import { TagList } from '@/components/all-tags';
import { Button } from '@/components/button';
import { Description } from '@/components/description';
+import { useAuthStore } from '@/hooks/use-auth';
import { useEvent } from '@/hooks/use-event';
import { Title } from '../_components/title';
-import { EventLocation } from './_components/event-location';
+// import { EventLocation } from './_components/event-location';
import { EventTime } from './_components/event-time';
import { HostNames } from './_components/host-names';
import { LocationView } from './_components/location-view';
@@ -21,6 +22,7 @@ import { LocationView } from './_components/location-view';
// TODO: handle link OR location
const Event = () => {
const { id } = useLocalSearchParams<{ id: string }>();
+ const { user } = useAuthStore();
const { data: event, isLoading, error } = useEvent(id);
@@ -40,46 +42,51 @@ const Event = () => {
console.log('[event]', event);
return (
-
-
-
-
-
-
-
-
-
-
+
+
+
+
+
+
+
+
+
+
+
+ {/* */}
+
+
+
-
+
+
-
-
-
-
-
-
-
+
+ >
);
};
diff --git a/frontend/sac-mobile/app/(app)/event/_components/event-location.tsx b/frontend/sac-mobile/app/(app)/event/_components/event-location.tsx
deleted file mode 100644
index 6e58abde8..000000000
--- a/frontend/sac-mobile/app/(app)/event/_components/event-location.tsx
+++ /dev/null
@@ -1,43 +0,0 @@
-import React from 'react';
-import { Linking, Text, TouchableOpacity, View } from 'react-native';
-
-import Location from '@/assets/images/svg/location.svg';
-
-type EventLocationProps = {
- location: string;
- meetingLink?: string;
-};
-
-const EventLocation = ({ location, meetingLink }: EventLocationProps) => {
- const [city, rest] = location.split(/,(.+)/);
-
- return (
-
-
-
-
- {city}
- , {rest}
-
- {meetingLink && (
-
-
- Linking.openURL(meetingLink!).catch((err) =>
- console.error('An error occurred', err)
- )
- }
- >
-
- {meetingLink}
-
-
-
- )}
-
-
- );
-};
-
-export { EventLocation };
diff --git a/frontend/sac-mobile/app/(app)/event/_layout.tsx b/frontend/sac-mobile/app/(app)/event/_layout.tsx
index 1bbb8d7f2..1c4a25180 100644
--- a/frontend/sac-mobile/app/(app)/event/_layout.tsx
+++ b/frontend/sac-mobile/app/(app)/event/_layout.tsx
@@ -17,8 +17,6 @@ const EventLayout = () => {
animationTypeForReplace: 'push',
animation: 'slide_from_right',
headerShown: true,
- headerTitle: 'Event',
- headerTitleAlign: 'center',
headerTitleStyle: {
color: 'white'
},
@@ -33,6 +31,14 @@ const EventLayout = () => {
console.warn(JSON.stringify(nativeEvent));
}}
actions={[
+ {
+ id: 'share',
+ title: 'Share Event',
+ image: Platform.select({
+ ios: 'square.and.arrow.up',
+ android: 'share-variant'
+ })
+ },
{
id: 'report',
title: 'Report Event',
diff --git a/frontend/sac-mobile/app/_layout.tsx b/frontend/sac-mobile/app/_layout.tsx
index 284254a8a..7b61e7db8 100644
--- a/frontend/sac-mobile/app/_layout.tsx
+++ b/frontend/sac-mobile/app/_layout.tsx
@@ -44,11 +44,11 @@ const InitalLayout = () => {
console.log({ isLoggedIn, isVerified, inApp });
if (isLoggedIn && isVerified === false) {
- router.replace('/(auth)/verification');
+ router.push('/(auth)/verification');
} else if (isLoggedIn && isVerified) {
- router.replace('/(app)/(tabs)/');
+ router.push('/(app)/(tabs)/');
} else if (!isLoggedIn) {
- router.replace('/(auth)/welcome');
+ router.push('/(auth)/welcome');
}
};
diff --git a/frontend/sac-mobile/lib/const.ts b/frontend/sac-mobile/lib/const.ts
index dda4a3bc7..838a619bd 100644
--- a/frontend/sac-mobile/lib/const.ts
+++ b/frontend/sac-mobile/lib/const.ts
@@ -1 +1 @@
-export const API_BASE_URL = 'https://8eb3-155-33-135-55.ngrok-free.app/api/v1'; // 'http://localhost:8080/api/v1';
+export const API_BASE_URL = 'http://localhost:8080/api/v1';
diff --git a/frontend/sac-mobile/types/categories.ts b/frontend/sac-mobile/types/categories.ts
new file mode 100644
index 000000000..1571c1474
--- /dev/null
+++ b/frontend/sac-mobile/types/categories.ts
@@ -0,0 +1,12 @@
+import { z } from 'zod';
+
+import { rootModelSchema } from './root';
+import { tagSchema } from './tag';
+
+export const categorySchema = z.object({
+ name: z.string(),
+ tags: z.array(tagSchema)
+});
+
+const Category = categorySchema.merge(rootModelSchema);
+export type Category = z.infer;
From 6d848076b1ff4df86ea86926c98ec204da8f5c06 Mon Sep 17 00:00:00 2001
From: David Oduneye <44040421+DOOduneye@users.noreply.github.com>
Date: Thu, 11 Apr 2024 13:29:27 -0400
Subject: [PATCH 07/32] refactor: updated routing logic (#520)
---
.../sac-mobile/app/(app)/(tabs)/_layout.tsx | 26 +++++
.../sac-mobile/app/(app)/(tabs)/index.tsx | 70 ++++++++----
.../sac-mobile/app/(app)/(tabs)/profile.tsx | 21 ++++
.../sac-mobile/app/(app)/(tabs)/search.tsx | 12 ++
frontend/sac-mobile/app/(app)/_layout.tsx | 108 +++++++++++++++++-
frontend/sac-mobile/app/(app)/club/[id].tsx | 20 ++++
.../sac-mobile/app/(app)/club/_layout.tsx | 17 +++
.../sac-mobile/app/(app)/club/faq/[id].tsx | 16 +++
frontend/sac-mobile/app/(app)/event/[id].tsx | 105 ++---------------
.../app/(app)/event/_components/all-hosts.tsx | 34 ++++++
.../(app)/event/_components/event-header.tsx | 59 ++++++++++
.../event/_components/event-location.tsx | 43 +++++++
.../app/(app)/event/_components/host-list.tsx | 41 -------
.../(app)/event/_components/host-names.tsx | 4 +-
.../sac-mobile/app/(app)/event/_layout.tsx | 66 -----------
frontend/sac-mobile/components/all-tags.tsx | 27 ++---
frontend/sac-mobile/components/club-card.tsx | 48 ++++----
frontend/sac-mobile/components/tag.tsx | 1 +
frontend/sac-mobile/lib/const.ts | 2 +-
19 files changed, 454 insertions(+), 266 deletions(-)
create mode 100644 frontend/sac-mobile/app/(app)/(tabs)/profile.tsx
create mode 100644 frontend/sac-mobile/app/(app)/(tabs)/search.tsx
create mode 100644 frontend/sac-mobile/app/(app)/club/[id].tsx
create mode 100644 frontend/sac-mobile/app/(app)/club/_layout.tsx
create mode 100644 frontend/sac-mobile/app/(app)/club/faq/[id].tsx
create mode 100644 frontend/sac-mobile/app/(app)/event/_components/all-hosts.tsx
create mode 100644 frontend/sac-mobile/app/(app)/event/_components/event-header.tsx
create mode 100644 frontend/sac-mobile/app/(app)/event/_components/event-location.tsx
delete mode 100644 frontend/sac-mobile/app/(app)/event/_components/host-list.tsx
delete mode 100644 frontend/sac-mobile/app/(app)/event/_layout.tsx
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx b/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx
index 65e279e4a..57c96f1c0 100644
--- a/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx
+++ b/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx
@@ -10,6 +10,14 @@ const HomeTabBarIcon = ({ color }: { color: string }) => (
);
+const ProfileTabBarIcon = ({ color }: { color: string }) => (
+
+);
+
+const SearchTabBarIcon = ({ color }: { color: string }) => (
+
+);
+
const Layout = () => {
const { isLoggedIn, fetchUser } = useAuthStore();
@@ -28,6 +36,24 @@ const Layout = () => {
}}
redirect={!isLoggedIn}
/>
+
+
);
};
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/index.tsx b/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
index 2b33abab9..0ce7cdb87 100644
--- a/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
+++ b/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
@@ -1,20 +1,19 @@
import React from 'react';
-import { Text, View } from 'react-native';
+import { FlatList, Text } from 'react-native';
+import { SafeAreaView } from 'react-native-safe-area-context';
import { Link } from 'expo-router';
-import { Button } from '@/components/button';
+import { clubs } from '@/data/clubs';
import { useAuthStore } from '@/hooks/use-auth';
import { useEvents } from '@/hooks/use-event';
+import { Club } from '@/types/club';
+import { Event } from '@/types/event';
const Home = () => {
- const { signOut, user } = useAuthStore();
+ const { user } = useAuthStore();
const { data: events, isLoading, error } = useEvents();
- const handleSignOut = async () => {
- signOut();
- };
-
if (isLoading) {
return Loading...;
}
@@ -23,25 +22,48 @@ const Home = () => {
return Error: {error.message};
}
+ const renderEvent = ({ item: event }: { item: Event }) => (
+
+ {event.name}
+
+ );
+
+ const renderClub = ({ item: club }: { item: Club }) => (
+
+ {club.name}
+
+ );
+
return (
-
+ Welcome {user?.first_name}
-
- {/*
- Event
- */}
- {events?.map((event) => (
-
- {event.name}
-
- ))}
-
+ item.id.toString()}
+ />
+ item.id.toString()}
+ />
+
);
};
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/profile.tsx b/frontend/sac-mobile/app/(app)/(tabs)/profile.tsx
new file mode 100644
index 000000000..8f2057e43
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/(tabs)/profile.tsx
@@ -0,0 +1,21 @@
+import React from 'react';
+import { View } from 'react-native';
+
+import { Button } from '@/components/button';
+import { useAuthStore } from '@/hooks/use-auth';
+
+const Profile = () => {
+ const { signOut } = useAuthStore();
+
+ const handleSignOut = async () => {
+ signOut();
+ };
+
+ return (
+
+
+
+ );
+};
+
+export default Profile;
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/search.tsx b/frontend/sac-mobile/app/(app)/(tabs)/search.tsx
new file mode 100644
index 000000000..55f256958
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/(tabs)/search.tsx
@@ -0,0 +1,12 @@
+import React from 'react';
+import { Text, View } from 'react-native';
+
+const Search = () => {
+ return (
+
+ Search
+
+ );
+};
+
+export default Search;
diff --git a/frontend/sac-mobile/app/(app)/_layout.tsx b/frontend/sac-mobile/app/(app)/_layout.tsx
index 0eac97114..3071cb8e8 100644
--- a/frontend/sac-mobile/app/(app)/_layout.tsx
+++ b/frontend/sac-mobile/app/(app)/_layout.tsx
@@ -1,9 +1,115 @@
import React from 'react';
+import { Platform, View } from 'react-native';
import { Stack } from 'expo-router';
+import { MaterialCommunityIcons } from '@expo/vector-icons';
+import { MenuView } from '@react-native-menu/menu';
+
+import { LeftArrow } from '@/components/left-arrow';
+
const Layout = () => {
- return ;
+ return (
+
+
+ (
+
+ ),
+ headerLeft: () => ,
+ headerRight: () => {
+ return (
+ {
+ console.warn(JSON.stringify(nativeEvent));
+ }}
+ actions={[
+ {
+ id: 'share',
+ title: 'Share Event',
+ image: Platform.select({
+ ios: 'square.and.arrow.up',
+ android: 'share-variant'
+ })
+ },
+ {
+ id: 'report',
+ title: 'Report Event',
+ image: Platform.select({
+ ios: 'person.crop.circle.badge.exclamationmark.fill',
+ android: 'person-circle-outline'
+ })
+ }
+ ]}
+ >
+
+
+ );
+ }
+ }}
+ />
+ (
+
+ ),
+ headerLeft: () => ,
+ headerRight: () => {
+ return (
+ {
+ console.warn(JSON.stringify(nativeEvent));
+ }}
+ actions={[
+ {
+ id: 'share',
+ title: 'Share Club',
+ image: Platform.select({
+ ios: 'square.and.arrow.up',
+ android: 'share-variant'
+ })
+ },
+ {
+ id: 'report',
+ title: 'Report Club',
+ image: Platform.select({
+ ios: 'person.crop.circle.badge.exclamationmark.fill',
+ android: 'person-circle-outline'
+ })
+ }
+ ]}
+ >
+
+
+ );
+ }
+ }}
+ />
+
+ );
};
export default Layout;
diff --git a/frontend/sac-mobile/app/(app)/club/[id].tsx b/frontend/sac-mobile/app/(app)/club/[id].tsx
new file mode 100644
index 000000000..5c2e6a67a
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/club/[id].tsx
@@ -0,0 +1,20 @@
+import React from 'react';
+import { SafeAreaView, Text } from 'react-native';
+
+import { Link, Stack, useLocalSearchParams } from 'expo-router';
+
+const ClubPage = () => {
+ const { id } = useLocalSearchParams<{ id: string }>();
+
+ return (
+
+
+ ClubPage
+
+ FAQ
+
+
+ );
+};
+
+export default ClubPage;
diff --git a/frontend/sac-mobile/app/(app)/club/_layout.tsx b/frontend/sac-mobile/app/(app)/club/_layout.tsx
new file mode 100644
index 000000000..f16dcf3fe
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/club/_layout.tsx
@@ -0,0 +1,17 @@
+import React from 'react';
+
+import { Stack } from 'expo-router';
+
+const Layout = () => {
+ return (
+
+
+
+
+ );
+};
+
+export default Layout;
diff --git a/frontend/sac-mobile/app/(app)/club/faq/[id].tsx b/frontend/sac-mobile/app/(app)/club/faq/[id].tsx
new file mode 100644
index 000000000..d006785f0
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/club/faq/[id].tsx
@@ -0,0 +1,16 @@
+import React from 'react';
+import { SafeAreaView, Text } from 'react-native';
+
+import { useLocalSearchParams } from 'expo-router';
+
+const Faq = () => {
+ const { id } = useLocalSearchParams<{ id: string }>();
+
+ return (
+
+ {id}
+
+ );
+};
+
+export default Faq;
diff --git a/frontend/sac-mobile/app/(app)/event/[id].tsx b/frontend/sac-mobile/app/(app)/event/[id].tsx
index 284c54f46..84e5a7fa8 100644
--- a/frontend/sac-mobile/app/(app)/event/[id].tsx
+++ b/frontend/sac-mobile/app/(app)/event/[id].tsx
@@ -1,12 +1,9 @@
import React from 'react';
-import { Alert, Platform, ScrollView, Share, Text, View } from 'react-native';
+import { ScrollView, Text, View } from 'react-native';
import { Stack, useLocalSearchParams } from 'expo-router';
-import { MenuView } from '@react-native-menu/menu';
-
-import { HostList } from '@/app/(app)/event/_components/host-list';
-import ShareIcon from '@/assets/images/svg/share.svg';
+import { AllHosts } from '@/app/(app)/event/_components/all-hosts';
import { TagList } from '@/components/all-tags';
import { Button } from '@/components/button';
import { Description } from '@/components/description';
@@ -14,13 +11,14 @@ import { useAuthStore } from '@/hooks/use-auth';
import { useEvent } from '@/hooks/use-event';
import { Title } from '../_components/title';
-// import { EventLocation } from './_components/event-location';
+import { EventHeader } from './_components/event-header';
+import { EventLocation } from './_components/event-location';
import { EventTime } from './_components/event-time';
import { HostNames } from './_components/host-names';
import { LocationView } from './_components/location-view';
// TODO: handle link OR location
-const Event = () => {
+const EventPage = () => {
const { id } = useLocalSearchParams<{ id: string }>();
const { user } = useAuthStore();
@@ -59,10 +57,10 @@ const Event = () => {
startTime={event.start_time}
endTime={event.end_time}
/>
- {/* */}
+ {
location={event.location}
meetingLink={event.meeting_link}
/>
-
+
diff --git a/frontend/sac-mobile/lib/const.ts b/frontend/sac-mobile/lib/const.ts
index 838a619bd..6be4c895a 100644
--- a/frontend/sac-mobile/lib/const.ts
+++ b/frontend/sac-mobile/lib/const.ts
@@ -1 +1 @@
-export const API_BASE_URL = 'http://localhost:8080/api/v1';
+export const API_BASE_URL = 'https://ad79-50-170-49-148.ngrok-free.app/api/v1'; // 'http://localhost:8080/api/v1';
From d4d8a0e06fd8f720ee6e7b5031ca8af5b8a48cc7 Mon Sep 17 00:00:00 2001
From: David Oduneye <44040421+DOOduneye@users.noreply.github.com>
Date: Sat, 13 Apr 2024 23:37:55 -0400
Subject: [PATCH 08/32] Event view extension (#525)
---
.../sac-mobile/app/(app)/(tabs)/search.tsx | 20 +-
frontend/sac-mobile/app/(app)/_layout.tsx | 138 +++++++-------
frontend/sac-mobile/app/(app)/club/[id].tsx | 35 +++-
frontend/sac-mobile/app/(app)/event/[id].tsx | 18 +-
.../(app)/event/_components/event-header.tsx | 24 ++-
.../(app)/event/_components/location-view.tsx | 28 ++-
.../event/_components/rsvp-bottom-sheet.tsx | 56 ++++++
frontend/sac-mobile/app/(app)/tag/[id].tsx | 12 ++
.../(auth)/_components/registration-form.tsx | 2 +
frontend/sac-mobile/app/(auth)/_layout.tsx | 51 ++++-
frontend/sac-mobile/app/(auth)/login.tsx | 15 +-
frontend/sac-mobile/app/(auth)/register.tsx | 47 ++---
frontend/sac-mobile/app/_layout.tsx | 7 +-
frontend/sac-mobile/babel.config.js | 2 +-
frontend/sac-mobile/components/tag.tsx | 4 +-
.../_components => components}/title.tsx | 0
frontend/sac-mobile/hooks/use-auth.ts | 138 +++++++-------
frontend/sac-mobile/hooks/use-club.ts | 19 +-
frontend/sac-mobile/hooks/use-event.ts | 10 +-
frontend/sac-mobile/lib/const.ts | 2 +-
frontend/sac-mobile/package.json | 9 +-
frontend/sac-mobile/services/club.ts | 23 ++-
frontend/sac-mobile/types/categories.ts | 6 +-
frontend/sac-mobile/types/tag.ts | 6 +-
frontend/sac-mobile/yarn.lock | 179 +++++++++++++++---
25 files changed, 574 insertions(+), 277 deletions(-)
create mode 100644 frontend/sac-mobile/app/(app)/event/_components/rsvp-bottom-sheet.tsx
create mode 100644 frontend/sac-mobile/app/(app)/tag/[id].tsx
rename frontend/sac-mobile/{app/(app)/_components => components}/title.tsx (100%)
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/search.tsx b/frontend/sac-mobile/app/(app)/(tabs)/search.tsx
index 55f256958..89b989329 100644
--- a/frontend/sac-mobile/app/(app)/(tabs)/search.tsx
+++ b/frontend/sac-mobile/app/(app)/(tabs)/search.tsx
@@ -1,11 +1,23 @@
import React from 'react';
-import { Text, View } from 'react-native';
+import { SafeAreaView, ScrollView, Text, View } from 'react-native';
+import { TextInput } from 'react-native-gesture-handler';
+
+import { Button } from '@/components/button';
const Search = () => {
return (
-
- Search
-
+
+
+ Search
+
+
+ Search
+
+
+
);
};
diff --git a/frontend/sac-mobile/app/(app)/_layout.tsx b/frontend/sac-mobile/app/(app)/_layout.tsx
index 3071cb8e8..48928119d 100644
--- a/frontend/sac-mobile/app/(app)/_layout.tsx
+++ b/frontend/sac-mobile/app/(app)/_layout.tsx
@@ -8,6 +8,74 @@ import { MenuView } from '@react-native-menu/menu';
import { LeftArrow } from '@/components/left-arrow';
+const EventDotsVertical = () => {
+ return (
+ {
+ console.warn(JSON.stringify(nativeEvent));
+ }}
+ actions={[
+ {
+ id: 'share',
+ title: 'Share Event',
+ image: Platform.select({
+ ios: 'square.and.arrow.up',
+ android: 'share-variant'
+ })
+ },
+ {
+ id: 'report',
+ title: 'Report Event',
+ image: Platform.select({
+ ios: 'person.crop.circle.badge.exclamationmark.fill',
+ android: 'person-circle-outline'
+ })
+ }
+ ]}
+ >
+
+
+ );
+};
+
+const ClubDotsVertical = () => {
+ return (
+ {
+ console.warn(JSON.stringify(nativeEvent));
+ }}
+ actions={[
+ {
+ id: 'share',
+ title: 'Share Club',
+ image: Platform.select({
+ ios: 'square.and.arrow.up',
+ android: 'share-variant'
+ })
+ },
+ {
+ id: 'report',
+ title: 'Report Club',
+ image: Platform.select({
+ ios: 'person.crop.circle.badge.exclamationmark.fill',
+ android: 'person-circle-outline'
+ })
+ }
+ ]}
+ >
+
+
+ );
+};
+
const Layout = () => {
return (
@@ -15,8 +83,6 @@ const Layout = () => {
{
),
headerLeft: () => ,
- headerRight: () => {
- return (
- {
- console.warn(JSON.stringify(nativeEvent));
- }}
- actions={[
- {
- id: 'share',
- title: 'Share Event',
- image: Platform.select({
- ios: 'square.and.arrow.up',
- android: 'share-variant'
- })
- },
- {
- id: 'report',
- title: 'Report Event',
- image: Platform.select({
- ios: 'person.crop.circle.badge.exclamationmark.fill',
- android: 'person-circle-outline'
- })
- }
- ]}
- >
-
-
- );
- }
+ headerRight: () =>
}}
/>
{
),
headerLeft: () => ,
- headerRight: () => {
- return (
- {
- console.warn(JSON.stringify(nativeEvent));
- }}
- actions={[
- {
- id: 'share',
- title: 'Share Club',
- image: Platform.select({
- ios: 'square.and.arrow.up',
- android: 'share-variant'
- })
- },
- {
- id: 'report',
- title: 'Report Club',
- image: Platform.select({
- ios: 'person.crop.circle.badge.exclamationmark.fill',
- android: 'person-circle-outline'
- })
- }
- ]}
- >
-
-
- );
- }
+ headerRight: () =>
}}
/>
diff --git a/frontend/sac-mobile/app/(app)/club/[id].tsx b/frontend/sac-mobile/app/(app)/club/[id].tsx
index 5c2e6a67a..73112c17c 100644
--- a/frontend/sac-mobile/app/(app)/club/[id].tsx
+++ b/frontend/sac-mobile/app/(app)/club/[id].tsx
@@ -1,19 +1,36 @@
import React from 'react';
-import { SafeAreaView, Text } from 'react-native';
+import { Text, View } from 'react-native';
-import { Link, Stack, useLocalSearchParams } from 'expo-router';
+import { Stack, useLocalSearchParams } from 'expo-router';
+
+import { useClub } from '@/hooks/use-club';
const ClubPage = () => {
const { id } = useLocalSearchParams<{ id: string }>();
+ const { data: club, isLoading, error } = useClub(id);
+
+ if (isLoading) {
+ return Loading...;
+ }
+
+ if (error) {
+ return Error: {error.message};
+ }
+
+ if (!club) {
+ return Club not found;
+ }
+
return (
-
-
- ClubPage
-
- FAQ
-
-
+ <>
+
+
+ {club.name}
+ {club.recruitment_cycle}
+ {club.application_link}
+
+ >
);
};
diff --git a/frontend/sac-mobile/app/(app)/event/[id].tsx b/frontend/sac-mobile/app/(app)/event/[id].tsx
index 84e5a7fa8..64831e3dd 100644
--- a/frontend/sac-mobile/app/(app)/event/[id].tsx
+++ b/frontend/sac-mobile/app/(app)/event/[id].tsx
@@ -1,29 +1,32 @@
-import React from 'react';
+import React, { useRef } from 'react';
import { ScrollView, Text, View } from 'react-native';
import { Stack, useLocalSearchParams } from 'expo-router';
+import BottomSheet from '@gorhom/bottom-sheet';
+
import { AllHosts } from '@/app/(app)/event/_components/all-hosts';
import { TagList } from '@/components/all-tags';
import { Button } from '@/components/button';
import { Description } from '@/components/description';
-import { useAuthStore } from '@/hooks/use-auth';
+import { Title } from '@/components/title';
import { useEvent } from '@/hooks/use-event';
-import { Title } from '../_components/title';
import { EventHeader } from './_components/event-header';
import { EventLocation } from './_components/event-location';
import { EventTime } from './_components/event-time';
import { HostNames } from './_components/host-names';
import { LocationView } from './_components/location-view';
+import RSVPBottomSheet from './_components/rsvp-bottom-sheet';
// TODO: handle link OR location
const EventPage = () => {
const { id } = useLocalSearchParams<{ id: string }>();
- const { user } = useAuthStore();
const { data: event, isLoading, error } = useEvent(id);
+ const ref = useRef(null);
+
if (error) {
console.error(error);
return Error fetching event;
@@ -41,14 +44,12 @@ const EventPage = () => {
return (
<>
-
+
-
+
@@ -84,6 +85,7 @@ const EventPage = () => {
+
>
);
};
diff --git a/frontend/sac-mobile/app/(app)/event/_components/event-header.tsx b/frontend/sac-mobile/app/(app)/event/_components/event-header.tsx
index 094661de5..6003a6d75 100644
--- a/frontend/sac-mobile/app/(app)/event/_components/event-header.tsx
+++ b/frontend/sac-mobile/app/(app)/event/_components/event-header.tsx
@@ -1,10 +1,21 @@
+import { forwardRef } from 'react';
import { Platform, View } from 'react-native';
+import BottomSheet from '@gorhom/bottom-sheet';
import { MenuView } from '@react-native-menu/menu';
import { Button } from '@/components/button';
-const EventHeader = () => {
+type Ref = BottomSheet;
+
+const EventHeader = forwardRef((_, ref) => {
+ if (!ref) {
+ return null;
+ }
+
+ // @ts-ignore
+ const handleOpenPress = () => ref.current?.snapToIndex(0);
+
return (
@@ -51,9 +62,18 @@ const EventHeader = () => {
RSVP
+
+
+ Save
+
);
-};
+});
export { EventHeader };
diff --git a/frontend/sac-mobile/app/(app)/event/_components/location-view.tsx b/frontend/sac-mobile/app/(app)/event/_components/location-view.tsx
index 647a6ef61..abc882879 100644
--- a/frontend/sac-mobile/app/(app)/event/_components/location-view.tsx
+++ b/frontend/sac-mobile/app/(app)/event/_components/location-view.tsx
@@ -1,9 +1,8 @@
import React from 'react';
-import { Image, Linking, Text, TouchableOpacity, View } from 'react-native';
+import { Linking, Text, TouchableOpacity, View } from 'react-native';
+import MapView from 'react-native-maps';
import { createOpenLink } from 'react-native-open-maps';
-import { useAssets } from 'expo-asset';
-
import { Button } from '@/components/button';
type LocationViewProps = {
@@ -12,16 +11,9 @@ type LocationViewProps = {
};
const LocationView = ({ location, meetingLink }: LocationViewProps) => {
- const [assets, error] = useAssets([
- require('@/assets/images/placeholder_location.png')
- ]);
const coordinates = { latitude: 42.3393326, longitude: -71.0869942 };
const openMap = createOpenLink({ ...coordinates });
- if (error) {
- console.error(error);
- }
-
return (
<>
@@ -52,13 +44,15 @@ const LocationView = ({ location, meetingLink }: LocationViewProps) => {
)}
- {assets ? (
-
- ) : null}
+
>
);
diff --git a/frontend/sac-mobile/app/(app)/event/_components/rsvp-bottom-sheet.tsx b/frontend/sac-mobile/app/(app)/event/_components/rsvp-bottom-sheet.tsx
new file mode 100644
index 000000000..e397d2c8a
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/event/_components/rsvp-bottom-sheet.tsx
@@ -0,0 +1,56 @@
+import React, { forwardRef, useCallback } from 'react';
+import { Text, View } from 'react-native';
+
+import BottomSheet, { BottomSheetBackdrop } from '@gorhom/bottom-sheet';
+
+import { Button } from '@/components/button';
+
+type Ref = BottomSheet;
+
+const RSVPBottomSheet = forwardRef((_, ref) => {
+ const snapPoints = ['35%'];
+
+ const renderBackdrop = useCallback(
+ (props: any) => (
+
+ ),
+ []
+ );
+
+ // @ts-ignore
+ const handleClosePress = () => ref.current?.close();
+
+ return (
+
+
+ Save Event
+
+ By saving this event, you are automatically signed up for
+ notifications and this event will be added to your calendar.
+
+
+
+ Save Event
+
+
+
+
+ );
+});
+
+export default RSVPBottomSheet;
diff --git a/frontend/sac-mobile/app/(app)/tag/[id].tsx b/frontend/sac-mobile/app/(app)/tag/[id].tsx
new file mode 100644
index 000000000..426581a43
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/tag/[id].tsx
@@ -0,0 +1,12 @@
+import React from 'react';
+import { Text, View } from 'react-native';
+
+const TagPage = () => {
+ return (
+
+ TagPage
+
+ );
+};
+
+export default TagPage;
diff --git a/frontend/sac-mobile/app/(auth)/_components/registration-form.tsx b/frontend/sac-mobile/app/(auth)/_components/registration-form.tsx
index 90f880692..a4c9b0861 100644
--- a/frontend/sac-mobile/app/(auth)/_components/registration-form.tsx
+++ b/frontend/sac-mobile/app/(auth)/_components/registration-form.tsx
@@ -168,6 +168,7 @@ const RegistrationForm = () => {
{
{
+import { Button } from '@/components/button';
+import { Wordmark } from '@/components/wordmark';
+
+const Layout = () => {
return (
{
options={{
title: '',
headerShown: true,
- animationTypeForReplace: 'push',
+ animationTypeForReplace: 'pop',
+ animation: 'slide_from_left',
statusBarColor: 'dark'
}}
/>
-
- ,
+ headerBackground: () => (
+
+ ),
+ animationTypeForReplace: 'push',
+ animation: 'slide_from_right'
+ }}
/>
,
+ headerRight: () => (
+ router.replace('/login')}
+ >
+ Login
+
+ ),
+ headerBackground: () => (
+
+ ),
+ animationTypeForReplace: 'pop',
+ animation: 'slide_from_left'
+ }}
/>
+
+
);
};
-export default AuthLayout;
+export default Layout;
diff --git a/frontend/sac-mobile/app/(auth)/login.tsx b/frontend/sac-mobile/app/(auth)/login.tsx
index 8e106bab0..97d54aac2 100644
--- a/frontend/sac-mobile/app/(auth)/login.tsx
+++ b/frontend/sac-mobile/app/(auth)/login.tsx
@@ -1,20 +1,15 @@
import React from 'react';
-import { Text, View } from 'react-native';
+import { KeyboardAvoidingView, Text, View } from 'react-native';
import { SafeAreaView } from 'react-native-safe-area-context';
-import { Wordmark } from '@/components/wordmark';
-
import { LoginForm } from './_components/login-form';
const Login = () => {
return (
-
-
-
-
-
-
+
+
+
Let's go
@@ -35,7 +30,7 @@ const Login = () => {
-
+
);
};
diff --git a/frontend/sac-mobile/app/(auth)/register.tsx b/frontend/sac-mobile/app/(auth)/register.tsx
index db5ec52d5..da33237bf 100644
--- a/frontend/sac-mobile/app/(auth)/register.tsx
+++ b/frontend/sac-mobile/app/(auth)/register.tsx
@@ -1,43 +1,30 @@
import React from 'react';
-import { ScrollView, Text, View } from 'react-native';
+import { KeyboardAvoidingView, ScrollView, Text, View } from 'react-native';
import { SafeAreaView } from 'react-native-safe-area-context';
-import { router } from 'expo-router';
-
-import { Button } from '@/components/button';
-import { Wordmark } from '@/components/wordmark';
-
import { RegistrationForm } from './_components/registration-form';
const Register = () => {
return (
-
-
-
-
- router.replace('/(auth)/login')}
- variant="secondary"
- size="sm"
- >
- Login
-
-
-
-
- Sign up
+
+
+
+
+
+ Sign up
+
+
+
+ Discover, follow, and join all the clubs & events
+ Northeastern has to offer
-
- Discover, follow, and join all the clubs & events
- Northeastern has to offer
-
-
-
-
-
-
+
+
+
+
+
);
};
diff --git a/frontend/sac-mobile/app/_layout.tsx b/frontend/sac-mobile/app/_layout.tsx
index 7b61e7db8..46b16131d 100644
--- a/frontend/sac-mobile/app/_layout.tsx
+++ b/frontend/sac-mobile/app/_layout.tsx
@@ -1,5 +1,6 @@
import { useEffect } from 'react';
import { View } from 'react-native';
+import { GestureHandlerRootView } from 'react-native-gesture-handler';
import Spinner from 'react-native-loading-spinner-overlay';
import { useFonts } from 'expo-font';
@@ -91,8 +92,10 @@ const RootLayout = () => {
return (
-
-
+
+
+
+
);
};
diff --git a/frontend/sac-mobile/babel.config.js b/frontend/sac-mobile/babel.config.js
index 0464179ed..94046263e 100644
--- a/frontend/sac-mobile/babel.config.js
+++ b/frontend/sac-mobile/babel.config.js
@@ -2,6 +2,6 @@ module.exports = function (api) {
api.cache(true);
return {
presets: ['babel-preset-expo'],
- plugins: ['nativewind/babel']
+ plugins: ['nativewind/babel', 'react-native-reanimated/plugin']
};
};
diff --git a/frontend/sac-mobile/components/tag.tsx b/frontend/sac-mobile/components/tag.tsx
index faea441ad..455cc24a8 100644
--- a/frontend/sac-mobile/components/tag.tsx
+++ b/frontend/sac-mobile/components/tag.tsx
@@ -1,5 +1,7 @@
import { Text } from 'react-native';
+import { router } from 'expo-router';
+
import { Button } from '@/components/button';
import { Tag as T } from '@/types/tag';
@@ -10,7 +12,7 @@ type TagProps = {
const Tag = ({ tag }: TagProps) => {
return (
console.log('Pressed:', tag)}
+ onPress={() => router.push(`/tag/${tag.id}`)}
size={'pill'}
variant={'pill'}
className="my-1 mr-1"
diff --git a/frontend/sac-mobile/app/(app)/_components/title.tsx b/frontend/sac-mobile/components/title.tsx
similarity index 100%
rename from frontend/sac-mobile/app/(app)/_components/title.tsx
rename to frontend/sac-mobile/components/title.tsx
diff --git a/frontend/sac-mobile/hooks/use-auth.ts b/frontend/sac-mobile/hooks/use-auth.ts
index 8c92470ed..de4f97d68 100644
--- a/frontend/sac-mobile/hooks/use-auth.ts
+++ b/frontend/sac-mobile/hooks/use-auth.ts
@@ -6,21 +6,21 @@ import { getCurrentUser } from '@/services/user';
import { Tokens } from '@/types/auth';
import { User } from '@/types/user';
-export type UserSignUp = {
+type UserSignUp = {
first_name: string;
last_name: string;
email: string;
password: string;
};
-export type AuthStoreState = {
+type AuthStoreState = {
user: User | null;
isLoggedIn: boolean | null;
isVerified: boolean | null;
tokens: Tokens | null;
};
-export type AuthStoreActions = {
+type AuthStoreActions = {
fetchUser: () => void;
fetchCache: () => Promise;
setTokens: (tokens: Tokens) => void;
@@ -30,73 +30,73 @@ export type AuthStoreActions = {
signOut: () => void;
};
-export const useAuthStore = create(
- (set) => ({
- user: null,
- isLoggedIn: null,
- isVerified: null,
- tokens: null,
- setTokens: (tokens: Tokens) => {
- set({ tokens });
- tokenCache.saveToken('accessToken', tokens.accessToken);
- tokenCache.saveToken('refreshToken', tokens.refreshToken);
- },
- fetchCache: async () => {
- const accessToken = await tokenCache.getToken('accessToken');
- const refreshToken = await tokenCache.getToken('refreshToken');
- const user = await tokenCache.getToken('user');
+const useAuthStore = create((set) => ({
+ user: null,
+ isLoggedIn: null,
+ isVerified: null,
+ tokens: null,
+ setTokens: (tokens: Tokens) => {
+ set({ tokens });
+ tokenCache.saveToken('accessToken', tokens.accessToken);
+ tokenCache.saveToken('refreshToken', tokens.refreshToken);
+ },
+ fetchCache: async () => {
+ const accessToken = await tokenCache.getToken('accessToken');
+ const refreshToken = await tokenCache.getToken('refreshToken');
+ const user = await tokenCache.getToken('user');
- if (accessToken && refreshToken && user) {
- set({
- user: JSON.parse(user),
- tokens: { accessToken, refreshToken },
- isLoggedIn: true
- });
- } else {
- set({ isLoggedIn: false });
- }
- },
- signIn: async (email: string, password: string) => {
- const { user, tokens } = await login(email, password);
- if (user.is_verified === false) {
- set({ user, tokens, isLoggedIn: true, isVerified: false });
- } else {
- set({ user, tokens, isLoggedIn: true, isVerified: true });
- }
- await tokenCache.saveToken('user', JSON.stringify(user));
- await tokenCache.saveToken('accessToken', tokens.accessToken);
- await tokenCache.saveToken('refreshToken', tokens.refreshToken);
- },
- signUp: async (userObj: UserSignUp) => {
- const { user, tokens } = await signUp(
- userObj.first_name,
- userObj.last_name,
- userObj.email,
- userObj.password
- );
- set({ user, tokens, isLoggedIn: true, isVerified: false });
- await tokenCache.saveToken('user', JSON.stringify(user));
- await tokenCache.saveToken('accessToken', tokens.accessToken);
- await tokenCache.saveToken('refreshToken', tokens.refreshToken);
- },
- completeVerification: async (email: string, code: string) => {
- await completeVerification(email, code);
- set({ isVerified: true });
- },
- signOut: async () => {
- await logout();
+ if (accessToken && refreshToken && user) {
set({
- tokens: null,
- isLoggedIn: false,
- isVerified: false,
- user: null
+ user: JSON.parse(user),
+ tokens: { accessToken, refreshToken },
+ isLoggedIn: true
});
- tokenCache.deleteToken('accessToken');
- tokenCache.deleteToken('refreshToken');
- },
- fetchUser: async () => {
- const user = await getCurrentUser();
- set({ user, isLoggedIn: true, isVerified: user.is_verified });
+ } else {
+ set({ isLoggedIn: false });
+ }
+ },
+ signIn: async (email: string, password: string) => {
+ const { user, tokens } = await login(email, password);
+ if (user.is_verified === false) {
+ set({ user, tokens, isLoggedIn: true, isVerified: false });
+ } else {
+ set({ user, tokens, isLoggedIn: true, isVerified: true });
}
- })
-);
+ await tokenCache.saveToken('user', JSON.stringify(user));
+ await tokenCache.saveToken('accessToken', tokens.accessToken);
+ await tokenCache.saveToken('refreshToken', tokens.refreshToken);
+ },
+ signUp: async (userObj: UserSignUp) => {
+ const { user, tokens } = await signUp(
+ userObj.first_name,
+ userObj.last_name,
+ userObj.email,
+ userObj.password
+ );
+ set({ user, tokens, isLoggedIn: true, isVerified: false });
+ await tokenCache.saveToken('user', JSON.stringify(user));
+ await tokenCache.saveToken('accessToken', tokens.accessToken);
+ await tokenCache.saveToken('refreshToken', tokens.refreshToken);
+ },
+ completeVerification: async (email: string, code: string) => {
+ await completeVerification(email, code);
+ set({ isVerified: true });
+ },
+ signOut: async () => {
+ await logout();
+ set({
+ tokens: null,
+ isLoggedIn: false,
+ isVerified: false,
+ user: null
+ });
+ tokenCache.deleteToken('accessToken');
+ tokenCache.deleteToken('refreshToken');
+ },
+ fetchUser: async () => {
+ const user = await getCurrentUser();
+ set({ user, isLoggedIn: true, isVerified: user.is_verified });
+ }
+}));
+
+export { UserSignUp, AuthStoreState, AuthStoreActions, useAuthStore };
diff --git a/frontend/sac-mobile/hooks/use-club.ts b/frontend/sac-mobile/hooks/use-club.ts
index 9181de8e5..754230285 100644
--- a/frontend/sac-mobile/hooks/use-club.ts
+++ b/frontend/sac-mobile/hooks/use-club.ts
@@ -1,11 +1,20 @@
import { UseQueryResult, useQuery } from '@tanstack/react-query';
-import { fetchClub, fetchClubContacts } from '@/services/club';
+import { fetchClub, fetchClubContacts, fetchClubs } from '@/services/club';
import { Club } from '@/types/club';
import { Contact } from '@/types/contact';
import { uuid } from '@/types/uuid';
-export const useClub = (clubID: uuid): UseQueryResult => {
+const useClubs = (): UseQueryResult => {
+ return useQuery({
+ queryKey: ['clubs'],
+ queryFn: () => {
+ return fetchClubs();
+ }
+ });
+};
+
+const useClub = (clubID: uuid): UseQueryResult => {
return useQuery({
queryKey: ['club', clubID],
queryFn: () => {
@@ -14,9 +23,7 @@ export const useClub = (clubID: uuid): UseQueryResult => {
});
};
-export const useClubContacts = (
- clubID: uuid
-): UseQueryResult => {
+const useClubContacts = (clubID: uuid): UseQueryResult => {
return useQuery({
queryKey: ['club', clubID, 'contacts'],
queryFn: () => {
@@ -43,3 +50,5 @@ export const useClubContacts = (
}
});
};
+
+export { useClub, useClubs, useClubContacts };
diff --git a/frontend/sac-mobile/hooks/use-event.ts b/frontend/sac-mobile/hooks/use-event.ts
index 274f4ab20..936bf9956 100644
--- a/frontend/sac-mobile/hooks/use-event.ts
+++ b/frontend/sac-mobile/hooks/use-event.ts
@@ -11,7 +11,7 @@ import { Event } from '@/types/event';
import { Tag } from '@/types/tag';
import { uuid } from '@/types/uuid';
-export const useEvent = (eventID: string): UseQueryResult => {
+const useEvent = (eventID: string): UseQueryResult => {
return useQuery({
queryKey: ['event', eventID],
queryFn: () => {
@@ -20,7 +20,7 @@ export const useEvent = (eventID: string): UseQueryResult => {
});
};
-export const useEvents = (): UseQueryResult => {
+const useEvents = (): UseQueryResult => {
return useQuery({
queryKey: ['events'],
queryFn: () => {
@@ -29,7 +29,7 @@ export const useEvents = (): UseQueryResult => {
});
};
-export const useEventTags = (eventID: uuid): UseQueryResult => {
+const useEventTags = (eventID: uuid): UseQueryResult => {
return useQuery({
queryKey: ['event', eventID, 'tags'],
queryFn: () => {
@@ -38,7 +38,7 @@ export const useEventTags = (eventID: uuid): UseQueryResult => {
});
};
-export const useEventHosts = (eventID: uuid): UseQueryResult => {
+const useEventHosts = (eventID: uuid): UseQueryResult => {
return useQuery({
queryKey: ['event', eventID, 'hosts'],
queryFn: () => {
@@ -46,3 +46,5 @@ export const useEventHosts = (eventID: uuid): UseQueryResult => {
}
});
};
+
+export { useEvent, useEvents, useEventTags, useEventHosts };
diff --git a/frontend/sac-mobile/lib/const.ts b/frontend/sac-mobile/lib/const.ts
index 6be4c895a..838a619bd 100644
--- a/frontend/sac-mobile/lib/const.ts
+++ b/frontend/sac-mobile/lib/const.ts
@@ -1 +1 @@
-export const API_BASE_URL = 'https://ad79-50-170-49-148.ngrok-free.app/api/v1'; // 'http://localhost:8080/api/v1';
+export const API_BASE_URL = 'http://localhost:8080/api/v1';
diff --git a/frontend/sac-mobile/package.json b/frontend/sac-mobile/package.json
index 4623b7374..4099df970 100644
--- a/frontend/sac-mobile/package.json
+++ b/frontend/sac-mobile/package.json
@@ -17,10 +17,11 @@
},
"dependencies": {
"@expo/vector-icons": "^14.0.0",
+ "@gorhom/bottom-sheet": "^4",
"@react-native-menu/menu": "^0.9.1",
"@react-navigation/native": "^6.1.17",
- "@types/uuid": "^9.0.8",
"@tanstack/react-query": "^5.29.0",
+ "@types/uuid": "^9.0.8",
"axios": "^1.6.8",
"class-variance-authority": "^0.7.0",
"clsx": "^2.1.0",
@@ -45,9 +46,11 @@
"react-native": "0.73.6",
"react-native-cookies": "^3.3.0",
"react-native-element-dropdown": "^2.10.4",
+ "react-native-gesture-handler": "~2.14.0",
"react-native-loading-spinner-overlay": "^3.0.1",
+ "react-native-maps": "1.10.0",
"react-native-open-maps": "^0.4.3",
- "react-native-reanimated": "^3.8.1",
+ "react-native-reanimated": "~3.6.2",
"react-native-safe-area-context": "4.9.0",
"react-native-screens": "~3.30.1",
"react-native-svg": "^15.1.0",
@@ -68,7 +71,7 @@
"prettier": "^3.2.4",
"react-native-svg-transformer": "^1.3.0",
"react-test-renderer": "18.2.0",
- "tailwindcss": "3.4.3",
+ "tailwindcss": "3.3.2",
"typescript": "^5.4.4"
},
"private": true
diff --git a/frontend/sac-mobile/services/club.ts b/frontend/sac-mobile/services/club.ts
index e93ce0360..40c41228e 100644
--- a/frontend/sac-mobile/services/club.ts
+++ b/frontend/sac-mobile/services/club.ts
@@ -5,6 +5,23 @@ import { uuid } from '@/types/uuid';
import { api } from './api';
+/**
+ * Fetches all clubs.
+ *
+ * @returns A Promise that resolves to the fetched clubs or rejects with an error
+ * @throws Error if the clubs cannot be fetched
+ * @see Club
+ */
+const fetchClubs = async (): Promise => {
+ return api
+ .get('/clubs')
+ .then((response) => response.data as Club[])
+ .catch((error) => {
+ console.error(error);
+ throw new Error('Error fetching clubs');
+ });
+};
+
/**
* Fetches a club by its ID.
*
@@ -13,7 +30,7 @@ import { api } from './api';
* @throws Error if the club cannot be fetched
* @see Club
*/
-export const fetchClub = async (clubID: uuid): Promise => {
+const fetchClub = async (clubID: uuid): Promise => {
return api
.get(`/clubs/${clubID}`)
.then((response) => response.data as Club)
@@ -32,7 +49,7 @@ export const fetchClub = async (clubID: uuid): Promise => {
* @see Contact
* @see Contact[]
*/
-export const fetchClubContacts = async (clubID: uuid): Promise => {
+const fetchClubContacts = async (clubID: uuid): Promise => {
// return api
// .get(`/clubs/${clubID}/contacts`)
// .then((response) => response.data as Contact[])
@@ -50,3 +67,5 @@ export const fetchClubContacts = async (clubID: uuid): Promise => {
return allContacts;
};
+
+export { fetchClubContacts, fetchClub, fetchClubs };
diff --git a/frontend/sac-mobile/types/categories.ts b/frontend/sac-mobile/types/categories.ts
index 1571c1474..e8d257c10 100644
--- a/frontend/sac-mobile/types/categories.ts
+++ b/frontend/sac-mobile/types/categories.ts
@@ -3,10 +3,10 @@ import { z } from 'zod';
import { rootModelSchema } from './root';
import { tagSchema } from './tag';
-export const categorySchema = z.object({
+export const categorySchemaIntermediate = z.object({
name: z.string(),
tags: z.array(tagSchema)
});
-const Category = categorySchema.merge(rootModelSchema);
-export type Category = z.infer;
+export const categorySchema = categorySchemaIntermediate.merge(rootModelSchema);
+export type Category = z.infer;
diff --git a/frontend/sac-mobile/types/tag.ts b/frontend/sac-mobile/types/tag.ts
index fb7a14220..d0dd9dfd8 100644
--- a/frontend/sac-mobile/types/tag.ts
+++ b/frontend/sac-mobile/types/tag.ts
@@ -2,9 +2,9 @@ import { z } from 'zod';
import { rootModelSchema } from './root';
-export const tagSchema = z.object({
+export const tagSchemaIntermediate = z.object({
name: z.string().max(255)
});
-const Tag = tagSchema.merge(rootModelSchema);
-export type Tag = z.infer;
+export const tagSchema = tagSchemaIntermediate.merge(rootModelSchema);
+export type Tag = z.infer;
diff --git a/frontend/sac-mobile/yarn.lock b/frontend/sac-mobile/yarn.lock
index 75f99b6da..335e266b8 100644
--- a/frontend/sac-mobile/yarn.lock
+++ b/frontend/sac-mobile/yarn.lock
@@ -134,6 +134,21 @@
"@babel/helper-split-export-declaration" "^7.22.6"
semver "^6.3.1"
+"@babel/helper-create-class-features-plugin@^7.24.4":
+ version "7.24.4"
+ resolved "https://registry.yarnpkg.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.24.4.tgz#c806f73788a6800a5cfbbc04d2df7ee4d927cce3"
+ integrity sha512-lG75yeuUSVu0pIcbhiYMXBXANHrpUPaOfu7ryAzskCgKUHuAxRQI5ssrtmF0X9UXldPlvT0XM/A4F44OXRt6iQ==
+ dependencies:
+ "@babel/helper-annotate-as-pure" "^7.22.5"
+ "@babel/helper-environment-visitor" "^7.22.20"
+ "@babel/helper-function-name" "^7.23.0"
+ "@babel/helper-member-expression-to-functions" "^7.23.0"
+ "@babel/helper-optimise-call-expression" "^7.22.5"
+ "@babel/helper-replace-supers" "^7.24.1"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.22.5"
+ "@babel/helper-split-export-declaration" "^7.22.6"
+ semver "^6.3.1"
+
"@babel/helper-create-regexp-features-plugin@^7.18.6", "@babel/helper-create-regexp-features-plugin@^7.22.15", "@babel/helper-create-regexp-features-plugin@^7.22.5":
version "7.22.15"
resolved "https://registry.npmjs.org/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.22.15.tgz"
@@ -252,6 +267,15 @@
"@babel/helper-member-expression-to-functions" "^7.22.15"
"@babel/helper-optimise-call-expression" "^7.22.5"
+"@babel/helper-replace-supers@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-replace-supers/-/helper-replace-supers-7.24.1.tgz#7085bd19d4a0b7ed8f405c1ed73ccb70f323abc1"
+ integrity sha512-QCR1UqC9BzG5vZl8BMicmZ28RuUBnHhAMddD8yHFHDRH9lLTZ9uUPehX8ctVPT8l0TKblJidqcgUUKGVrePleQ==
+ dependencies:
+ "@babel/helper-environment-visitor" "^7.22.20"
+ "@babel/helper-member-expression-to-functions" "^7.23.0"
+ "@babel/helper-optimise-call-expression" "^7.22.5"
+
"@babel/helper-simple-access@^7.22.5":
version "7.22.5"
resolved "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.22.5.tgz"
@@ -536,6 +560,13 @@
dependencies:
"@babel/helper-plugin-utils" "^7.22.5"
+"@babel/plugin-syntax-jsx@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.24.1.tgz#3f6ca04b8c841811dbc3c5c5f837934e0d626c10"
+ integrity sha512-2eCtxZXf+kbkMIsXS4poTvT4Yu5rXiRa+9xGVT56raghjmBTKMpFNc9R4IDiB4emao9eO22Ox7CxuJG7BgExqA==
+ dependencies:
+ "@babel/helper-plugin-utils" "^7.24.0"
+
"@babel/plugin-syntax-logical-assignment-operators@^7.10.4", "@babel/plugin-syntax-logical-assignment-operators@^7.8.3":
version "7.10.4"
resolved "https://registry.npmjs.org/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz"
@@ -599,6 +630,13 @@
dependencies:
"@babel/helper-plugin-utils" "^7.22.5"
+"@babel/plugin-syntax-typescript@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.24.1.tgz#b3bcc51f396d15f3591683f90239de143c076844"
+ integrity sha512-Yhnmvy5HZEnHUty6i++gcfH1/l68AHnItFHnaCv6hn9dNh0hQvvQJsxpi4BMBFN5DLeHBuucT/0DgzXif/OyRw==
+ dependencies:
+ "@babel/helper-plugin-utils" "^7.24.0"
+
"@babel/plugin-syntax-unicode-sets-regex@^7.18.6":
version "7.18.6"
resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-unicode-sets-regex/-/plugin-syntax-unicode-sets-regex-7.18.6.tgz#d49a3b3e6b52e5be6740022317580234a6a47357"
@@ -607,7 +645,7 @@
"@babel/helper-create-regexp-features-plugin" "^7.18.6"
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-transform-arrow-functions@^7.0.0", "@babel/plugin-transform-arrow-functions@^7.0.0-0", "@babel/plugin-transform-arrow-functions@^7.23.3":
+"@babel/plugin-transform-arrow-functions@^7.0.0", "@babel/plugin-transform-arrow-functions@^7.23.3":
version "7.23.3"
resolved "https://registry.npmjs.org/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.23.3.tgz"
integrity sha512-NzQcQrzaQPkaEwoTm4Mhyl8jI1huEL/WWIEvudjTCMJ9aBZNpsJbMASx7EQECtQQPS/DcnFpo0FIh3LvEO9cxQ==
@@ -804,6 +842,15 @@
"@babel/helper-plugin-utils" "^7.22.5"
"@babel/helper-simple-access" "^7.22.5"
+"@babel/plugin-transform-modules-commonjs@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.24.1.tgz#e71ba1d0d69e049a22bf90b3867e263823d3f1b9"
+ integrity sha512-szog8fFTUxBfw0b98gEWPaEqF42ZUD/T3bkynW/wtgx2p/XCP55WEsb+VosKceRSd6njipdZvNogqdtI4Q0chw==
+ dependencies:
+ "@babel/helper-module-transforms" "^7.23.3"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/helper-simple-access" "^7.22.5"
+
"@babel/plugin-transform-modules-systemjs@^7.23.9":
version "7.23.9"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.23.9.tgz#105d3ed46e4a21d257f83a2f9e2ee4203ceda6be"
@@ -837,7 +884,7 @@
dependencies:
"@babel/helper-plugin-utils" "^7.22.5"
-"@babel/plugin-transform-nullish-coalescing-operator@^7.0.0-0", "@babel/plugin-transform-nullish-coalescing-operator@^7.23.4":
+"@babel/plugin-transform-nullish-coalescing-operator@^7.23.4":
version "7.23.4"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-nullish-coalescing-operator/-/plugin-transform-nullish-coalescing-operator-7.23.4.tgz#45556aad123fc6e52189ea749e33ce090637346e"
integrity sha512-jHE9EVVqHKAQx+VePv5LLGHjmHSJR76vawFPTdlxR/LVJPfOEGxREQwQfjuZEOPTwG92X3LINSh3M40Rv4zpVA==
@@ -853,6 +900,13 @@
"@babel/helper-plugin-utils" "^7.22.5"
"@babel/plugin-syntax-numeric-separator" "^7.10.4"
+"@babel/plugin-transform-object-assign@^7.16.7":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-object-assign/-/plugin-transform-object-assign-7.24.1.tgz#46a70169e56970aafd13a6ae677d5b497fc227e7"
+ integrity sha512-I1kctor9iKtupb7jv7FyjApHCuKLBKCblVAeHVK9PB6FW7GI0ac6RtobC3MwwJy8CZ1JxuhQmnbrsqI5G8hAIg==
+ dependencies:
+ "@babel/helper-plugin-utils" "^7.24.0"
+
"@babel/plugin-transform-object-rest-spread@^7.12.13":
version "7.23.4"
resolved "https://registry.npmjs.org/@babel/plugin-transform-object-rest-spread/-/plugin-transform-object-rest-spread-7.23.4.tgz"
@@ -891,7 +945,7 @@
"@babel/helper-plugin-utils" "^7.22.5"
"@babel/plugin-syntax-optional-catch-binding" "^7.8.3"
-"@babel/plugin-transform-optional-chaining@^7.0.0-0", "@babel/plugin-transform-optional-chaining@^7.23.3", "@babel/plugin-transform-optional-chaining@^7.23.4":
+"@babel/plugin-transform-optional-chaining@^7.23.3", "@babel/plugin-transform-optional-chaining@^7.23.4":
version "7.23.4"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-optional-chaining/-/plugin-transform-optional-chaining-7.23.4.tgz#6acf61203bdfc4de9d4e52e64490aeb3e52bd017"
integrity sha512-ZU8y5zWOfjM5vZ+asjgAPwDaBjJzgufjES89Rs4Lpq63O300R/kOz30WCLo6BxxX6QVEilwSlpClnG5cZaikTA==
@@ -1006,7 +1060,7 @@
babel-plugin-polyfill-regenerator "^0.5.5"
semver "^6.3.1"
-"@babel/plugin-transform-shorthand-properties@^7.0.0", "@babel/plugin-transform-shorthand-properties@^7.0.0-0", "@babel/plugin-transform-shorthand-properties@^7.23.3":
+"@babel/plugin-transform-shorthand-properties@^7.0.0", "@babel/plugin-transform-shorthand-properties@^7.23.3":
version "7.23.3"
resolved "https://registry.npmjs.org/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.23.3.tgz"
integrity sha512-ED2fgqZLmexWiN+YNFX26fx4gh5qHDhn1O2gvEhreLW2iI63Sqm4llRLCXALKrCnbN4Jy0VcMQZl/SAzqug/jg==
@@ -1028,7 +1082,7 @@
dependencies:
"@babel/helper-plugin-utils" "^7.22.5"
-"@babel/plugin-transform-template-literals@^7.0.0", "@babel/plugin-transform-template-literals@^7.0.0-0", "@babel/plugin-transform-template-literals@^7.23.3":
+"@babel/plugin-transform-template-literals@^7.0.0", "@babel/plugin-transform-template-literals@^7.23.3":
version "7.23.3"
resolved "https://registry.npmjs.org/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.23.3.tgz"
integrity sha512-Flok06AYNp7GV2oJPZZcP9vZdszev6vPBkHLwxwSpaIqx75wn6mUd3UFWsSsA0l8nXAKkyCmL/sR02m8RYGeHg==
@@ -1052,6 +1106,16 @@
"@babel/helper-plugin-utils" "^7.22.5"
"@babel/plugin-syntax-typescript" "^7.23.3"
+"@babel/plugin-transform-typescript@^7.24.1":
+ version "7.24.4"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.24.4.tgz#03e0492537a4b953e491f53f2bc88245574ebd15"
+ integrity sha512-79t3CQ8+oBGk/80SQ8MN3Bs3obf83zJ0YZjDmDaEZN8MqhMI760apl5z6a20kFeMXBwJX99VpKT8CKxEBp5H1g==
+ dependencies:
+ "@babel/helper-annotate-as-pure" "^7.22.5"
+ "@babel/helper-create-class-features-plugin" "^7.24.4"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/plugin-syntax-typescript" "^7.24.1"
+
"@babel/plugin-transform-unicode-escapes@^7.23.3":
version "7.23.3"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.23.3.tgz#1f66d16cab01fab98d784867d24f70c1ca65b925"
@@ -1199,7 +1263,7 @@
"@babel/plugin-transform-react-jsx-development" "^7.22.5"
"@babel/plugin-transform-react-pure-annotations" "^7.23.3"
-"@babel/preset-typescript@^7.13.0", "@babel/preset-typescript@^7.16.7":
+"@babel/preset-typescript@^7.13.0":
version "7.23.3"
resolved "https://registry.npmjs.org/@babel/preset-typescript/-/preset-typescript-7.23.3.tgz"
integrity sha512-17oIGVlqz6CchO9RFYn5U6ZpWRZIngayYCtrPRSgANSwC2V1Jb+iP74nVxzzXJte8b8BYxrL1yY96xfhTBrNNQ==
@@ -1210,6 +1274,17 @@
"@babel/plugin-transform-modules-commonjs" "^7.23.3"
"@babel/plugin-transform-typescript" "^7.23.3"
+"@babel/preset-typescript@^7.16.7":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/preset-typescript/-/preset-typescript-7.24.1.tgz#89bdf13a3149a17b3b2a2c9c62547f06db8845ec"
+ integrity sha512-1DBaMmRDpuYQBPWD8Pf/WEwCrtgRHxsZnP4mIy9G/X+hFfbI47Q2G4t1Paakld84+qsk2fSsUPMKg71jkoOOaQ==
+ dependencies:
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/helper-validator-option" "^7.23.5"
+ "@babel/plugin-syntax-jsx" "^7.24.1"
+ "@babel/plugin-transform-modules-commonjs" "^7.24.1"
+ "@babel/plugin-transform-typescript" "^7.24.1"
+
"@babel/register@^7.13.16":
version "7.23.7"
resolved "https://registry.npmjs.org/@babel/register/-/register-7.23.7.tgz"
@@ -1305,6 +1380,13 @@
resolved "https://registry.npmjs.org/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz"
integrity sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==
+"@egjs/hammerjs@^2.0.17":
+ version "2.0.17"
+ resolved "https://registry.yarnpkg.com/@egjs/hammerjs/-/hammerjs-2.0.17.tgz#5dc02af75a6a06e4c2db0202cae38c9263895124"
+ integrity sha512-XQsZgjm2EcVUiZQf11UBJQfmZeEmOW8DpI1gsFeln6w0ae0ii4dMQEQ0kjl6DspdWX1aGY1/loyXnP0JS06e/A==
+ dependencies:
+ "@types/hammerjs" "^2.0.36"
+
"@eslint-community/eslint-utils@^4.2.0":
version "4.4.0"
resolved "https://registry.npmjs.org/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz"
@@ -1694,6 +1776,21 @@
resolved "https://registry.npmjs.org/@gar/promisify/-/promisify-1.1.3.tgz"
integrity sha512-k2Ty1JcVojjJFwrg/ThKi2ujJ7XNLYaFGNB/bWT9wGR+oSMJHMa5w+CUq6p/pVrKeNNgA7pCqEcjSnHVoqJQFw==
+"@gorhom/bottom-sheet@^4":
+ version "4.6.1"
+ resolved "https://registry.yarnpkg.com/@gorhom/bottom-sheet/-/bottom-sheet-4.6.1.tgz#e45e2183246e338cf732fe4f8f2c91875b22ddce"
+ integrity sha512-sXqsYqX1/rAbmCC5fb9o6hwSF3KXriC0EGUGvLlhFvjaEEMBrRKFTNndiluRK1HmpUzazVaYdTm/lLkSiA2ooQ==
+ dependencies:
+ "@gorhom/portal" "1.0.14"
+ invariant "^2.2.4"
+
+"@gorhom/portal@1.0.14":
+ version "1.0.14"
+ resolved "https://registry.yarnpkg.com/@gorhom/portal/-/portal-1.0.14.tgz#1953edb76aaba80fb24021dc774550194a18e111"
+ integrity sha512-MXyL4xvCjmgaORr/rtryDNFy3kU4qUbKlwtQqqsygd0xX3mhKjOLn6mQK8wfu0RkoE0pBE0nAasRoHua+/QZ7A==
+ dependencies:
+ nanoid "^3.3.1"
+
"@graphql-typed-document-node/core@^3.1.0":
version "3.2.0"
resolved "https://registry.npmjs.org/@graphql-typed-document-node/core/-/core-3.2.0.tgz"
@@ -2768,6 +2865,11 @@
resolved "https://registry.npmjs.org/@types/cookie/-/cookie-0.4.1.tgz"
integrity sha512-XW/Aa8APYr6jSVVA1y/DEIZX0/GMKLEVekNG727R8cs56ahETkRAy/3DR7+fJyh7oUgGwNQaRfXCun0+KbWY7Q==
+"@types/geojson@^7946.0.13":
+ version "7946.0.14"
+ resolved "https://registry.yarnpkg.com/@types/geojson/-/geojson-7946.0.14.tgz#319b63ad6df705ee2a65a73ef042c8271e696613"
+ integrity sha512-WCfD5Ht3ZesJUsONdhvm84dmzWOiOzOAqOncN0++w0lBw1o8OuDNJF2McvvCef/yBqb/HYRahp1BYtODFQ8bRg==
+
"@types/graceful-fs@^4.1.3":
version "4.1.9"
resolved "https://registry.npmjs.org/@types/graceful-fs/-/graceful-fs-4.1.9.tgz"
@@ -2775,6 +2877,11 @@
dependencies:
"@types/node" "*"
+"@types/hammerjs@^2.0.36":
+ version "2.0.45"
+ resolved "https://registry.yarnpkg.com/@types/hammerjs/-/hammerjs-2.0.45.tgz#ffa764bb68a66c08db6efb9c816eb7be850577b1"
+ integrity sha512-qkcUlZmX6c4J8q45taBKTL3p+LbITgyx7qhlPYOdOHZB7B31K0mXbP5YA7i7SgDeEGuI9MnumiKPEMrxg8j3KQ==
+
"@types/istanbul-lib-coverage@*", "@types/istanbul-lib-coverage@^2.0.0", "@types/istanbul-lib-coverage@^2.0.1":
version "2.0.6"
resolved "https://registry.npmjs.org/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz"
@@ -5222,7 +5329,7 @@ fast-diff@^1.1.2:
resolved "https://registry.yarnpkg.com/fast-diff/-/fast-diff-1.3.0.tgz#ece407fa550a64d638536cd727e129c61616e0f0"
integrity sha512-VxPP4NqbUjj6MaAOafWeUn2cXWLcCtljklUtZf0Ind4XQ+QPtmA0b18zZy0jIQx+ExRVCR/ZQpBmik5lXshNsw==
-fast-glob@^3.2.5, fast-glob@^3.2.9, fast-glob@^3.3.0:
+fast-glob@^3.2.12, fast-glob@^3.2.5, fast-glob@^3.2.9:
version "3.3.2"
resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.3.2.tgz#a904501e57cfdd2ffcded45e99a54fef55e46129"
integrity sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow==
@@ -5772,6 +5879,13 @@ hermes-profile-transformer@^0.0.6:
dependencies:
source-map "^0.7.3"
+hoist-non-react-statics@^3.3.0:
+ version "3.3.2"
+ resolved "https://registry.yarnpkg.com/hoist-non-react-statics/-/hoist-non-react-statics-3.3.2.tgz#ece0acaf71d62c2969c2ec59feff42a4b1a85b45"
+ integrity sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw==
+ dependencies:
+ react-is "^16.7.0"
+
hosted-git-info@^3.0.2:
version "3.0.8"
resolved "https://registry.yarnpkg.com/hosted-git-info/-/hosted-git-info-3.0.8.tgz#6e35d4cc87af2c5f816e4cb9ce350ba87a3f370d"
@@ -6765,7 +6879,7 @@ jimp-compact@0.16.1:
resolved "https://registry.yarnpkg.com/jimp-compact/-/jimp-compact-0.16.1.tgz#9582aea06548a2c1e04dd148d7c3ab92075aefa3"
integrity sha512-dZ6Ra7u1G8c4Letq/B5EzAxj4tLFHL+cGtdpR+PVm4yzPDj+lCk+AbivWt1eOM+ikzkowtyV7qSqX6qr3t71Ww==
-jiti@^1.21.0:
+jiti@^1.18.2:
version "1.21.0"
resolved "https://registry.yarnpkg.com/jiti/-/jiti-1.21.0.tgz#7c97f8fe045724e136a397f7340475244156105d"
integrity sha512-gFqAIbuKyyso/3G2qhiO2OM6shY6EPP/R0+mkDbyspxKazh8BXDC5FiFsUjlczgdNz/vfra0da2y+aHrusLG/Q==
@@ -7602,7 +7716,7 @@ mz@^2.7.0:
object-assign "^4.0.1"
thenify-all "^1.0.0"
-nanoid@^3.1.23, nanoid@^3.3.7:
+nanoid@^3.1.23, nanoid@^3.3.1, nanoid@^3.3.7:
version "3.3.7"
resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.7.tgz#d0c301a691bc8d54efa0a2226ccf3fe2fd656bd8"
integrity sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==
@@ -8493,7 +8607,7 @@ react-hook-form@^7.51.2:
resolved "https://registry.yarnpkg.com/react-is/-/react-is-18.2.0.tgz#199431eeaaa2e09f86427efbb4f1473edb47609b"
integrity sha512-xWGDIW6x921xtzPkhiULtthJHoJvBbF3q26fzloPCK0hsvxtPVelvftw3zjbHWSkR2km9Z+4uxbDDK/6Zw9B8w==
-react-is@^16.13.0, react-is@^16.13.1:
+react-is@^16.13.0, react-is@^16.13.1, react-is@^16.7.0:
version "16.13.1"
resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.13.1.tgz#789729a4dc36de2999dc156dd6c1d9c18cea56a4"
integrity sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==
@@ -8517,11 +8631,29 @@ react-native-element-dropdown@^2.10.4:
dependencies:
lodash "^4.17.21"
+react-native-gesture-handler@~2.14.0:
+ version "2.14.1"
+ resolved "https://registry.yarnpkg.com/react-native-gesture-handler/-/react-native-gesture-handler-2.14.1.tgz#930640231024b7921435ab476aa501dd4a6b2e01"
+ integrity sha512-YiM1BApV4aKeuwsM6O4C2ufwewYEKk6VMXOt0YqEZFMwABBFWhXLySFZYjBSNRU2USGppJbfHP1q1DfFQpKhdA==
+ dependencies:
+ "@egjs/hammerjs" "^2.0.17"
+ hoist-non-react-statics "^3.3.0"
+ invariant "^2.2.4"
+ lodash "^4.17.21"
+ prop-types "^15.7.2"
+
react-native-loading-spinner-overlay@^3.0.1:
version "3.0.1"
resolved "https://registry.yarnpkg.com/react-native-loading-spinner-overlay/-/react-native-loading-spinner-overlay-3.0.1.tgz#092481b8cce157d3af5ef942f845ad981f96bd36"
integrity sha512-4GdR54HQnKg2HPSSisVizfTLuyhSh4splY9eb8mKiYF1Ihjn/5EmdNo5bN3S7uKPFRC3WLzIZIouX6G6fXfnjw==
+react-native-maps@1.10.0:
+ version "1.10.0"
+ resolved "https://registry.yarnpkg.com/react-native-maps/-/react-native-maps-1.10.0.tgz#1b78270473f4caadc5ff8e8400285b6db9f14e12"
+ integrity sha512-Zs6lHZucEijTwkRVFyInMbPVkJ2UudDEI2fJPc8ArdzdnwDFAdL6OagqTjNRZyI1DBPHRihazfIWpy2+X1VwLg==
+ dependencies:
+ "@types/geojson" "^7946.0.13"
+
react-native-open-maps@^0.4.3:
version "0.4.3"
resolved "https://registry.yarnpkg.com/react-native-open-maps/-/react-native-open-maps-0.4.3.tgz#767c6621dcf558241afe78a62c5f7924031f270e"
@@ -8529,16 +8661,12 @@ react-native-open-maps@^0.4.3:
dependencies:
query-string "^7.1.0"
-react-native-reanimated@^3.8.1:
- version "3.8.1"
- resolved "https://registry.yarnpkg.com/react-native-reanimated/-/react-native-reanimated-3.8.1.tgz#45c13d4bedebef8df3d5a8756f25072de65960d7"
- integrity sha512-EdM0vr3JEaNtqvstqESaPfOBy0gjYBkr1iEolWJ82Ax7io8y9OVUIphgsLKTB36CtR1XtmBw0RZVj7KArc7ZVA==
+react-native-reanimated@~3.6.2:
+ version "3.6.3"
+ resolved "https://registry.yarnpkg.com/react-native-reanimated/-/react-native-reanimated-3.6.3.tgz#859cf2320e37c80e3a21e19db24f82c34d6d3ded"
+ integrity sha512-2KkkPozoIvDbJcHuf8qeyoLROXQxizSi+2CTCkuNVkVZOxxY4B0Omvgq61aOQhSZUh/649x1YHoAaTyGMGDJUw==
dependencies:
- "@babel/plugin-transform-arrow-functions" "^7.0.0-0"
- "@babel/plugin-transform-nullish-coalescing-operator" "^7.0.0-0"
- "@babel/plugin-transform-optional-chaining" "^7.0.0-0"
- "@babel/plugin-transform-shorthand-properties" "^7.0.0-0"
- "@babel/plugin-transform-template-literals" "^7.0.0-0"
+ "@babel/plugin-transform-object-assign" "^7.16.7"
"@babel/preset-typescript" "^7.16.7"
convert-source-map "^2.0.0"
invariant "^2.2.4"
@@ -9638,20 +9766,20 @@ tailwind-merge@^2.2.2:
dependencies:
"@babel/runtime" "^7.24.0"
-tailwindcss@3.4.3:
- version "3.4.3"
- resolved "https://registry.yarnpkg.com/tailwindcss/-/tailwindcss-3.4.3.tgz#be48f5283df77dfced705451319a5dffb8621519"
- integrity sha512-U7sxQk/n397Bmx4JHbJx/iSOOv5G+II3f1kpLpY2QeUv5DcPdcTsYLlusZfq1NthHS1c1cZoyFmmkex1rzke0A==
+tailwindcss@3.3.2:
+ version "3.3.2"
+ resolved "https://registry.yarnpkg.com/tailwindcss/-/tailwindcss-3.3.2.tgz#2f9e35d715fdf0bbf674d90147a0684d7054a2d3"
+ integrity sha512-9jPkMiIBXvPc2KywkraqsUfbfj+dHDb+JPWtSJa9MLFdrPyazI7q6WX2sUrm7R9eVR7qqv3Pas7EvQFzxKnI6w==
dependencies:
"@alloc/quick-lru" "^5.2.0"
arg "^5.0.2"
chokidar "^3.5.3"
didyoumean "^1.2.2"
dlv "^1.1.3"
- fast-glob "^3.3.0"
+ fast-glob "^3.2.12"
glob-parent "^6.0.2"
is-glob "^4.0.3"
- jiti "^1.21.0"
+ jiti "^1.18.2"
lilconfig "^2.1.0"
micromatch "^4.0.5"
normalize-path "^3.0.0"
@@ -9663,6 +9791,7 @@ tailwindcss@3.4.3:
postcss-load-config "^4.0.1"
postcss-nested "^6.0.1"
postcss-selector-parser "^6.0.11"
+ postcss-value-parser "^4.2.0"
resolve "^1.22.2"
sucrase "^3.32.0"
From 450323d0388d07602ca2f4e8f4cd59781f02c0cb Mon Sep 17 00:00:00 2001
From: David Oduneye <44040421+DOOduneye@users.noreply.github.com>
Date: Sun, 14 Apr 2024 09:44:27 -0400
Subject: [PATCH 09/32] fix: no more unncessary rebuilds (#526)
---
frontend/sac-mobile/package.json | 4 ++--
1 file changed, 2 insertions(+), 2 deletions(-)
diff --git a/frontend/sac-mobile/package.json b/frontend/sac-mobile/package.json
index 4099df970..aa6dec37e 100644
--- a/frontend/sac-mobile/package.json
+++ b/frontend/sac-mobile/package.json
@@ -4,8 +4,8 @@
"version": "1.0.0",
"scripts": {
"start": "expo start",
- "android": "expo run:android",
- "ios": "expo run:ios",
+ "android": "expo start --android",
+ "ios": "expo start --ios",
"web": "expo start --web",
"test": "echo \"Woah there, we have no frontend tests as of right now. Let's just say we're passing.\" && exit 0",
"lint": "eslint . --ext .js,.jsx,.ts,.tsx",
From 32292b4b8bf921f2f3ff8eedc268ffec549aee05 Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Sun, 14 Apr 2024 14:24:51 -0400
Subject: [PATCH 10/32] mock data (#522)
---
.../{club_scraper.yml => mock_data.yml} | 12 +-
backend/src/main.go | 2 +
backend/src/migrations/data.sql | 1989 +++++++++--------
backend/src/models/event.go | 28 +-
backend/src/services/event.go | 6 +-
backend/src/transactions/event.go | 10 +-
backend/tests/api/event_test.go | 56 +-
cli/commands/migrate.go | 2 +-
{scraper => mock_data}/.gitignore | 0
{scraper/clubs => mock_data}/Cargo.lock | 0
{scraper/clubs => mock_data}/Cargo.toml | 0
{scraper/clubs => mock_data}/README.md | 0
{scraper/clubs => mock_data}/src/cli.rs | 0
.../src/domain/category.rs | 0
.../clubs => mock_data}/src/domain/club.rs | 0
.../clubs => mock_data}/src/domain/mod.rs | 0
.../clubs => mock_data}/src/domain/tag.rs | 0
.../src/dumper/category.rs | 2 +-
.../clubs => mock_data}/src/dumper/club.rs | 0
mock_data/src/dumper/dump.rs | 38 +
.../clubs => mock_data}/src/dumper/mod.rs | 0
.../clubs => mock_data}/src/dumper/tag.rs | 2 +-
{scraper/clubs => mock_data}/src/lib.rs | 0
{scraper/clubs => mock_data}/src/main.rs | 0
.../clubs => mock_data}/src/scraper/mod.rs | 0
.../src/scraper/scraped_club.rs | 0
scraper/clubs/src/dumper/dump.rs | 38 -
27 files changed, 1084 insertions(+), 1101 deletions(-)
rename .github/workflows/{club_scraper.yml => mock_data.yml} (92%)
rename {scraper => mock_data}/.gitignore (100%)
rename {scraper/clubs => mock_data}/Cargo.lock (100%)
rename {scraper/clubs => mock_data}/Cargo.toml (100%)
rename {scraper/clubs => mock_data}/README.md (100%)
rename {scraper/clubs => mock_data}/src/cli.rs (100%)
rename {scraper/clubs => mock_data}/src/domain/category.rs (100%)
rename {scraper/clubs => mock_data}/src/domain/club.rs (100%)
rename {scraper/clubs => mock_data}/src/domain/mod.rs (100%)
rename {scraper/clubs => mock_data}/src/domain/tag.rs (100%)
rename {scraper/clubs => mock_data}/src/dumper/category.rs (77%)
rename {scraper/clubs => mock_data}/src/dumper/club.rs (100%)
create mode 100644 mock_data/src/dumper/dump.rs
rename {scraper/clubs => mock_data}/src/dumper/mod.rs (100%)
rename {scraper/clubs => mock_data}/src/dumper/tag.rs (77%)
rename {scraper/clubs => mock_data}/src/lib.rs (100%)
rename {scraper/clubs => mock_data}/src/main.rs (100%)
rename {scraper/clubs => mock_data}/src/scraper/mod.rs (100%)
rename {scraper/clubs => mock_data}/src/scraper/scraped_club.rs (100%)
delete mode 100644 scraper/clubs/src/dumper/dump.rs
diff --git a/.github/workflows/club_scraper.yml b/.github/workflows/mock_data.yml
similarity index 92%
rename from .github/workflows/club_scraper.yml
rename to .github/workflows/mock_data.yml
index e3b6877bb..0f1732add 100644
--- a/.github/workflows/club_scraper.yml
+++ b/.github/workflows/mock_data.yml
@@ -1,17 +1,17 @@
-name: Club Scraper
+name: Mock Data
permissions: read-all
on:
push:
paths:
- - scraper/club/**
- - .github/workflows/club_scraper.yml
+ - mock_data/**
+ - .github/workflows/mock_data.yml
pull_request:
types: [opened]
paths:
- - scraper/club/**
- - .github/workflows/club_scraper.yml
+ - mock_data/**
+ - .github/workflows/mock_data.yml
concurrency:
group: ${{ github.workflow }}-${{ github.ref }}
@@ -19,7 +19,7 @@ concurrency:
env:
CARGO_TERM_COLOR: always
- MANIFEST_PATH: ./scraper/clubs/Cargo.toml
+ MANIFEST_PATH: ./mock_data/Cargo.toml
jobs:
test:
diff --git a/backend/src/main.go b/backend/src/main.go
index 3a06ad1c3..490404ff7 100644
--- a/backend/src/main.go
+++ b/backend/src/main.go
@@ -58,6 +58,8 @@ func main() {
configPath := flag.String("config", filepath.Join("..", "..", "config"), "Specify the path to the config directory")
useDevDotEnv := flag.Bool("use-dev-dot-env", true, "Specify if you want to use the .env.dev file")
+ fmt.Println("foo", *useDevDotEnv)
+
flag.Parse()
config, err := config.GetConfiguration(*configPath, *useDevDotEnv)
diff --git a/backend/src/migrations/data.sql b/backend/src/migrations/data.sql
index 26c4105fd..180b7f1fe 100644
--- a/backend/src/migrations/data.sql
+++ b/backend/src/migrations/data.sql
@@ -1,151 +1,142 @@
-- BEGIN MOCK DATA TRANSACTION
BEGIN;
-
-INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, year) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', 'super', 'oduneye.d@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'David', 'Oduneye', 'KCCS', 3);
-INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, year) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', 'super', 'ladley.g@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'Garrett', 'Ladley', 'KCCS', 3);
+INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, graduation_cycle, graduation_year, is_verified) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', 'super', 'oduneye.d@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'David', 'Oduneye', 'KCCS', 'may', 2025, true);
+INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, graduation_cycle, graduation_year, is_verified) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', 'super', 'ladley.g@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'Garrett', 'Ladley', 'KCCS', 'may', 2025, true);
INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
COMMIT;
-- END MOCK DATA TRANSACTION
-- AUTOGENERATED MOCK DATA, DO NOT MODIFY
--- GENERATED AT 2024-02-20 18:23:08
+-- GENERATED AT 2024-04-12 19:59:56
BEGIN;
-INSERT INTO "categories" ("id", "name") VALUES ('114e23f1-8791-4a2b-80e3-ad935b19762e', 'PreProfessional');
-INSERT INTO "categories" ("id", "name") VALUES ('5db30a5a-579d-4258-b854-ea3c59aaa36a', 'CulturalAndIdentity');
-INSERT INTO "categories" ("id", "name") VALUES ('172dfa1e-ab91-4cbd-bdd6-1520948a7151', 'ArtsAndCreativity');
-INSERT INTO "categories" ("id", "name") VALUES ('75836671-8e6e-4c95-8cb4-8a8e331cb64f', 'SportsAndRecreation');
-INSERT INTO "categories" ("id", "name") VALUES ('70ed0ea4-0032-4a0f-b6ff-b9953b37c132', 'ScienceAndTechnology');
-INSERT INTO "categories" ("id", "name") VALUES ('944a68e5-5de8-426e-a775-3c941efa83d4', 'CommunityServiceAndAdvocacy');
-INSERT INTO "categories" ("id", "name") VALUES ('831234a0-052f-47cb-a110-c59703830692', 'MediaAndCommunication');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('c2abf6c9-7837-4aad-a7c4-d5b511cd1b80', 'Premed', '114e23f1-8791-4a2b-80e3-ad935b19762e');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('ee942c41-3157-46c0-a457-5661d7a14ca8', 'Prelaw', '114e23f1-8791-4a2b-80e3-ad935b19762e');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('b8b1d5ff-9306-4cb0-b597-ef9c96c4c502', 'Other', '114e23f1-8791-4a2b-80e3-ad935b19762e');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('e3e5243b-5f17-497c-a6e8-31a11059c767', 'Judaism', '5db30a5a-579d-4258-b854-ea3c59aaa36a');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('8e47532b-7f80-4064-8e35-261c37f081a9', 'Christianity', '5db30a5a-579d-4258-b854-ea3c59aaa36a');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('ad2f1189-7e7c-4991-8dfe-b9700d388520', 'Hinduism', '5db30a5a-579d-4258-b854-ea3c59aaa36a');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('aab43997-25bd-42fb-a69d-ebea14f9fe35', 'Islam', '5db30a5a-579d-4258-b854-ea3c59aaa36a');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('cce3b499-b119-41bb-91a8-a8f003840818', 'LatinAmerica', '5db30a5a-579d-4258-b854-ea3c59aaa36a');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('8d603a3b-f20b-4a04-9193-7f8cfafdfb79', 'AfricanAmerican', '5db30a5a-579d-4258-b854-ea3c59aaa36a');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('1c8ce136-7e2d-45a9-ba35-8d663381cc62', 'AsianAmerican', '5db30a5a-579d-4258-b854-ea3c59aaa36a');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('fb5b3a07-5dc9-4981-9a45-8ead5e99a6ea', 'LGBTQ', '5db30a5a-579d-4258-b854-ea3c59aaa36a');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('da7b39dd-60dd-4fdc-b3a3-1a07a58ce531', 'Other', '5db30a5a-579d-4258-b854-ea3c59aaa36a');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('1d907802-bf2f-498c-8af7-ed25e3fb88d3', 'PerformingArts', '172dfa1e-ab91-4cbd-bdd6-1520948a7151');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('748a5ddb-ea37-4d46-b4b1-703ee9867bae', 'VisualArts', '172dfa1e-ab91-4cbd-bdd6-1520948a7151');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('7bf57cd9-5ae0-4ffe-b31e-a4172ff67f57', 'CreativeWriting', '172dfa1e-ab91-4cbd-bdd6-1520948a7151');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('07c15934-d886-476f-b00c-a658cb8bf91e', 'Music', '172dfa1e-ab91-4cbd-bdd6-1520948a7151');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('773e3cd4-9775-4e63-81b5-985bedbb1e62', 'Other', '172dfa1e-ab91-4cbd-bdd6-1520948a7151');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('99baf919-d506-4906-91d1-77e3d5a28802', 'Soccer', '75836671-8e6e-4c95-8cb4-8a8e331cb64f');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('7586c16d-1b0d-43e8-9fe4-7f05fc67af4a', 'Hiking', '75836671-8e6e-4c95-8cb4-8a8e331cb64f');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('62e45875-bd27-4895-99d9-e571cc4bd168', 'Climbing', '75836671-8e6e-4c95-8cb4-8a8e331cb64f');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('7255376c-2256-443d-ba6d-bd9dc285b1d3', 'Lacrosse', '75836671-8e6e-4c95-8cb4-8a8e331cb64f');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('75625b08-9898-4e78-9cc3-044a0789cc45', 'Other', '75836671-8e6e-4c95-8cb4-8a8e331cb64f');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('e01a7eae-c339-4748-a928-94438b09eb03', 'Mathematics', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('f567a6bb-0207-47c9-9a3d-476651752b7f', 'Physics', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('54e3ac7f-6da7-4666-b84b-628747c9846d', 'Biology', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('d7da855c-2e46-4626-9d33-58e09274e83f', 'Chemistry', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('ecc6fb63-7cb9-462e-86bc-03d674cb0d6d', 'EnvironmentalScience', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('06671b68-cc4d-4d7d-9c8e-afc943357a69', 'Geology', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('a92992c5-8b16-4756-a5e2-62dc896e6853', 'Neuroscience', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('4414d6cc-26a9-463c-a3dc-d0ce8d7d5f40', 'Psychology', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('2886f8b7-2bee-4448-aaa7-32a2f8340de9', 'SoftwareEngineering', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('613ea844-48be-4822-9902-04bb6130630f', 'ArtificialIntelligence', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('f90e395f-d527-4fc4-b6c3-1c20944755bf', 'DataScience', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('c849cb83-6093-43e3-a4f9-20a5c5db0ef7', 'MechanicalEngineering', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('128e958a-7d61-4d93-9160-67d462a5a8f3', 'ElectricalEngineering', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('45601a63-4bfa-44bf-ba70-8ab8b4dc9d2f', 'IndustrialEngineering', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('128be176-ded1-4238-a345-94329dba67f3', 'Other', '70ed0ea4-0032-4a0f-b6ff-b9953b37c132');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('8d3aaa99-9619-48ca-9dc9-0a073e122cde', 'Volunteerism', '944a68e5-5de8-426e-a775-3c941efa83d4');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('8686b575-4e81-401c-8740-f7f07cb0131b', 'EnvironmentalAdvocacy', '944a68e5-5de8-426e-a775-3c941efa83d4');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('02ff5e54-a3a4-4852-8c19-504139072579', 'HumanRights', '944a68e5-5de8-426e-a775-3c941efa83d4');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('4657aabf-6ed9-49a4-ac54-7d5cc8678fc9', 'CommunityOutreach', '944a68e5-5de8-426e-a775-3c941efa83d4');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('bb993dc3-58dc-4218-af47-50d16c0fcb42', 'Other', '944a68e5-5de8-426e-a775-3c941efa83d4');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('acd85436-138a-4adc-a8b8-435999c85d00', 'Journalism', '831234a0-052f-47cb-a110-c59703830692');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('a7ef1ef3-a58f-485a-8fda-ba04a1526ebd', 'Broadcasting', '831234a0-052f-47cb-a110-c59703830692');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('6232df6e-15ee-4d24-bfe9-3d6e236200c0', 'Film', '831234a0-052f-47cb-a110-c59703830692');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('69ae9f7f-836f-451d-88cc-4ce47921b35c', 'PublicRelations', '831234a0-052f-47cb-a110-c59703830692');
-INSERT INTO "tags" ("id", "name", "category_id") VALUES ('3c2ecefb-4839-44e0-b717-fe844f380b56', 'Other', '831234a0-052f-47cb-a110-c59703830692');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Acting to Address Climate Change', 'The club empowers students to create discussions on current climate topics and to pursue their own efforts in combating climate change. We provide a strong representation of the entire student body and encourage better efforts through awareness.', 'The mission of the Acting to Address Climate Change (ATACC) club is to empower the students at Northeastern University to foster discussions on current climate topics. The club strives to provide a strong representation of the entire student body and encourage better climate change efforts through awareness, and ultimately encouraging individual efforts in combating climate change.', 666, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Association of Latino Professionals for America', '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 na...', '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.', 13, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Bake It Till You Make It', 'Bake It Till You Make It aims to cultivate an inclusive community for students to share and expand their love of baking!', '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!', 5, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Baltic Northeastern Association', '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. ', '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. ', 403, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Bangladeshi Organization of Networking, Diversity, Heritage, Unity and Support', '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.', '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:
+INSERT INTO "categories" ("id", "name") VALUES ('c8c60cde-9ab1-4d00-a16e-9bea074ba632', 'PreProfessional');
+INSERT INTO "categories" ("id", "name") VALUES ('504b4d15-f256-4e38-81b2-7e2d43180d87', 'CulturalAndIdentity');
+INSERT INTO "categories" ("id", "name") VALUES ('d799ceb9-4253-468f-8eaa-fd5a344619bb', 'ArtsAndCreativity');
+INSERT INTO "categories" ("id", "name") VALUES ('04bcc217-14d1-4d3d-b38c-07422d18fe1c', 'SportsAndRecreation');
+INSERT INTO "categories" ("id", "name") VALUES ('2e13fca5-9672-443c-9c77-7c3ef45f9138', 'ScienceAndTechnology');
+INSERT INTO "categories" ("id", "name") VALUES ('484e00b5-42a3-45df-8335-f26f443fe026', 'CommunityServiceAndAdvocacy');
+INSERT INTO "categories" ("id", "name") VALUES ('78dde277-3e0f-4c35-aff0-65831b1cbfe5', 'MediaAndCommunication');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('c3882621-6461-44e9-a0d4-523d060346eb', 'Premed', 'c8c60cde-9ab1-4d00-a16e-9bea074ba632');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('6893109c-f844-4c16-bd1f-307c3c038498', 'Prelaw', 'c8c60cde-9ab1-4d00-a16e-9bea074ba632');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('b28da933-284d-4deb-96ae-1cae75a0b087', 'Other', 'c8c60cde-9ab1-4d00-a16e-9bea074ba632');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('2b044160-bba5-4017-862a-956ebeb4510b', 'Judaism', '504b4d15-f256-4e38-81b2-7e2d43180d87');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('fc4f1efa-e6cd-4186-a295-9db0680c35bc', 'Christianity', '504b4d15-f256-4e38-81b2-7e2d43180d87');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('046ad95c-47d5-4997-b684-aaa708cbb58c', 'Hinduism', '504b4d15-f256-4e38-81b2-7e2d43180d87');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('b9a33933-36cc-4b36-ab90-54f6ba0a823d', 'Islam', '504b4d15-f256-4e38-81b2-7e2d43180d87');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('e73573af-88e2-4e13-86cd-7702be441db0', 'LatinAmerica', '504b4d15-f256-4e38-81b2-7e2d43180d87');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('091f543a-3d14-477c-8bce-b8017fac4a40', 'AfricanAmerican', '504b4d15-f256-4e38-81b2-7e2d43180d87');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('1bc55230-5d9a-4b1f-a1c7-f9f5ba70574f', 'AsianAmerican', '504b4d15-f256-4e38-81b2-7e2d43180d87');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('10074b34-494b-4fa9-8be8-a367a06e11e8', 'LGBTQ', '504b4d15-f256-4e38-81b2-7e2d43180d87');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('7f11bf7f-370c-421f-9fa8-9a5a145ea3ad', 'Other', '504b4d15-f256-4e38-81b2-7e2d43180d87');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('e915f459-d028-4698-b13d-eea6db84afe5', 'PerformingArts', 'd799ceb9-4253-468f-8eaa-fd5a344619bb');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('292364e9-290e-4f0e-8ecb-f982fdc3a530', 'VisualArts', 'd799ceb9-4253-468f-8eaa-fd5a344619bb');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('6e748798-0e95-42d7-b76b-c64234a95c62', 'CreativeWriting', 'd799ceb9-4253-468f-8eaa-fd5a344619bb');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('ffa5c785-c80c-457b-bd43-31c869a2053f', 'Music', 'd799ceb9-4253-468f-8eaa-fd5a344619bb');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('d880c65f-f760-4b30-9add-c55aba0de2ec', 'Other', 'd799ceb9-4253-468f-8eaa-fd5a344619bb');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('cf98fb0c-19fb-4ac7-b723-30298ecc0047', 'Soccer', '04bcc217-14d1-4d3d-b38c-07422d18fe1c');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('11b47178-00e7-40d9-98c8-5a093d8243ed', 'Hiking', '04bcc217-14d1-4d3d-b38c-07422d18fe1c');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('1ef761c6-83b9-4b80-a46a-3ce590c90149', 'Climbing', '04bcc217-14d1-4d3d-b38c-07422d18fe1c');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('70f340dc-78b4-4f0b-b38f-3f7206d05c6e', 'Lacrosse', '04bcc217-14d1-4d3d-b38c-07422d18fe1c');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('55368317-53c6-4837-95ae-88667034c185', 'Other', '04bcc217-14d1-4d3d-b38c-07422d18fe1c');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('ed005fdb-0556-495a-bf0a-61e8dc0abd7d', 'Mathematics', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('2fc462e8-a468-4202-9b5a-e1e4aa88ef27', 'Physics', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('b3af7c4f-56cf-4ebc-86f1-edcb995ea000', 'Biology', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('4f657a3f-6a9f-4128-863c-f6571036a711', 'Chemistry', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('b778b1d6-99c2-4ad7-8e25-e2ec3355e314', 'EnvironmentalScience', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('79e9934e-99ba-4ee1-9ac3-717bd5618a19', 'Geology', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('36b8005a-10dc-4a8a-80a1-a15cf644f2aa', 'Neuroscience', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('3bee6b77-8909-4214-b3e3-7adb3aace7fb', 'Psychology', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('a7dacead-6b4f-48d5-9290-c6b185c6d2ed', 'SoftwareEngineering', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('6a10923f-b1e2-4afc-a926-6b898d1d25d6', 'ArtificialIntelligence', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('a1509227-a33d-4b3c-8033-1ce139546376', 'DataScience', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('cbfe74ae-69da-4fb3-ae0a-1790dfbcb669', 'MechanicalEngineering', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('3913bfd9-e1cc-4805-a1af-1d5d8bb00c2a', 'ElectricalEngineering', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('4c81af93-a02a-4f99-9890-6a12b6cdb9e5', 'IndustrialEngineering', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('ca164560-8fab-49be-acd2-73bf2fb4b295', 'Other', '2e13fca5-9672-443c-9c77-7c3ef45f9138');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('a85c38cb-65ba-4481-9c32-1834dd41e472', 'Volunteerism', '484e00b5-42a3-45df-8335-f26f443fe026');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('f96332f6-ff18-4810-8b8c-5c26dd01a880', 'EnvironmentalAdvocacy', '484e00b5-42a3-45df-8335-f26f443fe026');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('288766e1-bf6a-4d3d-bec4-698675527bd4', 'HumanRights', '484e00b5-42a3-45df-8335-f26f443fe026');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('b7c272cd-8556-4202-b6ae-9f2223cca95c', 'CommunityOutreach', '484e00b5-42a3-45df-8335-f26f443fe026');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('f751dd0d-a8a4-46fd-9ea1-0a848a38cac1', 'Other', '484e00b5-42a3-45df-8335-f26f443fe026');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('a21ec1e8-ff20-4839-8836-68aaa5bed62e', 'Journalism', '78dde277-3e0f-4c35-aff0-65831b1cbfe5');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('3abe8f84-75d8-40e6-8d38-8479d3c135c8', 'Broadcasting', '78dde277-3e0f-4c35-aff0-65831b1cbfe5');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('28086003-383f-41c3-8a9c-e5823d5f7c8a', 'Film', '78dde277-3e0f-4c35-aff0-65831b1cbfe5');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('6714365f-7133-495c-a4d9-33a1a432c159', 'PublicRelations', '78dde277-3e0f-4c35-aff0-65831b1cbfe5');
+INSERT INTO "tags" ("id", "name", "category_id") VALUES ('0b3cc150-d88f-456b-ab8e-e008c59565c2', 'Other', '78dde277-3e0f-4c35-aff0-65831b1cbfe5');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('464f73bc-198b-48a1-8c38-77bd9ed173be', 'Bake It Till You Make It', 'Bake It Till You Make It aims to cultivate an inclusive community for students to share and expand their love of baking!', '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!', 570, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e808471a-0cd1-4c4a-96c3-e6f4cd003e0b', 'Baltic Northeastern Association', '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. ', '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. ', 478, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2dd24ef3-200a-41a9-84de-4bcb424c7568', 'Bangladeshi Organization of Networking, Diversity, Heritage, Unity and Support', '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.', '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:
Cultural 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).
Festive Gatherings: Observing cultural festivals like Eid and Puja, allowing members to share these joyous occasions together.
Food-Based Events: Showcasing the vibrant and diverse Bangladeshi cuisine through cooking demonstrations, food festivals, and shared meals.
Collaborations with Other BSAs: Building strong connections with other Bangladesh Student Associations to enhance cultural exchange and support.
Fundraising Initiatives: Organizing events to support causes related to education and community development in Bangladesh.
-In 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.', 507, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Bee Society', 'A student organization dedicated to pollinator advocacy, bees, and beekeeping on campus.', '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.', 687, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Binky Patrol', 'Binky Patrol is club that makes blankets by hand to donate to children in hospitals and shelters', '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!
-https://join.slack.com/t/binkypatrolnu/shared_invite/zt-2aiwtfdnb-Kmi~pPtsE9_xPTxrwF3ZOQ', 863, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Biokind Analytics Northeastern', '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.', '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. ', 740, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Black Business Student Association', 'The Northeastern Black Business Student Association aims to promote excellence, enrichment, and engagement for its members through a business lens.', '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.', 225, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Brazilian Jiu Jitsu at Northeastern University', '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.
+In 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.', 306, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('84acef14-8aa9-40ac-932f-783622ebfba3', 'Binky Patrol', 'Binky Patrol is club that makes blankets by hand to donate to children in hospitals and shelters', '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!
+https://join.slack.com/t/binkypatrolnu/shared_invite/zt-2aiwtfdnb-Kmi~pPtsE9_xPTxrwF3ZOQ', 891, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c2477982-0a49-43da-8c0a-4adcad24895c', 'Biokind Analytics Northeastern', '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.', '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. ', 778, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('87f9e9d9-da15-4bde-ba08-2ddfa023a657', 'Black Graduate Student Association ', '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. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat.', 788, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('37aae47d-6268-4d3a-99f8-2c64c23900a0', 'Brazilian Jiu Jitsu at Northeastern University', '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.
', 'Join our Discord: https://discord.gg/3RuzAtZ4WS
-Follow us on Instagram: @northeasternbjj', 520, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('COExist', '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 Northeaster', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et.', 568, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Color Guard', '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. ', '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. ', 840, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Community Palette', '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 centers', '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. ', 361, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Critical Corporate Theory Lab', '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’ decisions for their careers - and their lives. We believe something must be done.', 'The Critical Corporate Theory Lab is focused on highlighting the influence of corporate power on our everyday lives.
-The 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.', 987, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Crystal Clear', '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.', '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.', 949, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('CTF Club', '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.', '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.', 776, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Dermatology Interest Society', '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. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis.', 988, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Digital Health Club', '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 networking.', 'Welcome to DHC!
+Follow us on Instagram: @northeasternbjj', 428, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0fbc1a25-1cbb-4f7d-93c5-a1b477ef6b50', 'COExist', '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 Northeaster', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente.', 217, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('175e3174-52b3-4a10-a98a-9c7d06898914', 'Color Guard', '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. ', '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. ', 925, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('618fea01-f994-4045-ac07-a831b9d338d3', 'Community Palette', '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 centers', '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. ', 535, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0b4894a9-dc3a-442f-8d0b-4f5b3da5b123', 'ConnectED Research ', '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.
+
+
+', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre.', 508, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b7f297c5-3d7d-455d-ba4c-2de195780b3a', 'Cooking Club', '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!', '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!
+Some events we plan on hosting include:
+- TV-show-style cooking competitions
+- Themed potlucks
+- Cooking demos/classes
+- Social outings/field trips
+- More fun ideas yet to come
+Feel free to join our Discord, Slack, or Mailing list. All our events will be announced through these channels!
+- Mailing List: https://forms.gle/9b7TKyWZwzRrdUby9
+- Slack: https://join.slack.com/t/slack-0dp6908/shared_invite/zt-235mfootw-uGgwpPp7JpjBqdIt1iBZeg
+- Discord: https://discord.gg/q79tuWbDQP', 731, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3deb84ab-02f5-4f07-a162-d63311de932d', 'Critical Corporate Theory Lab', '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’ decisions for their careers - and their lives. We believe something must be done.', 'The Critical Corporate Theory Lab is focused on highlighting the influence of corporate power on our everyday lives.
+The 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.', 590, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('999a9326-24a8-4e74-bd97-ffdab7519f76', 'Crystal Clear', '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.', '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.', 96, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4b538c03-3e7c-49e6-8a19-2d8a88edfa6f', 'CTF Club', '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.', '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.', 125, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('50d297af-23b4-40bb-b2ce-19beeb003d31', 'Dermatology Interest Society', '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. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen.', 435, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9cd90257-5df3-4b06-9917-e018e68b7060', 'Digital Health Club', '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 networking.', 'Welcome to DHC!
We 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.
Our 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.
-Join DHC and be at the forefront of digital healthcare innovation, expand your professional network, and influence the future of health technology. ', 213, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Emerging Markets Club ', '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. ', '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. ', 322, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Fellowship and Manhood', 'To provide a platform for Black men on campus to come together, foster
+Join DHC and be at the forefront of digital healthcare innovation, expand your professional network, and influence the future of health technology. ', 10, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2058bb98-9824-4e0e-9381-59961b3cd74c', 'Emerging Markets Club ', '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. ', '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. ', 304, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('431f4f0a-27eb-446f-9d61-3a8ba7286850', 'Fellowship and Manhood', 'To provide a platform for Black men on campus to come together, foster
brotherhood, and strengthen each other through the values of brotherhood,
manhood, and family.
-', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis.', 219, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('First and Foremost Literary Magazine', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si.', 601, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('First Generation Investors Club of Northeastern University', '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.', '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.
-Through 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.', 355, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Food Allergy Awareness Club', '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. ', '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. ', 946, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Ghanaian Student Organization', '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.', '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.', 139, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Girl Gains at Northeastern University', 'Girls Gains is a nationwide female weightlifting organisation that provides resources and community for women of all backgrounds and fitness levels. Our mission is to promote female weightlifting while empowering women to feel strong and beautiful.', 'Girls Gains is a nationwide female weightlifting organisation that provides resources and community for women of all backgrounds and fitness levels. Our mission is to promote female weightlifting while empowering women to feel strong and beautiful in a judgment-free community. Our main goal is to emphasize the fact that Girl Gains is for any woman interested in fitness to have a safe space for them on campus to go to for questions and concerns about wellness. Girl Gains’ intended audience is female-identifying students who want to learn more about fitness and have support on their wellness journey. We also have an emphasis on beginners who are intimidated to start lifting or do not know how to start their fitness journey. ', 493, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Google Developer Students Club - Northeastern', 'Our goal is to create Impact, Innovate and Create. Impact students and empower them to
+', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et.', 928, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e9dda570-bef5-4857-b210-e75d62741c3f', 'First Generation Investors Club of Northeastern University', '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.', '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.
+Through 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.', 611, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b56c0fb5-25bb-41d8-a1cc-cf0d32ea3b7c', 'Ghanaian Student Organization', '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.', '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.', 467, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0886c25c-3f8a-45bf-a935-27c93d16add5', 'Google Developer Students Club - Northeastern', 'Our goal is to create Impact, Innovate and Create. Impact students and empower them to
impact their communities through technology. ', '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.
-The 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.', 939, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Graduate Biotechnology and Bioinformatics Association', 'Graduate Biotechnology and Bioinformatics Association is mainly focused on providing a
+The 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.', 782, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1f3c4f09-8ea6-47bc-8253-e8b649b5bd29', 'Graduate Biotechnology and Bioinformatics Association', 'Graduate Biotechnology and Bioinformatics Association is mainly focused on providing a
platform to students which enables them to connect and interact with their peers in the
- program as well as industry professionals', '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.', 295, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Graduate Female Leaders Club', 'The Female Leaders Club was formed to connect graduate-level women with one another and congruently with other female leaders in various industries.', '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.', 298, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Habitat for Humanity Northeastern', '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.', '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.', 956, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Haitian Student Unity (HSU)', '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!', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia.', 7, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Half Asian People''s Association', 'HAPA is a community to explore and celebrate the mixed-race Asian experience and identity. ', '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.
-Join our Slack: https://join.slack.com/t/nuhapa/shared_invite/zt-2aaa37axd-k3DfhWXWyhUJ57Q1Zpvt3Q', 570, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Hear Your Song Northeastern', '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. ', '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.', 9, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Hearts For The Homeless NEU', '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 efforts.', '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.', 272, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Her Campus Northeastern', '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 and share articles and social media content daily.', '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!', 329, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Hospitality Business Club', '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.', '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.', 244, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Huntington Strategy Group', 'Huntington Strategy Group', '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.', 362, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Huntington United Nordic Ski Club', '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!
-', '
-
-
-
-
-
-
-HUski 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".
-The 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.
-This 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!
-
-
-
-
-
-
-', 674, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Husky Hemophilia Group', 'HHG’s mission is to support people with bleeding disorders and those with loved one''s bleeding disorders in research, education, and advocacy. ', '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!', 424, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('If/When/How: Lawyering for Reproductive Justice at NUSL ', '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. ', '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.', 380, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('iGEM', '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. ', 'https://www.youtube.com/watch?v=WXy7ifxYRgw', 645, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Illume Magazine', 'Illume Magazine is a student-run publication at Northeastern University centered around all Asian-American and Asian/Pacific Islander experiences experiences, identities, and diasporas.', '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.
-Our magazine writes on Lifestyle & Culture, Political Review, while also accepting Literary Arts submissions.', 467, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('inCrease', '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!', 'Join inCrease to learn more about origami!
+ program as well as industry professionals', '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.', 975, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4cd23f09-f447-4b97-89ea-bea707451315', 'Graduate Female Leaders Club', 'The Female Leaders Club was formed to connect graduate-level women with one another and congruently with other female leaders in various industries.', '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.', 176, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6e4e5439-56d9-42e7-b845-127a9db42407', 'Habitat for Humanity Northeastern', '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.', '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.', 291, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('629277d6-ecf9-43bb-9a6a-8fa60e4757cc', 'Haitian Student Unity (HSU)', '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!', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata.', 252, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('431e740f-31e9-4573-9afe-03e8250ec8dc', 'Half Asian People''s Association', 'HAPA is a community to explore and celebrate the mixed-race Asian experience and identity. ', '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.
+Join our Slack: https://join.slack.com/t/nuhapa/shared_invite/zt-2aaa37axd-k3DfhWXWyhUJ57Q1Zpvt3Q', 784, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f7b3eb93-e0f2-4fb6-8cd4-1b3424f47ef5', 'Health Informatics Graduate Society of Northeastern University', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam.', 130, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0db5d7f4-6a46-4396-b79f-228e83bc1292', 'Hear Your Song Northeastern', '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. ', '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.', 1005, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0c36d1ec-eeed-435f-981a-8178fe169cec', 'Hearts For The Homeless NEU', '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 efforts.', '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.', 146, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3069454c-81b8-48a8-a6e0-041175a2fa96', 'Hospitality Business Club', '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.', '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.', 649, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('453e68c0-9697-468d-9a70-aa3598fc563c', 'Huntington Strategy Group', 'Huntington Strategy Group', '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.', 727, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('08e21ff1-a6b4-48f5-90dc-16b590fa0cfc', 'Husky Hemophilia Group', 'HHG’s mission is to support people with bleeding disorders and those with loved one''s bleeding disorders in research, education, and advocacy. ', '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!', 866, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('163ea3c0-e214-41bf-a68d-ed6ccbbec5e0', 'IAFIE Northeastern University Chapter ', '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.
+', 'To serve as a local organization for Intelligence and associated professionals to advance research, knowledge, partnerships, and professional development. ', 378, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e0e852d0-7254-49d5-82bc-3e73ea538d7e', 'If/When/How: Lawyering for Reproductive Justice at NUSL ', '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. ', '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.', 653, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8c43ccbe-ced1-4ba1-b296-a0fe02c172a4', 'Illume Magazine', 'Illume Magazine is a student-run publication at Northeastern University centered around all Asian-American and Asian/Pacific Islander experiences experiences, identities, and diasporas.', '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.
+Our magazine writes on Lifestyle & Culture, Political Review, while also accepting Literary Arts submissions.', 118, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8f619574-dffa-47e2-8218-70453b82d9ed', 'inCrease', '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!', 'Join inCrease to learn more about origami!
We 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!
@@ -157,25 +148,22 @@ We are also planning on hosting and planning special events and topics such as:
▪ A workshop on making your own double tissue paper
▪ Collaborating with other origami clubs at other schools
▪ Working on collaborative models with parts folded by all members
-▪ Showcasing the work of our members at the end of each semester', 759, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Indian Cultural Association', '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.', '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. ', 520, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('International Society for Pharmaceutical Engineering', '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 activities. ', '
-', 448, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('KADA K-Pop Dance Team', '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.', '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. ', 510, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('LatAm Business Club', 'Fostering a vibrant Latin American community, while creating an entrepreneurial environment for business development, professional growth, and geopolitical dialogue. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et voluptates repudiandae sint et molestiae non recusandae. Itaque earum rerum.', 222, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Lebanese Student Association', 'The Lebanese Student Association is an organization whose primary goal is to create a Lebanese community on campus. ', 'Lebanon is currently going through dark times politically, economically and socially, with our families and friends struggling back home. Being part of a community of people who understand each other and are there for one another could be very helpful. It can also help us tackle homesickness by reengaging with our culture but also connect people who have the same majors or interests, which can be helpful in times of need. Our intended audience would be all the Lebanese students on campus, and our organization would also be open to anyone that wants to learn more about our country or culture. Our aim in the early days is to pursue events where people can meet, and eventually become members. Once the club becomes more established, we would have weekly meetings and monthly events where we can discuss Lebanon-related news, have Lebanese food nights, watch games for the Lebanese sports teams, etc. We finally hope to organize fundraising events for those interested in helping Lebanon through Lebanese charities that provide humanitarian aid, allocate housing for the displaced and many more initiatives.', 892, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Letters of Love Northeastern', '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’s hospitals across the country.', '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. ', 901, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Malaysian-Singaporean Student Association', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus.', 512, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Malhar', '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. ', '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.
-We hold tryouts each semester and perform at a variety of events and venues both on and off campus. ', 428, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Mathematics Competition Club', 'This club’s goal is to create beyond or equal to Calculus AB/BC and SAT, ACT level math competitions for high schoolers who are perusing mathematic challenges. ', 'This club’s goal is to create beyond or equal to Calculus AB/BC and SAT, ACT level math competitions for high schoolers who are perusing mathematic challenges. In this yearly competition, we hope to bring interest in math to high school students and encourage them to challenge themselves above the traditional high school level and reach the beyond. At the same time, we will be able to connect with more communities from outside of NEU and possibly bring new blood into the NU community. This is a great chance to give high school students, especially seniors an exclusive experience of the NEU math department and NEU culture.', 1017, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Menstrual Equity at Northeastern', '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.', '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. ', 9, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Music In Hospitals and Nursing Homes Using Entertainment As Therapy', '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.', '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!', 841, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Music Production Club', 'A club for beginner and advanced music producers to share their music, get feedback, and learn about music production.', '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!
-Feel free to join our Discord server as well!', 749, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NAAD (Northeastern A Cappella Association for Desi Music)', '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!', '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. ', 80, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Naloxone Outreach and Education Initiative', '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. ', '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.', 896, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Network of Enlightened Women at Northeastern', '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 light.', '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.
+▪ Showcasing the work of our members at the end of each semester', 241, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7a32be37-c1e7-490a-b48c-a47cd5941656', 'Indian Cultural Association', '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.', '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. ', 34, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('48775b7c-d6a3-4a2b-97e8-d6dc8f6ec3ee', 'International Society for Pharmaceutical Engineering', '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 activities. ', '
+', 653, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8243257f-a6b0-4216-9913-e8ec1d62a787', 'KADA K-Pop Dance Team', '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.', '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. ', 361, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bee2571b-cfdf-40f9-81d3-bb4e1ba61f8e', 'LatAm Business Club', 'Fostering a vibrant Latin American community, while creating an entrepreneurial environment for business development, professional growth, and geopolitical dialogue. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et voluptates repudiandae sint et.', 24, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7ae769f1-84ed-4a23-bb51-f0c8d8cdb4b1', 'Letters of Love Northeastern', '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’s hospitals across the country.', '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. ', 272, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9ace53b9-c7bd-455f-ada8-c638719200fc', 'Malaysian-Singaporean Student Association', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo.', 618, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1a7042d2-4797-42b1-b776-d68a77a93c42', 'Malhar', '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. ', '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.
+We hold tryouts each semester and perform at a variety of events and venues both on and off campus. ', 11, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('339ce84f-2898-4508-85ca-bd1392168a01', 'Menstrual Equity at Northeastern', '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.', '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. ', 37, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7d180627-0ded-4b2a-b0d6-63d2ef51d22b', 'Music Production Club', 'A club for beginner and advanced music producers to share their music, get feedback, and learn about music production.', '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!
+Feel free to join our Discord server as well!', 700, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9eca4428-7257-4eed-8fd1-330350aa0238', 'NAAD (Northeastern A Cappella Association for Desi Music)', '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!', '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. ', 491, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('98f51868-7b70-4325-8e59-873cb972d0ad', 'Naloxone Outreach and Education Initiative', '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. ', '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.', 422, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5b9355d8-2854-44e7-ab1b-da24bc7554b6', 'Network of Enlightened Women at Northeastern', '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 light.', '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.
NeW serves as a thought leader, promoting independent thinking and providing intellectual diversity on college campuses and in public discussions on women, policy, and culture.
@@ -187,64 +175,70 @@ NeW cultivates a vibrant community of women through campus chapters, professiona
NeW also connects program participants with career-advancing professional opportunities.
-NeW trains pro-liberty women to serve as leaders through campus sessions, national conferences, leadership retreats, and professional development programs.', 441, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Physical Therapy Club', '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 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.', 634, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Perfect Pair at Northeastern University', '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. ', '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.
+NeW trains pro-liberty women to serve as leaders through campus sessions, national conferences, leadership retreats, and professional development programs.', 468, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f7ec727a-f9e0-4fea-b0d2-259e914eabdd', 'Northeastern University Physical Therapy Club', '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 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.', 975, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('071e2ef7-1e68-4637-ae11-840e0f1bf93b', 'null NEU', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus.', 617, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('43168179-173c-430a-a4eb-cd14b4d3f094', 'Perfect Pair at Northeastern University', '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. ', '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.
The 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.
- 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.', 352, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Poker Club', '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', '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.
+ 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.', 789, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('647cd560-f54d-48ca-ac74-97af216ec639', 'Poker Club', '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', '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.
We''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!
-We 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). ', 778, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Rhythm Games Club', 'We the Northeastern''s Rhythm Games Club provide a community where members can play and share their experience with Rhythm Games!', 'We are Northeastern''s Rhythm Games Club!
-Our 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. ', 324, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Scholars of Finance', '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’s largest problems by investing in undergraduate students.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut.', 398, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sewing Club', 'NUSews is Northeastern’s all inclusive sewing club, dedicated to creating a welcoming environment for sewers of all levels! ', '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!
-Join our Discord: https://discord.gg/dngrvhMt8f
-Follow us on Instagram: https://www.instagram.com/northeasternsews/', 412, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sikh Student Association at Northeastern', '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.', '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.
+We 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). ', 450, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b4b4e56a-72e0-4f7a-8caf-02b465839e4f', 'Queer Caucus', '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.', '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.”', 442, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('303de574-7fd3-4cd8-a3d1-9033009fde18', 'Real Talks', '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!', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen.', 599, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8f57a04e-fa33-41b8-8291-6f7d69864e7c', 'Rhythm Games Club', 'We the Northeastern''s Rhythm Games Club provide a community where members can play and share their experience with Rhythm Games!', 'We are Northeastern''s Rhythm Games Club!
+Our 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. ', 952, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b4dbb591-2574-4935-99c0-6346d5f47401', 'Robotics Club of Northeastern University', '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/', '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.
+Click here to join our Discord!
+Additionally, 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:
+Kickoff Presentation Slides
-The 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. ', 39, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('SPIC MACAY NU CHAPTER', 'The Spic Macay chapter of NU aimed at promoting Indian art forms.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et voluptates repudiandae sint et molestiae non recusandae. Itaque earum rerum defuturum, quas natura non depravata.', 11, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Students Demand Action at NEU ', '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. ', '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. ', 500, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Super Smash Bros Club', 'Fosters a friendly community for competition in games in the Super Smash Bros Franchise', 'Hello!
-We 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.
-Ultimate
-Melee', 230, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Tau Beta Pi, MA Epsilon', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a.', 213, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Tetris Club', 'We Play Tetris!', 'Tetris Club is for Tetris-ers of all skill levels. We host weekly meetings where we learn about and play Tetris. We also participate in Tetris-themed activities such as poetry contests, watchparties, and crafts. It''s a great time.', 839, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Libre Software Advocacy Group', 'The goal of our organization is to promote the digital freedom of all through the promotion of Libre Software Ideals. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre.', 101, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Sports Analytics Club', 'The Sports Analytics Club is a community where students from all
+Advisors: Professor Rifat Sipahi & Professor Tom Consi', 794, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('67f7d574-14a9-48d2-b9a1-47a6bb6ce109', 'Scholars of Finance', '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’s largest problems by investing in undergraduate students.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis.', 857, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a3c87f07-bf9a-4168-9031-3c3ef7f66b09', 'Sikh Student Association at Northeastern', '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.', '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.
+
+The 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. ', 659, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b6f62f24-0aa6-486a-ac1a-6c52342b7620', 'Somali Students Association', 'SSA’s goal is to serve Northeastern University’s 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’s culture and ethnicity to the campus wide audience and ra...', 'NEUSSA is a segway between institutions to promote uplift, and unite the Boston Somali community and work to foster connections between Somali college students.
+
+Our 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.
+In 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.', 831, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('972586bd-c6e7-4215-901b-cd6121db6180', 'SPIC MACAY NU CHAPTER', 'The Spic Macay chapter of NU aimed at promoting Indian art forms.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus.', 200, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('64a3d873-33bd-4773-aa09-5b3c9df60200', 'Tau Beta Pi, MA Epsilon', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique.', 538, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bd3bdc3c-1cab-487c-9aa7-df220299ad8e', 'The Libre Software Advocacy Group', 'The goal of our organization is to promote the digital freedom of all through the promotion of Libre Software Ideals. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus.', 109, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8f749c0b-42c2-480f-99dd-aaaaad5cd15a', 'The Sports Analytics Club', 'The Sports Analytics Club is a community where students from all
disciplines come and learn about the wide ranging field of sports analytics. The club works to
-cultivate independent research as well as participate in national events.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut.', 977, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Wellness Project ', 'The Wellness Project aims to educate students about simple and healthy eating, all while implementing meal planning and effective budgeting strategies.', '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.', 611, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Women''s Network Northeastern', '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!', '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!', 447, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Theme Park Engineering Club', '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.', '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!', 105, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Transformation, Fitness, & Movement', 'An undergraduate student-lead organization bringing together Trans, GNC, and Queer individuals to make fitness more accessible through group workouts, club activities, and other programs!', 'An undergraduate student-lead organization bringing together Trans, GNC, and Queer individuals to make fitness more accessible through group workouts, club activities, and other programs!', 449, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Undergraduate Law Review', 'The Undergraduate Law Review (NUULR) is Northeastern''s distinguished undergraduate legal publication. ', '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.
-If you interested in joining NUULR, then please fill out this form to be added onto our listserv: https://forms.gle/g1c883FHAUnz6kky6', 18, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('United Against Trafficking', '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.', '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. ', 964, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women''s Run Club', '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. ', '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!', 815, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women’s + Health Initiative at Northeastern', '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.', '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. ', 936, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Aaroh', '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.', '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.
-We will be actively engaged in bringing musical diversity to the campus, giving students a platform to convene, discuss and perform.', 33, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Acting Out', '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. ', '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.', 929, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Active Minds at NU', '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. ', '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! :)
+cultivate independent research as well as participate in national events.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et voluptates repudiandae sint et molestiae non recusandae. Itaque earum rerum defuturum, quas.', 530, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ed2397a8-4bcb-4380-844d-78027dcaee37', 'The Wellness Project ', 'The Wellness Project aims to educate students about simple and healthy eating, all while implementing meal planning and effective budgeting strategies.', '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.', 293, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('680171da-96e1-4e5a-9771-a2fd18b9170e', 'The Women''s Network Northeastern', '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!', '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!', 914, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2c8bece3-12b7-4cf0-803b-b18e62e24322', 'Undergraduate Law Review', 'The Undergraduate Law Review (NUULR) is Northeastern''s distinguished undergraduate legal publication. ', '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.
+If you interested in joining NUULR, then please fill out this form to be added onto our listserv: https://forms.gle/g1c883FHAUnz6kky6
+ ', 177, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4066249d-cb2f-48b4-bc7d-8704c8cc017c', 'United Against Trafficking', '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.', '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. ', 369, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('561ebade-b408-4306-b641-6099a5e295cb', 'United Nations Association at Northeastern', '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. ', '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.
+We’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. ', 864, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('79609d27-39af-4d6a-8014-470c8e22b84d', 'Women''s Run Club', '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. ', '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!', 1014, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7b3f94c9-49fd-4f6a-a4e0-fe1b9c0edcce', 'Women’s + Health Initiative at Northeastern', '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.', '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. ', 538, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d37ff4ed-35cf-4b59-a5ce-884283cec44a', 'Aaroh', '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.', '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.
+We will be actively engaged in bringing musical diversity to the campus, giving students a platform to convene, discuss and perform.', 770, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3e0d8eb9-54e9-4c09-9ee7-fbc263dd309b', 'Acting Out', '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. ', '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.', 999, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4b4fb8d0-540c-4b00-9fe5-e1911155664a', 'Active Minds at NU', '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. ', '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! :)
Click here to join our email list!
-Check out our website!', 180, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Addiction Support and Awareness Group', '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!', '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.
-
- ', 328, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('AerospaceNU', '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 how', '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!', 264, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('African Graduate Students Association', 'AGSA is dedicated to empowering African graduate students and enhancing their educational and personal experiences. ', 'AGSA is dedicated to empowering African graduate students and enhancing their educational and personal experiences.
- ', 391, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('afterHOURS', '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 ev...', '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!', 530, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Agape Christian Fellowship', '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!', '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!', 393, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Alliance for Diversity in Science and Engineering', '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. ', '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.
-
-Please 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 ', 483, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Alpha Chi Omega', 'The Alpha Chi Omega Fraternity is devoted to enriching the lives of members through lifetime opportunities of friendship, leadership, learning and service.', 'The Alpha Chi Omega Fraternity is devoted to enriching the lives of members through lifetime opportunities of friendship, leadership, learning and service.', 65, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Alpha Epsilon Delta, The National Health Preprofessional Honor Society', '
+Check out our website!', 142, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3c972b22-6774-4a64-863b-820d43f283b6', 'Addiction Support and Awareness Group', '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!', '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.
+
+ ', 265, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('45fe7929-ea53-45b9-9e3e-1ced6dc595f9', 'AerospaceNU', '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 how', '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!', 612, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('66fa654a-657f-4b81-937f-1cf860b97dc0', 'African Graduate Students Association', 'AGSA is dedicated to empowering African graduate students and enhancing their educational and personal experiences. ', '
+The 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.
+ ', 39, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a01050d7-7cd2-4d39-a48f-0f29214679c4', 'afterHOURS', '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 ev...', '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!', 1018, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('72eb1204-81b0-4c37-aaf1-c53be9f5c232', 'Agape Christian Fellowship', '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!', '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!', 126, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('199f8b1a-68aa-484a-8dfd-6b89c96c64a7', 'Alliance for Diversity in Science and Engineering', '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. ', '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.
+
+Please 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 ', 655, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9c51218c-1a4f-4ffe-8b4a-ec75b6226e5b', 'Alpha Chi Omega', 'The Alpha Chi Omega Fraternity is devoted to enriching the lives of members through lifetime opportunities of friendship, leadership, learning and service.', 'The Alpha Chi Omega Fraternity is devoted to enriching the lives of members through lifetime opportunities of friendship, leadership, learning and service.', 785, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b4f190c3-a3ec-4658-9ab8-49a940d94be0', 'Alpha Epsilon Delta, The National Health Preprofessional Honor Society', '
Alpha Epsilon Delta is a nationally recognized Health Preprofessional Honors Society.
Please get in touch with us at northeasternaed@gmail.com if you are interested in applying. ', '
Alpha 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.
@@ -274,98 +268,101 @@ Dues:
Membership 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.
-', 460, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Alpha Epsilon Phi', '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 foster..', '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.', 255, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Alpha Epsilon Pi', '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', '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.', 604, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter', '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...', '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.', 535, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Alpha Kappa Psi', '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/', '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/. ', 103, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Alpha Kappa Sigma', '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!', '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!', 25, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Alpha Phi Omega', '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.', '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.
-https://northeasternapo.com', 55, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('American Academy of Orthopedic Manual Physical Therapists Student Special Interest Group', '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.', '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.', 995, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('American Cancer Society On Campus at Northeastern University', '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, Survi...', '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.
-
-We 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.', 56, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('American College of Clinical Pharmacy Student Chapter of Northeastern University', '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 specialties.', '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.', 582, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('American Institute of Architecture Students', '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 enter.', '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.
+', 627, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f25230f9-6783-45ea-b40c-3c7d580c7abc', 'Alpha Epsilon Phi', '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 foster..', '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.', 808, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e39540c2-b7a8-4d99-a066-6bfa2a00f2d6', 'Alpha Epsilon Pi', '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', '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.', 468, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2d4762a4-0bc5-48bd-896b-1ea4f4968108', 'Alpha Kappa Alpha Sorority, Inc - Iota Gamma Chapter', '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...', '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.', 74, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9bb9c2c9-7efa-4c23-802b-f8d45d48e57b', 'Alpha Kappa Psi', '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/', '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/. ', 499, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3f2ba7c3-cfcc-4cca-b301-cb5ccc197f2d', 'Alpha Kappa Sigma', '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!', '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!', 653, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cc15f7dc-199d-4204-8cc9-84f0b66c79a2', 'Alpha Phi Omega', '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.', '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.
+https://northeasternapo.com', 444, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2d83ce0e-160f-46ed-823e-3294f6063e16', 'American Academy of Orthopedic Manual Physical Therapists Student Special Interest Group', '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.', '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.', 774, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6cadd483-5e08-4806-9866-9d347dafd168', 'American Cancer Society On Campus at Northeastern University', '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, Survi...', '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.
+
+We 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.', 1019, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a874a6ce-947a-427a-8a9a-e1ad6d049dba', 'American College of Clinical Pharmacy Student Chapter of Northeastern University', '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 specialties.', '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.', 147, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ecc07650-8772-4764-ad01-3d59fe3e7a7b', 'American Institute of Architecture Students', '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 enter.', '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.
Freedom by Design (FBD) constructs small service projects in the chapter’s community.
-The 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.', 159, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('American Institute of Chemical Engineers of Northeastern University', '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 field', '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!
+The 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.', 655, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e41a5082-1f8e-4c36-ae79-c38c173c9b67', 'American Institute of Chemical Engineers of Northeastern University', '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 field', '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!
-We 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.', 763, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('American Society of Civil Engineers', 'Northeastern University Student Chapter of the American Society of Civil Engineers', '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.
-Northeastern 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.', 748, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('American Society of Mechanical Engineers', '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 community!', '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.', 744, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Anime of NU', '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.
+We 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.', 855, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8887f3e9-3b96-4636-a5d7-eccd352e290b', 'American Society of Civil Engineers', 'Northeastern University Student Chapter of the American Society of Civil Engineers', '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.
+Northeastern 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.', 456, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9925c601-6c8a-4fb4-a7f7-28adabbf0981', 'American Society of Mechanical Engineers', '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 community!', '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.', 25, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('06c66d7d-de7f-4e58-8376-efef36d21aab', 'Anime of NU', '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.
Make sure to join our discord: https://discord.gg/pwrMBptJ3m', '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!
---
Tuesdays, 7-9pm, 201 Hastings ----- Fridays, 7-9pm, 106 West Village G
-Make sure to join us in Discord here so you can get all the updates and vote on which shows we''ll watch!', 464, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Arab Students Association at Northeastern University', '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.', '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.', 92, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Armenian Student Association at Northeastern University', '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 education.', 'ASANU brings together the Armenian students and faculty within Northeastern University. It introduces Armenian history, language, music, dance, and current events to all Armenian and non-Armenian members of the University. Additionally, ASANU works closely with the ASA groups with other colleges in the Boston area including BU, BC, MCPHS, Tufts, Harvard, Suffolk, and MIT.
-If 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!', 681, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Art Blanche at NEU', '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.', '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.
+Make sure to join us in Discord here so you can get all the updates and vote on which shows we''ll watch!', 655, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('30b25207-9a93-40a0-90e1-492a996fd05c', 'Arab Students Association at Northeastern University', '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.', '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.', 983, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b28cd220-037b-4c77-8eb2-bbe8dc26fa8d', 'Armenian Student Association at Northeastern University', '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 education.', '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.
+If 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', 652, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('17cd7f42-4f76-46d0-a6e7-14eaf0647bf0', 'Art Blanche at NEU', '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.', '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.
Apart 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.
We 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.
-At the end of each semester we will arrange student exhibitions presenting work created during the last months.', 47, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Art4All', '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 all. ', '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. ', 916, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen.', 264, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Artistry Magazine', '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 and the city of Boston.', '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!', 749, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Asian American Center (Campus Resource)', '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...', '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.', 95, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Asian Pacific American Law Student Association', '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...', '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.', 976, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Asian Student Union', '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. ', '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.', 272, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ASLA Adapt', 'Northeastern University''s only organization centered on landscape design! Advocate for climate action and environmental justice while exploring landscape architecture and adjacent topics.', '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!', 907, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Aspiring Product Managers Club', '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.', '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.
+At the end of each semester we will arrange student exhibitions presenting work created during the last months.', 874, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('10f847d3-3664-4918-9a75-5bc78d02cb50', 'Art4All', '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 all. ', '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. ', 994, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('635b87dd-48d8-47ff-987b-07d7e8b8f1e5', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest.', 270, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('43a7e8d8-d727-49cb-918d-55af9a630140', 'Artistry Magazine', '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 and the city of Boston.', '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!', 875, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('32671145-d56f-44a3-a544-d6085317f93a', 'Asian American Center (Campus Resource)', '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...', '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.', 226, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b6c6b4d3-c714-4901-b6f3-1e5656a8263c', 'Asian Pacific American Law Student Association', '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...', '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.', 62, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b2d2924f-0882-4537-a67d-db048840ffec', 'Asian Student Union', '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. ', '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.', 474, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b9f4d3cb-6d49-4400-a89b-3e838e23f757', 'ASLA Adapt', 'Northeastern University''s only organization centered on landscape design! Advocate for climate action and environmental justice while exploring landscape architecture and adjacent topics.', '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!', 8, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ea862830-f02b-4f25-be39-7897ae28a0e6', 'Aspiring Product Managers Club', '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.', '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.
Till 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.
This spring 2024 semester, we plan to bring several upgrades to our flagship programs and several new engaging programs for our members!
We 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!
- ', 299, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Baja SAE Northeastern', '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!
+ ', 659, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('190935e1-c5af-4193-90ca-d38e12a14af2', 'Association of Latino Professionals for America', '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 na...', '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.', 223, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('70bfc815-8700-42e2-a3ae-8e642642294b', 'Baja SAE Northeastern', '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!
', '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!
Every 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.
If this sounds like something that interests you, please sign up for our mailing list! Mailing List Signup
-Baja Promo Video', 490, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('BAPS Campus Fellowship', '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.', '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!', 354, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Barkada', '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.', '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.
-NU 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! ❤️', 428, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Best Buddies', 'College chapter of the Best Buddies International organization', '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.', 523, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Beta Alpha Psi', '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 achievement', '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.
-
-Please email neubap@gmail.com to be added to the contact list!', 341, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Beta Beta Beta', '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 off...', '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.', 902, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Beta Chi Theta', '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 we...', '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.', 935, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Beta Gamma Epsilon', '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.', '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.', 940, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Beta Theta Pi', '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.', 'https://vimeo.com/309675499
+Baja Promo Video', 777, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c869f654-7b86-44a0-b813-ca1651f8e873', 'BAPS Campus Fellowship', '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.', '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!', 840, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('12ddf4a4-e39c-4b00-a48c-20dccd2a3721', 'Barkada', '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.', '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.
+NU 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! ❤️', 766, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ba2ec376-feec-48ff-af4a-fd1f823a4930', 'Bee Society', 'A student organization dedicated to pollinator advocacy, bees, and beekeeping on campus.', '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.', 965, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('448770d0-04bf-4abb-b650-aa1ecee5bb9e', 'Best Buddies', 'College chapter of the Best Buddies International organization', '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.', 802, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6b07a6c5-81b8-4945-8172-80c4923a7f95', 'Beta Alpha Psi', '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 achievement', '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.
+
+Please email neubap@gmail.com to be added to the contact list!', 288, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('53bc78c3-7be3-463c-a6de-b160c3ef6efd', 'Beta Beta Beta', '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 off...', '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.', 555, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0e26a0ac-5810-4eaa-a65b-e9cad7ea0056', 'Beta Chi Theta', '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 we...', '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.', 409, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('779b1f1e-11cc-4bc2-ae9d-4a8fae5192c0', 'Beta Gamma Epsilon', '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.', '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.', 499, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f584bacb-0a7a-432b-a2e7-af27f06b9640', 'Beta Theta Pi', '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.', 'https://vimeo.com/309675499
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, 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.
- ', 790, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Big Sister Boston Northeastern', '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!', '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.', 658, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Biochemistry Club', '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!', '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.', 749, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Bioengineering Graduate Student Council', '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 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.', 525, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Biology Club', '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.', '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..', 548, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Biomedical Engineering Society', '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. ', '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.', 888, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Bipartisan Disagreement', '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. ', '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.”
-Become a contributor on our website and follow us on Instagram for our polls, events,, and meeting updates!', 449, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Black Athlete Caucus ', 'Northeastern University Black Athlete Caucus (NUBAC) seeks to represent the voice of Northeastern’s Black student-athletes, while diversifying & implementing change in Northeastern Athletics.', '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.', 193, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Black Christian Fellowship', 'Black Christian Fellowship creates and cultivates the unique Black Christian experience on Northeastern’s campus. Through weekly meetings, service events, and other big events (Easter, Christmas, etc.), we gather to challenge and uplift each other.', '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. ', 591, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Black Engineering Student Society', '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.', '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).', 351, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Black Islamic Association', 'The Black Islamic Association is a club that is dedicated to providing a welcoming space to Black Muslims on campus.', '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. ', 903, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Black Law Student Association, Kemet Chapter', '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 ...', '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.', 997, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Blockchain@NEU', '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.', '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.', 310, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Boston Health Initiative at Northeastern University', '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.', '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.
+ ', 545, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('607b7484-bf43-43cd-94eb-3af1709df0a7', 'Big Sister Boston Northeastern', '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!', '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.', 667, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e49bbf94-954c-48a4-9de9-de9c4d524fae', 'Biochemistry Club', '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!', '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.', 1001, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6217e47b-526b-4c20-8ae8-d8d461274591', 'Bioengineering Graduate Student Council', '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 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.', 400, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d7c60e60-7583-49fe-9d0a-27fca1487909', 'Biology Club', '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.', '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..', 619, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('755f7aac-38ad-45a8-9418-2cdca6fc7a68', 'Biomedical Engineering Society', '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. ', '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.', 224, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ceeb8702-766c-4dc8-bb29-b391348121e3', 'Bipartisan Disagreement', '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. ', '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.”
+Become a contributor on our website and follow us on Instagram for our polls, events,, and meeting updates!', 936, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('525fb447-b80d-481b-8a8f-0c11624ef2bc', 'Black Athlete Caucus ', 'Northeastern University Black Athlete Caucus (NUBAC) seeks to represent the voice of Northeastern’s Black student-athletes, while diversifying & implementing change in Northeastern Athletics.', '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.', 951, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bc55b3b7-8391-45b8-b96f-a594e2823097', 'Black Business Student Association', 'The Northeastern Black Business Student Association aims to promote excellence, enrichment, and engagement for its members through a business lens.', '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.', 184, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('aeb63343-4281-411e-b5cb-f729cf888295', 'Black Christian Fellowship', 'Black Christian Fellowship creates and cultivates the unique Black Christian experience on Northeastern’s campus. Through weekly meetings, service events, and other big events (Easter, Christmas, etc.), we gather to challenge and uplift each other.', '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. ', 679, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9e62ac75-1c8f-4877-a51d-e8437e65837e', 'Black Engineering Student Society', '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.', '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).', 263, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d8a92891-19fe-4c85-8920-aa3b9f927032', 'Black Islamic Association', 'The Black Islamic Association is a club that is dedicated to providing a welcoming space to Black Muslims on campus.', '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. ', 12, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6a95f42e-5de6-4af8-862c-5c51068091af', 'Black Law Student Association, Kemet Chapter', '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 ...', '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.', 558, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cb8c41f9-d518-49d9-bfa4-b81cb8417d26', 'Blockchain@NEU', '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.', '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.', 117, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('db2f946b-a129-4b68-b0ff-a67de7001968', 'Boston Health Initiative at Northeastern University', '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.', '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.
Our 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.
- ', 802, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Botanical Society of Northeastern University', '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...', '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!
+ ', 564, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a9122c0b-dbb5-48e3-a2b6-176e7d5c460b', 'Botanical Society of Northeastern University', '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...', '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!
-If you would like to get in touch with us, the best way is to contact our email: nubsinfo@gmail.com', 972, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Brazilian Student Association at Northeastern University', '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.', '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.
+If you would like to get in touch with us, the best way is to contact our email: nubsinfo@gmail.com', 596, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d6a1c605-9d6e-4c52-a169-d842645cab71', 'Brazilian Student Association at Northeastern University', '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.', '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.
Our 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.
-gobrasa.org', 419, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Bull & Bear Research', 'Bull & Bear Research (BBR) was formed to empower a financial advantage through comprehensive industry, equity, and macroeconomic research at Northeastern University. ', '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.', 877, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Burmese Students Association of Northeastern University', '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 of...', '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.', 404, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Caribbean Students'' Organization', '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, ...', '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."', 276, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Catholic Student Association', '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 love.', '
+gobrasa.org', 222, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7e3b7c17-4da3-44a9-953e-6e2fefe871b6', 'Bull & Bear Research', 'Bull & Bear Research (BBR) was formed to empower a financial advantage through comprehensive industry, equity, and macroeconomic research at Northeastern University. ', '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.', 291, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7857dc7a-4956-47af-b3a4-feab44b39ef4', 'Burmese Students Association of Northeastern University', '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 of...', '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.', 971, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b23ff0cb-e2dd-4cd8-bdbb-5b35728c42fa', 'Caribbean Students'' Organization', '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, ...', '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."', 730, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('904df0d1-3e64-41cc-9d97-5fc56491cf71', 'Catholic Student Association', '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 love.', '
The 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.
@@ -375,142 +372,129 @@ The Catholic Center at Northeastern University stands as a sign of HOPE in Jesus
Register for our weekly emails here!
-', 534, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Center for Spirituality, Dialogue and Service (Campus Resource)', '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, i...', '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.', 263, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Chabad at Northeastern University', '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.', '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.', 176, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Changing Health, Attitudes, and Actions to Recreate Girls', '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.', '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".', 1004, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Cheese Club', '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.', 'Yes, it’s exactly as it sounds:
-Cheese 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!', 853, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Chemical Engineering Graduate Student Council', '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 act...', '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.', 882, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Chi Epsilon', '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.', '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.
+', 302, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f065a4d1-838c-4ad2-bf7c-5f7ef683344f', 'Center for Spirituality, Dialogue and Service (Campus Resource)', '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, i...', '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.', 66, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a54976ae-124c-4104-9bb5-c78b90be2bf0', 'Chabad at Northeastern University', '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.', '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.', 584, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('244ddd60-2106-49a4-850a-ac744c6b8dab', 'Changing Health, Attitudes, and Actions to Recreate Girls', '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.', '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".', 334, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ffdccaa9-c7f4-4495-be99-c29944191b7d', 'Cheese Club', '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.', 'Yes, it’s exactly as it sounds:
+Cheese 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!', 201, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('25736d80-ab96-479d-bad6-ae126e3780cc', 'Chemical Engineering Graduate Student Council', '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 act...', '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.', 43, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c3cbd177-2923-4e10-b6bf-99108d1233ac', 'Chi Epsilon', '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.', '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.
Our members are civil and environmental engineering students in the top of their classes graduating within the next two years.
-We 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.', 321, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Chi Omega', '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 m...', '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.', 617, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Chinese Christian Fellowship', '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 o...', '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.', 138, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Chinese Student Association', '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 No...', 'General Meetings are every other Wednesday from 6-7pm @ West Village G 102!
-
-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.
+We 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.', 888, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3c69cc2b-d311-47a2-9e9f-417528cae73e', 'Chi Omega', '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 m...', '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.', 439, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('28157e68-5a2e-4432-bdaf-244272d673d3', 'Chinese Christian Fellowship', '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 o...', '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.', 210, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('778ff988-150b-43b6-b838-d8bed8c94146', 'Chinese Student Association', '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 No...', '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.
We 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.
- ', 657, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Chinese Students and Scholars Association', '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 Ch...', '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.', 599, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Circle K', '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!', '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!
+ ', 506, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0351fec4-235d-4f72-962e-1bb654df3be4', 'Chinese Students and Scholars Association', '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 Ch...', '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.', 763, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b187340b-c150-4662-b686-4aa5cd1eb128', 'Circle K', '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!', '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!
Some 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!
-We 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.', 239, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Civil & Environmental Engineering Graduate Student Council', 'We are here for students and the community.', '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.
+We 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.', 931, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('407e867b-805b-4af4-b3d3-4716ee8e8aad', 'Civil & Environmental Engineering Graduate Student Council', 'We are here for students and the community.', '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.
CEE 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.
-In 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.', 862, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Clay Cave', '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 necessary!', '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.
-Join our very own discord channel at https://discord.gg/SGj9t3QvVn !', 331, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Climbing Team', '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.', '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.
+In 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.', 621, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bb1134b4-4037-4de7-a32b-44f2d78b4b51', 'Clay Cave', '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 necessary!', '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.
+Join our very own discord channel at https://discord.gg/SGj9t3QvVn !', 168, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1a7dcc2a-2b87-4528-bf5e-512e74b41b17', 'Climbing Team', '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.', '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.
Our 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.
In 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.
-Club Climbing is dedicated to its core principles of supporting climbers of all backgrounds in the world of competitive climbing. ', 731, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Club Baseball', '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) ..', '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.', 543, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Club Esports at Northeastern University', '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.', '*** IMPORTANT ***If interested, please join a connected discord server using this link: linktr.ee/gonuesports
+Club Climbing is dedicated to its core principles of supporting climbers of all backgrounds in the world of competitive climbing. ', 96, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('678940c7-edcf-47da-85e4-0bf09aab22b7', 'Club Baseball', '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) ..', '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.', 175, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a91ac518-3453-4617-a303-99e5b6bf6590', 'Club Esports at Northeastern University', '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.', '*** IMPORTANT ***If interested, please join a connected discord server using this link: linktr.ee/gonuesports
Tryouts and all other club information will be through these servers. Thanks!
-https://www.youtube.com/watch?v=VqTKboT84qM', 448, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Club Sailing Team', 'We are a COED team that competes in the intercollegiate sailing association. ', 'We are a team that competes in the intercollegiate sailing association.', 384, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Code 4 Community', '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.', '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.', 799, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('COE PhD Council', '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.', '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.', 3, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('College of Science Student Diversity Advisory Council', '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.', '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.', 541, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ColorStack at Northeastern University', 'A supportive organization created to help Black & Latinx Computer Science Students to complete their degrees and gain rewarding technical careers.', '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.', 160, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Computer Science Mentoring Organization of Northeastern University', '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 S...', '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.
-
-Join our mailing list to keep updated to our upcoming events!', 175, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Consulting & Advisory Student Experience', '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.', '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.', 287, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Cooking Club', '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!', '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!
-Some events we plan on hosting include:
-- TV-show-style cooking competitions
-- Themed potlucks
-- Cooking demos/classes
-- Social outings/field trips
-- More fun ideas yet to come
-Feel free to join our Discord, Slack, or Mailing list. All our events will be announced through these channels!
-- Mailing List: https://forms.gle/9b7TKyWZwzRrdUby9
-- Slack: https://join.slack.com/t/slack-0dp6908/shared_invite/zt-235mfootw-uGgwpPp7JpjBqdIt1iBZeg
-- Discord: https://discord.gg/q79tuWbDQP', 901, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Coptic Orthodox Student Fellowship', '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.', '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.
+https://www.youtube.com/watch?v=VqTKboT84qM', 891, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('819eb2c2-ba2a-4e67-b600-cc3c585ae544', 'Club Sailing Team', 'We are a COED team that competes in the intercollegiate sailing association. ', 'We are a team that competes in the intercollegiate sailing association.', 510, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9a02c5d6-cfba-42cb-9420-abec7c6eb15a', 'Code 4 Community', '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.', '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.', 646, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('296e8777-0ecb-4559-ab0c-94394541baf5', 'COE PhD Council', '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.', '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.', 609, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('fc3f41d4-50f4-40c0-b98f-31b32c24ab19', 'College of Science Student Diversity Advisory Council', '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.', '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.', 271, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1202b462-f547-4380-aed1-7b3f461829a0', 'ColorStack at Northeastern University', 'A supportive organization created to help Black & Latinx Computer Science Students to complete their degrees and gain rewarding technical careers.', '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.', 281, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('12b97054-6a8a-4abc-a7ab-0c435b7f8a95', 'Computer Science Mentoring Organization of Northeastern University', '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 S...', '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.
+
+Join our mailing list to keep updated to our upcoming events!', 188, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5c540840-048e-4bba-aeda-65ba4e1bc24c', 'Consulting & Advisory Student Experience', '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.', '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.', 276, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8d1df89c-1207-4ecc-9d79-0d25d876994a', 'Coptic Orthodox Student Fellowship', '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.', '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.
* 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.
——
-In 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.', 783, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Council for University Programs', 'CUP is the official programming board providing campus-wide entertainment for the Northeastern University student body. We are run by students, for students.
+In 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.', 427, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c0850477-b9c2-4fb9-8284-a74071461785', 'Council for University Programs', 'CUP is the official programming board providing campus-wide entertainment for the Northeastern University student body. We are run by students, for students.
We plan the majority of events on campus, including Springfest & Homecoming!', 'CUP is the official programming board providing campus-wide entertainment for the Northeastern University student body. We are run by students, for students.
We plan the majority 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!
We 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 :)
-All we ask is that you sign up for our newsletter if you want to be notified about events on campus. Sign up here!', 576, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Criminal Justice Student Advisory Counsel', '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 o...', '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.', 166, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Criminology Forensic Science and Neuropsychology of Criminal Minds Club of Northeastern University', '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! ', '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.', 837, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Criminology-Criminal Justice Graduate Student Association', '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...', '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', 166, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Cruelty-Free Northeastern', '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! ', '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.
+All we ask is that you sign up for our newsletter if you want to be notified about events on campus. Sign up here!', 151, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('277e2778-3fd8-4cfc-bc4b-2138fcdabbda', 'Criminal Justice Student Advisory Counsel', '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 o...', '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.', 286, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('04fc4b31-7074-430c-9970-f1931d1929b0', 'Criminology Forensic Science and Neuropsychology of Criminal Minds Club of Northeastern University', '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! ', '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.', 688, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ec6bc3a1-857f-471b-b321-f11a8c4b1132', 'Criminology-Criminal Justice Graduate Student Association', '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...', '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', 922, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('52c5da39-0e81-4037-ae0a-2df3b40ab821', 'Cruelty-Free Northeastern', '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! ', '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.
We 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.
In 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.
We welcome anyone to join, regardless if you''re vegan, vegetarian or an omnivore.
Join our mailing list
-Follow us on instagram', 13, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('CSC Game Room', 'The Curry Student Center Game Room', 'The Curry Student Center Game Room', 176, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('CSI Test Organization', 'This is a test account for CSI.', 'This is a test account for CSI.
+Follow us on instagram', 381, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('536613da-6a5b-4ded-99c4-94cf58de3c6e', 'CSC Game Room', 'The Curry Student Center Game Room', 'The Curry Student Center Game Room', 255, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('45462faa-69f2-4b5d-a2ac-2bdf2345ca02', 'CSI Test Organization', 'This is a test account for CSI.', 'This is a test account for CSI.
- ', 853, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Data Analytics Engineering Student Organization', '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.', '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.', 543, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('DATA Club', 'To promote data literacy in all disciplines', 'DATA Club provides speakers, workshops, data challenges, and overall support for students to pursue their interests in data.', 10, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Delta Alpha Pi International Honor Society', '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.', '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.
+ ', 128, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f9d61724-7165-4f39-b45e-ca8bab52ac02', 'Data Analytics Engineering Student Organization', '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.', '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.', 649, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c3a397c1-0129-486d-a092-28c777aacacd', 'DATA Club', 'To promote data literacy in all disciplines', 'DATA Club provides speakers, workshops, data challenges, and overall support for students to pursue their interests in data.', 395, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b12fb2bc-63ec-4956-8dcb-793fcb98d89f', 'Delta Alpha Pi International Honor Society', '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.', '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.
-***Due to Coronavirus, we will not be hosting meetings for the rest of Spring 2020***', 961, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Delta Kappa Epsilon', 'The Nu Alpha Chapter of the Delta Kappa Epsilon International Fraternity.
+***Due to Coronavirus, we will not be hosting meetings for the rest of Spring 2020***', 589, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('58a76703-e133-4b48-9982-f430fbf28ff5', 'Delta Kappa Epsilon', 'The Nu Alpha Chapter of the Delta Kappa Epsilon International Fraternity.
Founded on June 21st, 2019.
Where the candidate most favored is equal parts gentleman, scholar, and jolly good fellow.
', 'The Nu Alpha Chapter of the Delta Kappa Epsilon International Fraternity.
Founded on June 21st, 2019.
-Where the candidate most favored is equal parts gentleman, scholar, and jolly good fellow.', 68, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Delta Phi Epsilon', 'Phi Eta Chapter of Delta Phi Epsilon Sorority. Chartered 1969 on Northeastern''s campus. Founded on the principals of Sisterhood, Justice and Love.', 'Phi Eta Chapter of Delta Phi Epsilon Sorority. Chartered 1969 on Northeastern''s campus. Founded on the principals of Sisterhood, Justice and Love.
- ', 646, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Delta Sigma Pi', '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.', '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!
+Where the candidate most favored is equal parts gentleman, scholar, and jolly good fellow.', 263, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('994f5f8c-aa09-496b-8383-6b49a6cd61bb', 'Delta Phi Epsilon', 'Phi Eta Chapter of Delta Phi Epsilon Sorority. Chartered 1969 on Northeastern''s campus. Founded on the principals of Sisterhood, Justice and Love.', 'Phi Eta Chapter of Delta Phi Epsilon Sorority. Chartered 1969 on Northeastern''s campus. Founded on the principals of Sisterhood, Justice and Love.
+ ', 865, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e3a88c35-6bac-486d-b2a3-e00d289ac0ef', 'Delta Sigma Pi', '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.', '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!
--------------------------------------------------------------------------------------------------------------
-Organization 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.', 237, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Delta Sigma Theta Sorority, Incorporated', '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 excel...', '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.', 463, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Delta Tau Delta', '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."', '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"', 985, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Delta Zeta Sorority, Xi Upsilon', '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 to...', '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.', 544, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Department of Marine and Environmental Sciences Terra Society', 'The Terra Society organizes events that supplement our members’ education in the Earth & Environmental sciences. ', '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.', 410, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Digital Illustration Association', '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 you!', '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.
+Organization 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.', 905, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('95b0310f-97f6-40f5-8418-d7b9c5b3708e', 'Delta Sigma Theta Sorority, Incorporated', '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 excel...', '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.', 327, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('56c53ede-3ea8-4f36-b4b6-d261e98718e5', 'Delta Tau Delta', '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."', '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"', 752, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('70f7f78b-c7a4-4187-b161-be27e8e10615', 'Delta Zeta Sorority, Xi Upsilon', '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 to...', '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.', 887, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1c1b9e90-fdba-4a72-b922-92d3d13ab6d5', 'Department of Marine and Environmental Sciences Terra Society', 'The Terra Society organizes events that supplement our members’ education in the Earth & Environmental sciences. ', '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.', 302, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0b5b0bc1-9248-4386-b955-48971f1a22d5', 'Digital Illustration Association', '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 you!', '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.
We''d love to have you! Join our Discord server, where we chat and host meetings, and check out some of our members'' artwork.
-Or, look at our pretty website.', 173, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Disrupt', 'Disrupt aims to inform, empower, and connect the next generation of students interested in the growing space of Finance Technology (FinTech).', 'Disrupt aims to inform, empower, and connect the next generation of students interested in the growing space of Finance Technology (FinTech).', 395, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Distilled Harmony A Cappella', '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.', '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.
+Or, look at our pretty website.', 555, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('fb44edad-8d8a-4bfa-a78c-7994fb34eb4d', 'Disrupt', 'Disrupt aims to inform, empower, and connect the next generation of students interested in the growing space of Finance Technology (FinTech).', 'Disrupt aims to inform, empower, and connect the next generation of students interested in the growing space of Finance Technology (FinTech).', 986, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7bf7ff74-4943-4bf3-ac15-6db0a088368b', 'Distilled Harmony A Cappella', '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.', '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.
Additionally, 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!
Want to learn more about us? Check out this video! https://www.facebook.com/watch/?v=2970521202999818
Want to hear us sing on our new EP “Mirage”? Check it out!
-https://open.spotify.com/album/2JiSCBhXuT7wpFHAVqkqyt?si=Vd90qLHnSF6ovlObz2gXHg', 477, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Diversability', 'We’re Diversability! We’re 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 community.', '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:
+https://open.spotify.com/album/2JiSCBhXuT7wpFHAVqkqyt?si=Vd90qLHnSF6ovlObz2gXHg', 223, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0eb0fecb-76e1-4822-bd49-0c82c2951f57', 'Diversability', 'We’re Diversability! We’re 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 community.', '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:
- Educate both disabled and abled people about disability issues and topics
- Innovate to ensure that Northeastern is accessible for people of all abilities
- Collaborate with Northeastern clubs, students, staff, and other disability organizations to work on projects around accessibility
We 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!
-Join our discord!', 949, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Downhillers Ski and Snowboard Club', '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!', '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!', 670, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('DREAM Program at Northeastern University', '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.', '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.', 610, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ECONPress', '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. ', '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.
+Join our discord!', 447, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e4a8a4e5-b8ce-496e-8f58-bc6e03dcbe9b', 'Downhillers Ski and Snowboard Club', '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!', '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!', 395, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('667be82e-5de9-475b-b29e-5d625864a838', 'DREAM Program at Northeastern University', '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.', '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.', 916, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5c5c4fae-55f5-444b-959a-357449850551', 'ECONPress', '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. ', '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.
Students of all majors and backgrounds are welcome to join. Meetings are held weekly on Tuesdays from 7-8pm.
If you have any questions or want to learn more, please email us or check out our website.
Email: nueconpress@gmail.com
-Website: https://web.northeastern.edu/econpress/', 314, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('EcoScholars', '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.', '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.
+Website: https://web.northeastern.edu/econpress/', 449, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ac6290d6-0e41-4987-bd0d-fcadde6daf56', 'EcoScholars', '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.', '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.
Our 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.
We 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.
We mainly communicate via email/Instagram (@bostonecoscholars)
Subscribe to emails here: http://eepurl.com/dluRQn
- ', 960, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Electric Racing at Northeastern University', '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!', '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!
+ ', 468, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f1ae8981-eb5e-41d9-9595-932f44843d4f', 'Electric Racing at Northeastern University', '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!', '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!
No 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:
▪ Mechanical: CAD, design simulations, power tools, machining
@@ -518,37 +502,37 @@ No matter your prior experience or your interests, Northeastern Electric Racing
▪ Business: coordinating projects, writing code, managing finances, designing marketing materials
------- Info Session -------
-Please 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.', 631, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Elite Heat', '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 year.', '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.', 441, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('EMPOWER Weightlifting', '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.', '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!', 677, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Encounter Every Nation Campus Ministries of Northeastern University', '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.', '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.', 540, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Engineers Without Borders', '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.', '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.', 842, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('English Graduate Student Association', '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...', '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.', 488, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Entrepreneurs Club', '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. ', '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! ', 193, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Environmental Science and Policy Leaders for the Environment', 'ESP-LFE is primarily an organization for Northeastern’s 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 body. ', '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.
+Please 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.', 126, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('dabfc4e3-e52c-476e-b5f8-f5192948e2a8', 'Elite Heat', '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 year.', '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.', 264, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4eabce54-abe9-4686-b86f-be321725becf', 'EMPOWER Weightlifting', '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.', '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!', 832, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('dd1d0690-8d40-48f8-bef3-de386d889cdf', 'Encounter Every Nation Campus Ministries of Northeastern University', '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.', '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.', 368, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6e72c399-5bdb-40e8-9a3b-fa36938dcc21', 'Engineers Without Borders', '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.', '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.', 775, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('fec83f52-315a-4e33-b156-5ab1dec7f69d', 'English Graduate Student Association', '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...', '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.', 411, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('17ce4eba-54ac-4557-afc3-9f933c824afe', 'Entrepreneurs Club', '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. ', '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! ', 453, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1afb7740-3aba-4871-af70-c1801d46cc3a', 'Environmental Science and Policy Leaders for the Environment', 'ESP-LFE is primarily an organization for Northeastern’s 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 body. ', '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.
We 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.
-Finally, 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.', 1009, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Eon Dance Troupe', '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 backgrounds.', '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.
+Finally, 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.', 314, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ed36bf16-13a3-4ebf-9394-c0dc62524f4b', 'Eon Dance Troupe', '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 backgrounds.', '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.
Follow us on instagram to keep up with announcements and updates!
-MAILING LIST: Sign up for weekly updates!', 935, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Eta Kappa Nu', '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 provi..', '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.', 201, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Ethiopian and Eritrean Student Association ', 'Our mission is to showcase our exceptional culture by promoting harmony among Ethiopian and Eritrean students. ', '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.
-We 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.', 693, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Evolve', '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. ', '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.', 177, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Family Business Consulting Club', '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.', '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.
+MAILING LIST: Sign up for weekly updates!', 224, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7df75fbc-c644-4e46-9e16-a3788ac2bbfe', 'Eta Kappa Nu', '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 provi..', '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.', 872, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2bca28dc-8562-4741-8058-ec1eb2526a97', 'Ethiopian and Eritrean Student Association ', 'Our mission is to showcase our exceptional culture by promoting harmony among Ethiopian and Eritrean students. ', '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.
+We 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.', 307, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('977a0aa9-9dac-422f-8b70-af51990d9b7e', 'Evolve', '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. ', '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.', 811, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e8b43377-ee86-4f5b-bc56-d835e06f96a0', 'Family Business Consulting Club', '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.', '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.
Consulting projects we take on include financial analysis, sales optimization, customer/competitor analysis, growth strategy, new product development and more.
-Consulting teams are 4-5 people in size, with an experienced team lead and team members of all experience levels.', 917, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Feminist Student Organization', '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.', '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.
+Consulting teams are 4-5 people in size, with an experienced team lead and team members of all experience levels.', 894, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('00b2cfff-f2ba-4449-8ce5-76b244b180ad', 'Feminist Student Organization', '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.', '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.
-Meetings are fully in-person – Thursdays from 8-9pm at Curry Student Center room 144 (aka the Center for Intercultural Engagement [CIE]).', 291, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Fiction Addiction Book Club', 'Fiction Addiction is a book club for all Northeastern students. We read one book a month and have bi-weekly meetings to discuss them. We don''t limit ourselves to fiction, and we read from a wide variety of genres. ', 'Fiction Addiction is a book club for all Northeastern students. We plan on reading one work a month and having bi-weekly meetings to discuss it. Contrary to the name of the club, we will not be limiting ourselves to fiction. Votes will be cast by all members of the club to determine what we read each month. We also anticipate holding fun events for members, such as bringing local authors in to speak about their books or participating in activities 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.
+Meetings are fully in-person – Thursdays from 8-9pm at Curry Student Center room 144 (aka the Center for Intercultural Engagement [CIE]).', 479, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3ee1a2c5-4139-4dd2-8cf2-f4e4666ee271', 'Fiction Addiction Book Club', 'Fiction Addiction is a book club for all Northeastern students. We read one book a month and have bi-weekly meetings to discuss them. We don''t limit ourselves to fiction, and we read from a wide variety of genres. ', 'Fiction Addiction is a book club for all Northeastern students. We plan on reading one work a month and having bi-weekly meetings to discuss it. Contrary to the name of the club, we will not be limiting ourselves to fiction. Votes will be cast by all members of the club to determine what we read each month. We also anticipate holding fun events for members, such as bringing local authors in to speak about their books or participating in activities 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.
Recording of the Summer 2020 general interest meeting: https://www.youtube.com/watch?v=CcOK-89WQqE
Join our Mailing list: http://eepurl.com/cxONN9
-Join our Discord server: https://discord.gg/GBeqFrP6MJ', 29, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Fighting Game Club at Northeastern University', '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 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.', 183, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Finance and Investment Club', '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 b...', '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.', 442, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Finance Board', 'The Northeastern SGA Finance Board provides allocation, analysis, and oversight of the Student Activities Fee (SAF).', '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.', 315, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Finance For the Community', '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.', '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.
+Join our Discord server: https://discord.gg/GBeqFrP6MJ', 573, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d3aed106-49e2-4004-aef9-c0b17fc83e6b', 'Fighting Game Club at Northeastern University', '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 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.', 380, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9eac64c4-a27b-4f77-ac02-cb2fcf56b216', 'Finance and Investment Club', '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 b...', '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.', 461, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4133557a-c6b7-4a99-a56d-0a9958320c2b', 'Finance Board', 'The Northeastern SGA Finance Board provides allocation, analysis, and oversight of the Student Activities Fee (SAF).', '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.', 476, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7617d368-41f3-4167-94d4-72ad6e28f8d6', 'Finance For the Community', '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.', '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.
Why Join?
@@ -557,21 +541,23 @@ Become financially fit and get a hold of your own personal finances.
Boost your resume.
Practice public speaking.
-Meetings: Mondays, 7-8 pmJoin here: http://bit.ly/ffcemail', 130, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('First Generation | Low Income Student Union', 'The First Generation Low-Income Student Union—a 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 community.', 'Welcome to FGLISU - the student-led organization that strives to empower, support, and connect with first-generation and/or low-income college students.
+Meetings: Mondays, 7-8 pmJoin here: http://bit.ly/ffcemail', 821, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0fa369b0-ef0a-47d5-990a-19a0f549d0ef', 'First and Foremost Literary Magazine', '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.', '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.', 573, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a63ba965-b825-4cfa-861e-30a0bafd600b', 'First Generation | Low Income Student Union', 'The First Generation Low-Income Student Union—a 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 community.', 'Welcome to FGLISU - the student-led organization that strives to empower, support, and connect with first-generation and/or low-income college students.
Discover 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.
-Come join us on Thursdays at 6 PM in the CIE (144 First Floor Curry)! Join our Slack here.', 481, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('FIRST Robotics Team 125 - The NUTRONs', '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.', '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.', 78, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('FirstByte', 'FirstByte provides educators with the materials, curricula, and support to teach computer science and engineering, regardless of budget or technical background.', '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.
+Come join us on Thursdays at 6 PM in the CIE (144 First Floor Curry)! Join our Slack here.', 650, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('759f6504-da22-41c5-b973-655af283f3ed', 'FIRST Robotics Team 125 - The NUTRONs', '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.', '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.', 219, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0aeb2b54-22ac-422b-917a-331cef791ae5', 'FirstByte', 'FirstByte provides educators with the materials, curricula, and support to teach computer science and engineering, regardless of budget or technical background.', '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.
While 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.
-FirstByte 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.', 406, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Food Recovery Network', 'Join us for daily food recoveries: delivering surplus food that would otherwise be thrown away to local homeless shelters.', '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.
+FirstByte 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.', 698, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('871cfe1e-20f4-4905-ba63-ade287abd39c', 'Food Allergy Awareness Club', '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. ', '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. ', 310, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c5722b59-3123-4419-8104-f5756395e2fa', 'Food Recovery Network', 'Join us for daily food recoveries: delivering surplus food that would otherwise be thrown away to local homeless shelters.', '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.
Join our Discord to get involvedurl: https://discord.gg/q832ARPf5u
Feel free to reach out to us at neufoodrecovery@gmail.com or follow our Instagram for updates: nufoodrecovery
- ', 40, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Friends of MSF Chapter at Northeastern University', '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.', 'Find us on Mondays, 6-7pm in 001 Cahners Hall in-person and virtually!
+ ', 127, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f1b68e2d-2365-40e4-b3f6-5a90dc024451', 'Friends of MSF Chapter at Northeastern University', '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.', 'Find us on Mondays, 6-7pm in 001 Cahners Hall in-person and virtually!
Purpose 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.
Description:
As 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.
@@ -589,36 +575,36 @@ Provide educational and community service opportunities
Foster engagement of Northeastern students in the health of our local community
Conduct research to develop advocacy campaigns for polarizing medical humanitarian issues that students at Northeastern may not be aware of
Provide 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
-', 808, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Game Studio Club', '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!', '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!', 471, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Genetic Counseling Student Interest Group', 'Northeastern’s inaugural genetic counseling student interest group (GCSIG) hopes to cultivate a supportive community of aspiring genetic counselors to help them learn about the burgeoning career and prepare for master’s programs.', 'Northeastern’s inaugural genetic counseling student interest group (GCSIG) hopes to cultivate a supportive community of aspiring genetic counselors to help them learn about the burgeoning career and prepare for master’s programs.
+', 704, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ab137dd4-5f5f-42d1-9d6c-e90823745300', 'Game Studio Club', '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!', '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!', 861, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e7e2f6a0-763c-4281-a7b0-b05227d24280', 'Genetic Counseling Student Interest Group', 'Northeastern’s inaugural genetic counseling student interest group (GCSIG) hopes to cultivate a supportive community of aspiring genetic counselors to help them learn about the burgeoning career and prepare for master’s programs.', 'Northeastern’s inaugural genetic counseling student interest group (GCSIG) hopes to cultivate a supportive community of aspiring genetic counselors to help them learn about the burgeoning career and prepare for master’s programs.
This interdisciplinary field involves many interests: namely biology, human services, psychology, and communication. Genetic counseling celebrates the marriage of science and people, and we strive to do just that. Beyond genetics, GCSIG will teach and foster compassion, medical ethics, and interpersonal skills. To strengthen the community, we plan to host both informational sessions and have one on one activities with current students and professionals in the field.
-Looking to join our email list? https://forms.gle/xwFfZNZwQN8Lq52Q8', 916, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('German Club of Northeastern University', '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.', '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. ', 1010, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Give a Hand', '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. ', '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 (https://www.giveahandclub.org/). ', 29, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Global Dental Brigades', 'Global Dental Brigades aims to promote oral health via education and through volunteering in communities abroad by helping provide oral health services. ', '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. ', 500, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Global Journal for International Affairs', '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 Glo...', '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.', 421, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Global Markets Association', 'Providing opportunities for students to engage with and further their knowledge & understanding of existing and emerging markets in China.', '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.
+Looking to join our email list? https://forms.gle/xwFfZNZwQN8Lq52Q8', 921, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b126e5fb-bfe3-4885-a5b3-810ff86dfa5e', 'German Club of Northeastern University', '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.', '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. ', 244, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('014ccef1-cb98-49f6-b272-ea1cd68a2dc9', 'Give a Hand', '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. ', '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 (https://www.giveahandclub.org/). ', 196, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7b2eff24-0dfd-4f21-8eed-b9d2f14e74ed', 'Global Dental Brigades', 'Global Dental Brigades aims to promote oral health via education and through volunteering in communities abroad by helping provide oral health services. ', '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. ', 593, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7683a81e-ee64-4bc8-b3c5-af24947703b2', 'Global Journal for International Affairs', '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 Glo...', '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.', 924, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('35137aeb-005b-40eb-9594-b06149a0db95', 'Global Markets Association', 'Providing opportunities for students to engage with and further their knowledge & understanding of existing and emerging markets in China.', '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.
We 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.
-At 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.', 24, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Global Medical Brigades', '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. ', '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.
- ', 236, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Global Research and Consulting Group - Northeastern Branch', '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. ', '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.
+At 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.', 396, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d6ea4385-ebfa-4001-8ea2-261c8e4fd78b', 'Global Medical Brigades', '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. ', '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.
+ ', 689, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('37877404-49ed-4cfd-b6f7-7ba606711640', 'Global Research and Consulting Group - Northeastern Branch', '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. ', '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.
In 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.
-Follow us on Instagram @grcnortheastern or email us for more information! Visit our website and learn more about GRC.', 536, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Global Student Success (Campus Resource)', '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.', '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.', 447, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('GlobeMed', 'We are the Northeastern chapter of GlobeMed! Our 3 main functions are:• Fundraise for our hygiene and sanitation project in Masaka, Uganda to alleviate poor health caused by unclean water.• Organize on-campus events to educate students ', 'We are the Northeastern chapter of GlobeMed! Our 3 main functions are:
+Follow us on Instagram @grcnortheastern or email us for more information! Visit our website and learn more about GRC.', 273, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b37f610b-c976-4e84-a52b-cc71adb7ce36', 'Global Student Success (Campus Resource)', '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.', '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.', 58, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3421a825-994b-41ee-90fd-02a182543842', 'GlobeMed', 'We are the Northeastern chapter of GlobeMed! Our 3 main functions are:• Fundraise for our hygiene and sanitation project in Masaka, Uganda to alleviate poor health caused by unclean water.• Organize on-campus events to educate students ', 'We are the Northeastern chapter of GlobeMed! Our 3 main functions are:
• Fundraise for our hygiene and sanitation project in Masaka, Uganda to alleviate poor health caused by unclean water.
• Organize on-campus events to educate students about our projects and related global health issues.
• Serve internationally alongside our partner organization, Kitovu Mobile LTD, and locally in the community.
-Email 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', 249, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Goldies Dance Team', 'Goldies is a Northeastern University based dance team focused on exposing students in the Boston area to open style dance culture and opportunities', '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.', 24, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Graduate Consulting Club', '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. ', '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.', 896, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Graduate Student Education Research Association', '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 researchers.', '
+Email 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', 327, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b9e18862-10ee-4f9a-b039-13a71e961d2c', 'Goldies Dance Team', 'Goldies is a Northeastern University based dance team focused on exposing students in the Boston area to open style dance culture and opportunities', '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.', 627, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('987bf6f3-8960-4852-ab2a-defc091038ce', 'Graduate Consulting Club', '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. ', '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.', 290, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6a5e5bc3-a0c3-4146-97dd-079a290b5502', 'Graduate Student Education Research Association', '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 researchers.', '
Northeastern 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.
@@ -633,54 +619,73 @@ GSERA embraces its five major responsibilities:
2. Student advocacy
3. Self-governance
4. Information and research dissemination
-5. Meeting and event planning', 937, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Graduate Student Government', '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 th...', '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/.
- ', 370, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Graduate Students of Color Collective', '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 h', '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.', 127, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Graduate Women in Science and Engineering', '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 necessary ...', '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!
+5. Meeting and event planning', 660, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('13e08045-9fcf-4b55-b301-7d2510dcada2', 'Graduate Student Government', '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 th...', '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/.
+ ', 864, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('970f7058-0a96-4504-b966-a4072477b845', 'Graduate Students of Color Collective', '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 h', '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.', 591, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d7dab9fa-77cb-4940-81af-29374fbf985a', 'Graduate Women in Science and Engineering', '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 necessary ...', '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!
Our 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.
-Our vision: equitable STEM fields for women of all backgrounds.', 83, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Green Line Records', 'Northeastern University''s student-run record label', '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.', 973, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Hawaii Ohana at Northeastern University', '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 and share our local culture!', '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.', 533, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Health Disparities Student Collaborative', '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...', '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.', 595, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Health Humanities Club', '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!', '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. ', 629, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Healthcare Management and Consulting Club', 'Healthcare Management and Consulting Club', 'Are you passionate about changing the healthcare industry?
+Our vision: equitable STEM fields for women of all backgrounds.', 270, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f1f74d2d-b376-46be-90d5-aa48ee731fa2', 'Green Line Records', 'Northeastern University''s student-run record label', '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.', 316, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c3911dbe-e0ca-4f6e-9ee9-43f0be23a88c', 'Hawaii Ohana at Northeastern University', '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 and share our local culture!', '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.', 994, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4261bc86-5793-4a0c-83a3-fe2fed755640', 'Health Disparities Student Collaborative', '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...', '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.', 75, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e7cce652-fe5d-4f3b-a006-a29e842a9876', 'Health Humanities Club', '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!', '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. ', 330, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4bb493a2-2a03-41da-8f5b-907c28d3f9e0', 'Healthcare Management and Consulting Club', 'Healthcare Management and Consulting Club', 'Are you passionate about changing the healthcare industry?
Do you want to see lower costs, better access, and more equity?
HCMC is the first club of its kind, solely dedicated to preparing, networking, and guiding Northeastern undergraduates interested in the Healthcare Management & Consulting concentration.
-We 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. ', 609, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Hellenic Society of Northeastern University', '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 th..', '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.', 249, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Hillel Club', '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 environment', '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, professionals and lay leaders are dedicated to creating a pluralistic, welcoming and inclusive environment for Jewish college students.', 277, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Hindu Community of Northeastern University', '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 discussions', '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.', 767, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Hindu Undergraduate Student Organization', 'HUSO’s mission is to help students harness their inner power and achieve their highest potential by connecting with Hindu culture and wellness techniques while also fostering meaningful connections with their peers.', 'HUSO’s mission is to help students harness their inner power and cultivate 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.
+We 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. ', 449, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('74cf12d0-b5d3-4c9a-8e90-c833278295e0', 'Hellenic Society of Northeastern University', '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 th..', '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.', 961, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('09819f14-10a6-49ed-b5cc-c07eb5d1287f', 'Her Campus Northeastern', '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 and share articles and social media content daily.', '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!', 863, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ce01f7a1-a9e4-4fb9-ae80-5466fd6cb093', 'Hillel Club', '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 environment', 'De missie van Hillel Club is om de levens van Joodse studenten en studenten te verrijken, zodat zij het Joodse volk en de wereld kunnen verrijken. Hillel-studentenleiders, professionals en lekenleiders zijn toegewijd aan het creëren van een pluralistische, gastvrije en inclusieve omgeving voor Joodse studenten.', 124, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4af1d390-683e-4c88-b395-70a05beed25a', 'Hindu Community of Northeastern University', '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 discussions', '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.', 327, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ab88b0ba-896e-43c5-a78d-dbe51b485537', 'Hindu Undergraduate Student Organization', 'HUSO’s mission is to help students harness their inner power and achieve their highest potential by connecting with Hindu culture and wellness techniques while also fostering meaningful connections with their peers.', 'HUSO’s mission is to help students harness their inner power and cultivate 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.
Our events include:
Pujas and Festival Celebrations
Meditation and Wellness workshops to help enhance mental health.
Social Mixers to get to know other students
-ALL undergraduate students (regardless of race, gender, nationality, faith or no faith) are welcome.', 861, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Historical Review', '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.', '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.', 77, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('History Graduate Student Association', '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. The...', '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.', 829, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Hong Kong Student Association', '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.', '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.', 915, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Human Services Organization', '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. ', '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.', 758, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Huntington Angels Network', 'Our organization connects Northeastern affiliated startups to strategic partners and investors in the Venture Capital ecosystem. ', '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.
-Huntington Angels does not take equity positions in any ventures but serves as a vehicle to connect ventures with investors and help their growth.', 803, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Huskick‘s Sneakers Club', 'Huskick’s 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 sneakerheads.', '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
- ', 243, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Huskies Club Ultimate Frisbee', '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!', '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
+ALL undergraduate students (regardless of race, gender, nationality, faith or no faith) are welcome.', 717, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e5fad186-d8e6-4283-8305-af85eec2762b', 'Historical Review', '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.', '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.', 577, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('fe2e6ce3-19aa-4e6c-8284-ef09b5ce69e1', 'History Graduate Student Association', '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. The...', '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.', 963, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('39b48ff5-061b-4fd7-a8dc-7e89d6ebd120', 'Hong Kong Student Association', '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.', '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.', 405, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1cdd7820-820c-4de4-b48a-8a6287bdae03', 'Human Services Organization', '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. ', '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.', 571, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e912e396-3639-491a-af74-f4ae8407b3b5', 'Huntington Angels Network', 'Our organization connects Northeastern affiliated startups to strategic partners and investors in the Venture Capital ecosystem. ', '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.
+Huntington Angels does not take equity positions in any ventures but serves as a vehicle to connect ventures with investors and help their growth.', 441, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('eb35e1c2-fe4a-4241-b57f-9c9011086f4c', 'Huntington United Ski Nordic Club', '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!
+', '
+
+
+
+
+
+
+HUski 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".
+The 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.
+This 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!
+
+
+
+
+
+
+', 714, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3d1b1230-797e-46ad-969f-2acf80ef2954', 'Huskick‘s Sneakers Club', 'Huskick’s 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 sneakerheads.', '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
+ ', 449, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9bbfa496-68be-4ee3-96f3-3a6d5a08a429', 'Huskies Club Ultimate Frisbee', '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!', '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
Also check out our 2019 & 2020 highlight video here: https://youtu.be/ufan6g4GLs4
-The 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!', 535, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Huskies for Israel', 'Northeastern''s Israel education, culture, and advocacy student club!', '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.', 101, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Husky Ambassadors (Campus Resource)', '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 campu...', '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.', 553, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Husky Communicators', 'We are a collaborative graduate student group that promotes experiential learning projects from around the College of Professional Studies. ', '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.
+The 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!', 730, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1cba31f7-c312-4478-9da9-52af9e90cfb3', 'Huskies for Israel', 'Northeastern''s Israel education, culture, and advocacy student club!', '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.', 206, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c9aa0f18-7e38-4014-b498-d8c4e04a4217', 'Husky Ambassadors (Campus Resource)', '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 campu...', '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.', 322, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6af17dca-5e6d-4132-997b-a65f7f5475c0', 'Husky Communicators', 'We are a collaborative graduate student group that promotes experiential learning projects from around the College of Professional Studies. ', '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.
While at Husky Communicators, students will have an opportunity to explore and tune in their skills through various teams.
Website 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.
Social Media – Students focus on creating and promoting content across various channels: Instagram, LinkedIn, YouTube, and TikTok.
Event Planning – Students focus on developing & executing all the organization’s events.
-Writing – Students enhance their writing skills and have an opportunity to publish their unique pieces on our Husky Communications and Inspire & Influence website.', 351, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Husky Competitive Programming Club', '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!', '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!
+Writing – Students enhance their writing skills and have an opportunity to publish their unique pieces on our Husky Communications and Inspire & Influence website.', 547, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('665098b9-74b7-4de5-8136-6400e64f1fdf', 'Husky Competitive Programming Club', '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!', '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!
The 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.
@@ -696,26 +701,27 @@ So come through to HCPC! We meet every week on Mondays 6:00 PM - 7:30 PM Eastern
If 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.
-', 37, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Husky Environmental Action Team', '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.', '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.', 499, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Husky Systers Code', '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 – enabling students to tap into their potential', '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
+', 11, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a7cb5359-45c6-4065-9718-1c121f21927b', 'Husky Environmental Action Team', '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.', '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.', 426, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('77575c63-dfda-4a67-9358-b1acf24d2486', 'Husky Systers Code', '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 – enabling students to tap into their potential', '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
When 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.
-We 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. ', 429, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Indonesian Student Association', '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', '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.', 806, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Industry Pharmacists Organization', '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 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.', 525, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Innovators for Global Health', '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.', '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.
+We 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. ', 665, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f3ae9bb6-8d82-4b97-818c-1cb63d9a8e65', 'iGEM', '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. ', 'https://www.youtube.com/watch?v=WXy7ifxYRgw', 200, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('20e207cb-0aca-4993-9d55-d8cce36ded7a', 'Indonesian Student Association', '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', '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.', 651, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4f9d21bd-9f97-495b-b197-57494f9b3b9e', 'Industry Pharmacists Organization', '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 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.', 39, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b6908570-6170-49cc-9cb6-07ffae65a180', 'Innovators for Global Health', '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.', '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.
Our 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!
Our 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.
In 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.
-Here is the video recording of our info session from spring 2023!', 879, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('inSIGHT', '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.', '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!', 511, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Institute for Operations Research and Management Sciences at Northeastern University', 'The Institute for Operations Research and the Management Sciences at Northeastern University', '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.', 522, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Institute of Electrical and Electronics Engineers', '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!', '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.', 298, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Institute of Industrial and Systems Engineers', '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 opportu...', '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.
+Here is the video recording of our info session from spring 2023!', 625, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a01ab792-78dd-4eb0-8803-cab510fbb3aa', 'inSIGHT', '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.', '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!', 605, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('dbbdead9-730a-480c-9738-6f2db94db26e', 'Institute for Operations Research and Management Sciences at Northeastern University', 'The Institute for Operations Research and the Management Sciences at Northeastern University', '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.', 912, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('775818ce-5821-447b-acd2-4bd45477e2d0', 'Institute of Electrical and Electronics Engineers', '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!', '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.', 309, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f69a0fe8-ee6e-4261-9bc4-d178ddbcc789', 'Institute of Industrial and Systems Engineers', '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 opportu...', '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.
Subscribe to Our Mailing List for meeting updates.
-Join Our Slack to discuss job opportunities, meeting logistics, and more.', 427, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Interfraternity Council', 'Register for the IFC recruitment process: https://ifcnu.mycampusdirector2.com/landing/', 'Our 12 recognized member and associate member chapters are:
+Join Our Slack to discuss job opportunities, meeting logistics, and more.', 93, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2b3f90e3-77d2-4947-b8f2-83c9995844e5', 'Interfraternity Council', 'Register for the IFC recruitment process: https://ifcnu.mycampusdirector2.com/landing/', 'Our 12 recognized member and associate member chapters are:
Alpha Epsilon Pi: Website | Instagram
Alpha Kappa Sigma: Website | Instagram
@@ -729,16 +735,16 @@ Phi Gamma Delta (FIJI): Website | Instagram
Pi Kappa Phi: Instagram
Sigma Phi Epsilon: Website | Instagram
Zeta Beta Tau (Associate Member): Instagram
-', 912, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('International Business Club', '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 conference', '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.
+', 68, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('17bc9a86-77f3-403b-b518-b904c87f064a', 'International Business Club', '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 conference', '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.
IBC 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.
Along the way, members will attain a high degree of confidence in topics relating to:
Globalization, Conflict Resolution, Trade Compliance, Global Management, Strategy, and Ethical Reasoning
-We 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.', 82, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('International Relations Council', '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. ', '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.
+We 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.', 606, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c3b11f76-fa14-4d34-a277-0cb6b4e4767d', 'International Relations Council', '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. ', '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.
If 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!
-https://www.youtube.com/watch?v=jf2BXvzJ3rg', 219, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('International Students in Business', '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.', '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.
+https://www.youtube.com/watch?v=jf2BXvzJ3rg', 968, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('df8bb5ca-6d60-4596-967e-76ecb6876e2e', 'International Students in Business', '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.', '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.
One 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.
Additionally, 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.
@@ -746,8 +752,8 @@ Strategy: We hope to have our club consist of two components. The first componen
Alternatively, 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.
Objectives: 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.
- ', 442, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('InterVarsity Multiethnic Christian Fellowship', '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 –cynics, seekers, followers, leaders– welcomed, loved, challenged, and changed together', '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.
+ ', 562, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d4216ca3-971d-4026-9794-3d5ceaffd3a6', 'InterVarsity Multiethnic Christian Fellowship', '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 –cynics, seekers, followers, leaders– welcomed, loved, challenged, and changed together', '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.
We are a dynamic group of students who want to:
1. Be a diverse community growing together in love, faith, and knowledge of Jesus Christ.
2. See the power of Christ transform the lives of students at Northeastern holistically, spiritually, emotionally, intellectually.
@@ -755,52 +761,53 @@ We are a dynamic group of students who want to:
4. Promote the biblical basis for ethnic and racial reconciliation.
5. Engage in issues surrounding poverty through local and global outreach and service opportunities.
-Join our Slack: https://join.slack.com/t/nuintervarsity/signup', 460, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('IoT Connect of Northeastern University', '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, ...', '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.', 887, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Iranian Student Association of Northeastern University', '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 traditions.', '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!', 747, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Irish Dance Club of Northeastern University', '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. ', '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.', 85, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Islamic Society of Northeastern University', '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.', '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.
+Join our Slack: https://join.slack.com/t/nuintervarsity/signup', 265, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f1d5a800-c2a9-48f9-8ac7-3ff1ca28d795', 'IoT Connect of Northeastern University', '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, ...', '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.', 717, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d5a98e52-646a-421f-8f87-1b297b2755d1', 'Iranian Student Association of Northeastern University', '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 traditions.', '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!', 331, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('61552b88-fff5-41a8-9d07-ac71859ab0a5', 'Irish Dance Club of Northeastern University', '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. ', '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.', 837, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cff3b42a-0290-4a4a-b371-a8bdbf3f540d', 'Islamic Society of Northeastern University', '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.', '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.
ISNU 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.
Though we are focused on Muslim students, our doors are open to all backgrounds.
Please 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!
-https://docs.google.com/forms/d/e/1FAIpQLSdtL1txYVS1Ez1fwR2vETiSOJpF46peKj4idTAh4eCXERqcTw/viewform?usp=sf_link', 524, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Japanese Culture Club', '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.', '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:
+https://docs.google.com/forms/d/e/1FAIpQLSdtL1txYVS1Ez1fwR2vETiSOJpF46peKj4idTAh4eCXERqcTw/viewform?usp=sf_link', 15, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1ae529ae-b1c5-43dc-a2ec-4207a538b8f9', 'Japanese Culture Club', '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.', '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:
https://www.youtube.com/watch?v=gqYzEv_AqYM
Please see attached video for more important information:
https://www.youtube.com/watch?v=miomuSGoPzI
You can join our mailing list by going to our website:
https://neujcc.com/
And join our community by joining our discord:
-https://discord.gg/RVkhqma
+https://discord.gg/pGJzq257dd
We also have an Instagram:
-https://www.instagram.com/neujcc/ ', 67, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Japanese National Honor Society', 'The Japanese National Honor Society recognizes and encourages achievement and excellence in the study of the Japanese language.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et voluptates.', 467, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Japanese Student Association', '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/', '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 Facebook page. (https://www.facebook.com/neujsa/?ref=aymt_homepage_panel) We are also looking for students motivated to introduce Japanese cultures to the Northeastern community to join our club! If you are interested in joining our club, please contact us through Email or the Facebook page! 日本人カモーン', 772, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Jewish Student Union', '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, welco...', '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.', 726, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('John D. O''Bryant African-American Institute (Campus Resource)', '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 alumn...', '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.', 987, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Journalism Graduate Caucus of Northeastern University', '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. ', '
+https://www.instagram.com/neujcc/ ', 679, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b6c6983c-50d6-4f79-a671-74916da0e518', 'Japanese National Honor Society', 'The Japanese National Honor Society recognizes and encourages achievement and excellence in the study of the Japanese language.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e.', 680, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f9a1ef47-8ea9-48e0-930e-11373bcf396f', 'Japanese Student Association', '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/', 'Welcome to JSA!✨ 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 📑 ようこそ〜🌸
+For inquiries, please email jsahusky@gmail.com. We look forward to hearing from you!', 592, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bfbd837c-413a-4fb9-a1bb-9b9385876ba3', 'Jewish Student Union', '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, welco...', '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.', 464, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d9b8b974-f6f7-4533-bd2a-b4b14628bbb3', 'John D. O''Bryant African-American Institute (Campus Resource)', '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 alumn...', '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.', 235, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cf68a595-84f3-431f-91e3-2c5b7e81972a', 'Journalism Graduate Caucus of Northeastern University', '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. ', '
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. 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.
-', 899, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Kaliente Dance Group', '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. ', '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.', 739, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Kappa Alpha Psi Fraternity, Incorporated', 'Kappa Alpha Psi Fraternity, Inc. was founded on January 5th 1911 at
-Indiana University, Bloomington. ', '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.', 527, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Kappa Delta Sorority', '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 Sorority..', '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!
- ', 239, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Kappa Kappa Gamma - Eta Omicron Chapter', '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.', '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.', 60, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Kappa Phi Lambda', '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.', '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.', 215, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Kappa Psi Pharmaceutical Fraternity, Inc.', '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 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.', 329, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Kappa Sigma', '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 ...', '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', 183, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Khoury Graduate Student Association', '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.', '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.
-To 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.', 279, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Khoury Masters Student Council', 'The Northeastern University Khoury Masters Student Council serves as an official liaison between Khoury masters students and the administration.', '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.', 75, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Kids in Nutrition ', '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. ', '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. ', 592, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Kinematix Dance Troupe', '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.', '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."', 738, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Korea Campus Crusade for Christ', '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! ', '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!
+', 860, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3f87e853-67f5-46c9-a58b-c8e4fd9c9753', 'Kaliente Dance Group', '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. ', '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.', 209, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cfdc8517-dc9f-48e5-ab19-200a5b3bc521', 'Kappa Alpha Psi Fraternity, Incorporated', 'Kappa Alpha Psi Fraternity, Inc. was founded on January 5th 1911 at
+Indiana University, Bloomington. ', '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.', 274, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('692c5d71-cc07-4e2c-a409-ea5ab15faa33', 'Kappa Delta Sorority', '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 Sorority..', '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!
+ ', 468, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5bc241c1-4022-4831-9839-209546b930dc', 'Kappa Kappa Gamma - Eta Omicron Chapter', '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.', '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.', 216, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('216fa14d-1e01-4e3a-bf14-1fd5652cef91', 'Kappa Phi Lambda', '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.', '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.', 784, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cf8a8dea-83a2-46dc-9c0d-9aaaf6849e9a', 'Kappa Psi Pharmaceutical Fraternity, Inc.', '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 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.', 982, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a14196cf-a1ee-4620-9df1-b1627ef7d423', 'Kappa Sigma', '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 ...', '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', 290, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3613cd30-43a6-4d3e-95d1-84358a1d7aa2', 'Khoury Graduate Student Association', '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.', '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.
+To 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.', 159, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9cbc26ce-dc86-4209-95dd-7d60c270728e', 'Khoury Masters Student Council', 'The Northeastern University Khoury Masters Student Council serves as an official liaison between Khoury masters students and the administration.', '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.', 442, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('78c36553-5c69-491a-8afe-c6e0192f7c05', 'Kids in Nutrition', '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. ', '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. ', 996, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('01564b54-0e7f-46e8-9404-46ca2e9e2446', 'Kinematix Dance Troupe', '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.', '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."', 171, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ad81ce14-7e61-4427-810f-2782a3ff7261', 'Korea Campus Crusade for Christ', '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! ', '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!
It 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.
@@ -812,54 +819,54 @@ Small Group: If you are interested in joining a small group, please contact any
Morning Prayer: Tuesday - Thursday 7 AM
-If you are interested in our organization, please fill out this form so we know how to best contact you!', 414, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Korean American Student Association', '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 ...', '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.
-Please like our Facebook page @NEU Korean American Student Association and Instagram @neukasa for further updates!', 416, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Korean International Student Association', 'KISA strives 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 public.', '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. ', 382, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Korean Investment Society at D’Amore-McKim School of Business', '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 through various types of business-related experiential projects. ', '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.
+If you are interested in our organization, please fill out this form so we know how to best contact you!', 24, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2a52a1c6-3080-4c93-91af-3a2d86ceced1', 'Korean American Student Association', '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 ...', '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.
+Please like our Facebook page @NEU Korean American Student Association and Instagram @neukasa for further updates!', 695, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bc9a58cc-1dce-4cbf-8762-568f1adb8528', 'Korean International Student Association', 'KISA strives 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 public.', '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. ', 326, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d839eba2-36e0-4c9f-aa7c-9955d8690cbf', 'Korean Investment Society at D’Amore-McKim School of Business', '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 through various types of business-related experiential projects. ', '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.
We 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.
-For 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.', 556, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Korean-American Scientists and Engineers Association', '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...', '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.', 243, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Lambda Kappa Sigma', '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. ', '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.
+For 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.', 464, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('af300ea2-6beb-49c0-acf4-ff4d1e42be64', 'Korean-American Scientists and Engineers Association', '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...', '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.', 263, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('282386f6-0ab2-4f88-a663-9a104f092c0c', 'Lambda Kappa Sigma', '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. ', '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.
We 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.
- ', 408, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Lambda Phi Epsilon, Inc.', '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 wo..', '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.', 751, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Latin American Law Student Association', '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', 'Northeastern LALSA''s mission is to provide a safe space to bring, build, and share Latinx culture and experiences to NUSL and beyond.', 528, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Latin American Student Organization', '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...', '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.', 64, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc.', 'Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc. (LPC) is a nationally recognized sorority under the National Association of Latino Fraternal Organizations.', '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).
-Nu 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.', 281, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Latinx Student Cultural Center (Campus Resource)', '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', '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', 370, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('LEAD360 (Campus Resource)', '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.', '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.', 196, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Lean Endeavors at Northeastern Club', '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 ...', '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.', 254, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Lean On Me', '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.', 'Lean On Me is a text support hotline that anonymously connects students with their peers to create conversations where they can be unconditionally supported.
+ ', 699, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c745b89f-419d-433c-a2be-1d0c40b47d38', 'Lambda Phi Epsilon, Inc.', '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 wo..', '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.', 502, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5a99790e-96a5-4f35-97b6-5059362a9e2e', 'Latin American Law Student Association', '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', 'Northeastern LALSA''s mission is to provide a safe space to bring, build, and share Latinx culture and experiences to NUSL and beyond.', 573, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('271760c1-d32c-4b36-a8e8-70d548e8ecf3', 'Latin American Student Organization', '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...', '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.', 215, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('31b36260-cb52-4b2b-a117-e412e32df1b4', 'Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc.', 'Latinas Promoviendo Comunidad / Lambda Pi Chi Sorority, Inc. (LPC) is a nationally recognized sorority under the National Association of Latino Fraternal Organizations.', '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).
+Nu 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.', 223, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3ac76a0b-85ff-4a3e-955a-72bcf8187702', 'Latinx Student Cultural Center (Campus Resource)', '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', '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', 625, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d985168b-b892-4537-8bab-c0c47ef24f39', 'LEAD360 (Campus Resource)', '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.', '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.', 236, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('28ab4258-50eb-4e20-a9f7-ece198d1d51a', 'Lean Endeavors at Northeastern Club', '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 ...', '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.', 625, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('dd0a7a50-b65f-4d43-a6c7-3b7e7260c292', 'Lean On Me', '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.', 'Lean On Me is a text support hotline that anonymously connects students with their peers to create conversations where they can be unconditionally supported.
Lean 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.
Lean On Me envisions a world where everybody has somebody to lean on.
-', 711, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Legacy Mentoring Program (Campus Resource)', '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 educ...', '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.', 1016, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('LGBTQA Resource Center (Campus Resource)', '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 ques...', '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', 149, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Live Music Association', '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 expe..', 'Live Music Association is a completely student-run group that is your one-stop shop for live music on campus.
+', 106, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b6a66a7c-974c-49e6-bfde-08f064668ea3', 'Legacy Mentoring Program (Campus Resource)', '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 educ...', '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.', 205, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c53280f4-96c9-42c0-b49c-6fb53d537ac9', 'LGBTQA Resource Center (Campus Resource)', '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 ques...', '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', 716, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c1829e44-ed5e-40e8-978e-9d276b03a6e1', 'Live Music Association', '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 expe..', 'Live Music Association is a completely student-run group that is your one-stop shop for live music on campus.
Our 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.
We 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.
Past 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.
LMA 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.
-At 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.', 569, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Lutheran-Episcopal Campus Ministry', '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 from ...', '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. ', 948, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Marine Science Center Graduate Student Association', '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.', '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.', 372, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Math Club of Northeastern University', '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.', '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.
-Please join our Discord! https://discord.gg/S4xkPJ3Jcd', 837, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Mathematics Engagement and Mentorship Association', 'Mathematics Engagement and Mentorship Association', '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.', 765, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Mathematics Graduate Students Association', 'The MGSA is the official voice and representative of the graduate student body in the Department of Mathematics of Northeastern University.', 'The MGSA is the official voice and representative of the graduate student body in the Department of Mathematics of Northeastern University.', 519, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('MEDLIFE Northeastern', '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-hand.', '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.', 921, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Men''s Club Basketball Team', 'The Northeastern Men’s 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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque.', 570, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Men''s Squash Team', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam.', 937, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Mexican Student Association', '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. ', 'Our mission as the Mexican Student Association (MEXSA) is to provide a welcoming and familiar environment for Mexican students at Northeastern University. ', 389, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Minority Association of Pre-health Students', '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!', 'The Northeastern University Chapter of the Minority Association of Prehealth 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 physicians. MAPS is a free organization in which all students from all backgrounds are encouraged to join!
-Check out our pamphlet for additional information about MAPS: https://issuu.com/nsahli98/docs/mapspamphletissuu.docx', 524, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Mixed Student Union', '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. ', '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.', 736, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Multi-diverse Unified Leaders in Technology Industry', '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 gro..', '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.', 649, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Multicultural Greek Council', '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 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:
+At 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.', 906, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2f2742dc-f9c8-418d-89a4-a8a7a8020b5f', 'Lutheran-Episcopal Campus Ministry', '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 from ...', '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. ', 216, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5e1551c0-00f5-41a1-92af-394a614f8153', 'Marine Science Center Graduate Student Association', '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.', '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.', 457, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('34b78335-575a-4c05-a48a-415c33c718d5', 'Math Club of Northeastern University', '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.', '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.
+Please join our Discord! https://discord.gg/S4xkPJ3Jcd', 363, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('eccfe30c-5a6b-4171-8434-96f906a8f326', 'Mathematics Engagement and Mentorship Association', 'Mathematics Engagement and Mentorship Association', '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.', 572, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bcf4b741-41a7-4fde-bf25-24bf049c2c86', 'Mathematics Graduate Students Association', 'The MGSA is the official voice and representative of the graduate student body in the Department of Mathematics of Northeastern University.', 'The MGSA is the official voice and representative of the graduate student body in the Department of Mathematics of Northeastern University.', 339, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('495b300e-9791-44b8-a14b-a2b320423213', 'MEDLIFE Northeastern', '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-hand.', '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.', 860, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('55494e87-4d39-4ae3-aceb-46449248b047', 'Men''s Club Basketball Team', 'The Northeastern Men’s 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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et voluptates repudiandae sint et molestiae non recusandae. Itaque earum.', 31, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('41e7f89a-313c-4165-ba16-b074b77eaef5', 'Men''s Squash Team', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam.', 967, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9e29afb2-ac9a-4303-a25b-94ce50b8758b', 'Mexican Student Association', '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. ', 'Our mission as the Mexican Student Association (MEXSA) is to provide a welcoming and familiar environment for Mexican students at Northeastern University. ', 122, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('93f8e308-058e-4ac9-acd0-fd7cfd4aff7c', 'Minority Association of Pre-health Students', '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!', '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!
+Check out our pamphlet for additional information about MAPS: https://issuu.com/nsahli98/docs/mapspamphletissuu.docx', 55, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('86021c41-dcea-4482-bbd4-76b4a5b5a0ba', 'Mixed Student Union', '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. ', '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.', 29, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('841bf9ef-dc28-4f05-a0d1-ce0c2a50737d', 'Multi-diverse Unified Leaders in Technology Industry', '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 gro..', '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.', 189, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4e2da243-d0bb-4b8a-872b-c35394859d4f', 'Multicultural Greek Council', '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 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:
Active Member Organizations
Beta Chi Theta Fraternity, Inc.
@@ -874,201 +881,202 @@ Associate Member Organizations
Lambda Pi Chi Sorority, Inc.
- ', 116, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Multicultural International Student Association', '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.
+ ', 861, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6f35a28c-bfe7-43e7-a074-4eef2c151747', 'Multicultural International Student Association', '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.
', '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.
Did 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.
-Events 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.', 603, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Mutual Aid', '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 resources.', '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. *', 710, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NakhRAAS', '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.', '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!', 881, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('National Community Pharmacists Association', '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. ', '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.', 214, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('National Marrow Donor Program', '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.
-', '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. ', 950, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('National Organization of Minority Architecture Students', '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.', '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.', 525, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('National Pan-Hellenic Council - Northeastern University Chapter', 'Northeastern University''s National Pan-Hellenic Council comprises of the historically African-American fraternities and sororities in the Boston area. ', '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.
-The 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."', 205, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('National Society of Leadership and Success', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et voluptates repudiandae sint et.', 768, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Net Impact of Northeastern University', 'Net Impact is teaching students how to act now and become the leaders of the social and environmental revolutions of the 21st century.', '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.
+Events 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.', 143, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1b3afedb-7bb9-4362-b663-ad1c2c5fb88b', 'Music In Hospitals and Nursing Homes Using Entertainment As Therapy', '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.', '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!', 430, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('43981d38-4b54-4d5b-a26c-49d812e58ee3', 'Mutual Aid', '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 resources.', '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. *', 83, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4830b6a6-8150-4621-95f6-602b88b86374', 'NakhRAAS', '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.', '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!', 284, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e6d40ce6-8f26-4ea6-8a44-0ede141f3974', 'National Community Pharmacists Association', '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. ', '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.', 996, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d09835bf-2935-4f30-9dd4-a142e9a4a1c9', 'National Marrow Donor Program', '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.
+', '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. ', 99, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5571c2e7-a5da-4cbb-9654-c08cd1120732', 'National Organization of Minority Architecture Students', '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.', '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.', 676, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f967dcaf-d3b7-48f5-bad5-2ec27ce01236', 'National Pan-Hellenic Council - Northeastern University Chapter', 'Northeastern University''s National Pan-Hellenic Council comprises of the historically African-American fraternities and sororities in the Boston area. ', '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.
+The 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."', 673, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8817729b-5c71-4262-a5b3-6cb670786fa2', 'National Society of Leadership and Success', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id.', 729, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7579bee2-ea3d-4dbc-93ae-6a9103f5e497', 'Net Impact of Northeastern University', 'Net Impact is teaching students how to act now and become the leaders of the social and environmental revolutions of the 21st century.', '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.
Follow us on Instagram to stay up to date with Net Impact Northeastern:
https://www.instagram.com/netimpactnu/
- ', 365, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Network Science Institute Graduate Student Association', 'We are the Graduate Student Association for students in or affiliated with the Network Science Institute. ', 'We are the Graduate Student Association for students in or affiliated with the Network Science Institute.', 586, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NEU Chinese Language Table', '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.', '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!
-Connect with us to stay updated on upcoming meetings/events here: https://linktr.ee/neuclt', 807, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NEU Science Book Club', '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!', '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!
-Visit our LinkTree for the meeting calendar and other important links!', 232, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('New Renaissance Theatre Company', '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.', '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. This club will help bridge different artists and their communities into theatre at Northeastern. Everyone has a voice, and everyone''s voice should be heard.', 355, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('No Jokes', '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!', '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 ', 643, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('No Limits Dance Crew', '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!', '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!', 795, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Nor''easters A Cappella', 'Northeastern''s premier co-ed a cappella group', 'Northeastern''s premier a cappella group.', 168, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Noreste Ballet Company', '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 more. ', '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.
+ ', 665, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4995bb0d-586c-419b-8ba3-c54c3bdb2dfe', 'Network Science Institute Graduate Student Association', 'We are the Graduate Student Association for students in or affiliated with the Network Science Institute. ', 'We are the Graduate Student Association for students in or affiliated with the Network Science Institute.', 589, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a40505d2-6153-438a-8875-19c484f49451', 'NEU Chinese Language Table', '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.', '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!
+Connect with us to stay updated on upcoming meetings/events here: https://linktr.ee/neuclt', 452, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('aa537454-3602-4619-9bb9-975d911f3574', 'New Renaissance Theatre Company', '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.', '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.', 313, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7aebff56-67f6-4538-a4f7-738e7462b82a', 'No Jokes', '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!', '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 ', 689, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ef2f7330-3e52-485b-9609-5d2aa4edfc38', 'No Limits Dance Crew', '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!', '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!', 904, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1090a418-6e56-410b-b2d2-655d65418f91', 'Nor''easters A Cappella', 'Northeastern''s premier co-ed a cappella group', 'Northeastern''s premier a cappella group.', 938, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('739a446a-276c-4659-a0ca-7e82360ff31c', 'Noreste Ballet Company', '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 more. ', '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.
We 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.
-Our dancers perform en pointe and en flat depending on previous experience. ', 835, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern African Student Organization', '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.', '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.
-NASO Meetings: Every Thursday at 6PM', 265, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Association for Women in Math Student Chapter', '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. ', '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."
+Our dancers perform en pointe and en flat depending on previous experience. ', 662, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('dbdefc1d-0a57-4eac-b7a4-6317961dde91', 'Northeastern African Student Organization', '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.', '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.
+NASO Meetings: Every Thursday at 6PM', 916, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a0d032c3-ca92-4e5d-a003-2737105c921a', 'Northeastern Association for Women in Math Student Chapter', '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. ', '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."
The 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.
-', 844, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Bhangra Team', '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 Northeast.', '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!
-Virtual Involvement Fair: https://youtu.be/TGevvpqhjkY ', 339, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Black Student Association', '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 student...', '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. ', 290, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Chapter of Kappa Kappa Psi', 'A band service fraternity that seeks to support the band programs of the university through service projects, musical leadership, and other means.', '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.', 831, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Cheerleading', '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’s mi...', '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.', 835, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Club Archery', '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.', '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.
-
- ', 218, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Club Badminton', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre.', 298, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Club Cycling', 'The NU Cycling Club consists of riders of all 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 all across New England.', '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.', 850, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Club Field Hockey', 'Competitive Co-ed Club Field Hockey Team', 'Competitive Co-ed Club Field Hockey Team
-The 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.We 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.It is a commitment, but completely worth it!', 742, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Club Softball', '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!', '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!', 181, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Club Tennis', '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!', '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.
-Contact us if you''re interested or have any questions!', 197, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern DIY Craft Club', '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 gather...', '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.', 504, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Entertainment System', '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', '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', 914, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Game Development Club', '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 more!', '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 specific topic and participate in short design focused activities. Our club also hosts at least 2 game jams a semester, so students can explore new roles and create something fun along the way. We welcome all types of students, majors, and skill levels! If 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.
+', 439, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('32546b99-e687-422e-878d-d07a9982393a', 'Northeastern Bhangra Team', '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 Northeast.', '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!
+Virtual Involvement Fair: https://youtu.be/TGevvpqhjkY ', 535, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('19fe1276-dbc4-425f-a55e-5c1679571ba0', 'Northeastern Black Student Association', '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 student...', '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. ', 361, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a8181d31-c9cb-4544-a440-8ec07d579000', 'Northeastern Chapter of Kappa Kappa Psi', 'A band service fraternity that seeks to support the band programs of the university through service projects, musical leadership, and other means.', '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.', 286, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('26361bf7-daaa-4aa3-a2eb-c879c7231830', 'Northeastern Cheerleading', '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’s mi...', '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.', 862, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9d410fa8-a3c3-49df-a9e0-286bac49dc95', 'Northeastern Club Archery', '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.', '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.
+
+ ', 153, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cb6fb66d-4425-4ec1-bbf9-0ec5d85bc5d5', 'Northeastern Club Badminton', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum.', 916, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9361b317-41c9-49a7-9380-091364ac207c', 'Northeastern Club Cycling', 'The NU Cycling Club consists of riders of all 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 all across New England.', '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.', 782, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('989368be-544f-40fc-aec9-b4c3fbff9484', 'Northeastern Club Field Hockey', 'Competitive Co-ed Club Field Hockey Team', 'Competitive Co-ed Club Field Hockey Team
+The 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.We 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.It is a commitment, but completely worth it!', 777, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('53b1771e-8447-4061-a58d-707be616a46b', 'Northeastern Club Softball', '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!', '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!', 314, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('29460e83-6371-4d6b-8050-fc484733541f', 'Northeastern Club Tennis', '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!', '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.
+Contact us if you''re interested or have any questions!', 59, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d6cef17f-4b73-40ae-a067-653d9cfbf1ff', 'Northeastern DIY Craft Club', '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 gather...', '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.', 352, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('86b9b6b9-7ef1-470d-bdbb-5284b12a8ec7', 'Northeastern Entertainment System', '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', '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', 494, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ced007e0-da5f-4d6b-85cb-afac1778a50f', 'Northeastern Game Development Club', '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 more!', '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!
+
+If 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.
Discord: https://discord.gg/TannubHvey
Instagram: https://www.instagram.com/nugamedevclub/
-Twitter: https://twitter.com/neu_gdc', 386, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Lady Maddogs', '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!', '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!', 520, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Men''s Club Ice Hockey', '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. ', '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 ', 383, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Men''s Club Volleyball', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum.', 589, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Mens Lacrosse', '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.', '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.
+Twitter: https://twitter.com/neu_gdc', 734, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('412f5e87-f605-4f88-a16b-b9e0dd8c0d60', 'Northeastern Lady Maddogs', '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!', '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!', 401, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c4e1ec19-2ce4-4b79-b080-5865cd5ba2f7', 'Northeastern Men''s Club Ice Hockey', '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. ', '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 ', 340, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c06c86fa-999e-4589-8bbf-94b9b1dd9b51', 'Northeastern Men''s Club Volleyball', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et voluptates repudiandae sint et molestiae.', 671, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7695b552-ea28-4a9b-b1c1-6d44ea9c53f5', 'Northeastern Mens Lacrosse', '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.', '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.
Our 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.
-All members of our organization are committed to winning a National Championship and we prepare, practice, and work towards that goal on a daily basis.', 445, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Powerlifting', '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', '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.
+All members of our organization are committed to winning a National Championship and we prepare, practice, and work towards that goal on a daily basis.', 624, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5166634a-e374-41e3-abc9-4116d744a041', 'Northeastern Powerlifting', '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', '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.
We 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.
-We 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.', 671, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Recreational Climbing Club', '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.', '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.', 272, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Shakespeare Society', '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.', '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.', 355, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Table Tennis Club', '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 Coed...', '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.
+We 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.', 277, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('09b71ad8-33ba-4fab-84bd-1310bca2f19c', 'Northeastern Recreational Climbing Club', '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.', '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.', 394, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a44faab2-4134-419b-8f26-73f60b2e1594', 'Northeastern Shakespeare Society', '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.', '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.', 451, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4f23b259-97b4-47ff-823d-d2262b75adc2', 'Northeastern Table Tennis Club', '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 Coed...', '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 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.
-Tryouts 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', 81, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Tabletop Roleplaying Society', '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!', '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.
+Tryouts 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', 742, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('24aeea79-6d8a-419a-8cb4-79e30180b6e7', 'Northeastern Tabletop Roleplaying Society', '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!', '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.
We welcome newbies and veterans! We have many friendly, experienced players who would love to teach or discuss various systems.
Everything 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
-', 445, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Television', '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 all.', '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!
+', 430, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e069a438-a20d-46e9-a72d-15d44139561c', 'Northeastern Television', '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 all.', '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!
https://www.youtube.com/watch?v=Xpj1Lw8IIo0
Sound 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!
-Learn more about us on our website here! Check out our YouTube Channel to see all our videos here! ', 737, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Alpine Ski Team', '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 Confere...', '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.', 612, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University American Medical Student Association', '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 organizations.', '
+Learn more about us on our website here! Check out our YouTube Channel to see all our videos here! ', 320, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1c67982b-5dea-4cb7-a2f6-2fd61811a993', 'Northeastern University Alpine Ski Team', '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 Confere...', '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.', 846, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7fb6ef65-082a-4ab1-bcf8-150f7b158e18', 'Northeastern University American Medical Student Association', '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 organizations.', '
NEU 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.
If 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!
-', 832, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University American Medical Women''s Association', '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, educa...', '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.', 441, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Animation Club', '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...', '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.', 35, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Association of Gaming Enthusiasts', '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.', '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
+', 49, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c70b77a6-0c48-4025-8faf-4217adb67939', 'Northeastern University American Medical Women''s Association', '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, educa...', '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.', 129, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('713c8e6e-2f09-4ebf-bb2f-5e642b6f497f', 'Northeastern University Animation Club', '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...', '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.', 930, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bb60b9e9-44a0-4c26-b8ca-d380d29e2827', 'Northeastern University Association of Gaming Enthusiasts', '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.', '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
Or hear about our upcoming events from our Instagram! (@gamingnu)
-https://www.instagram.com/gamingnu/', 113, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Association of Public Policy Students', '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 ra...', '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.', 1014, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Chapter of the New England Water Environment Association', 'NEWEA is an organization dedicated to connecting students and professionals involved in the water environment profession. ', '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!', 245, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Chess Club', '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.', '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
-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. We also hold workshops introducing chess at the most basic levels to anyone interested. Don''t get checkmated on the way to play! ', 183, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Choral Society', '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. ', '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.', 323, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Club Fencing Team ', '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.', '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.', 888, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Club Gymnastics Team', '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 Pete.', '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!
-
-If you are interested in learning more about the team, reach out to our email, nuclubgymnastics@gmail.com, and look for us at Fall Fest!', 695, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Club Roller Hockey', '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 games.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam.', 33, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Club Running', '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.', '** 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
+https://www.instagram.com/gamingnu/', 205, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b3a284bc-3bc3-4899-87d2-54f975de6173', 'Northeastern University Association of Public Policy Students', '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 ra...', '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.', 892, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9e88c169-9dea-4a33-a187-c8f488a2ded5', 'Northeastern University Chapter of the New England Water Environment Association', 'NEWEA is an organization dedicated to connecting students and professionals involved in the water environment profession. ', '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!', 831, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4af618a1-cc8e-4f05-aa40-14b76e50ac7f', 'Northeastern University Chess Club', '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.', '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
+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. We also hold workshops introducing chess at the most basic levels to anyone interested. Don''t get checkmated on the way to play! ', 391, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7d3bda73-e41d-4f30-a115-7817d4b22ef4', 'Northeastern University Choral Society', '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. ', '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.', 277, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8af6f939-a04c-45af-989c-05d9874aec1e', 'Northeastern University Club Fencing Team ', '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.', '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.', 525, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d09b1c01-efbf-46c9-8638-f9c4ff24e699', 'Northeastern University Club Gymnastics Team', '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 Pete.', '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!
+
+If you are interested in learning more about the team, reach out to our email, nuclubgymnastics@gmail.com, and look for us at Fall Fest!', 909, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('37b44416-3741-4f64-86de-4a1559b849c9', 'Northeastern University Club Roller Hockey', '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 games.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et.', 243, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d873ba77-ba35-40a7-b433-67327ee5cbc8', 'Northeastern University Club Running', '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.', '** 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
....
The 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!
https://clubrunning.sites.northeastern.edu/
- ', 343, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Club Spikeball', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et.', 783, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Club Taekwondo', '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. ', 'We are a LEGION, we are a FAMILY, we are Northeastern University Taekwondo.
-As 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.', 530, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Club Weightlifting Team', '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.', '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.', 30, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University College Democrats', '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. ', '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.
+ ', 502, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cba1deb2-8a23-4f6f-b60c-2d9cfea95b86', 'Northeastern University Club Spikeball', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut.', 227, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d9f8ff4e-3d1f-4c55-8ec8-92f90d533f0b', 'Northeastern University Club Taekwondo', '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. ', 'We are a LEGION, we are a FAMILY, we are Northeastern University Taekwondo.
+As 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.', 441, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b1ad8cb6-902c-4642-81d7-32fa0f2e31d3', 'Northeastern University Club Weightlifting Team', '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.', '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.', 921, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b6e6f6ae-c789-493a-9ef0-f4df1075073e', 'Northeastern University College Democrats', '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. ', '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.
We stand for healthcare access, a just transition to a zero-carbon economy, high-quality public education, and equity on all levels.
Join us in our fight to pass meaningful, life-changing policies on the federal, state, local, and campus levels this spring!
- ', 235, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University College Republicans', 'The Best Party On Campus at Northeastern University! We are a place where you can openly discuss politics from a conservative perspective.', '"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.
-If you want to openly discuss free market ideas and conservative values, join the Northeastern University College Republicans!', 890, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Community Liaisons for Education Using STEM', '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.
-', '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.', 134, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Cricket Club', '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.', '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).', 47, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Cultural and Language Learning Society', '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 semester.', '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.', 192, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Dance Company', '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. ', '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.
-
-
- ', 372, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Dance Team', '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 depa...', '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.', 68, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Economics Society', '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.', '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.
-
-Anyone who submits a membership request online will be added to the NUES email list to receive meeting newsletters and annoucements.', 300, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Emergency Medical Services', '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.', '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.', 292, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Energy Systems Society', '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: Enginee..', '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.
- ', 970, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Equestrian Team', '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.', '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.', 620, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Figure Skating Club', '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!', '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.', 465, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Graduate Asian Baptist Student Koinonia', 'Christian fellowship group for Graduate Asian Baptist students.', 'Christian fellowship group for Graduate Asian Baptist students.', 107, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Graduate Structural Engineering Association', '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...', '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.', 268, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Graduate Women Coders', '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 ex...', '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.', 655, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University History Association', '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.', '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.', 233, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Huskiers and Outing Club', '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.
-
-Let''s get outside!', 'We are the Outdoors Club for Northeastern University. Please visit our website and join our Slack to learn more about our club!', 152, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Italian Club', 'NUIC''s goal is to create a solid, collaborative and worldwide network between past, present and future Northeastern Alumni.', '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.
-
-In 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.', 619, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Knits', '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.).', '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!
-We meet on Thursdays from 8:00-9:00pm in Curry room #346!', 126, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University League of Legends', '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 North...', '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!', 305, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Maddog Rugby', '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 te...', '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.', 638, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Madrigal Singers', '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!', '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!', 1019, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Marine Biology Club', '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.', '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.
-We have meetings every other Thursday from 7-8pm EST. You can find our socials and info on our linktree at linktr.ee/numarinebio.', 369, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Marketing Association', 'NUMA 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.', 'Welcome!
+ ', 613, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('666577d6-f411-424c-a724-974586ebbea3', 'Northeastern University College Republicans', 'The Best Party On Campus at Northeastern University! We are a place where you can openly discuss politics from a conservative perspective.', '"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.
+If you want to openly discuss free market ideas and conservative values, join the Northeastern University College Republicans!', 937, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cc37e307-4112-481a-a283-950911b0264c', 'Northeastern University Community Liaisons for Education Using STEM', '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.
+', '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.', 451, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d105c882-3a58-4b30-9a99-cf7659bab4f0', 'Northeastern University Cricket Club', '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.', '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).', 942, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b5339cb3-eed6-4234-be53-e27011e28878', 'Northeastern University Cultural and Language Learning Society', '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 semester.', '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.', 1013, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('999ad06e-3b2f-46a2-9b2e-0e67d4f1b090', 'Northeastern University Dance Company', '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. ', '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.
+
+
+ ', 227, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('129124ac-9743-42af-965b-d0d071733153', 'Northeastern University Dance Team', '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 depa...', '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.', 809, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4243e60b-4ff4-4f2d-a6c8-423127b2946f', 'Northeastern University Economics Society', '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.', '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.
+
+Anyone who submits a membership request online will be added to the NUES email list to receive meeting newsletters and annoucements.', 925, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ae75738b-eded-493a-bda9-69d81566a92f', 'Northeastern University Emergency Medical Services', '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.', '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.', 7, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('47714483-f441-44e3-80fe-fe48ad0e76b4', 'Northeastern University Energy Systems Society', '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: Enginee..', '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.
+ ', 859, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('011fdddf-0f85-4ae0-8149-9d410640dd88', 'Northeastern University Equestrian Team', '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.', '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.', 496, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('53b9f1e2-8ce9-47a8-951c-e49b0f812bf4', 'Northeastern University Figure Skating Club', '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!', '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.', 400, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bbfc49f5-60af-462d-980b-fdd6b7b9578d', 'Northeastern University Graduate Asian Baptist Student Koinonia', 'Christian fellowship group for Graduate Asian Baptist students.', 'Christian fellowship group for Graduate Asian Baptist students.', 83, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ce9af9f9-8a8e-4fe5-aa1b-5780c19e364f', 'Northeastern University Graduate Structural Engineering Association', '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...', '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.', 285, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7a9d5e6e-bed7-449a-93d1-835589ee8677', 'Northeastern University Graduate Women Coders', '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 ex...', '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.', 764, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('613c494d-abaf-4b60-b597-09005c930752', 'Northeastern University History Association', '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.', '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.', 520, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('91f64ea5-8852-41e4-90f1-aadef57f8cf2', 'Northeastern University Huskiers and Outing Club', '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.
+
+Let''s get outside!', 'We are the Outdoors Club for Northeastern University. Please visit our website and join our Slack to learn more about our club!', 600, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e56f3a2e-048d-4be2-9cc4-a90efed2cb17', 'Northeastern University Italian Club', 'NUIC''s goal is to create a solid, collaborative and worldwide network between past, present and future Northeastern Alumni.', '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.
+
+In 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.', 642, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('738b338a-72e0-40ea-98b8-24a5f2e574c9', 'Northeastern University Knits', '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.).', '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!
+We meet on Thursdays from 8:00-9:00pm in Curry room #346!', 729, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('80e1654e-b84d-4fc2-a346-e8a179e7e816', 'Northeastern University League of Legends', '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 North...', '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!', 999, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c5d9c349-8682-4548-ba13-ab6106dd978e', 'Northeastern University Maddog Rugby', '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 te...', '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.', 678, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d48aea43-94f5-416d-937d-2b8793d4526a', 'Northeastern University Madrigal Singers', '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!', '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!', 309, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('974de960-0f33-44e5-a35d-78ddc15de9d0', 'Northeastern University Marine Biology Club', '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.', '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.
+We have meetings every other Thursday from 7-8pm EST. You can find our socials and info on our linktree at linktr.ee/numarinebio.', 894, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('80bbfe02-abb9-4cba-8ab4-d51a329477ea', 'Northeastern University Marketing Association', 'NUMA 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.', 'Welcome!
NUMA 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.
We provide students with opportunities to connect with employers, learn from industry experts, explore the world of marketing, and grow professionally.
Note: Any student in any majors and years are welcome to join! (Ie. You don''t need to be a marketing major to join).
How to get information about our events: We always post events on our social media accounts (please see the links under the social media header).
-Please reach out to us at contactnuma@gmail.com if you have any questions! ', 82, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Men''s Club Soccer', 'Northeastern University Men’s Club Soccer is a student-led, year-round soccer program that offers undergraduate and graduate students the opportunity to compete at a collegiate level.', '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.', 146, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Men''s Club Water Polo', '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.', '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.', 444, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Mock Trial', '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!', '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.
-Trials are a chance to gain hands-on legal experience while gaining skills in public speaking, acting, and debate.', 631, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Pharmacy Alliance ', '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.', '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).', 69, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Photography Club', '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! ', '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.
+Please reach out to us at contactnuma@gmail.com if you have any questions! ', 829, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('584faa3c-aa9f-46d2-a2a2-860abd1fa651', 'Northeastern University Men''s Club Soccer', 'Northeastern University Men’s Club Soccer is a student-led, year-round soccer program that offers undergraduate and graduate students the opportunity to compete at a collegiate level.', '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.', 873, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('367f6a41-4b94-4eba-88d1-60e4c98e7953', 'Northeastern University Men''s Club Water Polo', '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.', '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.', 789, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('87b31c43-60a3-4f22-8c84-12dfe0f5329b', 'Northeastern University Mock Trial', '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!', '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.
+Trials are a chance to gain hands-on legal experience while gaining skills in public speaking, acting, and debate.', 433, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c1955842-4a99-4189-ab3e-be059a6542f9', 'Northeastern University Pharmacy Alliance ', '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.', '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).', 417, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f7f230d5-ef3d-4467-a2ca-ebb1a4b204b6', 'Northeastern University Photography Club', '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! ', '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.
All important and current links can be found in our linktree below!
-https://linktr.ee/nupicofficial ', 122, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Planeswalkers', '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! ', '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!
+https://linktr.ee/nupicofficial ', 64, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7416ad42-4bd6-43dc-b931-594a720ac671', 'Northeastern University Planeswalkers', '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! ', '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!
If 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.
For 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.
Discord Link: https://discord.gg/c2uXHCK
We 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.
- ', 773, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Political Review', '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!', '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.
+ ', 836, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('685d428a-fa4b-455b-b346-946944015836', 'Northeastern University Political Review', '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!', '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.
If you would like to sign up for our email list, please do so here.
-If you would like to view our Interest Meeting and learn more about our club, you can do so here!', 678, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Pre-Dental Association', '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, e...', '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!
- ', 969, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Pre-Veterinary Club', '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.', '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!', 487, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Project Management Student Organization', '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.', '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.
+If you would like to view our Interest Meeting and learn more about our club, you can do so here!', 305, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a8002f6f-2838-4778-aa24-78490b659c2a', 'Northeastern University Pre-Dental Association', '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, e...', '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!
+ ', 970, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('044503c0-74c3-4d4e-b83a-0170a3fd5d54', 'Northeastern University Pre-Veterinary Club', '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.', '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!', 307, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('934e2ed4-a421-4a60-b429-12c0662133c8', 'Northeastern University Project Management Student Organization', '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.', '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.
NUPM is the largest College of Professional Studies club, with 800+ members, including alums.
✔️NUPM 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.
✔️NUPM 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.
-✔️NUPM 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.', 672, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Real Estate Club', 'Northeastern Real Estate Club (NURE) is a community of Northeastern students, faculty, and alumni who are engaged in real estate, including but not limited to brokerage, development, investments, policy, and more (data science, law, etc.). ', '
+✔️NUPM 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.', 221, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7f370b79-72b5-4b38-9a77-c5ddec56b416', 'Northeastern University Real Estate Club', '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.', '
-Northeastern Real Estate Club (NURE) is a community of Northeastern students, faculty, and alumni 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. 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 faculty and student alumnus. The topics NURE cover reflect the all-inclusive nature of the field and the wide-ranging disciplines of our members.
+The 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.
-', 977, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Researchers of Neuroscience', '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.', 'Northeastern University Researchers of Neuroscience (NEURONS) is a student group for anyone interested in neuroscience. Members from all different majors are encouraged to join!
+', 960, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e5bef8ef-9f2a-45a5-8029-ffbda5c5764b', 'Northeastern University Researchers of Neuroscience', '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.', 'Northeastern University Researchers of Neuroscience (NEURONS) is a student group for anyone interested in neuroscience. Members from all different majors are encouraged to join!
Join the 2023-24 email list
We meet every other Thursday from 7-8pm in IV 019
Our meetings from last year (2022-2023):
@@ -1098,118 +1106,118 @@ Dr. Justin Jordan, MD, MPH, Clinical Director of the MGHH Pappas Center for Neur
Join 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.
We 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.
-If 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!', 581, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Songwriting Club', '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 time!', '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!', 536, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Speech Language and Hearing Association', '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 organizatio...', '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.', 663, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Student Nurses Association', 'An organization and resource for all nursing students at Northeastern.
+If 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!', 71, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('55b1a09c-fbbc-4934-9495-443060c1ef20', 'Northeastern University Songwriting Club', '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 time!', '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!', 738, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b1d8fe62-84bf-4b98-98d4-82d7c0ce4672', 'Northeastern University Speech Language and Hearing Association', '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 organizatio...', '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.', 442, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('65d51bf4-43eb-4199-9e32-1813baaf8c64', 'Northeastern University Student Nurses Association', 'An organization and resource for all nursing students at Northeastern.
', '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.
We 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.
-Please 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!', 887, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Supply Chain Management Club', 'The purpose of the NSCMC is to present students with an opportunity to learn, research, participate and share information as well as experience in the field of Supply Chain Management. ', 'The purpose of the NUSCM is to present students with an opportunity to learn, research, participate and share information as well as experience in the field of Supply Chain Management. We will also promote Supply Chain Management as a business concentration within the University to other students. Our goal is to bring Northeastern students and alumni together to learn about the field of supply chain management.
-Sign up for our mailing list to stay up to date on our latest events!', 50, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Sustainable Building Organization', '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 industry.', '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. 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.
-Please check out our website to learn more about our organization and what we have to offer you this year. ', 697, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Swim Club', 'NUSC is a Northeastern University club sport that competes on both regional and national levels while providing members with fun and rewarding experiences.', 'NUSC is a Northeastern University club sport that competes on both regional and national levels while providing members with fun and rewarding experiences.
-In 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.', 712, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Symphony Orchestra', '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, rom...', '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.', 749, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Taiwanese Student Association', 'The purpose of NTSA is to create a warm & welcoming place for whoever is interested in Taiwanese culture!
+Please 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!', 398, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('fc59cc3c-b472-4535-8f33-6eab28ca003d', 'Northeastern University Supply Chain Management Club', 'The purpose of the NSCMC is to present students with an opportunity to learn, research, participate and share information as well as experience in the field of Supply Chain Management. ', 'The purpose of the NUSCM is to present students with an opportunity to learn, research, participate and share information as well as experience in the field of Supply Chain Management. We will also promote Supply Chain Management as a business concentration within the University to other students. Our goal is to bring Northeastern students and alumni together to learn about the field of supply chain management.
+Sign up for our mailing list to stay up to date on our latest events!', 807, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4c86a32c-bf24-4e4c-bc8e-b7fd2dbf0027', 'Northeastern University Sustainable Building Organization', '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 industry.', '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. 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.
+Please check out our website to learn more about our organization and what we have to offer you this year. ', 557, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a29dbb7a-48f3-48a8-bd40-0a59f523ff98', 'Northeastern University Swim Club', 'NUSC is a Northeastern University club sport that competes on both regional and national levels while providing members with fun and rewarding experiences.', 'NUSC is a Northeastern University club sport that competes on both regional and national levels while providing members with fun and rewarding experiences.
+In 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.', 269, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('42b072a7-a713-4927-9bc5-c55f10fb80c0', 'Northeastern University Symphony Orchestra', '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, rom...', '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.', 87, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('28dcc5b1-199a-4468-9cfe-19095f9c0c92', 'Northeastern University Taiwanese Student Association', 'The purpose of NTSA is to create a warm & welcoming place for whoever is interested in Taiwanese culture!
**For inquiries & E-board recruitment info, contact us through:
Instagram: @northeastern.tsa
Email: northeastern.tsa@gmail.com', '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.
-**For inquiries & E-board recruitment info, contact us through:Instagram: @northeastern.tsaEmail: northeastern.tsa@gmail.com', 898, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Teaching English Language and Literacy Skills', '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.', '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.
+**For inquiries & E-board recruitment info, contact us through:Instagram: @northeastern.tsaEmail: northeastern.tsa@gmail.com', 933, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5eacc739-86ae-465f-b452-3ac9975e402d', 'Northeastern University Teaching English Language and Literacy Skills', '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.', '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.
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
If 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.
. . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
-For more information, see the gallery page of this site to watch a video of our first meeting for Fall 2020!', 419, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Toastmasters', '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 network.', '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! ', 327, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Trap and Skeet Club Team', 'Nationally competitive clay target shooting team focusing on Trap, Skeet and Sporting Clays.', '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.', 866, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Triathlon Team', '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', '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.
+For more information, see the gallery page of this site to watch a video of our first meeting for Fall 2020!', 965, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('11c896f0-92c3-4261-93d7-603276ae3a39', 'Northeastern University Toastmasters', '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 network.', '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! ', 534, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('565f9399-6b7d-4196-9b28-ebef633b5582', 'Northeastern University Trap and Skeet Club Team', 'Nationally competitive clay target shooting team focusing on Trap, Skeet and Sporting Clays.', '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.', 332, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('37b6ae4a-bcc0-4577-9cef-98a3a85d4399', 'Northeastern University Triathlon Team', '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', '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.
No 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.
**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
- ', 807, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Undergraduate Speech and Hearing Club', '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. ', '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.', 940, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Unisons A Cappella', 'We are a TTBB contemporary a cappella group that performs today''s top songs, classic hits, holiday music, and more!', '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.', 374, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University West Coast Swing Club', '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.', '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.
+ ', 481, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('75349fc1-f9c9-4aa8-b475-6d6f736c3b24', 'Northeastern University Undergraduate Speech and Hearing Club', '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. ', '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.', 970, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('098d355e-7554-4038-a861-7b0a33fc38ac', 'Northeastern University Unisons A Cappella', 'We are a TTBB contemporary a cappella group that performs today''s top songs, classic hits, holiday music, and more!', '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.', 871, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b41f7100-624c-4892-9126-ba46f6ba0910', 'Northeastern University West Coast Swing Club', '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.', '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.
Lessons 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!
-Join our Discord! This is often where our announcements get posted first!', 370, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Wind Ensemble', '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 community.', '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.
-To inquire about auditions for the Spring 2023 semester, please email the ensemble director Allen Feinstein at a.feinstein@northeastern.edu!', 328, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Women in Technology', 'A special interest group that supports women who study or are interested in Computer and Information Science at Northeastern University', '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.
+Join our Discord! This is often where our announcements get posted first!', 38, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f526bed0-6b79-412c-b10a-329768169d99', 'Northeastern University Wind Ensemble', '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 community.', '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.
+To inquire about auditions for the Spring 2023 semester, please email the ensemble director Allen Feinstein at a.feinstein@northeastern.edu!', 142, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7c306b3b-975e-45af-9256-453bd1e68079', 'Northeastern University Women in Technology', 'A special interest group that supports women who study or are interested in Computer and Information Science at Northeastern University', '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.
Check out our website to learn more about NUWIT and what we have to offer you this year!
Join the NUWIT Slack: https://bit.ly/nuwit-join-slack
-Join our mailing list for email updates: http://eepurl.com/cqlrZz', 661, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Women''s Squash Team', '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 run...', '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', 35, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University Wrestling Club', '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 improve.', '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).
+Join our mailing list for email updates: http://eepurl.com/cqlrZz', 730, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1007005c-311c-4c76-a9b9-30d717c01f46', 'Northeastern University Women''s Squash Team', '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 run...', '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', 352, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7be57cf0-a000-4e71-848d-895e18ef6918', 'Northeastern University Wrestling Club', '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 improve.', '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).
Practice Schedule:
Monday 6-8pm
Wednesday 6-8pm
Friday 6-8pm
Sunday 11am-1pm
-Practice takes place in Marino (second floor sports court). We also volunteer regularly with Beat The Streets New England.', 643, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern University''s Film Enthusiast''s Club', '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.', '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.', 157, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Women''s Club Soccer', 'NUWCS is a competitive club soccer team competing in the South Boston / Rhode Island division of the NIRSA Region I Club Soccer League.', '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.
+Practice takes place in Marino (second floor sports court). We also volunteer regularly with Beat The Streets New England.', 59, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('67001c90-7e08-4c98-8ce5-b2fa54d241ac', 'Northeastern University''s Film Enthusiast''s Club', '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.', '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.', 365, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e58c824e-ebd6-4559-af0e-c83683b91396', 'Northeastern Women''s Club Soccer', 'NUWCS is a competitive club soccer team competing in the South Boston / Rhode Island division of the NIRSA Region I Club Soccer League.', '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.
-IMPORTANT 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.', 650, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern Women''s Club Volleyball', '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.', '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', 803, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Northeastern''s All-Female Semi Professional A Cappella Group, Pitch, Please!', '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.', '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!', 860, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU & Improv''d', 'NU & Improv''d is Northeastern''s premier improvisational comedy troupe.
+IMPORTANT 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.', 765, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d77d040e-8abd-43e4-8749-248fdafef32d', 'Northeastern Women''s Club Volleyball', '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.', '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', 844, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('784ed95b-1680-4a52-b582-b23be22cfd62', 'Northeastern''s All-Female Semi Professional A Cappella Group, Pitch, Please!', '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.', '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!', 17, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a755f7c0-52d1-47e1-97f5-eb9339509a7d', 'NU & Improv''d', 'NU & Improv''d is Northeastern''s premier improvisational comedy troupe.
We 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. ', '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.
We host a big improv jam and auditions at the beginning of each semester.
-If you enjoy laughing, relaxing, and fun, NU & Improv''d is the student group for you.', 835, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU American Society of Engineering Management', '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...', '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.', 240, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Ballroom Dance Club', '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.', '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.', 676, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Breakers', '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.', '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. ', 357, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Buddhist Group', '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.', '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!', 69, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Club Golf', '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 o...', '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', 403, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU COE CommLab (Campus Resource)', 'NU COE CommLab', 'The Northeastern Communication LabA Resource for Graduate Engineering Students
-The 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!', 796, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Concert Band', '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.', '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.', 432, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Hacks', '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. ', '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.', 431, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Mural Club', '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! ', '
+If you enjoy laughing, relaxing, and fun, NU & Improv''d is the student group for you.', 271, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('129874ae-ec97-44d8-a4c8-133fd7bb33b3', 'NU American Society of Engineering Management', '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...', '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.', 673, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b2062869-7d08-406e-864d-69faee6536c5', 'NU Ballroom Dance Club', '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.', '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.', 587, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('529372c5-e3de-4a4b-90c3-f11ead094dfb', 'NU Breakers', '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.', '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. ', 406, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('969a768f-05e0-41f0-936f-98cd59bbb188', 'NU Buddhist Group', '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.', '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!', 544, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0eeb8b41-5a92-4d62-9c76-18ed3566fcd0', 'NU Club Golf', '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 o...', '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', 233, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9af3b2bd-cac2-414e-89bc-f3f2f339b0b8', 'NU COE CommLab (Campus Resource)', 'NU COE CommLab', 'The Northeastern Communication LabA Resource for Graduate Engineering Students
+The 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!', 354, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('87b666d6-abcd-401e-ae8c-893f2b40ed9a', 'NU Concert Band', '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.', '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.', 230, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ebfbdc4b-45b1-4a9f-be84-17c3bb1941b8', 'NU Hacks', '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. ', '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.', 432, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d451df57-752b-419d-be11-53f0ca4bef0a', 'NU Mural Club', '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! ', '
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! 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.
Sign up for emails and check out our projects on our new website!
-', 686, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Pep Band', '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.', '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.', 646, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Pride', '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 gender.', '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.', 1010, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Nu Rho Psi National Honor Society in Neuroscience', '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...', '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', 109, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Science Magazine', '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.', '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.', 603, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Sexual Health Advocacy, Resources and Education', 'Meetings are Mondays at 7pm in the CIE in Curry Student Center. Join us to learn more about reproductive justice and sexual health!', '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!
-We are a Planned Parenthood Generation Action Group.', 653, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NU Stage Musical Theater Company', '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. ', '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!', 539, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NUImpact', 'Founded in 2016, NUImpact is Northeastern University’s student-led impact investing initiative and investment fund. ', '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.', 381, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('NUSound: The Northeastern University Chapter of the Acoustical Society of America', '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. ', '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.', 489, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Oasis', 'Oasis is a project development accelerator club serving Northeastern underclassmen with the primary goal
-to break down the barriers of entry into the computer science industry by pairing club members with experienced mentors. ', '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.', 152, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Off Campus Student Services (Campus Resource)', '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. ', '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!', 58, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Office of Alumni Relations (Campus Resource)', '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’s next.', '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 nd 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.
+', 904, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3797db82-14d4-48ff-83eb-38226b19d088', 'NU Pep Band', '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.', '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.', 304, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bbaa9f74-5da8-46f5-bfd2-5e01ffb9893a', 'NU Pride', '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 gender.', '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.', 123, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('107b3722-0821-45b7-9741-6b95033cb26f', 'Nu Rho Psi National Honor Society in Neuroscience', '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...', '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', 44, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a762aa2c-3ed6-4f8b-83c9-6ae92eb7c517', 'NU Science Magazine', '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.', '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.', 47, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('10552194-7380-46db-855e-3a55e0547771', 'NU Sexual Health Advocacy, Resources and Education', 'Meetings are Mondays at 7pm in the CIE in Curry Student Center. Join us to learn more about reproductive justice and sexual health!', '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!
+We are a Planned Parenthood Generation Action Group.', 147, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7cef9721-f55a-4a00-a974-ac3bbccf119c', 'NU Stage Musical Theater Company', '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. ', '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!', 850, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('16ae8631-b799-48fb-bba5-82b90db179fa', 'NUImpact', 'Founded in 2016, NUImpact is Northeastern University’s student-led impact investing initiative and investment fund. ', '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.', 333, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('20e44440-ac35-43c6-93c5-8aadd8664270', 'NUSound: The Northeastern University Chapter of the Acoustical Society of America', '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. ', '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.', 957, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('410a5fe3-19fb-482e-8f7d-6b352479288f', 'Oasis', 'Oasis is a project development accelerator club serving Northeastern underclassmen with the primary goal
+to break down the barriers of entry into the computer science industry by pairing club members with experienced mentors. ', '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.', 691, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('fddeeaaa-2f82-40a0-b996-3311c4144fe5', 'Off Campus Student Services (Campus Resource)', '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. ', '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!', 412, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('38d517ac-c76f-449e-8fd8-ae44e5a75f8f', 'Office of Alumni Relations (Campus Resource)', '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’s next.', '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 nd 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.
Student Alumni Ambassadors (SAA)
The 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.
SAA 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.
-As 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.', 1009, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Office of Prevention & Education at Northeastern (Campus Resource)', '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 alco...', '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.', 656, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Office of Sustainability (Campus Resource)', '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. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis.', 414, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Omega Chi Epsilon (Chemical Engineering Honor Society)', 'Xi Chapter of the National Chemical Engineering Honor Society', '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.
- ', 383, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Omega Phi Beta', '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 mu...', '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.', 289, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('One for the World Northeastern', '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.', '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. ', 337, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Operation Smile', '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 p...', '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.
-Please contact operationsmileneu@gmail.com for any inquires relating to our on-campus organization. ', 751, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Order of Omega', 'Honoring Greek leaders since 1959', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique.', 895, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Origin', 'Origin is a student-run organization that works to increase the quantity and quality of ventures in Northeastern’s ecosystem that solve scientific & technological problems through outreach and speaker events that focus on STEM and business.', '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.', 422, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Out in Business', '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.', '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. ', 299, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Out in STEM at Northeastern University', 'Out in Science, Technology, Engineering, and Mathematics (oSTEM) is a national society dedicated to LGBTQIA education, advancement, and leadership in the STEM fields.', 'Out in Science, Technology, Engineering, and Mathematics (oSTEM) is a national society dedicated to LGBTQIA education, advancement, and leadership in the STEM fields.', 680, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Pakistani Student Association', 'Pakistani Student Association', '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. ', 785, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Pan Asian American Council (Campus Resource)', '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.', '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.', 530, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Panhellenic Council', '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*.', '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.
+As 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.', 1, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('992b2b30-2080-438f-9a2f-ac6c90daeee1', 'Office of Prevention & Education at Northeastern (Campus Resource)', '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 alco...', '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.', 381, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f50da3a8-fae6-48e4-abe8-da1f184cf66f', 'Office of Sustainability (Campus Resource)', '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. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet, ut et voluptates repudiandae.', 168, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('44f628e8-aa1f-440d-9085-5d592438363a', 'Omega Chi Epsilon (Chemical Engineering Honor Society)', 'Xi Chapter of the National Chemical Engineering Honor Society', '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.
+ ', 795, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a64ab953-dc2f-4cf7-a7e3-0bb30b4c2d83', 'Omega Phi Beta', '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 mu...', '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.', 399, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('04195ecb-dfc4-471d-bcd6-2fa7c2eea864', 'One for the World Northeastern', '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.', '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. ', 929, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d011384c-3ae6-4e86-9e51-679d16392b88', 'Operation Smile', '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 p...', '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.
+Please contact operationsmileneu@gmail.com for any inquires relating to our on-campus organization. ', 471, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('559de0ef-c693-4bc5-9e1e-c180a2db9ddf', 'Order of Omega', 'Honoring Greek leaders since 1959', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut.', 752, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7595327a-7d04-4051-9e31-c18bbc1b9f93', 'Origin', 'Origin is a student-run organization that works to increase the quantity and quality of ventures in Northeastern’s ecosystem that solve scientific & technological problems through outreach and speaker events that focus on STEM and business.', '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.', 248, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a5b30dec-634e-48ce-ae93-27dc79e9e295', 'Out in Business', '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.', '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. ', 735, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8ea64b97-d8c7-4908-8b77-07d0d37b22b4', 'Out in STEM at Northeastern University', 'Out in Science, Technology, Engineering, and Mathematics (oSTEM) is a national society dedicated to LGBTQIA education, advancement, and leadership in the STEM fields.', 'Out in Science, Technology, Engineering, and Mathematics (oSTEM) is a national society dedicated to LGBTQIA education, advancement, and leadership in the STEM fields.', 11, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d515203f-a941-40e0-901c-9ce69594da40', 'Pakistani Student Association', 'Pakistani Student Association', '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. ', 759, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4ffde10e-84c3-479f-8521-7b81291eea0b', 'Pan Asian American Council (Campus Resource)', '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.', '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.', 443, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e89c528f-7061-4f20-8aff-1e2fe41dd277', 'Panhellenic Council', '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*.', '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.
Panhellenic 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*.
-*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. ', 824, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Peace Through Play', '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.', '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.
+*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. ', 1017, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('000b728a-f500-4477-b126-37dc6755c9d8', 'Peace Through Play', '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.', '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.
Since 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.
As 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.
Please 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.
@@ -1218,94 +1226,93 @@ https://www.youtube.com/watch?v=Vx5eJHDoRJU
We have also been featured on Northeastern''s Follow Friday series, which you can view below.
-https://www.youtube.com/watch?v=4xTnI7B9D-Q', 837, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Phi Alpha Delta: International Legal Fraternity of Northeastern University Frank Palmer Speare Chapter', '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.', '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.', 1020, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Phi Beta Sigma Fraternity Inc.', '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, want...', '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.', 802, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Phi Delta Chi', '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 p...', '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!
+https://www.youtube.com/watch?v=4xTnI7B9D-Q', 200, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('90ccbc1d-27f4-46a1-8f85-8faac77998ed', 'Phi Alpha Delta: International Legal Fraternity of Northeastern University Frank Palmer Speare Chapter', '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.', '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.', 698, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('41ff6242-2b1b-42f6-bc3d-9a581ff1875b', 'Phi Beta Sigma Fraternity Inc.', '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, want...', '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.', 734, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b14ee1e6-20eb-409d-b686-1f45ef91e8fc', 'Phi Delta Chi', '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 p...', '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!
Each 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
-If you’re interested in joining our e-mail list for Fall 2023 Recruitment or have any questions, feel free to fill out this interest form or email Chris Oh, oh.ch@northeastern.edu or Eugene Song, song.eu@northeastern.edu', 72, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Phi Delta Epsilon Medical Fraternity', '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 medicine.', '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.', 688, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Phi Delta Theta', '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.', '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.', 891, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Phi Gamma Delta', '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.', '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.', 416, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Phi Lambda Sigma', '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.', '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.
+If you’re interested in joining our e-mail list for Fall 2023 Recruitment or have any questions, feel free to fill out this interest form or email Chris Oh, oh.ch@northeastern.edu or Eugene Song, song.eu@northeastern.edu', 632, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('61f561ea-cf4f-4df4-99b9-f3813fc1e01f', 'Phi Delta Epsilon Medical Fraternity', '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 medicine.', '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.', 986, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('738be169-3b77-48b5-8a3b-1284782ab973', 'Phi Delta Theta', '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.', '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.', 924, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('315430c9-2329-498b-b573-fd9d738fc91a', 'Phi Gamma Delta', '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.', '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.', 836, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c95c0c96-6eca-413a-a1a9-ece737b72abf', 'Phi Lambda Sigma', '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.', '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.
Phi 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.
-The 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.', 613, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Phi Sigma Rho', '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.', '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.
+The 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.', 97, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('38ae97fd-f259-40ef-9d99-c3d47fc44644', 'Phi Sigma Rho', '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.', '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.
If 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!
-If you would like to receive more information about Fall 2023 Recruitment, please fill out our interest form!', 195, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Pi Delta Psi Fraternity, Inc.', '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.', '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.', 872, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Pi Kappa Phi', '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.', '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.', 163, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('PIH Engage', 'Partners In Health Engage Northeastern (PIH Engage NEU) is building the right to health movement through advocacy, community building and fundraising. ', '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.
+If you would like to receive more information about Fall 2023 Recruitment, please fill out our interest form!', 923, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0d08a36f-e2e8-4baa-9961-9a91066bbdc9', 'Pi Delta Psi Fraternity, Inc.', '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.', '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.', 772, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c1f596cc-edfd-4d9e-a6e9-75e1be5fe6f3', 'Pi Kappa Phi', '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.', '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.', 665, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cdd41e78-f26d-4486-8428-50af81bfeb7e', 'PIH Engage', 'Partners In Health Engage Northeastern (PIH Engage NEU) is building the right to health movement through advocacy, community building and fundraising. ', '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.
We 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.
We educate by hosting discussion groups and public lectures about the right to health.
We generate resources to fund high quality healthcare for people living in poverty.
We advocate for global and domestic policies that further the right to health.
-Together, we demand the right to health be protected for all people, everywhere.', 7, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Pinky Swear Pack', '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.', 'If you would like to join our volunteer group, please email us!
-
-We 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. ', 805, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Pre-Physician Assistant Society', '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 prep...', '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.', 477, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Prehistoric Life Club', '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.', '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.', 204, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Private Equity & Venture Capital Club', '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. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos.', 71, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Progressive Student Alliance', 'United Students Against Sweatshops Local 115', '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.
+Together, we demand the right to health be protected for all people, everywhere.', 815, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('776867ec-4a46-4538-9cf2-0f30242117c7', 'Pinky Swear Pack', '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.', 'If you would like to join our volunteer group, please email us!
+
+We 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. ', 489, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d5b79ddc-085c-49fb-aade-484879c362b7', 'Pre-Physician Assistant Society', '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 prep...', '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.', 476, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c8deb762-2af1-4908-b36c-284c5564ee6d', 'Prehistoric Life Club', '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.', '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.', 401, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('278472f7-9b54-48af-a120-e89b64fe7cea', 'Private Equity & Venture Capital Club', '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. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest.', 243, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('67f913ac-fa80-43ab-9959-7db6829c7f1d', 'Progressive Student Alliance', 'United Students Against Sweatshops Local 115', '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.
Currently, PSA is organizing an anti-militarism campaign, focused on Northeastern''s relationship with the war industry (weapons manufacturers and other companies fueling violent conflict).
We''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.
We 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.
PSA also stands in solidarity with international campaigns. In 2017, we were successful in pressuring Northeastern to cut ties with Nike.
Collective Liberation is at the core of everything we do. We believe that no one can be truly free unless everyone is free.
-If 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.', 398, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Project Sunshine', '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.', '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.
-Through 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.', 74, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Psychedelic Club of Northeastern', '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.', '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.', 231, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Puerto Rican Student Association', 'Our purpose is to serve as a space where Puerto Rican students can share their culture and socialize. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis.', 540, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Rangila', '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.', '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.
-
-NU Rangila Promo Video 2022-2023', 724, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Resident Student Association', '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.', 'The purpose of the RSA is to serve as the official liaison between the students living in Northeastern University (herein “University” or “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 (herein “RAF”) is distributed; and to be the means by which the residence population affiliates itself with the NACURH Association of College and University Residence Halls, Inc. (herein “NACURH”).', 160, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Rethink Your Drink', '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.', '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.
+If 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.', 519, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0fdd2502-f9ac-47f7-b682-d850cbb00a11', 'Project Sunshine', '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.', '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.
+Through 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.', 365, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('62de6d99-5e24-4f4e-ac8d-5f78114ed06e', 'Psychedelic Club of Northeastern', '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.', '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.', 421, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('703b2d50-ca34-42f1-88fd-d6a76a4d1c02', 'Puerto Rican Student Association', 'Our purpose is to serve as a space where Puerto Rican students can share their culture and socialize. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut.', 699, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d9a0ad94-2ef0-418c-8782-26b0aead6386', 'Rangila', '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.', '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.
+
+NU Rangila Promo Video 2022-2023', 153, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3b455cd6-e727-4093-8b13-72f65b4ca65c', 'Resident Student Association', '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.', 'The purpose of the RSA is to serve as the official liaison between the students living in Northeastern University (herein “University” or “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 (herein “RAF”) is distributed; and to be the means by which the residence population affiliates itself with the NACURH Association of College and University Residence Halls, Inc. (herein “NACURH”).', 437, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('12ed0e84-d9a9-4869-9aad-9a65e2848913', 'Rethink Your Drink', '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.', '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.
Rethink 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.
Meetings: every other Monday 630-7pm on Zoom
Spring 2021 dates: 1/25, 2/8, 2/22, 3/8, 3/22, 4/5, 4/19
- ', 585, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Revolve Dance Crew', '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. ', '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.
-Revolve''s YouTube!', 117, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Rho Chi Beta Tau Chapter', 'Rho Chi is the official Pharmacy honor society and is recognized nationally.', 'Rho Chi is the official Pharmacy honor society and is recognized nationally.', 404, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Robotics Club of Northeastern University', '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/', '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.
-Click here to join our Discord!
-Additionally, 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:
-Kickoff Presentation Slides
-
-Advisors: Professor Rifat Sipahi & Professor Tom Consi', 626, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Roxbury Robotics of Northeastern University', 'Roxbury Robotics is a community outreach program for students driven to provide local Roxbury students with STEM education through service-learning.', '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.', 242, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Rural Health Initiatives', '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.', '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.
-TELEFRIEND - 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. ', 64, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Russian-Speaking Club', '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...', '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.', 150, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sandbox', 'Sandbox is Northeastern''s student-led software consultancy. We build software products for the Northeastern student body, nonprofits, and academic researchers.', '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.
+ ', 377, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cd64333f-4427-4dc2-b6a1-9f4fdb0288c9', 'Revolve Dance Crew', '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. ', '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.
+Revolve''s YouTube!', 712, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9cbdf867-0bb6-4de0-9fa9-6e10e72cf5c7', 'Rho Chi Beta Tau Chapter', 'Rho Chi is the official Pharmacy honor society and is recognized nationally.', 'Rho Chi is the official Pharmacy honor society and is recognized nationally.', 331, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2de63a27-37b5-4d95-be78-d8dbdd1f100b', 'Roxbury Robotics of Northeastern University', 'Roxbury Robotics is a community outreach program for students driven to provide local Roxbury students with STEM education through service-learning.', '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.', 472, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('26bae2ee-3440-4d9e-af87-6c1a3ce5da38', 'Rural Health Initiatives', '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.', '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.
+TELEFRIEND - 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. ', 128, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('42a91819-8db7-4101-895b-d11d9c4323c8', 'Russian-Speaking Club', '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...', '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.', 587, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('71a16e58-9554-4fa0-9ed9-50cc00ad0e47', 'Sandbox', 'Sandbox is Northeastern''s student-led software consultancy. We build software products for the Northeastern student body, nonprofits, and academic researchers.', '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.
Check out our Introduction video: https://www.youtube.com/watch?v=6h-77kEnbtI
Visit 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
-We recruit new members and take new projects every fall and spring semester. Check out our website https://sandboxnu.com to learn more.', 217, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sanskriti', 'Indian Students'' Association at Northeastern University.', '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.
-NU Sanskriti is one of the biggest Indian Students'' Associations in the United States catering to over 7900 active Indian students at Northeastern University.', 100, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Scandinavian Student Association', '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. ', '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.', 955, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Science Club for Girls Mentor Chapter at Northeastern', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id.', 964, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Secular Humanist Society', '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 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.
-Join our Mailchimp list! http://eepurl.com/gCj1yL', 619, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Security Club', '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 skills.', '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.
+We recruit new members and take new projects every fall and spring semester. Check out our website https://sandboxnu.com to learn more.', 416, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d5e74fe7-9690-4a58-82fd-60651c11395d', 'Sanskriti', 'Indian Students'' Association at Northeastern University.', '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.
+NU Sanskriti is one of the biggest Indian Students'' Associations in the United States catering to over 7900 active Indian students at Northeastern University.', 802, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('34ef3eba-5c43-4043-81ad-14eb73403ab7', 'Scandinavian Student Association', '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. ', '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.', 87, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1f95aade-ec51-4dc9-a6d3-f30061da7a4a', 'Science Book Club', '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!', '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!
+Visit our LinkTree for the meeting calendar and other important links!', 757, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('da55bf37-d749-4455-acc8-f66d09030305', 'Science Club for Girls Mentor Chapter at Northeastern', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At.', 307, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c2ce04d1-21f9-472d-a834-22aa0d7e3b35', 'Secular Humanist Society', '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 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.
+Join our Mailchimp list! http://eepurl.com/gCj1yL', 770, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4680d606-c552-4c3a-b6c6-64023a487380', 'Security Club', '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 skills.', '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.
Our 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.
-Please join our mailing list here and the NU Cybersecurity Discord Group here.', 721, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Senior Legacy Committee (Campus Resource)', '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 fello...', '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!', 987, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sexual and Gender Based Harassment and Title IX Hearing Board', 'TBD', 'TBD', 219, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sexual Assault Response Coalition', ' 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 in...', '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', 268, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('SGA Student Involvement', '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. ', '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.
+Please join our mailing list here and the NU Cybersecurity Discord Group here.', 119, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1724db4c-3b40-4599-9363-47015814027c', 'Senior Legacy Committee (Campus Resource)', '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 fello...', '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!', 227, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5ed30005-0954-4d8b-9a86-d86f1ae5a6f8', 'Sewing Club', 'NUSews is Northeastern’s all inclusive sewing club, dedicated to creating a welcoming environment for sewers of all levels! ', '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!
+Join our Discord: https://discord.gg/dngrvhMt8f
+Follow us on Instagram: https://www.instagram.com/northeasternsews/', 671, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d183ff11-b868-4fda-b32b-4c576b5fc293', 'Sexual and Gender Based Harassment and Title IX Hearing Board', 'TBD', 'TBD', 1018, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d8c8678d-6249-4c1e-9cb5-495152c45c97', 'Sexual Assault Response Coalition', ' 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 in...', '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', 437, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e7906327-8a83-4534-912a-231f96c3cdd2', 'SGA Student Involvement', '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. ', '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.
The 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.
SGA 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.
-Please apply here: https://forms.gle/BjshAfbtNRWVVRkz8', 955, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('SHRM Student Chapter', 'NU SHRM Student Chapter is 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. ', '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.
+Please apply here: https://forms.gle/BjshAfbtNRWVVRkz8', 990, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('640ebbb7-1bec-4de2-a090-2ebf00586096', 'SHRM Student Chapter', 'NU SHRM Student Chapter is 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. ', '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.
We 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.
@@ -1328,22 +1335,22 @@ Discounts for HRM/business management publication and SHRM logo products at onli
-If you are interested in joining our NU SHRM Student Chapter, send us an email at shrm@northeastern.edu', 742, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sigma Beta Rho Fraternity Inc.', '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. ', '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.
+If you are interested in joining our NU SHRM Student Chapter, send us an email at shrm@northeastern.edu', 117, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4ea418ae-291b-448e-8c8f-dcb8118968c5', 'Sigma Beta Rho Fraternity Inc.', '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. ', '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.
The 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.
-In 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.', 679, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sigma Delta Pi', 'National Hispanic Honor Society', 'Sigma Delta Pi is the National Collegiate Hispanic Honors Society (more information here:https://sigmadeltapi.org/about/our-history-and-mission/).
+In 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.', 393, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e4f2d8c9-5046-4077-ae5f-9ecb392fe3cf', 'Sigma Delta Pi', 'National Hispanic Honor Society', 'Sigma Delta Pi is the National Collegiate Hispanic Honors Society (more information here:https://sigmadeltapi.org/about/our-history-and-mission/).
Established 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.
Our 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.
Application 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.
-Cultural 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! ', 605, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sigma Delta Tau, Gamma Mu', '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.', '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.', 236, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sigma Kappa', '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 commu..', '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.', 957, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sigma Phi Epsilon', '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 Northeastern', '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.', 824, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sigma Psi Zeta Sorority, Inc.', '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.', '
+Cultural 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! ', 395, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b18b2faa-12c3-482a-940a-8901eb9e46e6', 'Sigma Delta Tau, Gamma Mu', '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.', '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.', 544, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f8d28144-be78-4268-a8e6-ce1a029f5bfd', 'Sigma Kappa', '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 commu..', '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.', 691, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3f9f9db7-7245-482f-92d7-e081af33a45c', 'Sigma Phi Epsilon', '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 Northeastern', '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.', 851, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9a17409a-710a-4c99-81c1-9a2e2eb972ab', 'Sigma Psi Zeta Sorority, Inc.', '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.', '
@@ -1399,13 +1406,13 @@ We are the Alpha Upsilon Charter of Sigma Psi Zeta Sorority, Inc. at Northeaster
-', 824, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sigma Sigma Sigma', '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.', '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!', 778, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sigma Xi', '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 condition.', '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.
+', 768, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('12c49118-10d4-4333-a002-f04ef137f5ac', 'Sigma Sigma Sigma', '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.', '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!', 666, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4a833d0c-36ed-4bb4-8475-9964dc56f5fc', 'Sigma Xi', '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 condition.', '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.
Students 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.
-We 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. ', 443, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Signing Huskies at Northeastern University', '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. ', '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. ', 777, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Silver Masque', '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. ', '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.
+We 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. ', 994, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('28e3f350-aa71-4db2-ac9a-c6755bfcc5e9', 'Signing Huskies at Northeastern University', '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. ', '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. ', 168, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0f0bdf5b-5909-4192-9a41-909d285738fd', 'Silver Masque', '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. ', '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.
Silver Masque offers opportunities in the following: acting, playwriting, directing, theatrical design, stage management, run crew, and more depending on programming.
Core Values:
@@ -1414,9 +1421,9 @@ Share new stories and voices
Cultivate meaningful relationships between emerging artists
Ensure a safe and respectful production environment
Build a welcoming creative community
-', 645, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sisters in Solidarity', '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.', '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.', 663, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Skateboarding Club', 'We are the official club on campus for all skateboarding enthusiasts!', '
+', 736, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1a61755c-b1e0-44b0-96fa-ce52114f6eca', 'Sisters in Solidarity', '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.', '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.', 863, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8d47563d-2ae0-4ca1-8dba-f8725a6b741c', 'Skateboarding Club', 'We are the official club on campus for all skateboarding enthusiasts!', '
We are Northeastern''s official organization for all skateboarding enthusiasts!
@@ -1426,10 +1433,10 @@ Our organization is open to skaters of all skill levels and backgrounds! Whether
Some 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!
-', 448, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Slow Food NU', '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. ', '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."
-Slow 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.', 757, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Society of Asian Scientists and Engineers', '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.', '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!
+', 571, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('64321798-7130-49b8-a1d4-42fdbbd88b23', 'Slow Food NU', '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. ', '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."
+Slow 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.', 673, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d83ea925-71e9-4d0a-b54d-e94ca5ab6b9b', 'Society of Asian Scientists and Engineers', '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.', '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!
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. In addition to professional development, SASE also encourages members to contribute to the enhancement of the communities in which they live through community service.
@@ -1438,9 +1445,9 @@ SASE’s mission is to:
- Celebrate diversity on campuses and in the workplace
- Provide opportunities for members to make contributions to their local communities
-SASE 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!', 905, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Society of Hispanic Professional Engineers', '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 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.', 79, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Society of Physics Students', '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!', '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!
+SASE 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!', 68, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e7f41afc-3a0f-4550-9543-c105af114758', 'Society of Hispanic Professional Engineers', '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 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.', 1017, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('fa6ff4d8-4d32-4e83-bff1-7a64b9f4eca7', 'Society of Physics Students', '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!', '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!
In 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.
@@ -1448,104 +1455,109 @@ Our members are not uniquely physics majors: all who are interested in physics a
Join us on Wednesdays @ 12 PM in 206 Egan!
-Sign up for our email list here !', 26, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Society of Women Engineers', '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.', 'Meetings are weekly on Wednesdays from 8 to 9pm. ', 839, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sojourn Christian Collegiate Ministry NEU', '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!', '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.
+Sign up for our email list here !', 847, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('51b98463-d944-4724-a0ef-706b0a8673e9', 'Society of Women Engineers', '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.', 'Meetings are weekly on Wednesdays from 8 to 9pm. ', 24, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8ffbe108-6351-4329-8323-e0747272203c', 'Sojourn Christian Collegiate Ministry NEU', '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!', '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.
If 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.
-Join us for the adventure; it''s going to be a great year!', 193, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Solar Decathlon', '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.', '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.
+Join us for the adventure; it''s going to be a great year!', 649, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2b654172-6aae-4fdf-8566-5d4b59fe2143', 'Solar Decathlon', '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.', '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.
The 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.
Open 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.
-', 801, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Spark', '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! ', '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!
-Spark is made up of an eboard containing roles that fall under: Exhibitions, Events, Finance, and Media. We typically assign roles based on quick applications and interviews that consider members'' preferences and skills. All are welcome at our meetings, and please reach out by email or socials with any questions. ', 737, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Spectrum Literary Arts Magazine', '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 community.', '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.', 946, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Splash at Northeastern', '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.', '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.
-A 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.', 86, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Spoon University - Northeastern', '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.', '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.
-If 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!', 993, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sports Business & Innovation Network', 'Northeastern University''s premier organization lying at the intersection of sports, business, and technology.', 'Sports Business & Innovation Network strives to:
+', 597, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('10ed4874-e6cd-494c-a44c-787bc91c5284', 'Spark', '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! ', '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!
+Spark is made up of an eboard containing roles that fall under: Exhibitions, Events, Finance, and Media. We typically assign roles based on quick applications and interviews that consider members'' preferences and skills. All are welcome at our meetings, and please reach out by email or socials with any questions. ', 175, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e5a9c4dc-26ff-4023-92a7-b8ebe57bb25a', 'Spectrum Literary Arts Magazine', '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 community.', '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.', 897, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8d2c8ed9-3856-4f70-b2a3-e8c0cf7a3239', 'Splash at Northeastern', '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.', '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.
+A 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.', 658, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ab82fdf2-9f96-42cf-ac1d-ffbf08e08adc', 'Spoon University - Northeastern', '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.', '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.
+If 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!', 583, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2269862b-3bf7-4d0a-99e3-d14c9e6a6ff3', 'Sports Business & Innovation Network', 'Northeastern University''s premier organization lying at the intersection of sports, business, and technology.', 'Sports Business & Innovation Network strives to:
- Educate the future leaders of our community
- Connect with the industry professionals
- Innovate towards the future of sports
- Empower our peers to pursue opportunities
-Join our mailing list to learn about opportunities within the club! https://tr.ee/MzsoaurA0k', 717, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('STEMout', '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 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.', 424, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Stepping On Another Level', '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 team!', '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 !', 458, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Strong Women, Strong Girls', '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 progr...', '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.', 730, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Activities Business Office (Campus Resource)', '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.', '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.', 410, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Affiliates of School Psychology', '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 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.', 422, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Affiliates of the American Chemical Society', '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. ', '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.', 147, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Alliance for Prison Reform', '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!', '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.
+Join our mailing list to learn about opportunities within the club! https://tr.ee/MzsoaurA0k', 591, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('c6cce99b-146f-4703-a911-7ec207169c41', 'STEMout', '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 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.', 173, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9685965f-74cb-4050-999d-2808b9130c68', 'Stepping On Another Level', '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 team!', '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 !', 971, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('243a1ccd-c075-4046-9bb3-b6f24367c65b', 'Strong Women, Strong Girls', '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 progr...', '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.', 939, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ffd587bf-c3ba-49cc-acc7-f87047961f8b', 'Student Activities Business Office (Campus Resource)', '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.', '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.', 704, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e908c6ea-b071-41f0-ad2f-5cb79c4b8aa8', 'Student Affiliates of School Psychology', '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 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.', 321, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2949b989-64a4-4dc8-b390-15ddc261aea0', 'Student Affiliates of the American Chemical Society', '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. ', '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.', 254, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('824005f5-89c4-4916-a6c7-881319c5df62', 'Student Alliance for Prison Reform', '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!', '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.
Our 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.
-As 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!', 338, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Bar Association', 'The SBA represents the interests of the entire NUSL student body through effective and dedicated student representation. ', '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. ', 807, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Conduct Board (Campus Resource)', 'The Student Conduct Board hears cases involving undergraduate, graduate, Law, and Professional students who have allegedly violated the Code of Student Conduct.', '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!', 574, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Garden Club', 'Pending', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus.', 348, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Government Association', 'The Student Government Association serves as the voice of the undergraduate student body and exists to enhance your Northeastern Experience.', '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.
-Follow us on Instagram at @northeasternsga, @sgacampuslife, and @sgastudentlife', 378, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student National Pharmaceutical Association', '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.', '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.
-The best way to stay updated is to check out our Instagram @nuspha.', 769, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Nurse Anesthetist Association', '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 ...', '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.', 987, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Organ Donation Advocates at Northeastern', '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. ', '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. ', 378, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Value Fund', '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. ', '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.
-As 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.', 265, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Student Veterans Organization', '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', '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.
-Check out our website at northeastern.edu/SVO and like us on Facebook @ https://www.facebook.com/NUStudentVets/ for the latest news, events, and initiatives!', 650, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Students for Justice in Palestine', '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 occup...', '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', 77, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Students for the Exploration and Development of Space of Northeastern University', '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.', '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:
+As 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!', 1012, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('01ea824f-fa94-4a43-89e3-7355ff791068', 'Student Bar Association', 'The SBA represents the interests of the entire NUSL student body through effective and dedicated student representation. ', '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. ', 193, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0dc62153-857b-460f-8552-337b7dcde24f', 'Student Conduct Board (Campus Resource)', 'The Student Conduct Board hears cases involving undergraduate, graduate, Law, and Professional students who have allegedly violated the Code of Student Conduct.', '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!', 628, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9cbd7383-5525-4823-b16c-eb82d1ff8f56', 'Student Garden Club', 'Pending', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari.', 450, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('d20df250-a58b-494c-8d53-3b634c4a4fd9', 'Student Government Association', 'The Student Government Association serves as the voice of the undergraduate student body and exists to enhance your Northeastern Experience.', '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.
+Follow us on Instagram at @northeasternsga, @sgacampuslife, and @sgastudentlife', 932, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4286257d-e326-42cc-9237-4488e0334f85', 'Student National Pharmaceutical Association', '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.', '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.
+The best way to stay updated is to check out our Instagram @nuspha.', 860, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('02c11e49-0d24-43ac-bae5-10aa7cbcf40a', 'Student Nurse Anesthetist Association', '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 ...', '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.', 22, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('21c437ca-0b0e-44ae-99af-0c29f92baf3b', 'Student Organ Donation Advocates at Northeastern', '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. ', '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. ', 29, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('266f6e9d-a844-451a-a884-fc3d589ccb64', 'Student Value Fund', '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. ', '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.
+As 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.', 37, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9f7ac9bb-7cda-4f31-ae6b-90a9276b6567', 'Student Veterans Organization', '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', '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.
+Check out our website at northeastern.edu/SVO and like us on Facebook @ https://www.facebook.com/NUStudentVets/ for the latest news, events, and initiatives!', 395, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('109f7477-80b9-456a-893b-8fd2387433ec', 'Students Demand Action at NEU ', '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. ', '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. ', 684, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('aa96ff50-eb4d-47af-9bce-de9facca555b', 'Students for Justice in Palestine', '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 occup...', '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', 607, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('db80a0a2-c0c3-42e5-8abb-bdc5e5027d2f', 'Students for the Exploration and Development of Space of Northeastern University', '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.', '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:
Section 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.
Section 2: To create an organization that encourages the participation of students from all identities, backgrounds, and majors within the Northeastern community.
Section 3: To develop a community of students researchers to facilitate the exchange of expertise and ideas, and provide support to student research teams.
Section 4: To create a platform in which undergraduates can participate in space-related fields by creating networking opportunities with relevant organizations.
Videos:
Summer Involvement Fair Info Presentation:
-https://youtu.be/dWZhef9J_7U', 825, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Students to Seniors', '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 connec...', '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.', 643, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Studio Art Club', '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!', '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!', 531, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sunrise Northeastern', '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 communities.', '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.', 752, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Surf Club', '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!', '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!
+https://youtu.be/dWZhef9J_7U', 750, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ec22fe3c-cee6-40e2-aca7-bb4f926238c4', 'Students to Seniors', '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 connec...', '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.', 498, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('13eb579f-3bca-4a52-8bed-a0041195e511', 'Studio Art Club', '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!', '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!', 994, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('afc808d7-cc96-4617-9226-25ea292334d2', 'Sunrise Northeastern', '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 communities.', '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.', 1023, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('f871dfb8-3bda-4baa-a7dd-88eeaef7349a', 'Super Smash Bros Club', 'Fosters a friendly community for competition in games in the Super Smash Bros Franchise', 'Hello!
+We 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.
+Ultimate
+Melee', 356, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a7499ff8-62ce-4ec3-bfa5-7be7104c24a5', 'Surf Club', '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!', '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!
Join our Slack channel to get involved:
-https://join.slack.com/t/nusurf/shared_invite/zt-10r3a4f9g-XfenbaKDGIqRvllHoX06qQ', 261, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Survivor: Northeastern', 'Survivor: Northeastern brings together students of all ages, majors, and backgrounds to compete in a semester-long competition, in replica of CBS’s reality series, Survivor. Members may join as a player or as member of the production team.', '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.
+https://join.slack.com/t/nusurf/shared_invite/zt-10r3a4f9g-XfenbaKDGIqRvllHoX06qQ', 665, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9c8c64b7-2584-4933-b6c7-857c608810b7', 'Survivor: Northeastern', 'Survivor: Northeastern brings together students of all ages, majors, and backgrounds to compete in a semester-long competition, in replica of CBS’s reality series, Survivor. Members may join as a player or as member of the production team.', '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.
https://www.youtube.com/watch?v=KfbyEAurZvA
Our 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.
The 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.
-Please visit our social media outlets, YouTube page, and website below to learn more about the club!', 722, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Sustainable Transportation @ Northeastern ', '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.', '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.
+Please visit our social media outlets, YouTube page, and website below to learn more about the club!', 353, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('951f0a8e-057e-4de5-a294-abdbbc97b2a0', 'Sustainable Transportation @ Northeastern ', '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.', '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.
Join our email list: http://eepurl.com/hqvuj5
-Our full calendar is here: https://calendar.google.com/calendar/u/0?cid=bmV1Lml0ZUBnbWFpbC5jb20', 243, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Suzanne B. Greenberg Physician Assistant Student Society of Northeastern University', 'This society was created to guide PA students in the pursuit of integrity, professionalism, and excellence as future certified Physician Assistants and healthcare practitioners.', 'This society was created to guide PA students in the pursuit of integrity, professionalism, and excellence as future certified Physician Assistants and healthcare practitioners.', 941, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Systematic Alpha', 'Systematic Alpha is a interdisciplinary quantitative finance club that combines elements of Data Science, Finance, and Math', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua.', 990, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Taiwanese American Student Association', '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. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus.', 530, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('TAMID Group at Northeastern University', '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.', '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.
-Fill out our interest form here to receive updates on the Spring 2024 recruitment process!', 191, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Tastemakers Magazine', '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? ', '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.
+Our full calendar is here: https://calendar.google.com/calendar/u/0?cid=bmV1Lml0ZUBnbWFpbC5jb20', 667, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e3ee1c51-9efe-4723-9eed-a1398499102d', 'Suzanne B. Greenberg Physician Assistant Student Society of Northeastern University', 'This society was created to guide PA students in the pursuit of integrity, professionalism, and excellence as future certified Physician Assistants and healthcare practitioners.', 'This society was created to guide PA students in the pursuit of integrity, professionalism, and excellence as future certified Physician Assistants and healthcare practitioners.', 457, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('11495cd4-35a3-4257-a424-9dc9542e655c', 'Systematic Alpha', 'Systematic Alpha is a interdisciplinary quantitative finance club that combines elements of Data Science, Finance, and Math', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen.', 217, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8d84e676-6f87-47c3-aceb-1143353aa94b', 'Taiwanese American Student Association', '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. ', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere.', 974, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('049e7f2a-667e-4ae3-8643-9df0f987a3cc', 'TAMID Group at Northeastern University', '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.', '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.
+Fill out our interest form here to receive updates on the Spring 2024 recruitment process!', 308, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5e5d037b-33f7-41e4-aae2-1d15caf89e49', 'Tastemakers Magazine', '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? ', '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.
Here 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!).
We 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.
-If you want to learn more, sign up to hear from us and check out the discussion section below. ', 749, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('TEDxNortheasternU', '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.', '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.', 446, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Thai Society of Northeastern University', ' 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.', 'Thai club at Northeastern aims to increase the students'' morale across the Boston campus. ', 325, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The American Red Cross of Northeastern University', '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...', '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.
+If you want to learn more, sign up to hear from us and check out the discussion section below. ', 692, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'TEDxNortheasternU', '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.', '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.', 878, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('fe1fc58b-1b02-46d3-82e0-7b6133920596', 'Thai Society of Northeastern University', ' 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.', 'Thai club at Northeastern aims to increase the students'' morale across the Boston campus. ', 620, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1e3c44b9-e5c3-46e8-a639-ca33b61a3b06', 'The American Red Cross of Northeastern University', '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...', '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.
The 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!
Join our weekly mailing list and check out our social media to stay up to date!
-Visit our website to find out more information about Northeastern''s Chapter of the American Red Cross.', 456, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Avenue Magazine', '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 magazine.', '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.
+Visit our website to find out more information about Northeastern''s Chapter of the American Red Cross.', 543, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('dbee8c38-1dcb-43a4-a723-9128e00d4e74', 'The Avenue Magazine', '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 magazine.', '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.
-Follow us on Instagram to stay updated: @theavenuemag. General meetings are Thursdays at 7:00 P.M. EST', 946, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Business and Innovative Technologies Club', '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 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', 580, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Data Science Hub at Northeastern', 'The Data Science Hub is a community for graduate students to share knowledge, do data science, and network together.', '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.
+Follow us on Instagram to stay updated: @theavenuemag. General meetings are Thursdays at 7:00 P.M. EST', 521, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('708bdd7d-7663-4906-bfc8-01dec0c2c1d1', 'The Business and Innovative Technologies Club', '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 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', 860, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('689c53ff-8831-45bc-85bc-333b2c519315', 'The Data Science Hub at Northeastern', 'The Data Science Hub is a community for graduate students to share knowledge, do data science, and network together.', '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.
CLUB LEADERSHIPS:
PresidentParas Varshney
@@ -1553,8 +1565,8 @@ TreasurerAby Binu
Scheduling CoordinatorSoham Shinde
Advisor NameCailyn Kelley
Organization Emailnudatasciencehub@gmail.com
-', 479, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Downbeats', '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’re dedicated to making music not only as friends but as a family too.', '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.
+', 700, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('55f8c321-f8eb-44f5-884d-1074f8f5fdcc', 'The Downbeats', '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’re dedicated to making music not only as friends but as a family too.', '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.
Throughout 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.
@@ -1562,20 +1574,20 @@ We have also competed and performed all over the state of Massachusetts and New
Each 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.
-Check out our website for more info about us!', 111, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The END Initiative at Northeastern University', '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', '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.', 330, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Fashion Society', '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 r...', '*Follow our Instagram: @northeasternfashion to get the latest updates on meetings!*
-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 relations. We look forward to a productive semester and look forward to working with all of you.', 270, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Francophone Club of Northeastern University', '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.', '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!', 15, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Interdisciplinary Women''s Council', 'The Interdisciplinary Women''s Collaborative is the university''s first trilateral student organization dedicated to promoting and sustaining gender equality at Northeastern.', '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.
-The 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.', 586, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Interrobang Poets', 'The Interrobang Poets forms the basis of the slam poetry community on Northeastern’s 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!', '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.', 933, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The National Society of Black Women in Medicine', 'NSBWM is a multi-disciplined national organization that promotes the recruitment and retention of Black
-women pursuing broad careers in medicine, while promoting the advancement of those already established in these fields through unity and mentorship.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat.', 541, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Northeastern Debate Society', '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.', '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!
+Check out our website for more info about us!', 252, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ae64b3e5-eca0-4132-99f0-591acd596444', 'The END Initiative at Northeastern University', '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', '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.', 922, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3b90e072-3b8f-4ffe-a9de-aeba221ccbc7', 'The Fashion Society', '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 r...', '*Follow our Instagram: @northeasternfashion to get the latest updates on meetings!*
+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 relations. We look forward to a productive semester and look forward to working with all of you.', 785, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('68a33ba8-3884-4edc-b5b5-18af58d5742b', 'The Francophone Club of Northeastern University', '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.', '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!', 93, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a1647127-0f8e-4ac8-9eaf-6aad2f3d7f3f', 'The Interdisciplinary Women''s Council', 'The Interdisciplinary Women''s Collaborative is the university''s first trilateral student organization dedicated to promoting and sustaining gender equality at Northeastern.', '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.
+The 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.', 852, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('2837a5e9-cf29-44ff-bd59-0b0f30587249', 'The Interrobang Poets', 'The Interrobang Poets forms the basis of the slam poetry community on Northeastern’s 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!', '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.', 97, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('dc723ff1-c79a-43f6-b2b4-7838fdc6d60f', 'The National Society of Black Women in Medicine', 'NSBWM is a multi-disciplined national organization that promotes the recruitment and retention of Black
+women pursuing broad careers in medicine, while promoting the advancement of those already established in these fields through unity and mentorship.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim.', 676, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5afbba4c-8f4b-4522-9799-c54b7f8e67fe', 'The Northeastern Debate Society', '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.', '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!
We host two optional meetings weekly, on Monday and Wednesday at 8pm. You can sign up for our mailing list to receive more information here.
- ', 503, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Ortelian Society', 'The Ortelian Society is Northeastern’s premier undergraduate society dedicated to Classical and heterodox thought.', '"Alles, was tief ist, liebt die Maske.” - Friedrich Nietzsche, Beyond Good and Evil
+ ', 300, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('4b45730b-c260-4b53-acd7-d14ab38897a6', 'The Ortelian Society', 'The Ortelian Society is Northeastern’s premier undergraduate society dedicated to Classical and heterodox thought.', '"Alles, was tief ist, liebt die Maske.” - Friedrich Nietzsche, Beyond Good and Evil
The Ortelian Society is Northeastern’s premier undergraduate society dedicated to Classical and heterodox thought.
@@ -1587,20 +1599,21 @@ The OS devotes itself to the investigation of the heterodox ideas underexplored
-', 662, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Red & Black', '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. ', 'Watch our General Interest Meeting here: https://www.youtube.com/watch?v=9ceCwyYggVw
+', 844, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('dc4ee612-24b8-4225-ab5e-8ecea5de42e0', 'The Red & Black', '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. ', 'Watch our General Interest Meeting here: https://www.youtube.com/watch?v=9ceCwyYggVw
The 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!
The 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.
-To 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 ', 918, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Student Osteopathic Medical Association', '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.', '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.', 17, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Sustainable Innovation Network', 'Empowering students to spark change through for-profit, for-impact startups that make less "SIN" in the world. ', '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. ', 497, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('The Undergraduate Research Club', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est.', 954, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Times New Roman', '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!', '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!
-Check out our website to see all of our content as well as the efforts of wix to get you to spend money: nutnr.com ', 910, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Transfer Student Organization', 'Come meet other transfer students and learn about Boston and Northeastern!', '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.', 241, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Trash2Treasure', '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.', '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.', 697, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Treble on Huntington A Cappella Group', 'Treble on Huntington is Northeastern University''s first women''s a cappella group.', '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.
+To 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 ', 679, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1986e22f-cda0-4aac-b55c-ec65d10be089', 'The Student Osteopathic Medical Association', '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.', '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.', 723, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('fab38b38-defc-4972-9dd9-cfe0e8d6975f', 'The Sustainable Innovation Network', 'Empowering students to spark change through for-profit, for-impact startups that make less "SIN" in the world. ', '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. ', 716, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('b5cf4e8f-7f12-41c0-95be-97a23498de39', 'The Undergraduate Research Club', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et.', 591, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('435edece-3d0f-4fbd-b9dc-d822211f1795', 'Theme Park Engineering Club', '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.', '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!', 997, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e07fefd0-401c-4e6e-b281-63889ee4c8f9', 'Times New Roman', '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!', '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!
+Check out our website to see all of our content as well as the efforts of wix to get you to spend money: nutnr.com ', 499, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e05a70ce-78b3-4005-a34c-05a99e75f2b0', 'Transfer Student Organization', 'Come meet other transfer students and learn about Boston and Northeastern!', '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.', 5, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('cf1ffbce-72b0-4031-910f-463e3295306b', 'Trash2Treasure', '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.', '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.', 985, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1fdd15ba-0a39-4ee0-a96a-fcb45b5e1f2d', 'Treble on Huntington A Cappella Group', 'Treble on Huntington is Northeastern University''s first women''s a cappella group.', '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.
Be sure to check out their EP Aura, along with all of their other released music, on all streaming platforms now.
@@ -1609,63 +1622,79 @@ Treble on Huntington is holding Fall 2024 auditions in September! Be sure to fo
- Want to ask us a question, click here.
- Want to be added to an email list to get updates on auditions as they approach, click here.
-We are so excited to hear your beautiful voices! :)', 316, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Trivia Club', 'Join us weekly for fun trivia nights, game show nights, and more!', '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.
+We are so excited to hear your beautiful voices! :)', 165, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7d28efab-8205-4f4e-91d1-f02f7129c6d1', 'Trivia Club', 'Join us weekly for fun trivia nights, game show nights, and more!', '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.
We 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.
Every 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!
Please fill out this form if you would like to be included in our email list: http://eepurl.com/h-W1ZP
-Groupme, our main communication platform: https://web.groupme.com/join_group/93683454/vJZNo1Kt', 140, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Turkish Student Association', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem.', 953, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Ukrainian Cultural Club of Northeastern University', '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 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.', 965, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Undergraduate Global Health Initiative', '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 ', '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). ', 89, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('UNICEF at Northeastern', 'UNICEF at Northeastern advocates to educate the Northeastern community about UNICEF''s work to protect the rights of children around the world. In addition to raising awareness, we also raise funds to contribute towards UNICEF''s most important projects.', '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.', 111, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Unicycling at Northeastern Club', '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!
+Groupme, our main communication platform: https://web.groupme.com/join_group/93683454/vJZNo1Kt', 595, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7e2c747a-20c2-42a0-923d-b02596ba61eb', 'Turkish Student Association', '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.', 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus, fieri tamen permagna accessio potest, si aliquod aeternum et infinitum impendere malum nobis opinemur. Quod idem licet transferre in voluptatem, ut postea variari voluptas distinguique possit, augeri amplificarique non possit. At etiam Athenis, ut e patre audiebam facete et urbane Stoicos irridente, statua est in quo a nobis philosophia defensa et collaudata est, cum id, quod maxime placeat, facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut.', 556, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('dc89d3a0-2567-4a0c-8bfb-777ad0548f08', 'Ukrainian Cultural Club of Northeastern University', '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 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.', 662, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5beff881-a080-472f-bba6-252c487411b5', 'Undergraduate Global Health Initiative', '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 ', '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). ', 773, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a2e03d6b-8e8e-4f5c-aac3-568d9f1e216b', 'UNICEF at Northeastern', 'UNICEF at Northeastern advocates to educate the Northeastern community about UNICEF''s work to protect the rights of children around the world. In addition to raising awareness, we also raise funds to contribute towards UNICEF''s most important projects.', '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.', 595, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6f6a18cb-0eaf-46d5-abff-3df7b6bc0905', 'Unicycling at Northeastern Club', '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!
', '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!
-https://linktr.ee/neunicyclers?utm_source=linktree_profile_share<sid=fb05dda1-492a-484e-848d-51da44e308a0', 841, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('United Against Inequities in Disease', '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. ', '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.', 770, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('University Health and Counseling Services (Campus Resource)', '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 medica...', '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.', 652, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('UTSAV - South Asian Organization', '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.', '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!
-
-This is a UNDERGRADUATE STUDENT only organization.', 736, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Vietnamese Student Association', '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!', '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!', 849, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Virtual Reality Organization of Northeastern University', 'NUVR aims to utilize the latest technologies to 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.', '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
+https://linktr.ee/neunicyclers?utm_source=linktree_profile_share<sid=fb05dda1-492a-484e-848d-51da44e308a0', 848, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('74b314aa-8d9b-4e8f-b1a0-334bef84f6a2', 'United Against Inequities in Disease', '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. ', '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.', 463, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('df811c85-80fc-4511-9831-3e36f99b7475', 'University Health and Counseling Services (Campus Resource)', '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 medica...', '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.', 285, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('10de4e4b-cf65-4851-837e-e1a837bee291', 'UTSAV - South Asian Organization', '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.', '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!
+
+This is a UNDERGRADUATE STUDENT only organization.', 720, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('24989cc7-f9c5-4c31-a86f-26d78cd1d493', 'Vietnamese Student Association', '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!', '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!', 4, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('71f1fe68-a5f2-426e-ba86-49097d0ff19a', 'Virtual Reality Organization of Northeastern University', 'NUVR aims to utilize the latest technologies to 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.', '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
You can also follow our Instagram: @northeastern_vr to get weekly updates about our meetings
-See you soon!', 169, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ViTAL: Northeastern''s Healthcare Innovation Core', '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.', '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. ', 850, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Wildlife/Ecology Club', 'A club dedicated to preserving ecological diversity and educating the Northeastern student population around issues of ecology. ', '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. ', 894, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Wireless Club', '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.', '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.', 25, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women in Business', '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.', '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.
+See you soon!', 1002, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('bf9c2002-3031-4130-ab05-a0b38276a357', 'ViTAL: Northeastern''s Healthcare Innovation Core', '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.', '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. ', 816, false, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ebe181ef-dbb5-4187-a6a8-d5d872ee7ba1', 'Wildlife/Ecology Club', 'A club dedicated to preserving ecological diversity and educating the Northeastern student population around issues of ecology. ', '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. ', 918, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('0b75b508-e029-4e9c-ab09-cef7d3cab57b', 'Wireless Club', '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.', '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.', 448, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('7042f2e8-290c-463d-8e24-64bde5e2466c', 'Women in Business', '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.', '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.
Professional 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!
InspirationPrepare 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.
MentorshipOur 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.
CommunityAt 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.
-Joining 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!', 239, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women in CyberSecurity', '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.', '***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!***
+Joining 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!', 45, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('a93e11ea-16d5-4d71-af49-fb4a20fb3aef', 'Women in CyberSecurity', '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.', '***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!***
WiCyS 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.
Our 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.
Our 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.
- ', 476, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women in Economics', '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.', '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.
+ ', 240, false, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('e6481912-d453-407b-adb6-ba19923583a4', 'Women in Economics', '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.', '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.
We 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.
With 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.
-We welcome all to join Women in Economics regardless of major. ', 509, true, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women in Music Northeastern', '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. ', '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. ', 299, true, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women in the Enterprise of Science and Technology at Northeastern', '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.', '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.', 585, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women''s and Nonbinary Club Ultimate Frisbee', '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!', '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', 600, false, 'fall', 'unrestricted', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women''s Club Basketball', '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.
-', '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.', 945, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women''s Club Ice Hockey', '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 ...', '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.', 720, true, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women''s Club Lacrosse', 'Last year, the Northeastern Women''s Lacrosse team made it to the NEWLL regional playoffs, but fell to Boston College in the semifinals. The team also traveled to Clemson to play some of the best teams in the country. We are a competitive team with grea...', 'Last year, the Northeastern Women''s Lacrosse season was cut short due to Covid-19, however had an outstanding year in 2019. The team beat their biggest competitor. Boston College, in the Semifinals, making it to the National Tournament hosted in Virginia Beach for the first time in years. NUWLAX also traveled to Colorado to play some of the best teams in the country, going 4/4 that weekend. We are a competitive team with great chemistry and a force to be reckoned with.', 925, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women''s Club Water Polo', '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!', '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! ', 361, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Women''s Interdisciplinary Society of Entrepreneurship', 'WISE is a student-led organization dedicated to supporting womxn interested in exploring entrepreneurship through interdisciplinary workshops, mentorship pairings, and startup classes.', '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).
+We welcome all to join Women in Economics regardless of major. ', 561, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('ef1d5437-6517-449c-ae63-bbdc9efcf072', 'Women in Music Northeastern', '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. ', '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. ', 795, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('3b52d066-d220-459a-9f0c-e9231594aeb8', 'Women in the Enterprise of Science and Technology at Northeastern', '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.', '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.', 522, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('35ebafdf-25e9-4ad3-a5f5-9ba9b23cf9af', 'Women''s and Nonbinary Club Ultimate Frisbee', '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!', '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', 442, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('78631749-eaa4-487a-8a53-a8b0c35c0d1a', 'Women''s Club Basketball', '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.
+', '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.', 426, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('8bf1ab81-7574-42f3-86a7-594d26127889', 'Women''s Club Ice Hockey', '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 ...', '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.', 620, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('5efd674c-af9d-4562-bb9e-e68d9426703a', 'Women''s Club Lacrosse', 'Last year, the Northeastern Women''s Lacrosse team made it to the NEWLL regional playoffs, but fell to Boston College in the semifinals. The team also traveled to Clemson to play some of the best teams in the country. We are a competitive team with grea...', 'Last year, the Northeastern Women''s Lacrosse season was cut short due to Covid-19, however had an outstanding year in 2019. The team beat their biggest competitor. Boston College, in the Semifinals, making it to the National Tournament hosted in Virginia Beach for the first time in years. NUWLAX also traveled to Colorado to play some of the best teams in the country, going 4/4 that weekend. We are a competitive team with great chemistry and a force to be reckoned with.', 835, true, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('688a2bf2-3658-4bd4-ac91-9649026ceef1', 'Women''s Club Water Polo', '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!', '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! ', 28, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('71b89013-be86-4045-bc44-c19bf2c36613', 'Women''s Interdisciplinary Society of Entrepreneurship', 'WISE is a student-led organization dedicated to supporting womxn interested in exploring entrepreneurship through interdisciplinary workshops, mentorship pairings, and startup classes.', '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).
WISE 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.
Whether 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!
If your interested and want to learn more, sign up for our newsletter here!
-Also, follow us on instagram @northeasternwise', 214, false, 'fall', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Woof Magazine', 'Woof Magazine is Northeastern''s only lifestyle magazine on campus. 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.', '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!
-If you are interested in joining Woof, join our Slack!', 691, false, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('WRBB 104.9FM Campus Radio', '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 sup...', '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. ', 818, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Young Democratic Socialists of America at Northeastern University', '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.', '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. ', 298, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Zeta Beta Tau: Gamma Psi Chapter', 'A chapter of the Zeta Beta Tau fraternity operating at Northeastern University', '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.', 258, true, 'spring', 'application', '00000000-0000-0000-0000-000000000000');
-INSERT INTO "clubs" ("name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('Zeta Phi Beta Sorority, Inc.', '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 community', '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.', 61, false, 'fallSpring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+Also, follow us on instagram @northeasternwise', 772, false, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('1d68327e-a3d8-40fb-9e1c-d12a8bc70a88', 'Woof Magazine', 'Woof Magazine is Northeastern''s only lifestyle magazine on campus. 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.', '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!
+If you are interested in joining Woof, join our Slack!', 302, true, 'always', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('9163528b-a76f-42b0-bc96-369179396acf', 'WRBB 104.9FM Campus Radio', '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 sup...', '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. ', 700, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('47feb642-2c77-45e2-ba6d-7c68db3b6753', 'Young Democratic Socialists of America at Northeastern University', '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.', '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. ', 201, false, 'spring', 'unrestricted', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('6ccbdf9d-fff3-4702-84f0-8c79e098f693', 'Zeta Beta Tau: Gamma Psi Chapter', 'A chapter of the Zeta Beta Tau fraternity operating at Northeastern University', '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.', 230, true, 'fallSpring', 'application', '00000000-0000-0000-0000-000000000000');
+INSERT INTO "clubs" ("id", "name", "preview", "description", "num_members", "is_recruiting", "recruitment_cycle", "recruitment_type", "parent") VALUES ('54f37643-da09-49eb-8750-01b0e1159d83', 'Zeta Phi Beta Sorority, Inc.', '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 community', '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.', 357, true, 'always', 'application', '00000000-0000-0000-0000-000000000000');
+COMMIT;
+-- END AUTOGENERATED MOCK DATA
+
+-- BEGIN MOCK DATA TRANSACTION
+BEGIN;
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('eea48981-8c89-4f3a-8b04-c9ec60671640', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Spring Showcase', 'Join us for a night of performances from some of the most talented students at Northeastern University!', 'Join us for a night of performances from some of the most talented students at Northeastern University! We will have a variety of acts, including singing, dancing, and more! This event is open to all students, so come out and support your fellow Huskies!', '2024-04-15 19:00:00', '2024-04-15 21:00:00', 'Ell Hall, 342 Huntington Ave, Boston, MA 02115', false);
+INSERT INTO series (id, recurring_type, max_occurrences) VALUES ('43a97583-8db3-493c-bd09-6ccae3301b9a', 'weekly', 3);
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-16 18:00:00', '2024-04-16 19:00:00', '450 Parker St, Boston, MA 02115', true);
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('c83de05c-8951-432a-b74d-9d91e452fbdf', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-23 18:00:00', '2024-04-23 19:00:00', '450 Parker St, Boston, MA 02115', true);
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-30 18:00:00', '2024-04-30 19:00:00', '450 Parker St, Boston, MA 02115', true);
+INSERT INTO event_series (event_id, series_id) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '43a97583-8db3-493c-bd09-6ccae3301b9a'), ('c83de05c-8951-432a-b74d-9d91e452fbdf','43a97583-8db3-493c-bd09-6ccae3301b9a' ), ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '43a97583-8db3-493c-bd09-6ccae3301b9a');
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('788e36a1-116c-4e9b-9842-e70f787e691b', '38ae97fd-f259-40ef-9d99-c3d47fc44644', 'Phi Sigma Rho Philanthropy', 'Join us for a day of service as we give back to the community!', 'Join us for a day of service as we give back to the community! We will be volunteering at a local food bank, so be sure to wear comfortable clothes and closed-toed shoes. This event is open to all students, so feel free to bring a friend!', '2024-04-20 10:00:00', '2024-04-20 16:00:00', '70 S Bay Ave, Boston, MA 02118', false);
+
+
+
COMMIT;
+-- END MOCK DATA TRANSACTION
\ No newline at end of file
diff --git a/backend/src/models/event.go b/backend/src/models/event.go
index 22538e154..a5cf04cd7 100644
--- a/backend/src/models/event.go
+++ b/backend/src/models/event.go
@@ -38,18 +38,14 @@ type Event struct {
Waitlist []User `gorm:"many2many:user_event_waitlists;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
Clubs []Club `gorm:"many2many:club_events;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
Tag []Tag `gorm:"many2many:event_tags;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
- Notification []Notification `gorm:"polymorphic:Reference;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;;" json:"-" validate:"-"`
+ Notification []Notification `gorm:"polymorphic:Reference;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
}
type Series struct {
Model
- RecurringType RecurringType `gorm:"type:varchar(255);default:open" json:"recurring_type" validate:"max=255"`
- SeparationCount int `gorm:"type:int" json:"separation_count" validate:"min=0"`
- MaxOccurrences int `gorm:"type:int" json:"max_occurrences" validate:"min=1"`
- DayOfWeek int `gorm:"type:int" json:"day_of_week" validate:"min=1,max=7"`
- WeekOfMonth int `gorm:"type:int" json:"week_of_month" validate:"min=1,max=5"`
- DayOfMonth int `gorm:"type:int" json:"day_of_month" validate:"min=1,max=31"`
- Events []Event `gorm:"many2many:event_series;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"events" validate:"-"`
+ RecurringType RecurringType `gorm:"type:varchar(255);default:open" json:"recurring_type" validate:"max=255"`
+ MaxOccurrences int `gorm:"type:int" json:"max_occurrences" validate:"min=1"`
+ Events []Event `gorm:"many2many:event_series;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"events" validate:"-"`
}
// TODO: add not null to required fields on all gorm models
@@ -93,12 +89,8 @@ type CreateEventRequestBody struct {
}
type CreateSeriesRequestBody struct {
- RecurringType RecurringType `json:"recurring_type" validate:"required,max=255,oneof=daily weekly monthly"`
- SeparationCount int `json:"separation_count" validate:"required,min=0"`
- MaxOccurrences int `json:"max_occurrences" validate:"required,min=2"`
- DayOfWeek int `json:"day_of_week" validate:"required,min=1,max=7"`
- WeekOfMonth int `json:"week_of_month" validate:"required,min=1,max=5"`
- DayOfMonth int `json:"day_of_month" validate:"required,min=1,max=31"`
+ RecurringType RecurringType `json:"recurring_type" validate:"required,max=255,oneof=daily weekly monthly"`
+ MaxOccurrences int `json:"max_occurrences" validate:"required,min=2"`
}
type UpdateEventRequestBody struct {
@@ -119,12 +111,8 @@ type UpdateEventRequestBody struct {
// TODO: probably need to make changes to this to update the events as well
type UpdateSeriesRequestBody struct {
- RecurringType RecurringType `json:"recurring_type" validate:"omitempty,max=255,oneof=daily weekly monthly"`
- SeparationCount int `json:"separation_count" validate:"omitempty,min=0"`
- MaxOccurrences int `json:"max_occurrences" validate:"omitempty,min=2"`
- DayOfWeek int `json:"day_of_week" validate:"omitempty,min=1,max=7"`
- WeekOfMonth int `json:"week_of_month" validate:"omitempty,min=1,max=5"`
- DayOfMonth int `json:"day_of_month" validate:"omitempty,min=1,max=31"`
+ RecurringType RecurringType `json:"recurring_type" validate:"omitempty,max=255,oneof=daily weekly monthly"`
+ MaxOccurrences int `json:"max_occurrences" validate:"omitempty,min=2"`
EventDetails UpdateEventRequestBody `json:"event_details" validate:"omitempty"`
}
diff --git a/backend/src/services/event.go b/backend/src/services/event.go
index e9c92e896..949eb6ffb 100644
--- a/backend/src/services/event.go
+++ b/backend/src/services/event.go
@@ -225,11 +225,11 @@ func createEventSlice(firstEvent *models.Event, series models.Series) []models.E
switch series.RecurringType {
case "daily":
- days = series.SeparationCount + 1
+ days = 1
case "weekly":
- days = 7 * (series.SeparationCount + 1)
+ days = 7
case "monthly":
- months = series.SeparationCount + 1
+ months = 1
}
for i := 1; i < series.MaxOccurrences; i++ {
diff --git a/backend/src/transactions/event.go b/backend/src/transactions/event.go
index f7525cbad..44b1a293f 100644
--- a/backend/src/transactions/event.go
+++ b/backend/src/transactions/event.go
@@ -106,15 +106,7 @@ func CreateEvent(db *gorm.DB, event models.Event) ([]models.Event, *errors.Error
}
func CreateEventSeries(db *gorm.DB, series models.Series) ([]models.Event, *errors.Error) {
- tx := db.Begin()
-
- if err := tx.Create(&series).Error; err != nil {
- tx.Rollback()
- return nil, &errors.FailedToCreateEventSeries
- }
-
- if err := tx.Commit().Error; err != nil {
- tx.Rollback()
+ if err := db.Create(&series).Error; err != nil {
return nil, &errors.FailedToCreateEventSeries
}
diff --git a/backend/tests/api/event_test.go b/backend/tests/api/event_test.go
index 0caf089f7..ac4ac155b 100644
--- a/backend/tests/api/event_test.go
+++ b/backend/tests/api/event_test.go
@@ -34,12 +34,8 @@ func SampleEventFactory() *map[string]interface{} {
func SampleSeriesFactory() *map[string]interface{} {
return CustomSampleSeriesFactory(
models.CreateSeriesRequestBody{
- RecurringType: "daily",
- MaxOccurrences: 10,
- SeparationCount: 4,
- DayOfWeek: 3,
- WeekOfMonth: 2,
- DayOfMonth: 1,
+ RecurringType: "daily",
+ MaxOccurrences: 10,
},
)
}
@@ -347,12 +343,8 @@ func AssertCreateBadEventSeriesDataFails(t *testing.T, badSeries models.CreateSe
func TestCreateSeriesFailsOnInvalidRecurringType(t *testing.T) {
AssertCreateBadEventSeriesDataFails(t,
models.CreateSeriesRequestBody{
- RecurringType: "annually",
- MaxOccurrences: 10,
- SeparationCount: 0,
- DayOfWeek: 3,
- WeekOfMonth: 2,
- DayOfMonth: 1,
+ RecurringType: "annually",
+ MaxOccurrences: 10,
},
errors.FailedToValidateEventSeries,
)
@@ -361,12 +353,8 @@ func TestCreateSeriesFailsOnInvalidRecurringType(t *testing.T) {
func TestCreateSeriesFailsOnInvalidMaxOccurrences(t *testing.T) {
AssertCreateBadEventSeriesDataFails(t,
models.CreateSeriesRequestBody{
- RecurringType: "weekly",
- MaxOccurrences: -1,
- SeparationCount: 0,
- DayOfWeek: 3,
- WeekOfMonth: 2,
- DayOfMonth: 1,
+ RecurringType: "weekly",
+ MaxOccurrences: -1,
},
errors.FailedToValidateEventSeries,
)
@@ -375,12 +363,8 @@ func TestCreateSeriesFailsOnInvalidMaxOccurrences(t *testing.T) {
func TestCreateSeriesFailsOnInvalidSeparationCount(t *testing.T) {
AssertCreateBadEventSeriesDataFails(t,
models.CreateSeriesRequestBody{
- RecurringType: "weekly",
- MaxOccurrences: 10,
- SeparationCount: -1,
- DayOfWeek: 3,
- WeekOfMonth: 2,
- DayOfMonth: 1,
+ RecurringType: "weekly",
+ MaxOccurrences: 10,
},
errors.FailedToValidateEventSeries,
)
@@ -389,12 +373,8 @@ func TestCreateSeriesFailsOnInvalidSeparationCount(t *testing.T) {
func TestCreateSeriesFailsOnInvalidDayOfWeek(t *testing.T) {
AssertCreateBadEventSeriesDataFails(t,
models.CreateSeriesRequestBody{
- RecurringType: "weekly",
- MaxOccurrences: 10,
- SeparationCount: 0,
- DayOfWeek: 8,
- WeekOfMonth: 2,
- DayOfMonth: 1,
+ RecurringType: "weekly",
+ MaxOccurrences: 10,
},
errors.FailedToValidateEventSeries,
)
@@ -403,12 +383,8 @@ func TestCreateSeriesFailsOnInvalidDayOfWeek(t *testing.T) {
func TestCreateSeriesFailsOnInvalidWeekOfMonth(t *testing.T) {
AssertCreateBadEventSeriesDataFails(t,
models.CreateSeriesRequestBody{
- RecurringType: "weekly",
- MaxOccurrences: 10,
- SeparationCount: 0,
- DayOfWeek: 5,
- WeekOfMonth: -5,
- DayOfMonth: 1,
+ RecurringType: "weekly",
+ MaxOccurrences: 10,
},
errors.FailedToValidateEventSeries,
)
@@ -417,12 +393,8 @@ func TestCreateSeriesFailsOnInvalidWeekOfMonth(t *testing.T) {
func TestCreateSeriesFailsOnInvalidDayOfMonth(t *testing.T) {
AssertCreateBadEventSeriesDataFails(t,
models.CreateSeriesRequestBody{
- RecurringType: "weekly",
- MaxOccurrences: 10,
- SeparationCount: 0,
- DayOfWeek: 5,
- WeekOfMonth: 2,
- DayOfMonth: 42,
+ RecurringType: "weekly",
+ MaxOccurrences: 10,
},
errors.FailedToValidateEventSeries,
)
diff --git a/cli/commands/migrate.go b/cli/commands/migrate.go
index 12076ec44..88bd04b12 100644
--- a/cli/commands/migrate.go
+++ b/cli/commands/migrate.go
@@ -32,7 +32,7 @@ func MigrateCommand() *cli.Command {
func Migrate() error {
fmt.Println("Migrating database")
- goCmd := exec.Command("go", "run", "main.go", "--only-migrate")
+ goCmd := exec.Command("go", "run", "main.go", "--only-migrate", "--use-dev-dot-env=false")
goCmd.Dir = BACKEND_SRC_DIR
output, err := goCmd.CombinedOutput()
diff --git a/scraper/.gitignore b/mock_data/.gitignore
similarity index 100%
rename from scraper/.gitignore
rename to mock_data/.gitignore
diff --git a/scraper/clubs/Cargo.lock b/mock_data/Cargo.lock
similarity index 100%
rename from scraper/clubs/Cargo.lock
rename to mock_data/Cargo.lock
diff --git a/scraper/clubs/Cargo.toml b/mock_data/Cargo.toml
similarity index 100%
rename from scraper/clubs/Cargo.toml
rename to mock_data/Cargo.toml
diff --git a/scraper/clubs/README.md b/mock_data/README.md
similarity index 100%
rename from scraper/clubs/README.md
rename to mock_data/README.md
diff --git a/scraper/clubs/src/cli.rs b/mock_data/src/cli.rs
similarity index 100%
rename from scraper/clubs/src/cli.rs
rename to mock_data/src/cli.rs
diff --git a/scraper/clubs/src/domain/category.rs b/mock_data/src/domain/category.rs
similarity index 100%
rename from scraper/clubs/src/domain/category.rs
rename to mock_data/src/domain/category.rs
diff --git a/scraper/clubs/src/domain/club.rs b/mock_data/src/domain/club.rs
similarity index 100%
rename from scraper/clubs/src/domain/club.rs
rename to mock_data/src/domain/club.rs
diff --git a/scraper/clubs/src/domain/mod.rs b/mock_data/src/domain/mod.rs
similarity index 100%
rename from scraper/clubs/src/domain/mod.rs
rename to mock_data/src/domain/mod.rs
diff --git a/scraper/clubs/src/domain/tag.rs b/mock_data/src/domain/tag.rs
similarity index 100%
rename from scraper/clubs/src/domain/tag.rs
rename to mock_data/src/domain/tag.rs
diff --git a/scraper/clubs/src/dumper/category.rs b/mock_data/src/dumper/category.rs
similarity index 77%
rename from scraper/clubs/src/dumper/category.rs
rename to mock_data/src/dumper/category.rs
index ed4f1c45e..4957791ea 100644
--- a/scraper/clubs/src/dumper/category.rs
+++ b/mock_data/src/dumper/category.rs
@@ -2,7 +2,7 @@ use std::{error::Error, fs::File, io::Write};
use crate::domain::Category;
-pub fn dump(categories: &Vec, file: &mut File) -> Result<(), Box> {
+pub fn dump(categories: &[Category], file: &mut File) -> Result<(), Box> {
for category in categories {
writeln!(
file,
diff --git a/scraper/clubs/src/dumper/club.rs b/mock_data/src/dumper/club.rs
similarity index 100%
rename from scraper/clubs/src/dumper/club.rs
rename to mock_data/src/dumper/club.rs
diff --git a/mock_data/src/dumper/dump.rs b/mock_data/src/dumper/dump.rs
new file mode 100644
index 000000000..d57d53662
--- /dev/null
+++ b/mock_data/src/dumper/dump.rs
@@ -0,0 +1,38 @@
+use chrono::Local;
+use std::{error::Error, fs::File, io::Write};
+
+use crate::domain::{club::Club, Category, Tag};
+
+fn autogen_commenter(file: &mut File, func: F) -> Result<(), Box>
+where
+ F: FnOnce(&mut File) -> Result<(), Box>,
+{
+ writeln!(file, "-- AUTOGENERATED MOCK DATA, DO NOT MODIFY")?;
+ writeln!(
+ file,
+ "-- GENERATED AT {}",
+ Local::now().format("%Y-%m-%d %H:%M:%S")
+ )?;
+ func(file)?;
+ writeln!(file, "-- END AUTOGENERATED MOCK DATA")?;
+ Ok(())
+}
+
+pub fn dump_all(
+ categories: &[Category],
+ tags: &[&Tag],
+ clubs: Vec,
+ club_parent: uuid::Uuid,
+ file: &mut File,
+) -> Result<(), Box> {
+ autogen_commenter(file, |file| {
+ writeln!(file, "BEGIN;")?;
+ crate::dumper::category::dump(categories, file)?;
+ crate::dumper::tag::dump(tags, file)?;
+ crate::dumper::club::dump(clubs, file, club_parent)?;
+ writeln!(file, "COMMIT;")?;
+ Ok(())
+ })?;
+
+ Ok(())
+}
diff --git a/scraper/clubs/src/dumper/mod.rs b/mock_data/src/dumper/mod.rs
similarity index 100%
rename from scraper/clubs/src/dumper/mod.rs
rename to mock_data/src/dumper/mod.rs
diff --git a/scraper/clubs/src/dumper/tag.rs b/mock_data/src/dumper/tag.rs
similarity index 77%
rename from scraper/clubs/src/dumper/tag.rs
rename to mock_data/src/dumper/tag.rs
index 7393a073f..e6d431e48 100644
--- a/scraper/clubs/src/dumper/tag.rs
+++ b/mock_data/src/dumper/tag.rs
@@ -2,7 +2,7 @@ use std::{error::Error, fs::File, io::Write};
use crate::domain::tag::Tag;
-pub fn dump(tags: &Vec<&'static Tag>, file: &mut File) -> Result<(), Box> {
+pub fn dump(tags: &[&Tag], file: &mut File) -> Result<(), Box> {
for tag in tags {
writeln!(
file,
diff --git a/scraper/clubs/src/lib.rs b/mock_data/src/lib.rs
similarity index 100%
rename from scraper/clubs/src/lib.rs
rename to mock_data/src/lib.rs
diff --git a/scraper/clubs/src/main.rs b/mock_data/src/main.rs
similarity index 100%
rename from scraper/clubs/src/main.rs
rename to mock_data/src/main.rs
diff --git a/scraper/clubs/src/scraper/mod.rs b/mock_data/src/scraper/mod.rs
similarity index 100%
rename from scraper/clubs/src/scraper/mod.rs
rename to mock_data/src/scraper/mod.rs
diff --git a/scraper/clubs/src/scraper/scraped_club.rs b/mock_data/src/scraper/scraped_club.rs
similarity index 100%
rename from scraper/clubs/src/scraper/scraped_club.rs
rename to mock_data/src/scraper/scraped_club.rs
diff --git a/scraper/clubs/src/dumper/dump.rs b/scraper/clubs/src/dumper/dump.rs
deleted file mode 100644
index 43a709855..000000000
--- a/scraper/clubs/src/dumper/dump.rs
+++ /dev/null
@@ -1,38 +0,0 @@
-use std::{error::Error, fs::File, io::Write};
-
-use chrono::Local;
-
-use crate::domain::{club::Club, Category, Tag};
-
-fn autogen_commenter(file: &mut File) -> Result<(), Box> {
- writeln!(file, "-- AUTOGENERATED MOCK DATA, DO NOT MODIFY")?;
- writeln!(
- file,
- "-- GENERATED AT {}",
- Local::now().format("%Y-%m-%d %H:%M:%S")
- )?;
-
- Ok(())
-}
-
-pub fn dump_all(
- categories: &Vec,
- tags: &Vec<&'static Tag>,
- clubs: Vec,
- club_parent: uuid::Uuid,
- file: &mut File,
-) -> Result<(), Box> {
- autogen_commenter(file)?;
-
- writeln!(file, "BEGIN;")?;
-
- crate::dumper::category::dump(categories, file)?;
-
- crate::dumper::tag::dump(tags, file)?;
-
- crate::dumper::club::dump(clubs, file, club_parent)?;
-
- writeln!(file, "COMMIT;")?;
-
- Ok(())
-}
From 6c6179ffe6f41a06c62b4376f0bdb2184a028d35 Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Sun, 14 Apr 2024 14:37:29 -0400
Subject: [PATCH 11/32] feat: mock data event tags (#527)
---
backend/src/migrations/data.sql | 9 ++++++---
1 file changed, 6 insertions(+), 3 deletions(-)
diff --git a/backend/src/migrations/data.sql b/backend/src/migrations/data.sql
index 180b7f1fe..12458fedb 100644
--- a/backend/src/migrations/data.sql
+++ b/backend/src/migrations/data.sql
@@ -1686,15 +1686,18 @@ COMMIT;
-- BEGIN MOCK DATA TRANSACTION
BEGIN;
-INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('eea48981-8c89-4f3a-8b04-c9ec60671640', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Spring Showcase', 'Join us for a night of performances from some of the most talented students at Northeastern University!', 'Join us for a night of performances from some of the most talented students at Northeastern University! We will have a variety of acts, including singing, dancing, and more! This event is open to all students, so come out and support your fellow Huskies!', '2024-04-15 19:00:00', '2024-04-15 21:00:00', 'Ell Hall, 342 Huntington Ave, Boston, MA 02115', false);
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('eea48981-8c89-4f3a-8b04-c9ec60671640', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Spring Showcase', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University!', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University! We will be showcasing the best and brightest students from a variety of disciplines, so be sure to come out and support your peers!', '2024-04-15 19:00:00', '2024-04-15 21:00:00', 'Ell Hall, 342 Huntington Ave, Boston, MA 02115', false);
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'eea48981-8c89-4f3a-8b04-c9ec60671640', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','eea48981-8c89-4f3a-8b04-c9ec60671640','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','eea48981-8c89-4f3a-8b04-c9ec60671640','6714365f-7133-495c-a4d9-33a1a432c159');
INSERT INTO series (id, recurring_type, max_occurrences) VALUES ('43a97583-8db3-493c-bd09-6ccae3301b9a', 'weekly', 3);
INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-16 18:00:00', '2024-04-16 19:00:00', '450 Parker St, Boston, MA 02115', true);
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8a9dd792-8e17-45e3-ba4a-7287ad4d4c06', 'cc034c67-82e0-4ba5-94c5-9b0cba132a99', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('aab358cb-bdef-4033-8e1f-9585222ebc99','cc034c67-82e0-4ba5-94c5-9b0cba132a99','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0313c204-0c67-4f30-b028-392f8fa585c1','cc034c67-82e0-4ba5-94c5-9b0cba132a99','6714365f-7133-495c-a4d9-33a1a432c159');
INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('c83de05c-8951-432a-b74d-9d91e452fbdf', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-23 18:00:00', '2024-04-23 19:00:00', '450 Parker St, Boston, MA 02115', true);
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'c83de05c-8951-432a-b74d-9d91e452fbdf', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','c83de05c-8951-432a-b74d-9d91e452fbdf','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','c83de05c-8951-432a-b74d-9d91e452fbdf','6714365f-7133-495c-a4d9-33a1a432c159');
INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-30 18:00:00', '2024-04-30 19:00:00', '450 Parker St, Boston, MA 02115', true);
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8750ea53-3b5e-45c5-81cf-8ceef024894f', '3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('bff77c88-569e-42a6-b041-d68bb5439729','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('799979ec-c956-441c-94f6-b5783274730d','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','6714365f-7133-495c-a4d9-33a1a432c159');
INSERT INTO event_series (event_id, series_id) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '43a97583-8db3-493c-bd09-6ccae3301b9a'), ('c83de05c-8951-432a-b74d-9d91e452fbdf','43a97583-8db3-493c-bd09-6ccae3301b9a' ), ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '43a97583-8db3-493c-bd09-6ccae3301b9a');
INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('788e36a1-116c-4e9b-9842-e70f787e691b', '38ae97fd-f259-40ef-9d99-c3d47fc44644', 'Phi Sigma Rho Philanthropy', 'Join us for a day of service as we give back to the community!', 'Join us for a day of service as we give back to the community! We will be volunteering at a local food bank, so be sure to wear comfortable clothes and closed-toed shoes. This event is open to all students, so feel free to bring a friend!', '2024-04-20 10:00:00', '2024-04-20 16:00:00', '70 S Bay Ave, Boston, MA 02118', false);
-
-
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('f184543c-9b11-4f10-aa92-c12abaf2096b', '788e36a1-116c-4e9b-9842-e70f787e691b', 'a85c38cb-65ba-4481-9c32-1834dd41e472'), ('c536eff6-11db-4d56-92b4-26ee0ef9f50e','788e36a1-116c-4e9b-9842-e70f787e691b','b7c272cd-8556-4202-b6ae-9f2223cca95c');
COMMIT;
-- END MOCK DATA TRANSACTION
\ No newline at end of file
From e0b954691485cb55fe838cc8584254377a21db04 Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Sun, 14 Apr 2024 15:08:28 -0400
Subject: [PATCH 12/32] fix: deprecated event series fields breaking CI (#529)
---
backend/tests/api/event_test.go | 48 ++-------------------------------
1 file changed, 2 insertions(+), 46 deletions(-)
diff --git a/backend/tests/api/event_test.go b/backend/tests/api/event_test.go
index ac4ac155b..37c629ed6 100644
--- a/backend/tests/api/event_test.go
+++ b/backend/tests/api/event_test.go
@@ -360,46 +360,6 @@ func TestCreateSeriesFailsOnInvalidMaxOccurrences(t *testing.T) {
)
}
-func TestCreateSeriesFailsOnInvalidSeparationCount(t *testing.T) {
- AssertCreateBadEventSeriesDataFails(t,
- models.CreateSeriesRequestBody{
- RecurringType: "weekly",
- MaxOccurrences: 10,
- },
- errors.FailedToValidateEventSeries,
- )
-}
-
-func TestCreateSeriesFailsOnInvalidDayOfWeek(t *testing.T) {
- AssertCreateBadEventSeriesDataFails(t,
- models.CreateSeriesRequestBody{
- RecurringType: "weekly",
- MaxOccurrences: 10,
- },
- errors.FailedToValidateEventSeries,
- )
-}
-
-func TestCreateSeriesFailsOnInvalidWeekOfMonth(t *testing.T) {
- AssertCreateBadEventSeriesDataFails(t,
- models.CreateSeriesRequestBody{
- RecurringType: "weekly",
- MaxOccurrences: 10,
- },
- errors.FailedToValidateEventSeries,
- )
-}
-
-func TestCreateSeriesFailsOnInvalidDayOfMonth(t *testing.T) {
- AssertCreateBadEventSeriesDataFails(t,
- models.CreateSeriesRequestBody{
- RecurringType: "weekly",
- MaxOccurrences: 10,
- },
- errors.FailedToValidateEventSeries,
- )
-}
-
func TestUpdateEventWorks(t *testing.T) {
appAssert, eventUUID := CreateSampleEvent(h.InitTest(t), SampleEventFactory)
@@ -427,12 +387,8 @@ func TestUpdateEventSeriesWorks(t *testing.T) {
appAssert, eventUUIDs := CreateSampleEvent(h.InitTest(t), SampleSeriesFactory)
updatedSeries := &map[string]interface{}{
- "recurring_type": "daily",
- "max_occurrences": 5,
- "separation_count": 4,
- "day_of_week": 3,
- "week_of_month": 2,
- "day_of_month": 1,
+ "recurring_type": "daily",
+ "max_occurrences": 5,
"event_details": &map[string]interface{}{
"name": "eece test",
"preview": "the best class ever",
From 86351412d8d80840adafe047aee103295c2000f8 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:06:18 -0400
Subject: [PATCH 13/32] Chore(deps): Bump github.com/aws/aws-sdk-go from 1.50.5
to 1.51.21 in /backend (#531)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
---
backend/go.mod | 2 +-
backend/go.sum | 4 ++--
2 files changed, 3 insertions(+), 3 deletions(-)
diff --git a/backend/go.mod b/backend/go.mod
index 21f721d1c..f867c3506 100644
--- a/backend/go.mod
+++ b/backend/go.mod
@@ -4,7 +4,7 @@ go 1.22.2
require (
github.com/afex/hystrix-go v0.0.0-20180502004556-fa1af6a1f4f5
- github.com/aws/aws-sdk-go v1.50.5
+ github.com/aws/aws-sdk-go v1.51.21
github.com/garrettladley/mattress v0.4.0
github.com/go-playground/validator/v10 v10.19.0
github.com/goccy/go-json v0.10.2
diff --git a/backend/go.sum b/backend/go.sum
index a7976b02e..cdbd3120f 100644
--- a/backend/go.sum
+++ b/backend/go.sum
@@ -8,8 +8,8 @@ github.com/awnumar/memcall v0.2.0 h1:sRaogqExTOOkkNwO9pzJsL8jrOV29UuUW7teRMfbqtI
github.com/awnumar/memcall v0.2.0/go.mod h1:S911igBPR9CThzd/hYQQmTc9SWNu3ZHIlCGaWsWsoJo=
github.com/awnumar/memguard v0.22.5 h1:PH7sbUVERS5DdXh3+mLo8FDcl1eIeVjJVYMnyuYpvuI=
github.com/awnumar/memguard v0.22.5/go.mod h1:+APmZGThMBWjnMlKiSM1X7MVpbIVewen2MTkqWkA/zE=
-github.com/aws/aws-sdk-go v1.50.5 h1:H2Aadcgwr7a2aqS6ZwcE+l1mA6ZrTseYCvjw2QLmxIA=
-github.com/aws/aws-sdk-go v1.50.5/go.mod h1:LF8svs817+Nz+DmiMQKTO3ubZ/6IaTpq3TjupRn3Eqk=
+github.com/aws/aws-sdk-go v1.51.21 h1:UrT6JC9R9PkYYXDZBV0qDKTualMr+bfK2eboTknMgbs=
+github.com/aws/aws-sdk-go v1.51.21/go.mod h1:LF8svs817+Nz+DmiMQKTO3ubZ/6IaTpq3TjupRn3Eqk=
github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38=
github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38=
github.com/davecgh/go-spew v1.1.2-0.20180830191138-d8f796af33cc h1:U9qPSI2PIWSS1VwoXQT9A3Wy9MM3WgvqSxFWenqJduM=
From 1cf12ac800d5ceb70a444f32db6e977f0d21a49e Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:06:52 -0400
Subject: [PATCH 14/32] Chore(deps-dev): Bump @types/node from 20.12.5 to
20.12.7 in /frontend/sac-web (#532)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-web/yarn.lock | 6 +++---
1 file changed, 3 insertions(+), 3 deletions(-)
diff --git a/frontend/sac-web/yarn.lock b/frontend/sac-web/yarn.lock
index 01e195661..2a944db38 100644
--- a/frontend/sac-web/yarn.lock
+++ b/frontend/sac-web/yarn.lock
@@ -796,9 +796,9 @@
integrity sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==
"@types/node@*", "@types/node@^20":
- version "20.12.5"
- resolved "https://registry.yarnpkg.com/@types/node/-/node-20.12.5.tgz#74c4f31ab17955d0b5808cdc8fd2839526ad00b3"
- integrity sha512-BD+BjQ9LS/D8ST9p5uqBxghlN+S42iuNxjsUGjeZobe/ciXzk2qb1B6IXc6AnRLS+yFJRpN2IPEHMzwspfDJNw==
+ version "20.12.7"
+ resolved "https://registry.yarnpkg.com/@types/node/-/node-20.12.7.tgz#04080362fa3dd6c5822061aa3124f5c152cff384"
+ integrity sha512-wq0cICSkRLVaf3UGLMGItu/PtdY7oaXaI/RVU+xliKVOtRna3PRY57ZDfztpDL0n11vfymMUnXv8QwYCO7L1wg==
dependencies:
undici-types "~5.26.4"
From 4e6d04ea908dd0672cf852a181f974eaeada91d2 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:07:27 -0400
Subject: [PATCH 15/32] Chore(deps-dev): Bump @types/react from 18.2.74 to
18.2.78 in /frontend/sac-web (#533)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-web/yarn.lock | 6 +++---
1 file changed, 3 insertions(+), 3 deletions(-)
diff --git a/frontend/sac-web/yarn.lock b/frontend/sac-web/yarn.lock
index 2a944db38..4f35afaa4 100644
--- a/frontend/sac-web/yarn.lock
+++ b/frontend/sac-web/yarn.lock
@@ -815,9 +815,9 @@
"@types/react" "*"
"@types/react@*", "@types/react@^18":
- version "18.2.74"
- resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.74.tgz#2d52eb80e4e7c4ea8812c89181d6d590b53f958c"
- integrity sha512-9AEqNZZyBx8OdZpxzQlaFEVCSFUM2YXJH46yPOiOpm078k6ZLOCcuAzGum/zK8YBwY+dbahVNbHrbgrAwIRlqw==
+ version "18.2.78"
+ resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.78.tgz#94aec453d0ccca909998a2b4b2fd78af15a7d2fe"
+ integrity sha512-qOwdPnnitQY4xKlKayt42q5W5UQrSHjgoXNVEtxeqdITJ99k4VXJOP3vt8Rkm9HmgJpH50UNU+rlqfkfWOqp0A==
dependencies:
"@types/prop-types" "*"
csstype "^3.0.2"
From 8ff877ef00cb20a1305d24cd865f0193feb0a6c8 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:07:59 -0400
Subject: [PATCH 16/32] Chore(deps): Bump react-native-maps from 1.10.0 to
1.14.0 in /frontend/sac-mobile (#541)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-mobile/package.json | 2 +-
frontend/sac-mobile/yarn.lock | 8 ++++----
2 files changed, 5 insertions(+), 5 deletions(-)
diff --git a/frontend/sac-mobile/package.json b/frontend/sac-mobile/package.json
index aa6dec37e..09ec2cc19 100644
--- a/frontend/sac-mobile/package.json
+++ b/frontend/sac-mobile/package.json
@@ -48,7 +48,7 @@
"react-native-element-dropdown": "^2.10.4",
"react-native-gesture-handler": "~2.14.0",
"react-native-loading-spinner-overlay": "^3.0.1",
- "react-native-maps": "1.10.0",
+ "react-native-maps": "1.14.0",
"react-native-open-maps": "^0.4.3",
"react-native-reanimated": "~3.6.2",
"react-native-safe-area-context": "4.9.0",
diff --git a/frontend/sac-mobile/yarn.lock b/frontend/sac-mobile/yarn.lock
index 335e266b8..fc631810c 100644
--- a/frontend/sac-mobile/yarn.lock
+++ b/frontend/sac-mobile/yarn.lock
@@ -8647,10 +8647,10 @@ react-native-loading-spinner-overlay@^3.0.1:
resolved "https://registry.yarnpkg.com/react-native-loading-spinner-overlay/-/react-native-loading-spinner-overlay-3.0.1.tgz#092481b8cce157d3af5ef942f845ad981f96bd36"
integrity sha512-4GdR54HQnKg2HPSSisVizfTLuyhSh4splY9eb8mKiYF1Ihjn/5EmdNo5bN3S7uKPFRC3WLzIZIouX6G6fXfnjw==
-react-native-maps@1.10.0:
- version "1.10.0"
- resolved "https://registry.yarnpkg.com/react-native-maps/-/react-native-maps-1.10.0.tgz#1b78270473f4caadc5ff8e8400285b6db9f14e12"
- integrity sha512-Zs6lHZucEijTwkRVFyInMbPVkJ2UudDEI2fJPc8ArdzdnwDFAdL6OagqTjNRZyI1DBPHRihazfIWpy2+X1VwLg==
+react-native-maps@1.14.0:
+ version "1.14.0"
+ resolved "https://registry.yarnpkg.com/react-native-maps/-/react-native-maps-1.14.0.tgz#1e5cac8e88d80002c512dd4763a205493a1ae58d"
+ integrity sha512-ai7h4UdRLGPFCguz1fI8n4sKLEh35nZXHAH4nSWyAeHGrN8K9GjICu9Xd4Q5Ok4h+WwrM6Xz5pGbF3Qm1tO6iQ==
dependencies:
"@types/geojson" "^7946.0.13"
From 9128ffe0d1b60aa757f59798f9f5bfc7964f579b Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:08:32 -0400
Subject: [PATCH 17/32] Chore(deps-dev): Bump @types/react from 18.2.74 to
18.2.78 in /frontend/sac-mobile (#540)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-mobile/package.json | 2 +-
frontend/sac-mobile/yarn.lock | 8 ++++----
2 files changed, 5 insertions(+), 5 deletions(-)
diff --git a/frontend/sac-mobile/package.json b/frontend/sac-mobile/package.json
index 09ec2cc19..8c72c8fdb 100644
--- a/frontend/sac-mobile/package.json
+++ b/frontend/sac-mobile/package.json
@@ -63,7 +63,7 @@
"@babel/core": "^7.24.4",
"@react-native-community/eslint-config": "^3.2.0",
"@trivago/prettier-plugin-sort-imports": "^4.3.0",
- "@types/react": "~18.2.74",
+ "@types/react": "~18.2.78",
"eslint": "^8.56.0",
"eslint-plugin-prettier": "^5.1.3",
"jest": "^29.2.1",
diff --git a/frontend/sac-mobile/yarn.lock b/frontend/sac-mobile/yarn.lock
index fc631810c..b7a2b4583 100644
--- a/frontend/sac-mobile/yarn.lock
+++ b/frontend/sac-mobile/yarn.lock
@@ -2927,10 +2927,10 @@
resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.11.tgz#2596fb352ee96a1379c657734d4b913a613ad563"
integrity sha512-ga8y9v9uyeiLdpKddhxYQkxNDrfvuPrlFb0N1qnZZByvcElJaXthF1UhvCh9TLWJBEHeNtdnbysW7Y6Uq8CVng==
-"@types/react@~18.2.74":
- version "18.2.74"
- resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.74.tgz#2d52eb80e4e7c4ea8812c89181d6d590b53f958c"
- integrity sha512-9AEqNZZyBx8OdZpxzQlaFEVCSFUM2YXJH46yPOiOpm078k6ZLOCcuAzGum/zK8YBwY+dbahVNbHrbgrAwIRlqw==
+"@types/react@~18.2.78":
+ version "18.2.78"
+ resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.78.tgz#94aec453d0ccca909998a2b4b2fd78af15a7d2fe"
+ integrity sha512-qOwdPnnitQY4xKlKayt42q5W5UQrSHjgoXNVEtxeqdITJ99k4VXJOP3vt8Rkm9HmgJpH50UNU+rlqfkfWOqp0A==
dependencies:
"@types/prop-types" "*"
csstype "^3.0.2"
From e9b10169af75ebef8e7c567ebf4ceea64f4d7f47 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:09:06 -0400
Subject: [PATCH 18/32] Chore(deps): Bump react-native-gesture-handler from
2.14.1 to 2.16.0 in /frontend/sac-mobile (#539)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-mobile/package.json | 2 +-
frontend/sac-mobile/yarn.lock | 8 ++++----
2 files changed, 5 insertions(+), 5 deletions(-)
diff --git a/frontend/sac-mobile/package.json b/frontend/sac-mobile/package.json
index 8c72c8fdb..1a64bf015 100644
--- a/frontend/sac-mobile/package.json
+++ b/frontend/sac-mobile/package.json
@@ -46,7 +46,7 @@
"react-native": "0.73.6",
"react-native-cookies": "^3.3.0",
"react-native-element-dropdown": "^2.10.4",
- "react-native-gesture-handler": "~2.14.0",
+ "react-native-gesture-handler": "~2.16.0",
"react-native-loading-spinner-overlay": "^3.0.1",
"react-native-maps": "1.14.0",
"react-native-open-maps": "^0.4.3",
diff --git a/frontend/sac-mobile/yarn.lock b/frontend/sac-mobile/yarn.lock
index b7a2b4583..e9948f389 100644
--- a/frontend/sac-mobile/yarn.lock
+++ b/frontend/sac-mobile/yarn.lock
@@ -8631,10 +8631,10 @@ react-native-element-dropdown@^2.10.4:
dependencies:
lodash "^4.17.21"
-react-native-gesture-handler@~2.14.0:
- version "2.14.1"
- resolved "https://registry.yarnpkg.com/react-native-gesture-handler/-/react-native-gesture-handler-2.14.1.tgz#930640231024b7921435ab476aa501dd4a6b2e01"
- integrity sha512-YiM1BApV4aKeuwsM6O4C2ufwewYEKk6VMXOt0YqEZFMwABBFWhXLySFZYjBSNRU2USGppJbfHP1q1DfFQpKhdA==
+react-native-gesture-handler@~2.16.0:
+ version "2.16.0"
+ resolved "https://registry.yarnpkg.com/react-native-gesture-handler/-/react-native-gesture-handler-2.16.0.tgz#45a00b5988e74ebc58f130c8d1443319c8e678db"
+ integrity sha512-1hFkx7RIfeJSyTQQ0Nkv4icFVZ5+XjQkd47OgZMBFzoB7ecL+nFSz8KLi3OCWOhq+nbHpSPlSG5VF3CQNCJpWA==
dependencies:
"@egjs/hammerjs" "^2.0.17"
hoist-non-react-statics "^3.3.0"
From c7aa1719398ac8f49797bf8c268d5f97589b9375 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:09:40 -0400
Subject: [PATCH 19/32] Chore(deps-dev): Bump typescript from 5.4.4 to 5.4.5 in
/frontend/sac-mobile (#538)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-mobile/package.json | 2 +-
frontend/sac-mobile/yarn.lock | 8 ++++----
2 files changed, 5 insertions(+), 5 deletions(-)
diff --git a/frontend/sac-mobile/package.json b/frontend/sac-mobile/package.json
index 1a64bf015..c83154565 100644
--- a/frontend/sac-mobile/package.json
+++ b/frontend/sac-mobile/package.json
@@ -72,7 +72,7 @@
"react-native-svg-transformer": "^1.3.0",
"react-test-renderer": "18.2.0",
"tailwindcss": "3.3.2",
- "typescript": "^5.4.4"
+ "typescript": "^5.4.5"
},
"private": true
}
diff --git a/frontend/sac-mobile/yarn.lock b/frontend/sac-mobile/yarn.lock
index e9948f389..da13023e4 100644
--- a/frontend/sac-mobile/yarn.lock
+++ b/frontend/sac-mobile/yarn.lock
@@ -10072,10 +10072,10 @@ typed-array-length@^1.0.5:
is-typed-array "^1.1.13"
possible-typed-array-names "^1.0.0"
-typescript@^5.4.4:
- version "5.4.4"
- resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.4.4.tgz#eb2471e7b0a5f1377523700a21669dce30c2d952"
- integrity sha512-dGE2Vv8cpVvw28v8HCPqyb08EzbBURxDpuhJvTrusShUfGnhHBafDsLdS1EhhxyL6BJQE+2cT3dDPAv+MQ6oLw==
+typescript@^5.4.5:
+ version "5.4.5"
+ resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.4.5.tgz#42ccef2c571fdbd0f6718b1d1f5e6e5ef006f611"
+ integrity sha512-vcI4UpRgg81oIRUFwR0WSIHKt11nJ7SAVlYNIu+QpqeyXP+gpQJy/Z4+F0aGxSE4MqwjyXvW/TzgkLAx2AGHwQ==
ua-parser-js@^1.0.35:
version "1.0.37"
From 601a1106e04e312b92982c4c1f880309c04461e2 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:10:31 -0400
Subject: [PATCH 20/32] Chore(deps-dev): Bump typescript from 5.4.4 to 5.4.5 in
/frontend/sac-web (#534)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-web/yarn.lock | 6 +++---
1 file changed, 3 insertions(+), 3 deletions(-)
diff --git a/frontend/sac-web/yarn.lock b/frontend/sac-web/yarn.lock
index 4f35afaa4..9153a027b 100644
--- a/frontend/sac-web/yarn.lock
+++ b/frontend/sac-web/yarn.lock
@@ -4272,9 +4272,9 @@ typed-array-length@^1.0.5:
possible-typed-array-names "^1.0.0"
typescript@^5:
- version "5.4.4"
- resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.4.4.tgz#eb2471e7b0a5f1377523700a21669dce30c2d952"
- integrity sha512-dGE2Vv8cpVvw28v8HCPqyb08EzbBURxDpuhJvTrusShUfGnhHBafDsLdS1EhhxyL6BJQE+2cT3dDPAv+MQ6oLw==
+ version "5.4.5"
+ resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.4.5.tgz#42ccef2c571fdbd0f6718b1d1f5e6e5ef006f611"
+ integrity sha512-vcI4UpRgg81oIRUFwR0WSIHKt11nJ7SAVlYNIu+QpqeyXP+gpQJy/Z4+F0aGxSE4MqwjyXvW/TzgkLAx2AGHwQ==
unbox-primitive@^1.0.2:
version "1.0.2"
From 67a62030372097d92691fd1838f7f55c281e9641 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:11:12 -0400
Subject: [PATCH 21/32] Chore(deps): Bump next from 14.1.4 to 14.2.1 in
/frontend/sac-web (#535)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-web/package.json | 2 +-
frontend/sac-web/yarn.lock | 140 ++++++++++++++++++----------------
2 files changed, 74 insertions(+), 68 deletions(-)
diff --git a/frontend/sac-web/package.json b/frontend/sac-web/package.json
index 8772217c3..d1cc7ff0c 100644
--- a/frontend/sac-web/package.json
+++ b/frontend/sac-web/package.json
@@ -11,7 +11,7 @@
"format": "prettier --write ."
},
"dependencies": {
- "next": "14.1.4",
+ "next": "14.2.1",
"react": "^18",
"react-dom": "^18",
"semver": "7.6.0"
diff --git a/frontend/sac-web/yarn.lock b/frontend/sac-web/yarn.lock
index 9153a027b..976a27793 100644
--- a/frontend/sac-web/yarn.lock
+++ b/frontend/sac-web/yarn.lock
@@ -617,10 +617,10 @@
"@jridgewell/resolve-uri" "^3.1.0"
"@jridgewell/sourcemap-codec" "^1.4.14"
-"@next/env@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/env/-/env-14.1.4.tgz#432e80651733fbd67230bf262aee28be65252674"
- integrity sha512-e7X7bbn3Z6DWnDi75UWn+REgAbLEqxI8Tq2pkFOFAMpWAWApz/YCUhtWMWn410h8Q2fYiYL7Yg5OlxMOCfFjJQ==
+"@next/env@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/env/-/env-14.2.1.tgz#18b4fb5fd76bdda65369ad4ea5f33199ae708d2f"
+ integrity sha512-qsHJle3GU3CmVx7pUoXcghX4sRN+vINkbLdH611T8ZlsP//grzqVW87BSUgOZeSAD4q7ZdZicdwNe/20U2janA==
"@next/eslint-plugin-next@14.1.4":
version "14.1.4"
@@ -629,50 +629,50 @@
dependencies:
glob "10.3.10"
-"@next/swc-darwin-arm64@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/swc-darwin-arm64/-/swc-darwin-arm64-14.1.4.tgz#a3bca0dc4393ac4cf3169bbf24df63441de66bb7"
- integrity sha512-ubmUkbmW65nIAOmoxT1IROZdmmJMmdYvXIe8211send9ZYJu+SqxSnJM4TrPj9wmL6g9Atvj0S/2cFmMSS99jg==
-
-"@next/swc-darwin-x64@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/swc-darwin-x64/-/swc-darwin-x64-14.1.4.tgz#ba3683d4e2d30099f3f2864dd7349a4d9f440140"
- integrity sha512-b0Xo1ELj3u7IkZWAKcJPJEhBop117U78l70nfoQGo4xUSvv0PJSTaV4U9xQBLvZlnjsYkc8RwQN1HoH/oQmLlQ==
-
-"@next/swc-linux-arm64-gnu@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-gnu/-/swc-linux-arm64-gnu-14.1.4.tgz#3519969293f16379954b7e196deb0c1eecbb2f8b"
- integrity sha512-457G0hcLrdYA/u1O2XkRMsDKId5VKe3uKPvrKVOyuARa6nXrdhJOOYU9hkKKyQTMru1B8qEP78IAhf/1XnVqKA==
-
-"@next/swc-linux-arm64-musl@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-musl/-/swc-linux-arm64-musl-14.1.4.tgz#4bb3196bd402b3f84cf5373ff1021f547264d62f"
- integrity sha512-l/kMG+z6MB+fKA9KdtyprkTQ1ihlJcBh66cf0HvqGP+rXBbOXX0dpJatjZbHeunvEHoBBS69GYQG5ry78JMy3g==
-
-"@next/swc-linux-x64-gnu@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-gnu/-/swc-linux-x64-gnu-14.1.4.tgz#1b3372c98c83dcdab946cdb4ee06e068b8139ba3"
- integrity sha512-BapIFZ3ZRnvQ1uWbmqEGJuPT9cgLwvKtxhK/L2t4QYO7l+/DxXuIGjvp1x8rvfa/x1FFSsipERZK70pewbtJtw==
-
-"@next/swc-linux-x64-musl@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-musl/-/swc-linux-x64-musl-14.1.4.tgz#8459088bdc872648ff78f121db596f2533df5808"
- integrity sha512-mqVxTwk4XuBl49qn2A5UmzFImoL1iLm0KQQwtdRJRKl21ylQwwGCxJtIYo2rbfkZHoSKlh/YgztY0qH3wG1xIg==
-
-"@next/swc-win32-arm64-msvc@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-arm64-msvc/-/swc-win32-arm64-msvc-14.1.4.tgz#84280a08c00cc3be24ddd3a12f4617b108e6dea6"
- integrity sha512-xzxF4ErcumXjO2Pvg/wVGrtr9QQJLk3IyQX1ddAC/fi6/5jZCZ9xpuL9Tzc4KPWMFq8GGWFVDMshZOdHGdkvag==
-
-"@next/swc-win32-ia32-msvc@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-ia32-msvc/-/swc-win32-ia32-msvc-14.1.4.tgz#23ff7f4bd0a27177428669ef6fa5c3923c738031"
- integrity sha512-WZiz8OdbkpRw6/IU/lredZWKKZopUMhcI2F+XiMAcPja0uZYdMTZQRoQ0WZcvinn9xZAidimE7tN9W5v9Yyfyw==
-
-"@next/swc-win32-x64-msvc@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-x64-msvc/-/swc-win32-x64-msvc-14.1.4.tgz#bccf5beccfde66d6c66fa4e2509118c796385eda"
- integrity sha512-4Rto21sPfw555sZ/XNLqfxDUNeLhNYGO2dlPqsnuCg8N8a2a9u1ltqBOPQ4vj1Gf7eJC0W2hHG2eYUHuiXgY2w==
+"@next/swc-darwin-arm64@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/swc-darwin-arm64/-/swc-darwin-arm64-14.2.1.tgz#44ca580ccac1396fa45e2bcc6584238098491e71"
+ integrity sha512-kGjnjcIJehEcd3rT/3NAATJQndAEELk0J9GmGMXHSC75TMnvpOhONcjNHbjtcWE5HUQnIHy5JVkatrnYm1QhVw==
+
+"@next/swc-darwin-x64@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/swc-darwin-x64/-/swc-darwin-x64-14.2.1.tgz#1747091f40fd3b0d8e072ba62203ec998619525f"
+ integrity sha512-dAdWndgdQi7BK2WSXrx4lae7mYcOYjbHJUhvOUnJjMNYrmYhxbbvJ2xElZpxNxdfA6zkqagIB9He2tQk+l16ew==
+
+"@next/swc-linux-arm64-gnu@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-gnu/-/swc-linux-arm64-gnu-14.2.1.tgz#ede705718c316e65e3dd9ab31962824b8befb0cb"
+ integrity sha512-2ZctfnyFOGvTkoD6L+DtQtO3BfFz4CapoHnyLTXkOxbZkVRgg3TQBUjTD/xKrO1QWeydeo8AWfZRg8539qNKrg==
+
+"@next/swc-linux-arm64-musl@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-musl/-/swc-linux-arm64-musl-14.2.1.tgz#ce50a5d94a7ba1f8e34a941f4ca076d8beebc79c"
+ integrity sha512-jazZXctiaanemy4r+TPIpFP36t1mMwWCKMsmrTRVChRqE6putyAxZA4PDujx0SnfvZHosjdkx9xIq9BzBB5tWg==
+
+"@next/swc-linux-x64-gnu@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-gnu/-/swc-linux-x64-gnu-14.2.1.tgz#ac3e8fa4d028fe7a9d9b7c33db3ab65679ae5fe2"
+ integrity sha512-VjCHWCjsAzQAAo8lkBOLEIkBZFdfW+Z18qcQ056kL4KpUYc8o59JhLDCBlhg+hINQRgzQ2UPGma2AURGOH0+Qg==
+
+"@next/swc-linux-x64-musl@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-musl/-/swc-linux-x64-musl-14.2.1.tgz#2beb7bee80dfb54a36d81392f21c599014018177"
+ integrity sha512-7HZKYKvAp4nAHiHIbY04finRqjeYvkITOGOurP1aLMexIFG/1+oCnqhGogBdc4lao/lkMW1c+AkwWSzSlLasqw==
+
+"@next/swc-win32-arm64-msvc@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/swc-win32-arm64-msvc/-/swc-win32-arm64-msvc-14.2.1.tgz#b25df35a6ed99eb73bfed07822dd28a37aaab9f9"
+ integrity sha512-YGHklaJ/Cj/F0Xd8jxgj2p8po4JTCi6H7Z3Yics3xJhm9CPIqtl8erlpK1CLv+HInDqEWfXilqatF8YsLxxA2Q==
+
+"@next/swc-win32-ia32-msvc@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/swc-win32-ia32-msvc/-/swc-win32-ia32-msvc-14.2.1.tgz#2cc67b93f0a71a8f3c1dd735676f4c9ddd4240ff"
+ integrity sha512-o+ISKOlvU/L43ZhtAAfCjwIfcwuZstiHVXq/BDsZwGqQE0h/81td95MPHliWCnFoikzWcYqh+hz54ZB2FIT8RA==
+
+"@next/swc-win32-x64-msvc@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/swc-win32-x64-msvc/-/swc-win32-x64-msvc-14.2.1.tgz#e5f4003930de4a150a8c2e7cf5c133cd99a686bd"
+ integrity sha512-GmRoTiLcvCLifujlisknv4zu9/C4i9r0ktsA8E51EMqJL4bD4CpO7lDYr7SrUxCR0tS4RVcrqKmCak24T0ohaw==
"@nodelib/fs.scandir@2.1.5":
version "2.1.5"
@@ -724,11 +724,17 @@
dependencies:
"@sinonjs/commons" "^3.0.0"
-"@swc/helpers@0.5.2":
- version "0.5.2"
- resolved "https://registry.yarnpkg.com/@swc/helpers/-/helpers-0.5.2.tgz#85ea0c76450b61ad7d10a37050289eded783c27d"
- integrity sha512-E4KcWTpoLHqwPHLxidpOqQbcrZVgi0rsmmZXUle1jXmJfuIf/UWpczUJ7MZZ5tlxytgJXyp0w4PGkkeLiuIdZw==
+"@swc/counter@^0.1.3":
+ version "0.1.3"
+ resolved "https://registry.yarnpkg.com/@swc/counter/-/counter-0.1.3.tgz#cc7463bd02949611c6329596fccd2b0ec782b0e9"
+ integrity sha512-e2BR4lsJkkRlKZ/qCHPw9ZaSxc0MVUd7gtbtaB7aMvHeJVYe8sOB8DBZkP2DtISHGSku9sCK6T6cnY0CtXrOCQ==
+
+"@swc/helpers@0.5.5":
+ version "0.5.5"
+ resolved "https://registry.yarnpkg.com/@swc/helpers/-/helpers-0.5.5.tgz#12689df71bfc9b21c4f4ca00ae55f2f16c8b77c0"
+ integrity sha512-KGYxvIOXcceOAbEk4bi/dVLEK9z8sZ0uBB3Il5b1rhfClSpcX0yfRO0KmTkqR2cnQDymwLB+25ZyMzICg/cm/A==
dependencies:
+ "@swc/counter" "^0.1.3"
tslib "^2.4.0"
"@types/babel__core@^7.1.14":
@@ -3299,28 +3305,28 @@ natural-compare@^1.4.0:
resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
integrity sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==
-next@14.1.4:
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/next/-/next-14.1.4.tgz#203310f7310578563fd5c961f0db4729ce7a502d"
- integrity sha512-1WTaXeSrUwlz/XcnhGTY7+8eiaFvdet5z9u3V2jb+Ek1vFo0VhHKSAIJvDWfQpttWjnyw14kBeq28TPq7bTeEQ==
+next@14.2.1:
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/next/-/next-14.2.1.tgz#081509478156407e4c181ad4791fea0a43c6347d"
+ integrity sha512-SF3TJnKdH43PMkCcErLPv+x/DY1YCklslk3ZmwaVoyUfDgHKexuKlf9sEfBQ69w+ue8jQ3msLb+hSj1T19hGag==
dependencies:
- "@next/env" "14.1.4"
- "@swc/helpers" "0.5.2"
+ "@next/env" "14.2.1"
+ "@swc/helpers" "0.5.5"
busboy "1.6.0"
caniuse-lite "^1.0.30001579"
graceful-fs "^4.2.11"
postcss "8.4.31"
styled-jsx "5.1.1"
optionalDependencies:
- "@next/swc-darwin-arm64" "14.1.4"
- "@next/swc-darwin-x64" "14.1.4"
- "@next/swc-linux-arm64-gnu" "14.1.4"
- "@next/swc-linux-arm64-musl" "14.1.4"
- "@next/swc-linux-x64-gnu" "14.1.4"
- "@next/swc-linux-x64-musl" "14.1.4"
- "@next/swc-win32-arm64-msvc" "14.1.4"
- "@next/swc-win32-ia32-msvc" "14.1.4"
- "@next/swc-win32-x64-msvc" "14.1.4"
+ "@next/swc-darwin-arm64" "14.2.1"
+ "@next/swc-darwin-x64" "14.2.1"
+ "@next/swc-linux-arm64-gnu" "14.2.1"
+ "@next/swc-linux-arm64-musl" "14.2.1"
+ "@next/swc-linux-x64-gnu" "14.2.1"
+ "@next/swc-linux-x64-musl" "14.2.1"
+ "@next/swc-win32-arm64-msvc" "14.2.1"
+ "@next/swc-win32-ia32-msvc" "14.2.1"
+ "@next/swc-win32-x64-msvc" "14.2.1"
node-int64@^0.4.0:
version "0.4.0"
From 11c866ae1e1f133f942821210822f843657373f8 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:11:53 -0400
Subject: [PATCH 22/32] Chore(deps-dev): Bump eslint-config-next from 14.1.4 to
14.2.1 in /frontend/sac-web (#536)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-web/package.json | 2 +-
frontend/sac-web/yarn.lock | 78 +++++++++++++++++------------------
2 files changed, 40 insertions(+), 40 deletions(-)
diff --git a/frontend/sac-web/package.json b/frontend/sac-web/package.json
index d1cc7ff0c..ac72a0d41 100644
--- a/frontend/sac-web/package.json
+++ b/frontend/sac-web/package.json
@@ -22,7 +22,7 @@
"@types/react-dom": "^18",
"autoprefixer": "^10.4.19",
"eslint": "^8",
- "eslint-config-next": "14.1.4",
+ "eslint-config-next": "14.2.1",
"jest": "^29.2.1",
"postcss": "^8",
"prettier": "^3.2.4",
diff --git a/frontend/sac-web/yarn.lock b/frontend/sac-web/yarn.lock
index 976a27793..4a54eeeaa 100644
--- a/frontend/sac-web/yarn.lock
+++ b/frontend/sac-web/yarn.lock
@@ -622,10 +622,10 @@
resolved "https://registry.yarnpkg.com/@next/env/-/env-14.2.1.tgz#18b4fb5fd76bdda65369ad4ea5f33199ae708d2f"
integrity sha512-qsHJle3GU3CmVx7pUoXcghX4sRN+vINkbLdH611T8ZlsP//grzqVW87BSUgOZeSAD4q7ZdZicdwNe/20U2janA==
-"@next/eslint-plugin-next@14.1.4":
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/@next/eslint-plugin-next/-/eslint-plugin-next-14.1.4.tgz#d7372b5ffede0e466af8af2ff534386418827fc8"
- integrity sha512-n4zYNLSyCo0Ln5b7qxqQeQ34OZKXwgbdcx6kmkQbywr+0k6M3Vinft0T72R6CDAcDrne2IAgSud4uWCzFgc5HA==
+"@next/eslint-plugin-next@14.2.1":
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/@next/eslint-plugin-next/-/eslint-plugin-next-14.2.1.tgz#909952d05dd22bb3f6db2a308ac148be2d05c775"
+ integrity sha512-Fp+mthEBjkn8r9qd6o4JgxKp0IDEzW0VYHD8ZC05xS5/lFNwHKuOdr2kVhWG7BQCO9L6eeepshM1Wbs2T+LgSg==
dependencies:
glob "10.3.10"
@@ -845,37 +845,37 @@
dependencies:
"@types/yargs-parser" "*"
-"@typescript-eslint/parser@^5.4.2 || ^6.0.0":
- version "6.21.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-6.21.0.tgz#af8fcf66feee2edc86bc5d1cf45e33b0630bf35b"
- integrity sha512-tbsV1jPne5CkFQCgPBcDOt30ItF7aJoZL997JSF7MhGQqOeT3svWRYxiqlfA5RUdlHN6Fi+EI9bxqbdyAUZjYQ==
+"@typescript-eslint/parser@^5.4.2 || ^6.0.0 || 7.0.0 - 7.2.0":
+ version "7.2.0"
+ resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-7.2.0.tgz#44356312aea8852a3a82deebdacd52ba614ec07a"
+ integrity sha512-5FKsVcHTk6TafQKQbuIVkXq58Fnbkd2wDL4LB7AURN7RUOu1utVP+G8+6u3ZhEroW3DF6hyo3ZEXxgKgp4KeCg==
dependencies:
- "@typescript-eslint/scope-manager" "6.21.0"
- "@typescript-eslint/types" "6.21.0"
- "@typescript-eslint/typescript-estree" "6.21.0"
- "@typescript-eslint/visitor-keys" "6.21.0"
+ "@typescript-eslint/scope-manager" "7.2.0"
+ "@typescript-eslint/types" "7.2.0"
+ "@typescript-eslint/typescript-estree" "7.2.0"
+ "@typescript-eslint/visitor-keys" "7.2.0"
debug "^4.3.4"
-"@typescript-eslint/scope-manager@6.21.0":
- version "6.21.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-6.21.0.tgz#ea8a9bfc8f1504a6ac5d59a6df308d3a0630a2b1"
- integrity sha512-OwLUIWZJry80O99zvqXVEioyniJMa+d2GrqpUTqi5/v5D5rOrppJVBPa0yKCblcigC0/aYAzxxqQ1B+DS2RYsg==
+"@typescript-eslint/scope-manager@7.2.0":
+ version "7.2.0"
+ resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-7.2.0.tgz#cfb437b09a84f95a0930a76b066e89e35d94e3da"
+ integrity sha512-Qh976RbQM/fYtjx9hs4XkayYujB/aPwglw2choHmf3zBjB4qOywWSdt9+KLRdHubGcoSwBnXUH2sR3hkyaERRg==
dependencies:
- "@typescript-eslint/types" "6.21.0"
- "@typescript-eslint/visitor-keys" "6.21.0"
+ "@typescript-eslint/types" "7.2.0"
+ "@typescript-eslint/visitor-keys" "7.2.0"
-"@typescript-eslint/types@6.21.0":
- version "6.21.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-6.21.0.tgz#205724c5123a8fef7ecd195075fa6e85bac3436d"
- integrity sha512-1kFmZ1rOm5epu9NZEZm1kckCDGj5UJEf7P1kliH4LKu/RkwpsfqqGmY2OOcUs18lSlQBKLDYBOGxRVtrMN5lpg==
+"@typescript-eslint/types@7.2.0":
+ version "7.2.0"
+ resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-7.2.0.tgz#0feb685f16de320e8520f13cca30779c8b7c403f"
+ integrity sha512-XFtUHPI/abFhm4cbCDc5Ykc8npOKBSJePY3a3s+lwumt7XWJuzP5cZcfZ610MIPHjQjNsOLlYK8ASPaNG8UiyA==
-"@typescript-eslint/typescript-estree@6.21.0":
- version "6.21.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-6.21.0.tgz#c47ae7901db3b8bddc3ecd73daff2d0895688c46"
- integrity sha512-6npJTkZcO+y2/kr+z0hc4HwNfrrP4kNYh57ek7yCNlrBjWQ1Y0OS7jiZTkgumrvkX5HkEKXFZkkdFNkaW2wmUQ==
+"@typescript-eslint/typescript-estree@7.2.0":
+ version "7.2.0"
+ resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-7.2.0.tgz#5beda2876c4137f8440c5a84b4f0370828682556"
+ integrity sha512-cyxS5WQQCoBwSakpMrvMXuMDEbhOo9bNHHrNcEWis6XHx6KF518tkF1wBvKIn/tpq5ZpUYK7Bdklu8qY0MsFIA==
dependencies:
- "@typescript-eslint/types" "6.21.0"
- "@typescript-eslint/visitor-keys" "6.21.0"
+ "@typescript-eslint/types" "7.2.0"
+ "@typescript-eslint/visitor-keys" "7.2.0"
debug "^4.3.4"
globby "^11.1.0"
is-glob "^4.0.3"
@@ -883,12 +883,12 @@
semver "^7.5.4"
ts-api-utils "^1.0.1"
-"@typescript-eslint/visitor-keys@6.21.0":
- version "6.21.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-6.21.0.tgz#87a99d077aa507e20e238b11d56cc26ade45fe47"
- integrity sha512-JJtkDduxLi9bivAB+cYOVMtbkqdPOhZ+ZI5LC47MIRrDV4Yn2o+ZnW10Nkmr28xRpSpdJ6Sm42Hjf2+REYXm0A==
+"@typescript-eslint/visitor-keys@7.2.0":
+ version "7.2.0"
+ resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-7.2.0.tgz#5035f177752538a5750cca1af6044b633610bf9e"
+ integrity sha512-c6EIQRHhcpl6+tO8EMR+kjkkV+ugUNXOmeASA1rlzkd8EPIriavpWoiEz1HR/VLhbVIdhqnV6E7JZm00cBDx2A==
dependencies:
- "@typescript-eslint/types" "6.21.0"
+ "@typescript-eslint/types" "7.2.0"
eslint-visitor-keys "^3.4.1"
"@ungap/structured-clone@^1.2.0":
@@ -1794,14 +1794,14 @@ escape-string-regexp@^4.0.0:
resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz#14ba83a5d373e3d311e5afca29cf5bfad965bf34"
integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==
-eslint-config-next@14.1.4:
- version "14.1.4"
- resolved "https://registry.yarnpkg.com/eslint-config-next/-/eslint-config-next-14.1.4.tgz#22f2ba4c0993e991249d863656a64c204bae542c"
- integrity sha512-cihIahbhYAWwXJwZkAaRPpUi5t9aOi/HdfWXOjZeUOqNWXHD8X22kd1KG58Dc3MVaRx3HoR/oMGk2ltcrqDn8g==
+eslint-config-next@14.2.1:
+ version "14.2.1"
+ resolved "https://registry.yarnpkg.com/eslint-config-next/-/eslint-config-next-14.2.1.tgz#b19b53ca3d10379a98bc9bf497dbea651dfcd070"
+ integrity sha512-BgD0kPCWMlqoItRf3xe9fG0MqwObKfVch+f2ccwDpZiCJA8ghkz2wrASH+bI6nLZzGcOJOpMm1v1Q1euhfpt4Q==
dependencies:
- "@next/eslint-plugin-next" "14.1.4"
+ "@next/eslint-plugin-next" "14.2.1"
"@rushstack/eslint-patch" "^1.3.3"
- "@typescript-eslint/parser" "^5.4.2 || ^6.0.0"
+ "@typescript-eslint/parser" "^5.4.2 || ^6.0.0 || 7.0.0 - 7.2.0"
eslint-import-resolver-node "^0.3.6"
eslint-import-resolver-typescript "^3.5.2"
eslint-plugin-import "^2.28.1"
From 9dffc474ebd0089bb0a6f7a4bed0b22776524828 Mon Sep 17 00:00:00 2001
From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:12:31 -0400
Subject: [PATCH 23/32] Chore(deps): Bump react-native-reanimated from 3.6.3 to
3.8.1 in /frontend/sac-mobile (#537)
Signed-off-by: dependabot[bot]
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
---
frontend/sac-mobile/package.json | 2 +-
frontend/sac-mobile/yarn.lock | 104 +++++++++++++------------------
2 files changed, 46 insertions(+), 60 deletions(-)
diff --git a/frontend/sac-mobile/package.json b/frontend/sac-mobile/package.json
index c83154565..2589d68b6 100644
--- a/frontend/sac-mobile/package.json
+++ b/frontend/sac-mobile/package.json
@@ -50,7 +50,7 @@
"react-native-loading-spinner-overlay": "^3.0.1",
"react-native-maps": "1.14.0",
"react-native-open-maps": "^0.4.3",
- "react-native-reanimated": "~3.6.2",
+ "react-native-reanimated": "~3.8.1",
"react-native-safe-area-context": "4.9.0",
"react-native-screens": "~3.30.1",
"react-native-svg": "^15.1.0",
diff --git a/frontend/sac-mobile/yarn.lock b/frontend/sac-mobile/yarn.lock
index da13023e4..b5eb04181 100644
--- a/frontend/sac-mobile/yarn.lock
+++ b/frontend/sac-mobile/yarn.lock
@@ -645,12 +645,12 @@
"@babel/helper-create-regexp-features-plugin" "^7.18.6"
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-transform-arrow-functions@^7.0.0", "@babel/plugin-transform-arrow-functions@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.23.3.tgz"
- integrity sha512-NzQcQrzaQPkaEwoTm4Mhyl8jI1huEL/WWIEvudjTCMJ9aBZNpsJbMASx7EQECtQQPS/DcnFpo0FIh3LvEO9cxQ==
+"@babel/plugin-transform-arrow-functions@^7.0.0", "@babel/plugin-transform-arrow-functions@^7.0.0-0", "@babel/plugin-transform-arrow-functions@^7.23.3":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.24.1.tgz#2bf263617060c9cc45bcdbf492b8cc805082bf27"
+ integrity sha512-ngT/3NkRhsaep9ck9uj2Xhv9+xB1zShY3tM3g6om4xxCELwCDN4g4Aq5dRn48+0hasAql7s2hdBOysCfNpr4fw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-transform-async-generator-functions@^7.23.9":
version "7.23.9"
@@ -884,12 +884,12 @@
dependencies:
"@babel/helper-plugin-utils" "^7.22.5"
-"@babel/plugin-transform-nullish-coalescing-operator@^7.23.4":
- version "7.23.4"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-nullish-coalescing-operator/-/plugin-transform-nullish-coalescing-operator-7.23.4.tgz#45556aad123fc6e52189ea749e33ce090637346e"
- integrity sha512-jHE9EVVqHKAQx+VePv5LLGHjmHSJR76vawFPTdlxR/LVJPfOEGxREQwQfjuZEOPTwG92X3LINSh3M40Rv4zpVA==
+"@babel/plugin-transform-nullish-coalescing-operator@^7.0.0-0", "@babel/plugin-transform-nullish-coalescing-operator@^7.23.4":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-nullish-coalescing-operator/-/plugin-transform-nullish-coalescing-operator-7.24.1.tgz#0cd494bb97cb07d428bd651632cb9d4140513988"
+ integrity sha512-iQ+caew8wRrhCikO5DrUYx0mrmdhkaELgFa+7baMcVuhxIkN7oxt06CZ51D65ugIb1UWRQ8oQe+HXAVM6qHFjw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-nullish-coalescing-operator" "^7.8.3"
"@babel/plugin-transform-numeric-separator@^7.23.4":
@@ -900,13 +900,6 @@
"@babel/helper-plugin-utils" "^7.22.5"
"@babel/plugin-syntax-numeric-separator" "^7.10.4"
-"@babel/plugin-transform-object-assign@^7.16.7":
- version "7.24.1"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-object-assign/-/plugin-transform-object-assign-7.24.1.tgz#46a70169e56970aafd13a6ae677d5b497fc227e7"
- integrity sha512-I1kctor9iKtupb7jv7FyjApHCuKLBKCblVAeHVK9PB6FW7GI0ac6RtobC3MwwJy8CZ1JxuhQmnbrsqI5G8hAIg==
- dependencies:
- "@babel/helper-plugin-utils" "^7.24.0"
-
"@babel/plugin-transform-object-rest-spread@^7.12.13":
version "7.23.4"
resolved "https://registry.npmjs.org/@babel/plugin-transform-object-rest-spread/-/plugin-transform-object-rest-spread-7.23.4.tgz"
@@ -945,12 +938,12 @@
"@babel/helper-plugin-utils" "^7.22.5"
"@babel/plugin-syntax-optional-catch-binding" "^7.8.3"
-"@babel/plugin-transform-optional-chaining@^7.23.3", "@babel/plugin-transform-optional-chaining@^7.23.4":
- version "7.23.4"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-optional-chaining/-/plugin-transform-optional-chaining-7.23.4.tgz#6acf61203bdfc4de9d4e52e64490aeb3e52bd017"
- integrity sha512-ZU8y5zWOfjM5vZ+asjgAPwDaBjJzgufjES89Rs4Lpq63O300R/kOz30WCLo6BxxX6QVEilwSlpClnG5cZaikTA==
+"@babel/plugin-transform-optional-chaining@^7.0.0-0", "@babel/plugin-transform-optional-chaining@^7.23.3", "@babel/plugin-transform-optional-chaining@^7.23.4":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-optional-chaining/-/plugin-transform-optional-chaining-7.24.1.tgz#26e588acbedce1ab3519ac40cc748e380c5291e6"
+ integrity sha512-n03wmDt+987qXwAgcBlnUUivrZBPZ8z1plL0YvgQalLm+ZE5BMhGm94jhxXtA1wzv1Cu2aaOv1BM9vbVttrzSg==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/helper-skip-transparent-expression-wrappers" "^7.22.5"
"@babel/plugin-syntax-optional-chaining" "^7.8.3"
@@ -1060,12 +1053,12 @@
babel-plugin-polyfill-regenerator "^0.5.5"
semver "^6.3.1"
-"@babel/plugin-transform-shorthand-properties@^7.0.0", "@babel/plugin-transform-shorthand-properties@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.23.3.tgz"
- integrity sha512-ED2fgqZLmexWiN+YNFX26fx4gh5qHDhn1O2gvEhreLW2iI63Sqm4llRLCXALKrCnbN4Jy0VcMQZl/SAzqug/jg==
+"@babel/plugin-transform-shorthand-properties@^7.0.0", "@babel/plugin-transform-shorthand-properties@^7.0.0-0", "@babel/plugin-transform-shorthand-properties@^7.23.3":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.24.1.tgz#ba9a09144cf55d35ec6b93a32253becad8ee5b55"
+ integrity sha512-LyjVB1nsJ6gTTUKRjRWx9C1s9hE7dLfP/knKdrfeH9UPtAGjYGgxIbFfx7xyLIEWs7Xe1Gnf8EWiUqfjLhInZA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-transform-spread@^7.0.0", "@babel/plugin-transform-spread@^7.23.3":
version "7.23.3"
@@ -1082,12 +1075,12 @@
dependencies:
"@babel/helper-plugin-utils" "^7.22.5"
-"@babel/plugin-transform-template-literals@^7.0.0", "@babel/plugin-transform-template-literals@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.23.3.tgz"
- integrity sha512-Flok06AYNp7GV2oJPZZcP9vZdszev6vPBkHLwxwSpaIqx75wn6mUd3UFWsSsA0l8nXAKkyCmL/sR02m8RYGeHg==
+"@babel/plugin-transform-template-literals@^7.0.0", "@babel/plugin-transform-template-literals@^7.0.0-0", "@babel/plugin-transform-template-literals@^7.23.3":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.24.1.tgz#15e2166873a30d8617e3e2ccadb86643d327aab7"
+ integrity sha512-WRkhROsNzriarqECASCNu/nojeXCDTE/F2HmRgOzi7NGvyfYGq1NEjKBK3ckLfRgGc6/lPAqP0vDOSw3YtG34g==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-transform-typeof-symbol@^7.23.3":
version "7.23.3"
@@ -1096,16 +1089,6 @@
dependencies:
"@babel/helper-plugin-utils" "^7.22.5"
-"@babel/plugin-transform-typescript@^7.23.3", "@babel/plugin-transform-typescript@^7.5.0":
- version "7.23.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.23.6.tgz"
- integrity sha512-6cBG5mBvUu4VUD04OHKnYzbuHNP8huDsD3EDqqpIpsswTDoqHCjLoHb6+QgsV1WsT2nipRqCPgxD3LXnEO7XfA==
- dependencies:
- "@babel/helper-annotate-as-pure" "^7.22.5"
- "@babel/helper-create-class-features-plugin" "^7.23.6"
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/plugin-syntax-typescript" "^7.23.3"
-
"@babel/plugin-transform-typescript@^7.24.1":
version "7.24.4"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.24.4.tgz#03e0492537a4b953e491f53f2bc88245574ebd15"
@@ -1116,6 +1099,16 @@
"@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-typescript" "^7.24.1"
+"@babel/plugin-transform-typescript@^7.5.0":
+ version "7.23.6"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.23.6.tgz"
+ integrity sha512-6cBG5mBvUu4VUD04OHKnYzbuHNP8huDsD3EDqqpIpsswTDoqHCjLoHb6+QgsV1WsT2nipRqCPgxD3LXnEO7XfA==
+ dependencies:
+ "@babel/helper-annotate-as-pure" "^7.22.5"
+ "@babel/helper-create-class-features-plugin" "^7.23.6"
+ "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/plugin-syntax-typescript" "^7.23.3"
+
"@babel/plugin-transform-unicode-escapes@^7.23.3":
version "7.23.3"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.23.3.tgz#1f66d16cab01fab98d784867d24f70c1ca65b925"
@@ -1263,18 +1256,7 @@
"@babel/plugin-transform-react-jsx-development" "^7.22.5"
"@babel/plugin-transform-react-pure-annotations" "^7.23.3"
-"@babel/preset-typescript@^7.13.0":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/preset-typescript/-/preset-typescript-7.23.3.tgz"
- integrity sha512-17oIGVlqz6CchO9RFYn5U6ZpWRZIngayYCtrPRSgANSwC2V1Jb+iP74nVxzzXJte8b8BYxrL1yY96xfhTBrNNQ==
- dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/helper-validator-option" "^7.22.15"
- "@babel/plugin-syntax-jsx" "^7.23.3"
- "@babel/plugin-transform-modules-commonjs" "^7.23.3"
- "@babel/plugin-transform-typescript" "^7.23.3"
-
-"@babel/preset-typescript@^7.16.7":
+"@babel/preset-typescript@^7.13.0", "@babel/preset-typescript@^7.16.7":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/preset-typescript/-/preset-typescript-7.24.1.tgz#89bdf13a3149a17b3b2a2c9c62547f06db8845ec"
integrity sha512-1DBaMmRDpuYQBPWD8Pf/WEwCrtgRHxsZnP4mIy9G/X+hFfbI47Q2G4t1Paakld84+qsk2fSsUPMKg71jkoOOaQ==
@@ -8661,12 +8643,16 @@ react-native-open-maps@^0.4.3:
dependencies:
query-string "^7.1.0"
-react-native-reanimated@~3.6.2:
- version "3.6.3"
- resolved "https://registry.yarnpkg.com/react-native-reanimated/-/react-native-reanimated-3.6.3.tgz#859cf2320e37c80e3a21e19db24f82c34d6d3ded"
- integrity sha512-2KkkPozoIvDbJcHuf8qeyoLROXQxizSi+2CTCkuNVkVZOxxY4B0Omvgq61aOQhSZUh/649x1YHoAaTyGMGDJUw==
+react-native-reanimated@~3.8.1:
+ version "3.8.1"
+ resolved "https://registry.yarnpkg.com/react-native-reanimated/-/react-native-reanimated-3.8.1.tgz#45c13d4bedebef8df3d5a8756f25072de65960d7"
+ integrity sha512-EdM0vr3JEaNtqvstqESaPfOBy0gjYBkr1iEolWJ82Ax7io8y9OVUIphgsLKTB36CtR1XtmBw0RZVj7KArc7ZVA==
dependencies:
- "@babel/plugin-transform-object-assign" "^7.16.7"
+ "@babel/plugin-transform-arrow-functions" "^7.0.0-0"
+ "@babel/plugin-transform-nullish-coalescing-operator" "^7.0.0-0"
+ "@babel/plugin-transform-optional-chaining" "^7.0.0-0"
+ "@babel/plugin-transform-shorthand-properties" "^7.0.0-0"
+ "@babel/plugin-transform-template-literals" "^7.0.0-0"
"@babel/preset-typescript" "^7.16.7"
convert-source-map "^2.0.0"
invariant "^2.2.4"
From a911f1f839ac3d12f4883fe2554133cd21598ca1 Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Mon, 15 Apr 2024 13:58:06 -0400
Subject: [PATCH 24/32] fix: cli config fails (#542)
---
backend/src/main.go | 2 --
cli/commands/clean_tests.go | 10 ++++++++--
cli/commands/config.go | 3 +--
cli/commands/drop.go | 15 +++++++++++++--
cli/commands/insert.go | 8 +++++++-
5 files changed, 29 insertions(+), 9 deletions(-)
diff --git a/backend/src/main.go b/backend/src/main.go
index 490404ff7..3a06ad1c3 100644
--- a/backend/src/main.go
+++ b/backend/src/main.go
@@ -58,8 +58,6 @@ func main() {
configPath := flag.String("config", filepath.Join("..", "..", "config"), "Specify the path to the config directory")
useDevDotEnv := flag.Bool("use-dev-dot-env", true, "Specify if you want to use the .env.dev file")
- fmt.Println("foo", *useDevDotEnv)
-
flag.Parse()
config, err := config.GetConfiguration(*configPath, *useDevDotEnv)
diff --git a/cli/commands/clean_tests.go b/cli/commands/clean_tests.go
index a3923ce53..edc7955bd 100644
--- a/cli/commands/clean_tests.go
+++ b/cli/commands/clean_tests.go
@@ -7,6 +7,7 @@ import (
"os/user"
"sync"
+ "github.com/GenerateNU/sac/backend/src/config"
_ "github.com/lib/pq"
"github.com/urfave/cli/v2"
)
@@ -32,7 +33,12 @@ func ClearDBCommand() *cli.Command {
func CleanTestDBs(ctx context.Context) error {
fmt.Println("Cleaning test databases")
- db, err := sql.Open("postgres", CONFIG.Database.WithDb())
+ config, err := config.GetConfiguration(CONFIG, false)
+ if err != nil {
+ return err
+ }
+
+ db, err := sql.Open("postgres", config.Database.WithDb())
if err != nil {
return err
}
@@ -45,7 +51,7 @@ func CleanTestDBs(ctx context.Context) error {
}
query := "SELECT datname FROM pg_database WHERE datistemplate = false AND datname != 'postgres' AND datname != $1 AND datname != $2 AND datname LIKE 'sac_test_%';"
- rows, err := db.Query(query, currentUser.Username, CONFIG.Database.DatabaseName)
+ rows, err := db.Query(query, currentUser.Username, config.Database.DatabaseName)
if err != nil {
return err
}
diff --git a/cli/commands/config.go b/cli/commands/config.go
index e33a7f4ab..b7bb45e1a 100644
--- a/cli/commands/config.go
+++ b/cli/commands/config.go
@@ -3,7 +3,6 @@ package commands
import (
"path/filepath"
- "github.com/GenerateNU/sac/backend/src/config"
"github.com/GenerateNU/sac/cli/utils"
)
@@ -12,6 +11,6 @@ var (
FRONTEND_DIR = filepath.Join(ROOT_DIR, "/frontend")
BACKEND_DIR = filepath.Join(ROOT_DIR, "/backend")
BACKEND_SRC_DIR = filepath.Join(BACKEND_DIR, "/src")
- CONFIG, _ = config.GetConfiguration(filepath.Join(ROOT_DIR, "/config"), false)
+ CONFIG = filepath.Join(ROOT_DIR, "/config")
MIGRATION_FILE = filepath.Join(BACKEND_SRC_DIR, "/migrations/data.sql")
)
diff --git a/cli/commands/drop.go b/cli/commands/drop.go
index 3a34f1ae1..37d90980e 100644
--- a/cli/commands/drop.go
+++ b/cli/commands/drop.go
@@ -5,6 +5,7 @@ import (
"fmt"
"sync"
+ "github.com/GenerateNU/sac/backend/src/config"
"github.com/urfave/cli/v2"
)
@@ -52,7 +53,12 @@ func DropData() error {
dbMutex.Lock()
defer dbMutex.Unlock()
- db, err := sql.Open("postgres", CONFIG.Database.WithDb())
+ config, err := config.GetConfiguration(CONFIG, false)
+ if err != nil {
+ return err
+ }
+
+ db, err := sql.Open("postgres", config.Database.WithDb())
if err != nil {
return err
}
@@ -95,7 +101,12 @@ func DropDB() error {
dbMutex.Lock()
defer dbMutex.Unlock()
- db, err := sql.Open("postgres", CONFIG.Database.WithDb())
+ config, err := config.GetConfiguration(CONFIG, false)
+ if err != nil {
+ return err
+ }
+
+ db, err := sql.Open("postgres", config.Database.WithDb())
if err != nil {
return err
}
diff --git a/cli/commands/insert.go b/cli/commands/insert.go
index afbf4dec8..b3d40eb1c 100644
--- a/cli/commands/insert.go
+++ b/cli/commands/insert.go
@@ -6,6 +6,7 @@ import (
"os"
"os/exec"
+ "github.com/GenerateNU/sac/backend/src/config"
"github.com/lib/pq"
"github.com/urfave/cli/v2"
)
@@ -34,7 +35,12 @@ func InsertCommand() *cli.Command {
}
func InsertDB() error {
- db, err := sql.Open("postgres", CONFIG.Database.WithDb())
+ config, err := config.GetConfiguration(CONFIG, false)
+ if err != nil {
+ return err
+ }
+
+ db, err := sql.Open("postgres", config.Database.WithDb())
if err != nil {
return err
}
From 109c5ae67ffc5129f51a19eeffde6f4cc60957e4 Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Mon, 15 Apr 2024 14:00:35 -0400
Subject: [PATCH 25/32] chore: rename cli (#545)
---
.gitignore | 2 +-
CONTRIBUTING.md | 2 +-
cli/main.go | 2 +-
cli/utils/path.go | 12 ++++++------
install.ps1 | 14 +++++++-------
install.sh | 8 ++++----
6 files changed, 20 insertions(+), 20 deletions(-)
diff --git a/.gitignore b/.gitignore
index 2142bdd9d..48a772f28 100644
--- a/.gitignore
+++ b/.gitignore
@@ -2,7 +2,7 @@
.DS_Store
# Cli
-sac-cli
+sac
# VSCode
.vscode
diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md
index f935c8414..c5bbfbdd0 100644
--- a/CONTRIBUTING.md
+++ b/CONTRIBUTING.md
@@ -131,7 +131,7 @@
### SAC CLI
- To install use `./install.sh` and then run `sac-cli` to see all commands.
+ To install use `./install.sh` and then run `sac` to see all commands.
# Git Flow
diff --git a/cli/main.go b/cli/main.go
index 880a7598a..a81e5667b 100755
--- a/cli/main.go
+++ b/cli/main.go
@@ -10,7 +10,7 @@ import (
func main() {
app := &cli.App{
- Name: "sac-cli",
+ Name: "sac",
Usage: "CLI for the GenerateNU SAC",
Commands: []*cli.Command{
commands.SwaggerCommand(),
diff --git a/cli/utils/path.go b/cli/utils/path.go
index 01b9a6a1a..7ff98bf94 100644
--- a/cli/utils/path.go
+++ b/cli/utils/path.go
@@ -13,7 +13,7 @@ func GetRootDir() (string, error) {
return "", err
}
- // Find the closest directory containing "sac-cli" (the root directory)
+ // Find the closest directory containing "sac" (the root directory)
rootDir, err := FindRootDir(currentDir)
if err != nil {
return "", err
@@ -23,19 +23,19 @@ func GetRootDir() (string, error) {
}
func FindRootDir(dir string) (string, error) {
- // Check if "sac-cli" exists in the current directory
- mainGoPath := filepath.Join(dir, "sac-cli")
+ // Check if "sac" exists in the current directory
+ mainGoPath := filepath.Join(dir, "sac")
_, err := os.Stat(mainGoPath)
if err == nil {
- // "sac-cli" found, this is the root directory
+ // "sac" found, this is the root directory
return dir, nil
}
// If not found, go up one level
parentDir := filepath.Dir(dir)
if parentDir == dir {
- // Reached the top without finding "sac-cli"
- return "", fmt.Errorf("could not find root directory containing sac-cli")
+ // Reached the top without finding "sac"
+ return "", fmt.Errorf("could not find root directory containing sac")
}
// Recursively search in the parent directory
diff --git a/install.ps1 b/install.ps1
index d7a8051eb..153e91c17 100644
--- a/install.ps1
+++ b/install.ps1
@@ -2,19 +2,19 @@
$ScriptPath = (Get-Item -Path $MyInvocation.MyCommand.Path).DirectoryName
# Build the Go CLI tool
-go build -o "sac-cli" "cli/main.go"
+go build -o "sac" "cli/main.go"
-# Check if sac-cli is already installed
-if (Test-Path -Path "$Env:USERPROFILE\AppData\Local\Programs\sac-cli\sac-cli.exe") {
+# Check if sac is already installed
+if (Test-Path -Path "$Env:USERPROFILE\AppData\Local\Programs\sac\sac.exe") {
exit 1
}
-# Copy the sac-cli executable to a directory in the user's PATH
-$InstallPath = "$Env:USERPROFILE\AppData\Local\Programs\sac-cli"
+# Copy the sac executable to a directory in the user's PATH
+$InstallPath = "$Env:USERPROFILE\AppData\Local\Programs\sac"
if (-not (Test-Path -Path $InstallPath)) {
New-Item -ItemType Directory -Path $InstallPath | Out-Null
}
-Copy-Item -Path "sac-cli" -Destination "$InstallPath\sac-cli.exe" -Force
+Copy-Item -Path "sac" -Destination "$InstallPath\sac.exe" -Force
# Add the installation path to the user's PATH
$PathEnvVar = [System.Environment]::GetEnvironmentVariable("PATH", [System.EnvironmentVariableTarget]::User)
@@ -23,4 +23,4 @@ if (-not ($PathEnvVar -like "*$InstallPath*")) {
}
# Inform the user
-Write-Host "Installation complete. You can now run 'sac-cli' from anywhere."
+Write-Host "Installation complete. You can now run 'sac' from anywhere."
diff --git a/install.sh b/install.sh
index 383916404..f797ee6a9 100755
--- a/install.sh
+++ b/install.sh
@@ -7,19 +7,19 @@ set -o pipefail
SCRIPT_PATH="$(cd "$(dirname "${BASH_SOURCE[0]}")" && pwd)"
# Build the Go CLI tool
-go build -o "sac-cli" "cli/main.go"
+go build -o "sac" "cli/main.go"
# Identify the user's shell
SHELL_NAME=$(basename "$SHELL")
# Check if the command is already installed to avoid adding it to path multiple times
-COMMAND_NAME="sac-cli"
+COMMAND_NAME="sac"
if command -v "$COMMAND_NAME" >/dev/null 2>&1; then
exit 1
fi
-# Add sac-cli to the user's PATH
+# Add sac to the user's PATH
if [[ $SHELL_NAME == "zsh" ]]; then
echo "export PATH=\"$SCRIPT_PATH:\$PATH\"" >>~/.zshrc
source ~/.zshrc
@@ -32,4 +32,4 @@ else
fi
# Inform the user
-echo "Installation complete. You can now run 'sac-cli' from anywhere."
+echo "Installation complete. You can now run 'sac' from anywhere."
From 7211d51c06d4c38be9697aac7149ed1fb0931ed5 Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Mon, 15 Apr 2024 16:19:56 -0400
Subject: [PATCH 26/32] feat: support for majors | model struct tag
optimizations/cleanup | testing sync (#547)
---
backend/src/database/super.go | 1 +
backend/src/file/file.go | 1 -
backend/src/models/category.go | 2 +-
backend/src/models/club.go | 14 +--
backend/src/models/comment.go | 14 +--
backend/src/models/contact.go | 6 +-
backend/src/models/event.go | 44 +++++-----
backend/src/models/file.go | 10 +--
backend/src/models/follower.go | 4 +-
backend/src/models/membership.go | 6 +-
backend/src/models/notification.go | 14 +--
backend/src/models/poc.go | 8 +-
backend/src/models/root.go | 6 +-
backend/src/models/tag.go | 4 +-
backend/src/models/user.go | 135 ++++++++++++++++++++++++++---
backend/src/models/verification.go | 4 +-
backend/src/services/event.go | 1 +
backend/src/utilities/validator.go | 11 +++
backend/tests/api/club_test.go | 2 -
backend/tests/api/event_test.go | 83 +++++++++++-------
backend/tests/api/helpers/auth.go | 5 ++
backend/tests/api/user_test.go | 20 ++++-
22 files changed, 280 insertions(+), 115 deletions(-)
diff --git a/backend/src/database/super.go b/backend/src/database/super.go
index 9d357ba24..7cc9c2b8d 100644
--- a/backend/src/database/super.go
+++ b/backend/src/database/super.go
@@ -22,6 +22,7 @@ func SuperUser(superUserSettings config.SuperUserSettings) (*models.User, *error
PasswordHash: *passwordHash,
FirstName: "SAC",
LastName: "Super",
+ Major0: models.ComputerScience,
College: models.KCCS,
GraduationCycle: models.May,
GraduationYear: 2025,
diff --git a/backend/src/file/file.go b/backend/src/file/file.go
index 9314ffce5..9e292dbe1 100644
--- a/backend/src/file/file.go
+++ b/backend/src/file/file.go
@@ -128,7 +128,6 @@ func (aw *AWSClient) UploadFile(folder string, fileHeader *multipart.FileHeader,
Body: bytes.NewReader(file),
})
if s3Err != nil {
- fmt.Printf("Failed to upload data to %s/%s, %v\n", bucket, key, err)
return nil, &errors.FailedToUploadFile
}
diff --git a/backend/src/models/category.go b/backend/src/models/category.go
index 6f9770557..a6d757d10 100644
--- a/backend/src/models/category.go
+++ b/backend/src/models/category.go
@@ -3,7 +3,7 @@ package models
type Category struct {
Model
- Name string `gorm:"type:varchar(255);unique" json:"name" validate:"required,max=255"`
+ Name string `gorm:"type:varchar(255);unique;not null" json:"name" validate:"required,max=255"`
Tag []Tag `gorm:"constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
}
diff --git a/backend/src/models/club.go b/backend/src/models/club.go
index 23c931720..2e4b31918 100644
--- a/backend/src/models/club.go
+++ b/backend/src/models/club.go
@@ -30,13 +30,13 @@ type Club struct {
SoftDeletedAt gorm.DeletedAt `gorm:"type:timestamptz;default:NULL" json:"-" validate:"-"`
- Name string `gorm:"type:varchar(255)" json:"name" validate:"required,max=255"`
- Preview string `gorm:"type:varchar(255)" json:"preview" validate:"required,max=255"`
- Description string `gorm:"type:text" json:"description" validate:"required,http_url,s3_url,max=255"` // S3 URL
- NumMembers int `gorm:"type:int" json:"num_members" validate:"required,min=1"`
- IsRecruiting bool `gorm:"type:bool;default:false" json:"is_recruiting" validate:"required"`
- RecruitmentCycle RecruitmentCycle `gorm:"type:varchar(255);default:always" json:"recruitment_cycle" validate:"required,max=255,oneof=fall spring fallSpring always"`
- RecruitmentType RecruitmentType `gorm:"type:varchar(255);default:unrestricted" json:"recruitment_type" validate:"required,max=255,oneof=unrestricted tryout application"`
+ Name string `gorm:"type:varchar(255);not null" json:"name" validate:"required,max=255"`
+ Preview string `gorm:"type:varchar(255);not null" json:"preview" validate:"required,max=255"`
+ Description string `gorm:"type:text;not null" json:"description" validate:"required,http_url,s3_url,max=255"` // S3 URL
+ NumMembers int `gorm:"type:int;not null" json:"num_members" validate:"required,min=1"`
+ IsRecruiting bool `gorm:"type:bool;default:false;not null" json:"is_recruiting" validate:"required"`
+ RecruitmentCycle RecruitmentCycle `gorm:"type:varchar(255);default:always;not null" json:"recruitment_cycle" validate:"required,max=255,oneof=fall spring fallSpring always"`
+ RecruitmentType RecruitmentType `gorm:"type:varchar(255);default:unrestricted;not null" json:"recruitment_type" validate:"required,max=255,oneof=unrestricted tryout application"`
ApplicationLink string `gorm:"type:varchar(255);default:NULL" json:"application_link" validate:"required,max=255,http_url"`
Logo string `gorm:"type:varchar(255);default:NULL" json:"logo" validate:"omitempty,http_url,s3_url,max=255"` // S3 URL
diff --git a/backend/src/models/comment.go b/backend/src/models/comment.go
index 9e2bb9eb1..30448d0fd 100644
--- a/backend/src/models/comment.go
+++ b/backend/src/models/comment.go
@@ -5,15 +5,15 @@ import "github.com/google/uuid"
type Comment struct {
Model
- Question string `gorm:"type:varchar(255)" json:"question" validate:"required,max=255"`
- Answer string `gorm:"type:varchar(255)" json:"answer" validate:",max=255"`
- NumFoundHelpful uint `gorm:"type:int;default:0" json:"num_found_helpful" validate:"min=0"`
+ Question string `gorm:"type:varchar(255);not null" json:"question" validate:"required,max=255"`
+ Answer string `gorm:"type:varchar(255);not null" json:"answer" validate:",max=255"`
+ NumFoundHelpful uint `gorm:"type:int;default:0;not null" json:"num_found_helpful" validate:"min=0"`
- AskedByID uuid.UUID `gorm:"type:uuid" json:"-" validate:"uuid4"`
- AskedBy User `gorm:"foreignKey:AskedByID" json:"-" validate:"-"`
+ AskedByID uuid.UUID `gorm:"type:uuid;not null" json:"-" validate:"uuid4"`
+ AskedBy User `gorm:"foreignKey:AskedByID;not null" json:"-" validate:"-"`
- ClubID uuid.UUID `gorm:"type:uuid" json:"-" validate:"uuid4"`
- Club Club `gorm:"foreignKey:ClubID" json:"-" validate:"-"`
+ ClubID uuid.UUID `gorm:"type:uuid;not null" json:"-" validate:"uuid4"`
+ Club Club `gorm:"foreignKey:ClubID;not null" json:"-" validate:"-"`
AnsweredByID *uuid.UUID `gorm:"type:uuid" json:"-" validate:"uuid4"`
AnsweredBy *User `gorm:"foreignKey:AnsweredBy" json:"-" validate:"-"`
diff --git a/backend/src/models/contact.go b/backend/src/models/contact.go
index 25993f43c..dc5280332 100644
--- a/backend/src/models/contact.go
+++ b/backend/src/models/contact.go
@@ -43,10 +43,10 @@ func GetContentPrefix(contactType ContactType) string {
type Contact struct {
Model
- Type ContactType `gorm:"type:varchar(255);uniqueIndex:idx_contact_type" json:"type" validate:"required,max=255,oneof=facebook instagram x linkedin youtube github slack discord email customSite"`
- Content string `gorm:"type:varchar(255)" json:"content" validate:"required,max=255"`
+ Type ContactType `gorm:"type:varchar(255);uniqueIndex:idx_contact_type;not null" json:"type" validate:"required,max=255,oneof=facebook instagram x linkedin youtube github slack discord email customSite"`
+ Content string `gorm:"type:varchar(255);not null" json:"content" validate:"required,max=255"`
- ClubID uuid.UUID `gorm:"foreignKey:ClubID;uniqueIndex:idx_contact_type" json:"-" validate:"uuid4"`
+ ClubID uuid.UUID `gorm:"foreignKey:ClubID;uniqueIndex:idx_contact_type;not null" json:"-" validate:"uuid4"`
}
type PutContactRequestBody struct {
diff --git a/backend/src/models/event.go b/backend/src/models/event.go
index a5cf04cd7..3ec9c3db9 100644
--- a/backend/src/models/event.go
+++ b/backend/src/models/event.go
@@ -24,16 +24,16 @@ const (
type Event struct {
Model
- Name string `gorm:"type:varchar(255)" json:"name" validate:"required,max=255"`
- Preview string `gorm:"type:varchar(255)" json:"preview" validate:"required,max=255"`
- Content string `gorm:"type:varchar(255)" json:"content" validate:"required,max=255"`
- StartTime time.Time `gorm:"type:timestamptz" json:"start_time" validate:"required,ltecsfield=EndTime"`
- EndTime time.Time `gorm:"type:timestamptz" json:"end_time" validate:"required,gtecsfield=StartTime"`
- Location string `gorm:"type:varchar(255)" json:"location" validate:"required,max=255"`
- EventType EventType `gorm:"type:varchar(255);default:open" json:"event_type" validate:"required,max=255,oneof=open membersOnly"`
- IsRecurring bool `gorm:"not null;type:bool;default:false" json:"is_recurring" validate:"-"`
-
- Host *uuid.UUID `gorm:"constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"uuid4"`
+ Name string `gorm:"type:varchar(255);not null" json:"name" validate:"required,max=255"`
+ Preview string `gorm:"type:varchar(255);not null" json:"preview" validate:"required,max=255"`
+ Content string `gorm:"type:varchar(255);not null" json:"content" validate:"required,max=255"`
+ StartTime time.Time `gorm:"type:timestamptz;not null" json:"start_time" validate:"required,ltecsfield=EndTime"`
+ EndTime time.Time `gorm:"type:timestamptz;not null" json:"end_time" validate:"required,gtecsfield=StartTime"`
+ Location string `gorm:"type:varchar(255);not null" json:"location" validate:"required,max=255"`
+ EventType EventType `gorm:"type:varchar(255);default:open;not null" json:"event_type" validate:"required,max=255,oneof=open membersOnly"`
+ IsRecurring bool `gorm:"type:bool;default:false;not null" json:"is_recurring" validate:"-"`
+
+ Host *uuid.UUID `gorm:"constraint:OnUpdate:CASCADE,OnDelete:CASCADE;not null;" json:"-" validate:"uuid4"`
RSVP []User `gorm:"many2many:user_event_rsvps;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
Waitlist []User `gorm:"many2many:user_event_waitlists;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
Clubs []Club `gorm:"many2many:club_events;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
@@ -43,28 +43,27 @@ type Event struct {
type Series struct {
Model
- RecurringType RecurringType `gorm:"type:varchar(255);default:open" json:"recurring_type" validate:"max=255"`
- MaxOccurrences int `gorm:"type:int" json:"max_occurrences" validate:"min=1"`
+ RecurringType RecurringType `gorm:"type:varchar(255);default:open;not null" json:"recurring_type" validate:"max=255"`
+ MaxOccurrences int `gorm:"type:int;not null" json:"max_occurrences" validate:"min=1"`
Events []Event `gorm:"many2many:event_series;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"events" validate:"-"`
}
-// TODO: add not null to required fields on all gorm models
type EventSeries struct {
- EventID uuid.UUID `gorm:"not null; type:uuid;" json:"event_id" validate:"uuid4"`
+ EventID uuid.UUID `gorm:"type:uuid;not null" json:"event_id" validate:"uuid4"`
Event Event `gorm:"constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
- SeriesID uuid.UUID `gorm:"not null; type:uuid;" json:"series_id" validate:"uuid4"`
+ SeriesID uuid.UUID `gorm:"type:uuid;not null" json:"series_id" validate:"uuid4"`
Series Series `gorm:"constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
}
// Not needed for now, we will just update the events separately
type EventInstanceException struct {
Model
- EventID int `gorm:"not null; type:uuid" json:"event_id" validate:"required"`
+ EventID int `gorm:"type:uuid;not null" json:"event_id" validate:"required"`
Event Event
- IsRescheduled bool `gorm:"type:bool;default:true" json:"is_rescheduled" validate:"required"`
- IsCancelled bool `gorm:"type:bool;default:false" json:"is_cancelled" validate:"required"`
- StartTime time.Time `gorm:"type:timestamptz" json:"start_time" validate:"required,datetime,ltecsfield=EndTime"`
- EndTime time.Time `gorm:"type:timestamptz" json:"end_time" validate:"required,datetime,gtecsfield=StartTime"`
+ IsRescheduled bool `gorm:"type:bool;default:true;not null" json:"is_rescheduled" validate:"required"`
+ IsCancelled bool `gorm:"type:bool;default:false;not null" json:"is_cancelled" validate:"required"`
+ StartTime time.Time `gorm:"type:timestamptz;not null" json:"start_time" validate:"required,datetime,ltecsfield=EndTime"`
+ EndTime time.Time `gorm:"type:timestamptz;not null" json:"end_time" validate:"required,datetime,gtecsfield=StartTime"`
}
// TODO We will likely need to update the create and update structs to account for recurring series
@@ -79,7 +78,7 @@ type CreateEventRequestBody struct {
IsRecurring *bool `json:"is_recurring" validate:"required"`
// TODO club/tag/notification logic
- Host *uuid.UUID `json:"host" validate:"omitempty"`
+ Host *uuid.UUID `json:"host" validate:"required,uuid4"`
Clubs []Club `json:"-" validate:"omitempty"`
Tag []Tag `json:"-" validate:"omitempty"`
Notification []Notification `json:"-" validate:"omitempty"`
@@ -100,8 +99,9 @@ type UpdateEventRequestBody struct {
StartTime time.Time `json:"start_time" validate:"omitempty,ltecsfield=EndTime"`
EndTime time.Time `json:"end_time" validate:"omitempty,gtecsfield=StartTime"`
Location string `json:"location" validate:"omitempty,max=255"`
- EventType EventType `gorm:"type:varchar(255);default:open" json:"event_type" validate:"omitempty,max=255,oneof=open membersOnly"`
+ EventType EventType `json:"event_type" validate:"omitempty,max=255,oneof=open membersOnly"`
+ Host *uuid.UUID `json:"host" validate:"omitempty"`
RSVP []User `json:"-" validate:"omitempty"`
Waitlist []User `json:"-" validate:"omitempty"`
Clubs []Club `json:"-" validate:"omitempty"`
diff --git a/backend/src/models/file.go b/backend/src/models/file.go
index c64c95fc5..b33a5c68e 100644
--- a/backend/src/models/file.go
+++ b/backend/src/models/file.go
@@ -18,11 +18,11 @@ type File struct {
OwnerID uuid.UUID `gorm:"uniqueIndex:compositeindex;index;not null;type:uuid" json:"-" validate:"required,uuid4"`
OwnerType string `gorm:"uniqueIndex:compositeindex;index;not null;type:varchar(255)" json:"-" validate:"required,max=255"`
- FileName string `gorm:"type:varchar(255)" json:"file_name" validate:"required,max=255"`
- FileType string `gorm:"type:varchar(255)" json:"file_type" validate:"required,max=255"`
- FileSize int `gorm:"type:int" json:"file_size" validate:"required,min=1"`
- FileURL string `gorm:"type:varchar(255)" json:"file_url" validate:"required,max=255"`
- ObjectKey string `gorm:"type:varchar(255)" json:"object_key" validate:"required,max=255"`
+ FileName string `gorm:"type:varchar(255);not null" json:"file_name" validate:"required,max=255"`
+ FileType string `gorm:"type:varchar(255);not null" json:"file_type" validate:"required,max=255"`
+ FileSize int `gorm:"type:int;not null" json:"file_size" validate:"required,min=1"`
+ FileURL string `gorm:"type:varchar(255);not null" json:"file_url" validate:"required,max=255"`
+ ObjectKey string `gorm:"type:varchar(255);not null" json:"object_key" validate:"required,max=255"`
}
type CreateFileRequestBody struct {
diff --git a/backend/src/models/follower.go b/backend/src/models/follower.go
index 2fe61d680..8002aeb6d 100644
--- a/backend/src/models/follower.go
+++ b/backend/src/models/follower.go
@@ -9,8 +9,8 @@ func (Follower) TableName() string {
}
type Follower struct {
- UserID uuid.UUID `gorm:"type:uuid;not null;primaryKey" json:"user_id" validate:"required,uuid4"`
- ClubID uuid.UUID `gorm:"type:uuid;not null;primaryKey" json:"club_id" validate:"required,uuid4"`
+ UserID uuid.UUID `gorm:"type:uuid;primaryKey;not null" json:"user_id" validate:"required,uuid4"`
+ ClubID uuid.UUID `gorm:"type:uuid;primaryKey;not null" json:"club_id" validate:"required,uuid4"`
Club *Club `gorm:"constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
User *User `gorm:"constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
diff --git a/backend/src/models/membership.go b/backend/src/models/membership.go
index f225acf72..ec28b2304 100644
--- a/backend/src/models/membership.go
+++ b/backend/src/models/membership.go
@@ -16,11 +16,11 @@ func (Membership) TableName() string {
}
type Membership struct {
- UserID uuid.UUID `gorm:"type:uuid;not null;primaryKey" json:"user_id" validate:"required,uuid4"`
- ClubID uuid.UUID `gorm:"type:uuid;not null;primaryKey" json:"club_id" validate:"required,uuid4"`
+ UserID uuid.UUID `gorm:"type:uuid;primaryKey;not null" json:"user_id" validate:"required,uuid4"`
+ ClubID uuid.UUID `gorm:"type:uuid;primaryKey;not null" json:"club_id" validate:"required,uuid4"`
Club *Club `gorm:"constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
User *User `gorm:"constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
- MembershipType MembershipType `gorm:"type:varchar(255);not null;default:member" json:"membership_type" validate:"required,oneof=member admin"`
+ MembershipType MembershipType `gorm:"type:varchar(255);default:member;not null" json:"membership_type" validate:"required,oneof=member admin"`
}
diff --git a/backend/src/models/notification.go b/backend/src/models/notification.go
index fd07e4580..87d84a4ec 100644
--- a/backend/src/models/notification.go
+++ b/backend/src/models/notification.go
@@ -16,12 +16,12 @@ const (
type Notification struct {
Model
- SendAt time.Time `gorm:"type:timestamptz" json:"send_at" validate:"required"`
- Title string `gorm:"type:varchar(255)" json:"title" validate:"required,max=255"`
- Content string `gorm:"type:varchar(255)" json:"content" validate:"required,max=255"`
- DeepLink string `gorm:"type:varchar(255)" json:"deep_link" validate:"required,max=255"`
- Icon string `gorm:"type:varchar(255)" json:"icon" validate:"required,http_url,max=255"` // S3 URL
+ SendAt time.Time `gorm:"type:timestamptz;not null" json:"send_at" validate:"required"`
+ Title string `gorm:"type:varchar(255);not null" json:"title" validate:"required,max=255"`
+ Content string `gorm:"type:varchar(255);not null" json:"content" validate:"required,max=255"`
+ DeepLink string `gorm:"type:varchar(255);not null" json:"deep_link" validate:"required,max=255"`
+ Icon string `gorm:"type:varchar(255);not null" json:"icon" validate:"required,s3_url,http_url,max=255"` // S3 URL
- ReferenceID uuid.UUID `gorm:"type:int" json:"-" validate:"uuid4"`
- ReferenceType NotificationType `gorm:"type:varchar(255)" json:"-" validate:"max=255"`
+ ReferenceID uuid.UUID `gorm:"type:int;not null" json:"-" validate:"uuid4"`
+ ReferenceType NotificationType `gorm:"type:varchar(255);not null" json:"-" validate:"max=255"`
}
diff --git a/backend/src/models/poc.go b/backend/src/models/poc.go
index c2d424f1a..bfbf0a9c9 100644
--- a/backend/src/models/poc.go
+++ b/backend/src/models/poc.go
@@ -7,13 +7,13 @@ import (
type PointOfContact struct {
Model
- Name string `gorm:"type:varchar(255)" json:"name" validate:"required,max=255"`
+ Name string `gorm:"type:varchar(255);not null" json:"name" validate:"required,max=255"`
Email string `gorm:"uniqueIndex:compositeindex;index;not null;type:varchar(255)" json:"email" validate:"required,email,max=255"`
- Position string `gorm:"type:varchar(255);" json:"position" validate:"required,max=255"`
+ Position string `gorm:"type:varchar(255);not null" json:"position" validate:"required,max=255"`
- ClubID uuid.UUID `gorm:"uniqueIndex:compositeindex;index;not null;foreignKey:ClubID" json:"-" validate:"min=1"`
+ ClubID uuid.UUID `gorm:"uniqueIndex:compositeindex;index;foreignKey:ClubID;not null" json:"-" validate:"required,uuid4"`
- PhotoFile File `gorm:"polymorphic:Owner;" json:"photo_file"`
+ PhotoFile File `gorm:"polymorphic:Owner;not null" json:"photo_file"`
}
type CreatePointOfContactBody struct {
diff --git a/backend/src/models/root.go b/backend/src/models/root.go
index cf9a23f5e..b1f29154c 100644
--- a/backend/src/models/root.go
+++ b/backend/src/models/root.go
@@ -11,7 +11,7 @@ type Tabler interface {
}
type Model struct {
- ID uuid.UUID `gorm:"type:uuid;primaryKey;default:uuid_generate_v4()" json:"id" example:"123e4567-e89b-12d3-a456-426614174000"`
- CreatedAt time.Time `gorm:"type:timestamp;default:CURRENT_TIMESTAMP" json:"created_at" example:"2023-09-20T16:34:50Z"`
- UpdatedAt time.Time `gorm:"type:timestamp;default:CURRENT_TIMESTAMP" json:"updated_at" example:"2023-09-20T16:34:50Z"`
+ ID uuid.UUID `gorm:"type:uuid;primaryKey;default:uuid_generate_v4();not null" json:"id" example:"123e4567-e89b-12d3-a456-426614174000"`
+ CreatedAt time.Time `gorm:"type:timestamp;default:CURRENT_TIMESTAMP;not null" json:"created_at" example:"2023-09-20T16:34:50Z"`
+ UpdatedAt time.Time `gorm:"type:timestamp;default:CURRENT_TIMESTAMP;not null" json:"updated_at" example:"2023-09-20T16:34:50Z"`
}
diff --git a/backend/src/models/tag.go b/backend/src/models/tag.go
index 560e74d1b..42a2fea7b 100644
--- a/backend/src/models/tag.go
+++ b/backend/src/models/tag.go
@@ -5,9 +5,9 @@ import "github.com/google/uuid"
type Tag struct {
Model
- Name string `gorm:"type:varchar(255)" json:"name" validate:"required,max=255"`
+ Name string `gorm:"type:varchar(255);not null" json:"name" validate:"required,max=255"`
- CategoryID uuid.UUID `json:"category_id" validate:"required,uuid4"`
+ CategoryID uuid.UUID `gorm:"type:uuid;not null" json:"category_id" validate:"required,uuid4"`
User []User `gorm:"many2many:user_tags;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
Club []Club `gorm:"many2many:club_tags;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
diff --git a/backend/src/models/user.go b/backend/src/models/user.go
index a4b5d3632..aedfd98b7 100644
--- a/backend/src/models/user.go
+++ b/backend/src/models/user.go
@@ -26,6 +26,112 @@ const (
CSSH College = "CSSH" // College of Social Sciences and Humanities
)
+type Major string
+
+// see https://admissions.northeastern.edu/academics/areas-of-study/
+const (
+ AfricanaStudies Major = "africanaStudies"
+ AmericanSignLanguage Major = "americanSignLanguage"
+ AmericanSignLanguageEnglishInterpreting Major = "americanSignLanguage-EnglishInterpreting"
+ AppliedPhysics Major = "appliedPhysics"
+ ArchitecturalStudies Major = "architecturalStudies"
+ Architecture Major = "architecture"
+ ArtArtVisualStudies Major = "art:ArtVisualStudies"
+ BehavioralNeuroscience Major = "behavioralNeuroscience"
+ Biochemistry Major = "biochemistry"
+ Bioengineering Major = "bioengineering"
+ Biology Major = "biology"
+ BiomedicalPhysics Major = "biomedicalPhysics"
+ BusinessAdministration Major = "businessAdministration"
+ BusinessAdministrationAccounting Major = "businessAdministration:Accounting"
+ BusinessAdministrationAccountingAndAdvisoryServices Major = "businessAdministration:AccountingAndAdvisoryServices"
+ BusinessAdministrationBrandManagement Major = "businessAdministration:BrandManagement"
+ BusinessAdministrationBusinessAnalytics Major = "businessAdministration:BusinessAnalytics"
+ BusinessAdministrationCorporateInnovation Major = "businessAdministration:CorporateInnovation"
+ BusinessAdministrationEntrepreneurialStartups Major = "businessAdministration:EntrepreneurialStartups"
+ BusinessAdministrationFamilyBusiness Major = "businessAdministration:FamilyBusiness"
+ BusinessAdministrationFinance Major = "businessAdministration:Finance"
+ BusinessAdministrationFintech Major = "businessAdministration:Fintech"
+ BusinessAdministrationHealthcareManagementAndConsulting Major = "businessAdministration:HealthcareManagementAndConsulting"
+ BusinessAdministrationManagement Major = "businessAdministration:Management"
+ BusinessAdministrationManagementInformationSystems Major = "businessAdministration:ManagementInformationSystems"
+ BusinessAdministrationMarketing Major = "businessAdministration:Marketing"
+ BusinessAdministrationMarketingAnalytics Major = "businessAdministration:MarketingAnalytics"
+ BusinessAdministrationSocialInnovationAndEntrepreneurship Major = "businessAdministration:SocialInnovationAndEntrepreneurship"
+ BusinessAdministrationSupplyChainManagement Major = "businessAdministration:SupplyChainManagement"
+ CellAndMolecularBiology Major = "cellAndMolecularBiology"
+ ChemicalEngineering Major = "chemicalEngineering"
+ Chemistry Major = "chemistry"
+ CivilEngineering Major = "civilEngineering"
+ CommunicationStudies Major = "communicationStudies"
+ ComputerEngineering Major = "computerEngineering"
+ ComputerScience Major = "computerScience"
+ ComputingAndLaw Major = "computingAndLaw"
+ CriminologyAndCriminalJustice Major = "criminologyAndCriminalJustice"
+ CulturalAnthropology Major = "culturalAnthropology"
+ Cybersecurity Major = "cybersecurity"
+ DataScience Major = "dataScience"
+ Design Major = "design"
+ Economics Major = "economics"
+ ElectricalEngineering Major = "electricalEngineering"
+ English Major = "english"
+ EnvironmentalAndSustainabilityStudies Major = "environmentalAndSustainabilityStudies"
+ EnvironmentalEngineering Major = "environmentalEngineering"
+ EnvironmentalScience Major = "environmentalScience"
+ EnvironmentalStudies Major = "environmentalStudies"
+ GameArtAndAnimation Major = "gameArtAndAnimation"
+ GameDesign Major = "gameDesign"
+ GlobalAsianStudies Major = "globalAsianStudies"
+ HealthScience Major = "healthScience"
+ History Major = "history"
+ HistoryCultureAndLaw Major = "historyCultureAndLaw"
+ HumanServices Major = "humanServices"
+ IndustrialEngineering Major = "industrialEngineering"
+ InternationalAffairs Major = "internationalAffairs"
+ InternationalBusiness Major = "internationalBusiness"
+ InternationalBusinessAccounting Major = "internationalBusiness:Accounting"
+ InternationalBusinessAccountingAndAdvisoryServices Major = "internationalBusiness:AccountingAndAdvisoryServices"
+ InternationalBusinessBrandManagement Major = "internationalBusiness:BrandManagement"
+ InternationalBusinessBusinessAnalytics Major = "internationalBusiness:BusinessAnalytics"
+ InternationalBusinessCorporateInnovation Major = "internationalBusiness:CorporateInnovation"
+ InternationalBusinessEntrepreneurialStartups Major = "internationalBusiness:EntrepreneurialStartups"
+ InternationalBusinessFamilyBusiness Major = "internationalBusiness:FamilyBusiness"
+ InternationalBusinessFinance Major = "internationalBusiness:Finance"
+ InternationalBusinessFintech Major = "internationalBusiness:Fintech"
+ InternationalBusinessHealthcareManagementAndConsulting Major = "internationalBusiness:HealthcareManagementAndConsulting"
+ InternationalBusinessManagement Major = "internationalBusiness:Management"
+ InternationalBusinessManagementInformationSystems Major = "internationalBusiness:ManagementInformationSystems"
+ InternationalBusinessMarketing Major = "internationalBusiness:Marketing"
+ InternationalBusinessMarketingAnalytics Major = "internationalBusiness:MarketingAnalytics"
+ InternationalBusinessSocialInnovationAndEntrepreneurship Major = "internationalBusiness:SocialInnovationAndEntrepreneurship"
+ InternationalBusinessSupplyChainManagement Major = "internationalBusiness:SupplyChainManagement"
+ Journalism Major = "journalism"
+ LandscapeArchitecture Major = "landscapeArchitecture"
+ Linguistics Major = "linguistics"
+ MarineBiology Major = "marineBiology"
+ Mathematics Major = "mathematics"
+ MechanicalEngineering Major = "mechanicalEngineering"
+ MediaAndScreenStudies Major = "mediaAndScreenStudies"
+ MediaArts Major = "mediaArts"
+ Music Major = "music"
+ MusicTechnology Major = "musicTechnology"
+ Nursing Major = "nursing"
+ PharmaceuticalSciences Major = "pharmaceuticalSciences"
+ PharmacyPharmD Major = "pharmacy(PharmD)"
+ Philosophy Major = "philosophy"
+ Physics Major = "physics"
+ PoliticalScience Major = "politicalScience"
+ PoliticsPhilosophyEconomics Major = "politicsPhilosophyEconomics"
+ Psychology Major = "psychology"
+ PublicHealth Major = "publicHealth"
+ PublicRelations Major = "publicRelations"
+ ReligiousStudies Major = "religiousStudies"
+ Sociology Major = "sociology"
+ Spanish Major = "spanish"
+ SpeechLanguagePathologyAndAudiology Major = "speechLanguagePathologyAndAudiology"
+ Theatre Major = "theatre"
+)
+
type GraduationCycle string
const (
@@ -41,15 +147,18 @@ type Tokens struct {
type User struct {
Model
- Role UserRole `gorm:"type:varchar(255);default:'student'" json:"role" validate:"required,oneof=super student"`
- FirstName string `gorm:"type:varchar(255)" json:"first_name" validate:"required,max=255"`
- LastName string `gorm:"type:varchar(255)" json:"last_name" validate:"required,max=255"`
- Email string `gorm:"type:varchar(255);unique" json:"email" validate:"required,email,max=255"`
- PasswordHash string `gorm:"type:varchar(97)" json:"-" validate:"required,len=97"`
- College College `gorm:"type:varchar(255)" json:"college" validate:"required,max=255"`
- GraduationCycle GraduationCycle `gorm:"type:varchar(255)" json:"graduation_cycle" validate:"required,max=255,oneof=december may"`
- GraduationYear int16 `gorm:"type:smallint" json:"graduation_year" validate:"required"`
- IsVerified bool `gorm:"type:boolean;default:false" json:"is_verified"`
+ Role UserRole `gorm:"type:varchar(255);default:'student';not null" json:"role" validate:"required,oneof=super student"`
+ FirstName string `gorm:"type:varchar(255);not null" json:"first_name" validate:"required,max=255"`
+ LastName string `gorm:"type:varchar(255);not null" json:"last_name" validate:"required,max=255"`
+ Email string `gorm:"type:varchar(255);unique;not null" json:"email" validate:"required,email,max=255"`
+ PasswordHash string `gorm:"type:varchar(97);not null" json:"-" validate:"required,len=97"`
+ Major0 Major `gorm:"type:varchar(255)" json:"major0" validate:"not_equal_if_not_empty=Major1,not_equal_if_not_empty=Major2,required,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
+ Major1 Major `gorm:"type:varchar(255);" json:"major1" validate:"not_equal_if_not_empty=Major0,not_equal_if_not_empty=Major2,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
+ Major2 Major `gorm:"type:varchar(255);" json:"major2" validate:"not_equal_if_not_empty=Major0,not_equal_if_not_empty=Major1,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
+ College College `gorm:"type:varchar(255);" json:"college" validate:"required,max=255"` // TODO: gorm not null?
+ GraduationCycle GraduationCycle `gorm:"type:varchar(255);" json:"graduation_cycle" validate:"required,max=255,oneof=december may"` // TODO: gorm not null?
+ GraduationYear int16 `gorm:"type:smallint;" json:"graduation_year" validate:"required"` // TODO: gorm not null?
+ IsVerified bool `gorm:"type:boolean;default:false;not null" json:"is_verified"`
Tag []Tag `gorm:"many2many:user_tags;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
Admin []Club `gorm:"many2many:user_club_admins;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`
@@ -68,6 +177,9 @@ type CreateUserRequestBody struct {
Email string `json:"email" validate:"required,email,neu_email,max=255"`
Password string `json:"password" validate:"required,password,min=8,max=255"`
// Optional fields
+ Major0 Major `json:"major0" validate:"not_equal_if_not_empty=Major1,not_equal_if_not_empty=Major2,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
+ Major1 Major `json:"major1" validate:"not_equal_if_not_empty=Major0,not_equal_if_not_empty=Major2,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
+ Major2 Major `json:"major2" validate:"not_equal_if_not_empty=Major0,not_equal_if_not_empty=Major1,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
College College `json:"college" validate:"omitempty,oneof=CAMD DMSB KCCS CE BCHS SL CPS CS CSSH"`
GraduationCycle GraduationCycle `json:"graduation_cycle" validate:"omitempty,max=255,oneof=december may"`
GraduationYear int16 `json:"graduation_year" validate:"omitempty"`
@@ -76,6 +188,9 @@ type CreateUserRequestBody struct {
type UpdateUserRequestBody struct {
FirstName string `json:"first_name" validate:"omitempty,max=255"`
LastName string `json:"last_name" validate:"omitempty,max=255"`
+ Major0 Major `json:"major0" validate:"not_equal_if_not_empty=Major1,not_equal_if_not_empty=Major2,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
+ Major1 Major `json:"major1" validate:"not_equal_if_not_empty=Major0,not_equal_if_not_empty=Major2,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
+ Major2 Major `json:"major2" validate:"not_equal_if_not_empty=Major0,not_equal_if_not_empty=Major1,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
College College `json:"college" validate:"omitempty,oneof=CAMD DMSB KCCS CE BCHS SL CPS CS CSSH"`
GraduationCycle GraduationCycle `json:"graduation_cycle" validate:"omitempty,max=255,oneof=december may"`
GraduationYear int16 `json:"graduation_year" validate:"omitempty"`
@@ -88,7 +203,7 @@ type LoginUserResponseBody struct {
type UpdatePasswordRequestBody struct {
OldPassword string `json:"old_password" validate:"required,password,min=8,max=255"`
- NewPassword string `json:"new_password" validate:"required,password,nefield=OldPassword,min=8,max=255"`
+ NewPassword string `json:"new_password" validate:"required,password,not_equal_if_not_empty=OldPassword,min=8,max=255"`
}
type RefreshTokenRequestBody struct {
diff --git a/backend/src/models/verification.go b/backend/src/models/verification.go
index 434bb727e..db8fd37da 100644
--- a/backend/src/models/verification.go
+++ b/backend/src/models/verification.go
@@ -14,9 +14,9 @@ const (
)
type Verification struct {
- UserID uuid.UUID `gorm:"type:varchar(36);not null;primaryKey" json:"user_id" validate:"required,uuid4"`
+ UserID uuid.UUID `gorm:"type:varchar(36);primaryKey;not null" json:"user_id" validate:"required,uuid4"`
Token string `gorm:"type:varchar(255);unique" json:"token" validate:"required,max=255"`
- ExpiresAt time.Time `gorm:"type:timestamp;not null;primaryKey" json:"expires_at" validate:"required"`
+ ExpiresAt time.Time `gorm:"type:timestamp;primaryKey;not null" json:"expires_at" validate:"required"`
Type VerificationType `gorm:"type:varchar(255);not null" json:"type" validate:"required,oneof=email_verification password_reset"`
}
diff --git a/backend/src/services/event.go b/backend/src/services/event.go
index 949eb6ffb..e544714b1 100644
--- a/backend/src/services/event.go
+++ b/backend/src/services/event.go
@@ -252,6 +252,7 @@ func mapToEvent(eventBody models.UpdateEventRequestBody) *models.Event {
Location: eventBody.Location,
EventType: eventBody.EventType,
+ Host: eventBody.Host,
RSVP: eventBody.RSVP,
Waitlist: eventBody.Waitlist,
Clubs: eventBody.Clubs,
diff --git a/backend/src/utilities/validator.go b/backend/src/utilities/validator.go
index fe332be54..375335dec 100644
--- a/backend/src/utilities/validator.go
+++ b/backend/src/utilities/validator.go
@@ -36,6 +36,10 @@ func RegisterCustomValidators() (*validator.Validate, error) {
return nil, err
}
+ if err := validate.RegisterValidation("not_equal_if_not_empty", validateNotEqualIfNotEmpty); err != nil {
+ return nil, err
+ }
+
return validate, nil
}
@@ -97,6 +101,13 @@ func validateContactPointer(validate *validator.Validate, fl validator.FieldLeve
return validate.Var(contact.Content, rule) == nil && strings.HasPrefix(contact.Content, models.GetContentPrefix(contact.Type))
}
+func validateNotEqualIfNotEmpty(fl validator.FieldLevel) bool {
+ field := fl.Field().String()
+ otherField := fl.Parent().FieldByName(fl.Param()).String()
+
+ return field == "" || field != otherField
+}
+
func ValidateID(id string) (*uuid.UUID, *errors.Error) {
idAsUUID, err := uuid.Parse(id)
if err != nil {
diff --git a/backend/tests/api/club_test.go b/backend/tests/api/club_test.go
index e725eb1b3..e3b74f06b 100644
--- a/backend/tests/api/club_test.go
+++ b/backend/tests/api/club_test.go
@@ -42,8 +42,6 @@ func AssertClubBodyRespDB(eaa h.ExistingAppAssert, resp *http.Response, body *ma
eaa.Assert.NilError(err)
- eaa.Assert.Equal(2, len(dbClubs))
-
dbClub := dbClubs[0]
eaa.Assert.Equal(dbClub.ID, respClub.ID)
diff --git a/backend/tests/api/event_test.go b/backend/tests/api/event_test.go
index 37c629ed6..643140e5d 100644
--- a/backend/tests/api/event_test.go
+++ b/backend/tests/api/event_test.go
@@ -16,9 +16,9 @@ import (
"gorm.io/gorm"
)
-type EventFactory func() *map[string]interface{}
+type EventFactory func(hostID uuid.UUID) *map[string]interface{}
-func SampleEventFactory() *map[string]interface{} {
+func SampleEventFactory(hostID uuid.UUID) *map[string]interface{} {
return &map[string]interface{}{
"name": "Generate",
"preview": "Generate is Northeastern's premier student-led product development studio.",
@@ -28,11 +28,13 @@ func SampleEventFactory() *map[string]interface{} {
"location": "Carter Fields",
"event_type": "open",
"is_recurring": false,
+ "host": hostID,
}
}
-func SampleSeriesFactory() *map[string]interface{} {
+func SampleSeriesFactory(hostID uuid.UUID) *map[string]interface{} {
return CustomSampleSeriesFactory(
+ hostID,
models.CreateSeriesRequestBody{
RecurringType: "daily",
MaxOccurrences: 10,
@@ -40,7 +42,7 @@ func SampleSeriesFactory() *map[string]interface{} {
)
}
-func CustomSampleSeriesFactory(series models.CreateSeriesRequestBody) *map[string]interface{} {
+func CustomSampleSeriesFactory(hostID uuid.UUID, series models.CreateSeriesRequestBody) *map[string]interface{} {
return &map[string]interface{}{
"name": "Software Development",
"preview": "CS4500 at northeastern",
@@ -50,6 +52,7 @@ func CustomSampleSeriesFactory(series models.CreateSeriesRequestBody) *map[strin
"location": "ISEC",
"event_type": "membersOnly",
"is_recurring": true,
+ "host": hostID,
"series": series,
}
}
@@ -138,25 +141,25 @@ func AssertEventBodyRespDB(eaa h.ExistingAppAssert, resp *http.Response, body *m
return dbEvent.ID
}
-func AssertSampleEventBodyRespDB(eaa h.ExistingAppAssert, resp *http.Response) []uuid.UUID {
- sampleEvent := SampleEventFactory()
+func AssertSampleEventBodyRespDB(eaa h.ExistingAppAssert, hostID uuid.UUID, resp *http.Response) []uuid.UUID {
+ sampleEvent := SampleEventFactory(hostID)
return AssertEventListBodyRespDB(eaa, resp, sampleEvent)
}
-func CreateSampleEvent(existingAppAssert h.ExistingAppAssert, factoryFunction EventFactory) (h.ExistingAppAssert, []uuid.UUID) {
+func CreateSampleEvent(existingAppAssert h.ExistingAppAssert, hostID uuid.UUID, factoryFunction EventFactory) (h.ExistingAppAssert, []uuid.UUID) {
var sampleEventUUIDs []uuid.UUID
newAppAssert := existingAppAssert.TestOnStatusAndTester(
h.TestRequest{
Method: fiber.MethodPost,
Path: "/api/v1/events/",
- Body: factoryFunction(),
+ Body: factoryFunction(hostID),
Role: &models.Super,
},
h.TesterWithStatus{
Status: fiber.StatusCreated,
Tester: func(eaa h.ExistingAppAssert, resp *http.Response) {
- sampleEventUUIDs = AssertSampleEventBodyRespDB(eaa, resp)
+ sampleEventUUIDs = AssertSampleEventBodyRespDB(eaa, hostID, resp)
},
},
)
@@ -185,18 +188,20 @@ func AssertNumSeriesRemainsAtN(eaa h.ExistingAppAssert, resp *http.Response, n i
}
func TestCreateEventWorks(t *testing.T) {
- existingAppAssert, _ := CreateSampleEvent(h.InitTest(t), SampleEventFactory)
- existingAppAssert.Close()
+ eaa, _, clubID := CreateSampleClub(h.InitTest(t))
+ eaa, _ = CreateSampleEvent(eaa, clubID, SampleEventFactory)
+ eaa.Close()
}
func TestCreateEventSeriesWorks(t *testing.T) {
- existingAppAssert, _ := CreateSampleEvent(h.InitTest(t), SampleSeriesFactory)
- existingAppAssert.Close()
+ eaa, _, clubID := CreateSampleClub(h.InitTest(t))
+ eaa, _ = CreateSampleEvent(eaa, clubID, SampleSeriesFactory)
+ eaa.Close()
}
func TestGetEventWorks(t *testing.T) {
- existingAppAssert, eventUUID := CreateSampleEvent(h.InitTest(t), SampleEventFactory)
-
+ existingAppAssert, _, clubID := CreateSampleClub(h.InitTest(t))
+ existingAppAssert, eventUUID := CreateSampleEvent(existingAppAssert, clubID, SampleEventFactory)
existingAppAssert.TestOnStatusAndTester(h.TestRequest{
Method: fiber.MethodGet,
Path: fmt.Sprintf("/api/v1/events/%s", eventUUID[0]),
@@ -205,14 +210,15 @@ func TestGetEventWorks(t *testing.T) {
h.TesterWithStatus{
Status: fiber.StatusOK,
Tester: func(eaa h.ExistingAppAssert, resp *http.Response) {
- AssertEventListBodyRespDB(eaa, resp, SampleEventFactory())
+ AssertEventListBodyRespDB(eaa, resp, SampleEventFactory(clubID))
},
},
).Close()
}
func TestGetEventsWorks(t *testing.T) {
- existingAppAssert, _ := CreateSampleEvent(h.InitTest(t), SampleEventFactory)
+ existingAppAssert, _, clubID := CreateSampleClub(h.InitTest(t))
+ existingAppAssert, _ = CreateSampleEvent(existingAppAssert, clubID, SampleEventFactory)
existingAppAssert.TestOnStatusAndTester(h.TestRequest{
Method: fiber.MethodGet,
@@ -235,7 +241,8 @@ func TestGetEventsWorks(t *testing.T) {
}
func TestGetSeriesByEventIDWorks(t *testing.T) {
- existingAppAssert, eventUUIDs := CreateSampleEvent(h.InitTest(t), SampleSeriesFactory)
+ existingAppAssert, _, clubID := CreateSampleClub(h.InitTest(t))
+ existingAppAssert, eventUUIDs := CreateSampleEvent(existingAppAssert, clubID, SampleSeriesFactory)
existingAppAssert.TestOnStatusAndTester(h.TestRequest{
Method: fiber.MethodGet,
@@ -254,9 +261,10 @@ func TestGetSeriesByEventIDWorks(t *testing.T) {
func AssertCreateBadEventDataFails(t *testing.T, jsonKey string, badValues []interface{}, expectedErr errors.Error) {
appAssert, _, _ := CreateSampleStudent(t, nil)
+ appAssert, _, clubID := CreateSampleClub(appAssert)
for _, badValue := range badValues {
- sampleEventPermutation := *SampleEventFactory()
+ sampleEventPermutation := *SampleEventFactory(clubID)
sampleEventPermutation[jsonKey] = badValue
appAssert.TestOnErrorAndTester(
@@ -320,8 +328,9 @@ func TestCreateEventFailsOnInvalidEventType(t *testing.T) {
func AssertCreateBadEventSeriesDataFails(t *testing.T, badSeries models.CreateSeriesRequestBody, expectedErr errors.Error) {
appAssert, _, _ := CreateSampleStudent(t, nil)
+ appAssert, _, clubID := CreateSampleClub(appAssert)
- sampleSeriesPermutation := CustomSampleSeriesFactory(badSeries)
+ sampleSeriesPermutation := CustomSampleSeriesFactory(clubID, badSeries)
appAssert.TestOnErrorAndTester(
h.TestRequest{
@@ -361,9 +370,10 @@ func TestCreateSeriesFailsOnInvalidMaxOccurrences(t *testing.T) {
}
func TestUpdateEventWorks(t *testing.T) {
- appAssert, eventUUID := CreateSampleEvent(h.InitTest(t), SampleEventFactory)
+ appAssert, _, clubID := CreateSampleClub(h.InitTest(t))
+ appAssert, eventUUID := CreateSampleEvent(appAssert, clubID, SampleEventFactory)
- updatedEvent := SampleEventFactory()
+ updatedEvent := SampleEventFactory(clubID)
(*updatedEvent)["name"] = "Updated Name"
(*updatedEvent)["preview"] = "Updated Preview"
@@ -384,7 +394,8 @@ func TestUpdateEventWorks(t *testing.T) {
}
func TestUpdateEventSeriesWorks(t *testing.T) {
- appAssert, eventUUIDs := CreateSampleEvent(h.InitTest(t), SampleSeriesFactory)
+ appAssert, _, clubID := CreateSampleClub(h.InitTest(t))
+ appAssert, eventUUIDs := CreateSampleEvent(appAssert, clubID, SampleSeriesFactory)
updatedSeries := &map[string]interface{}{
"recurring_type": "daily",
@@ -398,6 +409,7 @@ func TestUpdateEventSeriesWorks(t *testing.T) {
"location": "Richards 224",
"event_type": "open",
"is_recurring": true,
+ "host": clubID,
},
}
@@ -418,9 +430,10 @@ func TestUpdateEventSeriesWorks(t *testing.T) {
}
func TestUpdateEventFailsOnInvalidBody(t *testing.T) {
- appAssert, eventUUID := CreateSampleEvent(h.InitTest(t), SampleEventFactory)
+ appAssert, _, clubID := CreateSampleClub(h.InitTest(t))
+ appAssert, eventUUID := CreateSampleEvent(appAssert, clubID, SampleEventFactory)
- body := SampleEventFactory()
+ body := SampleEventFactory(clubID)
for _, invalidData := range []map[string]interface{}{
{"start_time": "Not a datetime"},
@@ -466,7 +479,7 @@ func TestUpdateEventFailsOnInvalidBody(t *testing.T) {
}
func TestUpdateEventFailsBadRequest(t *testing.T) {
- appAssert := h.InitTest(t)
+ appAssert, _, clubID := CreateSampleClub(h.InitTest(t))
badRequests := []string{
"0",
@@ -481,7 +494,7 @@ func TestUpdateEventFailsBadRequest(t *testing.T) {
h.TestRequest{
Method: fiber.MethodPatch,
Path: fmt.Sprintf("/api/v1/events/%s", badRequest),
- Body: SampleEventFactory(),
+ Body: SampleEventFactory(clubID),
Role: &models.Super,
},
errors.FailedToValidateID,
@@ -492,12 +505,14 @@ func TestUpdateEventFailsBadRequest(t *testing.T) {
}
func TestUpdateEventFailsOnEventIdNotExist(t *testing.T) {
+ eaa, _, clubID := CreateSampleClub(h.InitTest(t))
+
uuid := uuid.New()
- h.InitTest(t).TestOnErrorAndTester(h.TestRequest{
+ eaa.TestOnErrorAndTester(h.TestRequest{
Method: fiber.MethodPatch,
Path: fmt.Sprintf("/api/v1/events/%s", uuid),
- Body: SampleEventFactory(),
+ Body: SampleEventFactory(clubID),
Role: &models.Super,
TestUserIDReplaces: h.StringToPointer("user_id"),
},
@@ -515,7 +530,7 @@ func TestUpdateEventFailsOnEventIdNotExist(t *testing.T) {
}
func TestUpdateSeriesFailsBadRequest(t *testing.T) {
- appAssert := h.InitTest(t)
+ appAssert, _, clubID := CreateSampleClub(h.InitTest(t))
badRequests := []string{
"0",
@@ -530,7 +545,7 @@ func TestUpdateSeriesFailsBadRequest(t *testing.T) {
h.TestRequest{
Method: fiber.MethodPatch,
Path: fmt.Sprintf("/api/v1/events/%s/series", badRequest),
- Body: SampleEventFactory(),
+ Body: SampleEventFactory(clubID),
Role: &models.Super,
},
errors.FailedToValidateID,
@@ -541,7 +556,8 @@ func TestUpdateSeriesFailsBadRequest(t *testing.T) {
}
func AssertDeleteWorks(t *testing.T, factoryFunction EventFactory, requestPath string, tester h.Tester) {
- appAssert, eventUUIDs := CreateSampleEvent(h.InitTest(t), factoryFunction)
+ appAssert, _, clubID := CreateSampleClub(h.InitTest(t))
+ appAssert, eventUUIDs := CreateSampleEvent(appAssert, clubID, factoryFunction)
appAssert.TestOnStatusAndTester(
h.TestRequest{
@@ -570,7 +586,8 @@ func TestDeleteSeriesByEventIDWorks(t *testing.T) {
}
func AssertDeleteNotExistFails(t *testing.T, factoryFunction EventFactory, requestPath string, tester h.Tester, badUUID uuid.UUID) {
- appAssert, _ := CreateSampleEvent(h.InitTest(t), factoryFunction)
+ appAssert, _, clubID := CreateSampleClub(h.InitTest(t))
+ appAssert, _ = CreateSampleEvent(appAssert, clubID, factoryFunction)
appAssert.TestOnErrorAndTester(
h.TestRequest{
diff --git a/backend/tests/api/helpers/auth.go b/backend/tests/api/helpers/auth.go
index ab21ac2d0..c36778cb9 100644
--- a/backend/tests/api/helpers/auth.go
+++ b/backend/tests/api/helpers/auth.go
@@ -151,6 +151,8 @@ func SampleStudentFactory() (models.User, string) {
LastName: "Doe",
Email: "doe.jane@northeastern.edu",
PasswordHash: *hashedPassword,
+ Major0: models.ComputerScience,
+ Major1: models.Economics,
College: models.KCCS,
GraduationCycle: models.May,
GraduationYear: 2025,
@@ -166,6 +168,9 @@ func SampleStudentJSONFactory(sampleStudent models.User, rawPassword string) *ma
"last_name": sampleStudent.LastName,
"email": sampleStudent.Email,
"password": rawPassword,
+ "major0": string(sampleStudent.Major0),
+ "major1": string(sampleStudent.Major1),
+ "major2": string(sampleStudent.Major2),
"college": string(sampleStudent.College),
"graduation_cycle": string(sampleStudent.GraduationCycle),
"graduation_year": int(sampleStudent.GraduationYear),
diff --git a/backend/tests/api/user_test.go b/backend/tests/api/user_test.go
index c9df6c605..f6af28f17 100644
--- a/backend/tests/api/user_test.go
+++ b/backend/tests/api/user_test.go
@@ -42,7 +42,10 @@ func TestGetUsersWorksForSuper(t *testing.T) {
eaa.Assert.Equal("SAC", respUser.FirstName)
eaa.Assert.Equal("Super", respUser.LastName)
eaa.Assert.Equal("generatesac@gmail.com", respUser.Email)
- eaa.Assert.Equal(models.College("KCCS"), respUser.College)
+ eaa.Assert.Equal(models.ComputerScience, respUser.Major0)
+ eaa.Assert.Equal(models.Major(""), respUser.Major1)
+ eaa.Assert.Equal(models.Major(""), respUser.Major2)
+ eaa.Assert.Equal(models.KCCS, respUser.College)
eaa.Assert.Equal(models.May, respUser.GraduationCycle)
eaa.Assert.Equal(int16(2025), respUser.GraduationYear)
@@ -95,6 +98,9 @@ func TestGetUserWorks(t *testing.T) {
eaa.Assert.Equal(sampleUser["first_name"].(string), respUser.FirstName)
eaa.Assert.Equal(sampleUser["last_name"].(string), respUser.LastName)
eaa.Assert.Equal(sampleUser["email"].(string), respUser.Email)
+ eaa.Assert.Equal(models.Major(sampleUser["major0"].(string)), respUser.Major0)
+ eaa.Assert.Equal(models.Major(sampleUser["major1"].(string)), respUser.Major1)
+ eaa.Assert.Equal(models.Major(sampleUser["major2"].(string)), respUser.Major2)
eaa.Assert.Equal(models.College(sampleUser["college"].(string)), respUser.College)
eaa.Assert.Equal(models.GraduationCycle(sampleUser["graduation_cycle"].(string)), respUser.GraduationCycle)
eaa.Assert.Equal(int16(sampleUser["graduation_year"].(int)), respUser.GraduationYear)
@@ -187,6 +193,9 @@ func TestUpdateUserWorks(t *testing.T) {
eaa.Assert.Equal(newFirstName, respUser.FirstName)
eaa.Assert.Equal(newLastName, respUser.LastName)
eaa.Assert.Equal((sampleStudentJSON)["email"].(string), respUser.Email)
+ eaa.Assert.Equal(models.Major((sampleStudentJSON)["major0"].(string)), respUser.Major0)
+ eaa.Assert.Equal(models.Major((sampleStudentJSON)["major1"].(string)), respUser.Major1)
+ eaa.Assert.Equal(models.Major((sampleStudentJSON)["major2"].(string)), respUser.Major2)
eaa.Assert.Equal(models.College((sampleStudentJSON)["college"].(string)), respUser.College)
eaa.Assert.Equal(models.GraduationCycle(sampleStudentJSON["graduation_cycle"].(string)), respUser.GraduationCycle)
eaa.Assert.Equal(int16(sampleStudentJSON["graduation_year"].(int)), respUser.GraduationYear)
@@ -199,6 +208,9 @@ func TestUpdateUserWorks(t *testing.T) {
eaa.Assert.Equal(dbUser.FirstName, respUser.FirstName)
eaa.Assert.Equal(dbUser.LastName, respUser.LastName)
eaa.Assert.Equal(dbUser.Email, respUser.Email)
+ eaa.Assert.Equal(dbUser.Major0, respUser.Major0)
+ eaa.Assert.Equal(dbUser.Major1, respUser.Major1)
+ eaa.Assert.Equal(dbUser.Major2, respUser.Major2)
eaa.Assert.Equal(dbUser.College, respUser.College)
eaa.Assert.Equal(dbUser.GraduationCycle, respUser.GraduationCycle)
eaa.Assert.Equal(dbUser.GraduationYear, respUser.GraduationYear)
@@ -367,6 +379,9 @@ func AssertUserWithIDBodyRespDB(eaa h.ExistingAppAssert, resp *http.Response, bo
eaa.Assert.Equal(dbUser.FirstName, respUser.FirstName)
eaa.Assert.Equal(dbUser.LastName, respUser.LastName)
eaa.Assert.Equal(dbUser.Email, respUser.Email)
+ eaa.Assert.Equal(dbUser.Major0, respUser.Major0)
+ eaa.Assert.Equal(dbUser.Major1, respUser.Major1)
+ eaa.Assert.Equal(dbUser.Major2, respUser.Major2)
eaa.Assert.Equal(dbUser.College, respUser.College)
eaa.Assert.Equal(dbUser.GraduationCycle, respUser.GraduationCycle)
eaa.Assert.Equal(dbUser.GraduationYear, respUser.GraduationYear)
@@ -380,6 +395,9 @@ func AssertUserWithIDBodyRespDB(eaa h.ExistingAppAssert, resp *http.Response, bo
eaa.Assert.Equal((*body)["first_name"].(string), dbUser.FirstName)
eaa.Assert.Equal((*body)["last_name"].(string), dbUser.LastName)
eaa.Assert.Equal((*body)["email"].(string), dbUser.Email)
+ eaa.Assert.Equal(models.Major((*body)["major0"].(string)), dbUser.Major0)
+ eaa.Assert.Equal(models.Major((*body)["major1"].(string)), dbUser.Major1)
+ eaa.Assert.Equal(models.Major((*body)["major2"].(string)), dbUser.Major2)
eaa.Assert.Equal(models.College((*body)["college"].(string)), dbUser.College)
eaa.Assert.Equal(models.GraduationCycle((*body)["graduation_cycle"].(string)), dbUser.GraduationCycle)
eaa.Assert.Equal(int16((*body)["graduation_year"].(int)), dbUser.GraduationYear)
From 6d608b02b5928a2eb95af1eb087c0254061800db Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Mon, 15 Apr 2024 17:22:58 -0400
Subject: [PATCH 27/32] feat: more informative error messages for password
requirements (#549)
---
backend/src/auth/password.go | 39 +++++++++++++++++++++++++
backend/src/constants/auth.go | 2 ++
backend/src/errors/auth.go | 12 ++++++++
backend/src/models/user.go | 8 ++---
backend/src/services/auth.go | 4 +++
backend/src/services/user.go | 12 ++++++++
backend/src/utilities/validator.go | 15 ----------
backend/tests/api/user_test.go | 47 +++++++++++++++++++++++-------
8 files changed, 109 insertions(+), 30 deletions(-)
create mode 100644 backend/src/auth/password.go
diff --git a/backend/src/auth/password.go b/backend/src/auth/password.go
new file mode 100644
index 000000000..f1e6a9412
--- /dev/null
+++ b/backend/src/auth/password.go
@@ -0,0 +1,39 @@
+package auth
+
+import (
+ "regexp"
+ "strings"
+
+ "github.com/GenerateNU/sac/backend/src/constants"
+ "github.com/GenerateNU/sac/backend/src/errors"
+)
+
+func ValidatePassword(password string) *errors.Error {
+ if len(password) < 8 {
+ return &errors.InvalidPasswordNotLongEnough
+ }
+
+ if !hasDigit(password) {
+ return &errors.InvalidPasswordNoDigit
+ }
+
+ if !hasSpecialChar(password) {
+ return &errors.InvalidPasswordNoSpecialCharacter
+ }
+
+ return nil
+}
+
+func hasDigit(str string) bool {
+ return regexp.MustCompile(`[0-9]`).MatchString(str)
+}
+
+func hasSpecialChar(str string) bool {
+ for _, c := range constants.SPECIAL_CHARACTERS {
+ if strings.Contains(str, string(c)) {
+ return true
+ }
+ }
+
+ return false
+}
diff --git a/backend/src/constants/auth.go b/backend/src/constants/auth.go
index 236691482..1e0ca2966 100644
--- a/backend/src/constants/auth.go
+++ b/backend/src/constants/auth.go
@@ -6,3 +6,5 @@ const (
ACCESS_TOKEN_EXPIRY time.Duration = time.Hour * 24 * 30 // temporary TODO: change to 60 minutes
REFRESH_TOKEN_EXPIRY time.Duration = time.Hour * 24 * 30
)
+
+var SPECIAL_CHARACTERS = []rune{' ', '!', '"', '#', '$', '%', '&', '\'', '(', ')', '*', '+', ',', '-', '.', '/', ':', ';', '<', '=', '>', '?', '@', '[', '\\', ']', '^', '_', '`', '{', '|', '}', '~'} // see https://owasp.org/www-community/password-special-characters
diff --git a/backend/src/errors/auth.go b/backend/src/errors/auth.go
index 57a6cc2d7..83b3c46c4 100644
--- a/backend/src/errors/auth.go
+++ b/backend/src/errors/auth.go
@@ -99,4 +99,16 @@ var (
StatusCode: fiber.StatusNotFound,
Message: "otp not found",
}
+ InvalidPasswordNotLongEnough = Error{
+ StatusCode: fiber.StatusBadRequest,
+ Message: "password must be at least 8 characters long",
+ }
+ InvalidPasswordNoDigit = Error{
+ StatusCode: fiber.StatusBadRequest,
+ Message: "password must contain at least one digit",
+ }
+ InvalidPasswordNoSpecialCharacter = Error{
+ StatusCode: fiber.StatusBadRequest,
+ Message: "password must contain at least one special character",
+ }
)
diff --git a/backend/src/models/user.go b/backend/src/models/user.go
index aedfd98b7..e0c4015fc 100644
--- a/backend/src/models/user.go
+++ b/backend/src/models/user.go
@@ -175,7 +175,7 @@ type CreateUserRequestBody struct {
FirstName string `json:"first_name" validate:"required,max=255"`
LastName string `json:"last_name" validate:"required,max=255"`
Email string `json:"email" validate:"required,email,neu_email,max=255"`
- Password string `json:"password" validate:"required,password,min=8,max=255"`
+ Password string `json:"password" validate:"required,max=255"` // MARK: must be validated manually
// Optional fields
Major0 Major `json:"major0" validate:"not_equal_if_not_empty=Major1,not_equal_if_not_empty=Major2,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
Major1 Major `json:"major1" validate:"not_equal_if_not_empty=Major0,not_equal_if_not_empty=Major2,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
@@ -198,12 +198,12 @@ type UpdateUserRequestBody struct {
type LoginUserResponseBody struct {
Email string `json:"email" validate:"required,email"`
- Password string `json:"password" validate:"required,password,min=8,max=255"`
+ Password string `json:"password" validate:"required,max=255"` // MARK: must be validated manually
}
type UpdatePasswordRequestBody struct {
- OldPassword string `json:"old_password" validate:"required,password,min=8,max=255"`
- NewPassword string `json:"new_password" validate:"required,password,not_equal_if_not_empty=OldPassword,min=8,max=255"`
+ OldPassword string `json:"old_password" validate:"required,max=255"` // MARK: must be validated manually
+ NewPassword string `json:"new_password" validate:"required,not_equal_if_not_empty=OldPassword,max=255"` // MARK: must be validated manually
}
type RefreshTokenRequestBody struct {
diff --git a/backend/src/services/auth.go b/backend/src/services/auth.go
index aa6d627a0..30079cd8f 100644
--- a/backend/src/services/auth.go
+++ b/backend/src/services/auth.go
@@ -40,6 +40,10 @@ func (a *AuthService) Login(loginBody models.LoginUserResponseBody) (*models.Use
return nil, nil, &errors.FailedToValidateUser
}
+ if pwordValErr := auth.ValidatePassword(loginBody.Password); pwordValErr != nil {
+ return nil, nil, pwordValErr
+ }
+
user, getUserByEmailErr := transactions.GetUserByEmail(a.DB, loginBody.Email)
if getUserByEmailErr != nil {
return nil, nil, getUserByEmailErr
diff --git a/backend/src/services/user.go b/backend/src/services/user.go
index 71dbf22d9..e10b6fee4 100644
--- a/backend/src/services/user.go
+++ b/backend/src/services/user.go
@@ -35,6 +35,10 @@ func (u *UserService) CreateUser(userBody models.CreateUserRequestBody) (*models
return nil, nil, &errors.FailedToValidateUser
}
+ if pwordValErr := auth.ValidatePassword(userBody.Password); pwordValErr != nil {
+ return nil, nil, pwordValErr
+ }
+
user, err := utilities.MapRequestToModel(userBody, &models.User{})
if err != nil {
return nil, nil, &errors.FailedToMapRequestToModel
@@ -141,6 +145,14 @@ func (u *UserService) UpdatePassword(id string, passwordBody models.UpdatePasswo
return &errors.FailedToValidateUpdatePasswordBody
}
+ if pwordValErr := auth.ValidatePassword(passwordBody.OldPassword); pwordValErr != nil {
+ return pwordValErr
+ }
+
+ if pwordValErr := auth.ValidatePassword(passwordBody.NewPassword); pwordValErr != nil {
+ return pwordValErr
+ }
+
passwordHash, err := transactions.GetUserPasswordHash(u.DB, *idAsUUID)
if err != nil {
return err
diff --git a/backend/src/utilities/validator.go b/backend/src/utilities/validator.go
index 375335dec..092165f60 100644
--- a/backend/src/utilities/validator.go
+++ b/backend/src/utilities/validator.go
@@ -2,7 +2,6 @@ package utilities
import (
"reflect"
- "regexp"
"strconv"
"strings"
@@ -22,10 +21,6 @@ func RegisterCustomValidators() (*validator.Validate, error) {
return nil, err
}
- if err := validate.RegisterValidation("password", validatePassword); err != nil {
- return nil, err
- }
-
if err := validate.RegisterValidation("s3_url", validateS3URL); err != nil {
return nil, err
}
@@ -60,16 +55,6 @@ func validateEmail(fl validator.FieldLevel) bool {
return true
}
-func validatePassword(fl validator.FieldLevel) bool {
- password := fl.Field().String()
-
- hasMinLength := len(password) >= 8
- hasDigit, _ := regexp.MatchString(`[0-9]`, password)
- hasSpecialChar, _ := regexp.MatchString(`[@#%&*+]`, password)
-
- return hasMinLength && hasDigit && hasSpecialChar
-}
-
func validateS3URL(fl validator.FieldLevel) bool {
return strings.HasPrefix(fl.Field().String(), "https://s3.amazonaws.com/")
}
diff --git a/backend/tests/api/user_test.go b/backend/tests/api/user_test.go
index f6af28f17..2db88c551 100644
--- a/backend/tests/api/user_test.go
+++ b/backend/tests/api/user_test.go
@@ -481,7 +481,7 @@ func TestCreateUserFailsIfUserWithEmailAlreadyExists(t *testing.T) {
}
func AssertCreateBadDataFails(t *testing.T, jsonKey string, badValues []interface{}) {
- appAssert, _, _ := CreateSampleStudent(t, nil)
+ appAssert := h.InitTest(t)
sampleStudent, rawPassword := h.SampleStudentFactory()
@@ -498,7 +498,7 @@ func AssertCreateBadDataFails(t *testing.T, jsonKey string, badValues []interfac
},
h.ErrorWithTester{
Error: errors.FailedToValidateUser,
- Tester: TestNumUsersRemainsAt2,
+ Tester: TestNumUsersRemainsAt1,
},
)
}
@@ -520,15 +520,40 @@ func TestCreateUserFailsOnInvalidEmail(t *testing.T) {
}
func TestCreateUserFailsOnInvalidPassword(t *testing.T) {
- AssertCreateBadDataFails(t,
- "password",
- []interface{}{
- "",
- "foo",
- "abcdefg",
- "abcdefg0",
- "abcdefg@",
- })
+ appAssert := h.InitTest(t)
+
+ sampleStudent, rawPassword := h.SampleStudentFactory()
+
+ inputsWithDesiredErr := []struct {
+ Password string
+ Error errors.Error
+ }{
+ {"0", errors.InvalidPasswordNotLongEnough},
+ {"foo", errors.InvalidPasswordNotLongEnough},
+ {"abcdefgh", errors.InvalidPasswordNoDigit},
+ {"abcdefg0", errors.InvalidPasswordNoSpecialCharacter},
+ {"abcdefg@", errors.InvalidPasswordNoDigit},
+ }
+
+ for _, inputWithDesiredErr := range inputsWithDesiredErr {
+ sampleUserPermutation := *h.SampleStudentJSONFactory(sampleStudent, rawPassword)
+ sampleUserPermutation["password"] = inputWithDesiredErr.Password
+
+ appAssert = appAssert.TestOnErrorAndTester(
+ h.TestRequest{
+ Method: fiber.MethodPost,
+ Path: "/api/v1/users/",
+ Body: &sampleUserPermutation,
+ Role: &models.Super,
+ },
+ h.ErrorWithTester{
+ Error: inputWithDesiredErr.Error,
+ Tester: TestNumUsersRemainsAt1,
+ },
+ )
+ }
+
+ appAssert.Close()
}
func TestCreateUserFailsOnMissingFields(t *testing.T) {
From 65b4378bf6ef4d4cd9229725d541d5ec4ed0a496 Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Mon, 15 Apr 2024 17:29:26 -0400
Subject: [PATCH 28/32] parity: all content model fields are s3_urls (#550)
---
backend/tests/api/club_test.go | 4 ++--
1 file changed, 2 insertions(+), 2 deletions(-)
diff --git a/backend/tests/api/club_test.go b/backend/tests/api/club_test.go
index e3b74f06b..d6ef0dcd6 100644
--- a/backend/tests/api/club_test.go
+++ b/backend/tests/api/club_test.go
@@ -253,7 +253,7 @@ func TestCreateClubFailsOnInvalidDescription(t *testing.T) {
[]interface{}{
"Not an URL",
"@#139081#$Ad_Axf",
- // "https://google.com", <-- TODO fix once we handle mongo urls
+ "https://google.com",
},
)
}
@@ -298,7 +298,7 @@ func TestCreateClubFailsOnInvalidLogo(t *testing.T) {
[]interface{}{
"Not an URL",
"@#139081#$Ad_Axf",
- // "https://google.com", <-- TODO uncomment once we figure out s3 url validation
+ "https://google.com",
},
)
}
From 1faf59509a6f7af4c115a630722be21e3b202a26 Mon Sep 17 00:00:00 2001
From: Mai Nguyen <123816878+in-mai-space@users.noreply.github.com>
Date: Mon, 15 Apr 2024 23:29:21 -0400
Subject: [PATCH 29/32] Homepage, User Interests & User Details Lo-fi (#424)
Co-authored-by: akshayd2020
Co-authored-by: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Co-authored-by: David Oduneye
---
.gitignore | 2 +
backend/src/constants/auth.go | 4 +-
backend/src/controllers/tag.go | 3 +-
backend/src/migrations/data.sql | 38 +-
backend/src/services/tag.go | 16 +-
backend/src/transactions/tag.go | 6 +-
cli/commands/reset.go | 4 +-
config/.env.template | 16 +-
config/local.yml | 2 +-
.../(tabs)/_components/club-homepage-card.tsx | 27 +
.../_components/event-homepage-card.tsx | 73 +
.../(tabs)/_components/faq-homepage-card.tsx | 103 +
.../(tabs)/_components/following-header.tsx | 93 +
.../app/(app)/(tabs)/_components/homepage.tsx | 70 +
.../sac-mobile/app/(app)/(tabs)/_layout.tsx | 51 +-
.../sac-mobile/app/(app)/(tabs)/index.tsx | 86 +-
.../sac-mobile/app/(app)/(tabs)/profile.tsx | 13 +-
.../app/(app)/_components/club-kebab.tsx | 35 +
.../app/(app)/_components/event-kebab.tsx | 35 +
frontend/sac-mobile/app/(app)/_layout.tsx | 91 +-
frontend/sac-mobile/app/(app)/club/[id].tsx | 4 +
.../sac-mobile/app/(app)/club/_layout.tsx | 6 +
frontend/sac-mobile/app/(app)/event/[id].tsx | 6 +-
.../event/_components/rsvp-bottom-sheet.tsx | 2 +-
.../following/_components/followed-club.tsx | 74 +
.../sac-mobile/app/(app)/following/index.tsx | 53 +
.../app/(auth)/_components/code.tsx | 67 +
.../app/(auth)/_components/login-form.tsx | 1 -
.../(auth)/_components/registration-form.tsx | 8 +-
.../(auth)/_components/user-details-form.tsx | 179 ++
.../(auth)/_components/user-interest-form.tsx | 193 ++
.../(auth)/_components/verification-form.tsx | 51 +-
frontend/sac-mobile/app/(auth)/_layout.tsx | 39 +-
frontend/sac-mobile/app/(auth)/login.tsx | 18 +-
frontend/sac-mobile/app/(auth)/register.tsx | 40 +-
.../sac-mobile/app/(auth)/user-details.tsx | 25 +-
.../sac-mobile/app/(auth)/user-interests.tsx | 20 +
.../sac-mobile/app/(auth)/verification.tsx | 37 +-
frontend/sac-mobile/app/(auth)/welcome.tsx | 8 +-
frontend/sac-mobile/app/_layout.tsx | 2 +-
.../assets/images/svg/home-selected.svg | 3 +
.../sac-mobile/assets/images/svg/home.svg | 4 +
frontend/sac-mobile/assets/images/svg/pin.svg | 3 +
.../assets/images/svg/profile-selected.svg | 4 +
.../sac-mobile/assets/images/svg/profile.svg | 4 +
.../assets/images/svg/search-selected.svg | 4 +
.../sac-mobile/assets/images/svg/search.svg | 5 +
.../sac-mobile/assets/images/svg/time.svg | 3 +
frontend/sac-mobile/components/button.tsx | 7 +-
frontend/sac-mobile/components/dropdown.tsx | 14 +-
frontend/sac-mobile/components/input.tsx | 86 +-
frontend/sac-mobile/components/kebab.tsx | 25 +
.../sac-mobile/components/multiselect.tsx | 99 +
frontend/sac-mobile/data/categories.ts | 16 +
frontend/sac-mobile/hooks/use-categories.ts | 12 +
frontend/sac-mobile/hooks/use-tags.ts | 11 +
frontend/sac-mobile/hooks/use-user.ts | 96 +
frontend/sac-mobile/lib/const.ts | 209 +-
frontend/sac-mobile/lib/utils.ts | 65 +-
frontend/sac-mobile/package.json | 16 +-
frontend/sac-mobile/services/categories.ts | 14 +
frontend/sac-mobile/services/tags.ts | 13 +
frontend/sac-mobile/services/user.ts | 99 +-
frontend/sac-mobile/types/categories.ts | 12 -
frontend/sac-mobile/types/category.ts | 15 +
frontend/sac-mobile/types/faq.ts | 5 +
frontend/sac-mobile/types/tag.ts | 11 +-
frontend/sac-mobile/yarn.lock | 2217 +++++++++--------
68 files changed, 3229 insertions(+), 1444 deletions(-)
create mode 100644 frontend/sac-mobile/app/(app)/(tabs)/_components/club-homepage-card.tsx
create mode 100644 frontend/sac-mobile/app/(app)/(tabs)/_components/event-homepage-card.tsx
create mode 100644 frontend/sac-mobile/app/(app)/(tabs)/_components/faq-homepage-card.tsx
create mode 100644 frontend/sac-mobile/app/(app)/(tabs)/_components/following-header.tsx
create mode 100644 frontend/sac-mobile/app/(app)/(tabs)/_components/homepage.tsx
create mode 100644 frontend/sac-mobile/app/(app)/_components/club-kebab.tsx
create mode 100644 frontend/sac-mobile/app/(app)/_components/event-kebab.tsx
create mode 100644 frontend/sac-mobile/app/(app)/following/_components/followed-club.tsx
create mode 100644 frontend/sac-mobile/app/(app)/following/index.tsx
create mode 100644 frontend/sac-mobile/app/(auth)/_components/code.tsx
create mode 100644 frontend/sac-mobile/app/(auth)/_components/user-details-form.tsx
create mode 100644 frontend/sac-mobile/app/(auth)/_components/user-interest-form.tsx
create mode 100644 frontend/sac-mobile/app/(auth)/user-interests.tsx
create mode 100644 frontend/sac-mobile/assets/images/svg/home-selected.svg
create mode 100644 frontend/sac-mobile/assets/images/svg/home.svg
create mode 100644 frontend/sac-mobile/assets/images/svg/pin.svg
create mode 100644 frontend/sac-mobile/assets/images/svg/profile-selected.svg
create mode 100644 frontend/sac-mobile/assets/images/svg/profile.svg
create mode 100644 frontend/sac-mobile/assets/images/svg/search-selected.svg
create mode 100644 frontend/sac-mobile/assets/images/svg/search.svg
create mode 100644 frontend/sac-mobile/assets/images/svg/time.svg
create mode 100644 frontend/sac-mobile/components/kebab.tsx
create mode 100644 frontend/sac-mobile/components/multiselect.tsx
create mode 100644 frontend/sac-mobile/data/categories.ts
create mode 100644 frontend/sac-mobile/hooks/use-categories.ts
create mode 100644 frontend/sac-mobile/hooks/use-tags.ts
create mode 100644 frontend/sac-mobile/hooks/use-user.ts
create mode 100644 frontend/sac-mobile/services/categories.ts
create mode 100644 frontend/sac-mobile/services/tags.ts
delete mode 100644 frontend/sac-mobile/types/categories.ts
create mode 100644 frontend/sac-mobile/types/category.ts
create mode 100644 frontend/sac-mobile/types/faq.ts
diff --git a/.gitignore b/.gitignore
index 48a772f28..c2fd14ed3 100644
--- a/.gitignore
+++ b/.gitignore
@@ -22,3 +22,5 @@ backend/tests/api/__debug_*
frontend/sac-mobile/ios/
frontend/sac-mobile/android/
tmp/
+ios
+android
diff --git a/backend/src/constants/auth.go b/backend/src/constants/auth.go
index 1e0ca2966..9cd14511f 100644
--- a/backend/src/constants/auth.go
+++ b/backend/src/constants/auth.go
@@ -3,8 +3,8 @@ package constants
import "time"
const (
- ACCESS_TOKEN_EXPIRY time.Duration = time.Hour * 24 * 30 // temporary TODO: change to 60 minutes
- REFRESH_TOKEN_EXPIRY time.Duration = time.Hour * 24 * 30
+ ACCESS_TOKEN_EXPIRY time.Duration = time.Minute * 24 * 30 // temporary TODO: change to 60 minutes
+ REFRESH_TOKEN_EXPIRY time.Duration = time.Minute * 24 * 30
)
var SPECIAL_CHARACTERS = []rune{' ', '!', '"', '#', '$', '%', '&', '\'', '(', ')', '*', '+', ',', '-', '.', '/', ':', ';', '<', '=', '>', '?', '@', '[', '\\', ']', '^', '_', '`', '{', '|', '}', '~'} // see https://owasp.org/www-community/password-special-characters
diff --git a/backend/src/controllers/tag.go b/backend/src/controllers/tag.go
index 665a22aab..39c6cd843 100644
--- a/backend/src/controllers/tag.go
+++ b/backend/src/controllers/tag.go
@@ -1,7 +1,6 @@
package controllers
import (
- "github.com/GenerateNU/sac/backend/src/constants"
"github.com/GenerateNU/sac/backend/src/errors"
"github.com/GenerateNU/sac/backend/src/models"
"github.com/GenerateNU/sac/backend/src/services"
@@ -32,7 +31,7 @@ func NewTagController(tagService services.TagServiceInterface) *TagController {
// @Failure 500 {object} errors.Error
// @Router /tags [get]
func (t *TagController) GetTags(c *fiber.Ctx) error {
- tags, err := t.tagService.GetTags(c.Query("limit", constants.DEFAULT_LIMIT_STRING), c.Query("page", constants.DEFAULT_PAGE_STRING))
+ tags, err := t.tagService.GetTags()
if err != nil {
return err.FiberError(c)
}
diff --git a/backend/src/migrations/data.sql b/backend/src/migrations/data.sql
index 12458fedb..96d0dad6f 100644
--- a/backend/src/migrations/data.sql
+++ b/backend/src/migrations/data.sql
@@ -1,9 +1,9 @@
-- BEGIN MOCK DATA TRANSACTION
BEGIN;
-INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, graduation_cycle, graduation_year, is_verified) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', 'super', 'oduneye.d@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'David', 'Oduneye', 'KCCS', 'may', 2025, true);
-INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, graduation_cycle, graduation_year, is_verified) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', 'super', 'ladley.g@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'Garrett', 'Ladley', 'KCCS', 'may', 2025, true);
-INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
-INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
+-- INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, graduation_cycle, graduation_year, is_verified) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', 'super', 'oduneye.d@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'David', 'Oduneye', 'KCCS', 'may', 2025, true);
+-- INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, graduation_cycle, graduation_year, is_verified) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', 'super', 'ladley.g@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'Garrett', 'Ladley', 'KCCS', 'may', 2025, true);
+-- INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
+-- INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
COMMIT;
-- END MOCK DATA TRANSACTION
-- AUTOGENERATED MOCK DATA, DO NOT MODIFY
@@ -1685,19 +1685,19 @@ COMMIT;
-- END AUTOGENERATED MOCK DATA
-- BEGIN MOCK DATA TRANSACTION
-BEGIN;
-INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('eea48981-8c89-4f3a-8b04-c9ec60671640', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Spring Showcase', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University!', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University! We will be showcasing the best and brightest students from a variety of disciplines, so be sure to come out and support your peers!', '2024-04-15 19:00:00', '2024-04-15 21:00:00', 'Ell Hall, 342 Huntington Ave, Boston, MA 02115', false);
-INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'eea48981-8c89-4f3a-8b04-c9ec60671640', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','eea48981-8c89-4f3a-8b04-c9ec60671640','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','eea48981-8c89-4f3a-8b04-c9ec60671640','6714365f-7133-495c-a4d9-33a1a432c159');
-INSERT INTO series (id, recurring_type, max_occurrences) VALUES ('43a97583-8db3-493c-bd09-6ccae3301b9a', 'weekly', 3);
-INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-16 18:00:00', '2024-04-16 19:00:00', '450 Parker St, Boston, MA 02115', true);
-INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8a9dd792-8e17-45e3-ba4a-7287ad4d4c06', 'cc034c67-82e0-4ba5-94c5-9b0cba132a99', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('aab358cb-bdef-4033-8e1f-9585222ebc99','cc034c67-82e0-4ba5-94c5-9b0cba132a99','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0313c204-0c67-4f30-b028-392f8fa585c1','cc034c67-82e0-4ba5-94c5-9b0cba132a99','6714365f-7133-495c-a4d9-33a1a432c159');
-INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('c83de05c-8951-432a-b74d-9d91e452fbdf', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-23 18:00:00', '2024-04-23 19:00:00', '450 Parker St, Boston, MA 02115', true);
-INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'c83de05c-8951-432a-b74d-9d91e452fbdf', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','c83de05c-8951-432a-b74d-9d91e452fbdf','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','c83de05c-8951-432a-b74d-9d91e452fbdf','6714365f-7133-495c-a4d9-33a1a432c159');
-INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-30 18:00:00', '2024-04-30 19:00:00', '450 Parker St, Boston, MA 02115', true);
-INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8750ea53-3b5e-45c5-81cf-8ceef024894f', '3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('bff77c88-569e-42a6-b041-d68bb5439729','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('799979ec-c956-441c-94f6-b5783274730d','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','6714365f-7133-495c-a4d9-33a1a432c159');
-INSERT INTO event_series (event_id, series_id) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '43a97583-8db3-493c-bd09-6ccae3301b9a'), ('c83de05c-8951-432a-b74d-9d91e452fbdf','43a97583-8db3-493c-bd09-6ccae3301b9a' ), ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '43a97583-8db3-493c-bd09-6ccae3301b9a');
-INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('788e36a1-116c-4e9b-9842-e70f787e691b', '38ae97fd-f259-40ef-9d99-c3d47fc44644', 'Phi Sigma Rho Philanthropy', 'Join us for a day of service as we give back to the community!', 'Join us for a day of service as we give back to the community! We will be volunteering at a local food bank, so be sure to wear comfortable clothes and closed-toed shoes. This event is open to all students, so feel free to bring a friend!', '2024-04-20 10:00:00', '2024-04-20 16:00:00', '70 S Bay Ave, Boston, MA 02118', false);
-INSERT INTO event_tags(id, event_id, tag_id) VALUES ('f184543c-9b11-4f10-aa92-c12abaf2096b', '788e36a1-116c-4e9b-9842-e70f787e691b', 'a85c38cb-65ba-4481-9c32-1834dd41e472'), ('c536eff6-11db-4d56-92b4-26ee0ef9f50e','788e36a1-116c-4e9b-9842-e70f787e691b','b7c272cd-8556-4202-b6ae-9f2223cca95c');
-
-COMMIT;
+-- BEGIN;
+-- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('eea48981-8c89-4f3a-8b04-c9ec60671640', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Spring Showcase', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University!', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University! We will be showcasing the best and brightest students from a variety of disciplines, so be sure to come out and support your peers!', '2024-04-15 19:00:00', '2024-04-15 21:00:00', 'Ell Hall, 342 Huntington Ave, Boston, MA 02115', false);
+-- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'eea48981-8c89-4f3a-8b04-c9ec60671640', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','eea48981-8c89-4f3a-8b04-c9ec60671640','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','eea48981-8c89-4f3a-8b04-c9ec60671640','6714365f-7133-495c-a4d9-33a1a432c159');
+-- INSERT INTO series (id, recurring_type, max_occurrences) VALUES ('43a97583-8db3-493c-bd09-6ccae3301b9a', 'weekly', 3);
+-- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-16 18:00:00', '2024-04-16 19:00:00', '450 Parker St, Boston, MA 02115', true);
+-- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8a9dd792-8e17-45e3-ba4a-7287ad4d4c06', 'cc034c67-82e0-4ba5-94c5-9b0cba132a99', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('aab358cb-bdef-4033-8e1f-9585222ebc99','cc034c67-82e0-4ba5-94c5-9b0cba132a99','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0313c204-0c67-4f30-b028-392f8fa585c1','cc034c67-82e0-4ba5-94c5-9b0cba132a99','6714365f-7133-495c-a4d9-33a1a432c159');
+-- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('c83de05c-8951-432a-b74d-9d91e452fbdf', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-23 18:00:00', '2024-04-23 19:00:00', '450 Parker St, Boston, MA 02115', true);
+-- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'c83de05c-8951-432a-b74d-9d91e452fbdf', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','c83de05c-8951-432a-b74d-9d91e452fbdf','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','c83de05c-8951-432a-b74d-9d91e452fbdf','6714365f-7133-495c-a4d9-33a1a432c159');
+-- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-30 18:00:00', '2024-04-30 19:00:00', '450 Parker St, Boston, MA 02115', true);
+-- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8750ea53-3b5e-45c5-81cf-8ceef024894f', '3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('bff77c88-569e-42a6-b041-d68bb5439729','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('799979ec-c956-441c-94f6-b5783274730d','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','6714365f-7133-495c-a4d9-33a1a432c159');
+-- INSERT INTO event_series (event_id, series_id) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '43a97583-8db3-493c-bd09-6ccae3301b9a'), ('c83de05c-8951-432a-b74d-9d91e452fbdf','43a97583-8db3-493c-bd09-6ccae3301b9a' ), ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '43a97583-8db3-493c-bd09-6ccae3301b9a');
+-- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('788e36a1-116c-4e9b-9842-e70f787e691b', '38ae97fd-f259-40ef-9d99-c3d47fc44644', 'Phi Sigma Rho Philanthropy', 'Join us for a day of service as we give back to the community!', 'Join us for a day of service as we give back to the community! We will be volunteering at a local food bank, so be sure to wear comfortable clothes and closed-toed shoes. This event is open to all students, so feel free to bring a friend!', '2024-04-20 10:00:00', '2024-04-20 16:00:00', '70 S Bay Ave, Boston, MA 02118', false);
+-- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('f184543c-9b11-4f10-aa92-c12abaf2096b', '788e36a1-116c-4e9b-9842-e70f787e691b', 'a85c38cb-65ba-4481-9c32-1834dd41e472'), ('c536eff6-11db-4d56-92b4-26ee0ef9f50e','788e36a1-116c-4e9b-9842-e70f787e691b','b7c272cd-8556-4202-b6ae-9f2223cca95c');
+
+-- COMMIT;
-- END MOCK DATA TRANSACTION
\ No newline at end of file
diff --git a/backend/src/services/tag.go b/backend/src/services/tag.go
index 2152b1717..38eb8b192 100644
--- a/backend/src/services/tag.go
+++ b/backend/src/services/tag.go
@@ -9,7 +9,7 @@ import (
)
type TagServiceInterface interface {
- GetTags(limit string, page string) ([]models.Tag, *errors.Error)
+ GetTags() ([]models.Tag, *errors.Error)
CreateTag(tagBody models.CreateTagRequestBody) (*models.Tag, *errors.Error)
GetTag(id string) (*models.Tag, *errors.Error)
UpdateTag(id string, tagBody models.UpdateTagRequestBody) (*models.Tag, *errors.Error)
@@ -37,18 +37,8 @@ func (t *TagService) CreateTag(tagBody models.CreateTagRequestBody) (*models.Tag
return transactions.CreateTag(t.DB, *tag)
}
-func (t *TagService) GetTags(limit string, page string) ([]models.Tag, *errors.Error) {
- limitAsInt, err := utilities.ValidateNonNegative(limit)
- if err != nil {
- return nil, &errors.FailedToValidateLimit
- }
-
- pageAsInt, err := utilities.ValidateNonNegative(page)
- if err != nil {
- return nil, &errors.FailedToValidatePage
- }
-
- return transactions.GetTags(t.DB, *limitAsInt, *pageAsInt)
+func (t *TagService) GetTags() ([]models.Tag, *errors.Error) {
+ return transactions.GetTags(t.DB)
}
func (t *TagService) GetTag(tagID string) (*models.Tag, *errors.Error) {
diff --git a/backend/src/transactions/tag.go b/backend/src/transactions/tag.go
index 282d06e76..caf6576ea 100644
--- a/backend/src/transactions/tag.go
+++ b/backend/src/transactions/tag.go
@@ -48,12 +48,10 @@ func GetTag(db *gorm.DB, tagID uuid.UUID) (*models.Tag, *errors.Error) {
return &tag, nil
}
-func GetTags(db *gorm.DB, limit int, page int) ([]models.Tag, *errors.Error) {
+func GetTags(db *gorm.DB) ([]models.Tag, *errors.Error) {
var tags []models.Tag
- offset := (page - 1) * limit
-
- if err := db.Limit(limit).Offset(offset).Find(&tags).Error; err != nil {
+ if err := db.Find(&tags).Error; err != nil {
return nil, &errors.FailedToGetTags
}
diff --git a/cli/commands/reset.go b/cli/commands/reset.go
index 2ca80e1f7..f6801d730 100644
--- a/cli/commands/reset.go
+++ b/cli/commands/reset.go
@@ -87,7 +87,7 @@ func ResetMigration() error {
err := DropDB()
if err != nil {
- return cli.Exit(err.Error(), 1)
+ return cli.Exit(fmt.Sprintf("Error dropping database: %s", err.Error()), 1)
}
cmd := exec.Command("sleep", "1")
@@ -100,7 +100,7 @@ func ResetMigration() error {
err = Migrate()
if err != nil {
- return cli.Exit(err.Error(), 1)
+ return cli.Exit(fmt.Sprintf("Error migrating database: %s", err.Error()), 1)
}
fmt.Println("Migration reset successfully")
diff --git a/config/.env.template b/config/.env.template
index 4ed05577b..d0e371142 100644
--- a/config/.env.template
+++ b/config/.env.template
@@ -1,9 +1,9 @@
-SAC_PINECONE_INDEX_HOST="https://SAC_PINECONE_INDEX_HOST.com"
-SAC_PINECONE_API_KEY="SAC_PINECONE_API_KEY"
-SAC_OPENAI_API_KEY="SAC_OPENAI_API_KEY"
-SAC_RESEND_API_KEY="SAC_RESEND_API_KEY"
+SAC_PINECONE_INDEX_HOST=""
+SAC_PINECONE_API_KEY=""
+SAC_OPENAI_API_KEY=""
+SAC_RESEND_API_KEY=""
-SAC_AWS_BUCKET_NAME="SAC_AWS_BUCKET_NAME"
-SAC_AWS_ID="SAC_AWS_ID"
-SAC_AWS_SECRET="SAC_AWS_SECRET"
-SAC_AWS_REGION="SAC_AWS_REGION"
+SAC_AWS_BUCKET_NAME=
+SAC_AWS_ID=
+SAC_AWS_SECRET=
+SAC_AWS_REGION=
\ No newline at end of file
diff --git a/config/local.yml b/config/local.yml
index 994ae216c..8a88af9b2 100644
--- a/config/local.yml
+++ b/config/local.yml
@@ -13,4 +13,4 @@ superuser:
password: Password#!1
auth:
accesskey: g(r|##*?>\Qp}h37e+,T2
- refreshkey: amk*2!gG}1i"8D9RwJS$p
+ refreshkey: amk*2!gG}1i"8D9RwJS$p
\ No newline at end of file
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/_components/club-homepage-card.tsx b/frontend/sac-mobile/app/(app)/(tabs)/_components/club-homepage-card.tsx
new file mode 100644
index 000000000..8b44d5b83
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/(tabs)/_components/club-homepage-card.tsx
@@ -0,0 +1,27 @@
+import React from 'react';
+import { Pressable, Text, View } from 'react-native';
+
+import { router } from 'expo-router';
+
+import { Club } from '@/types/club';
+
+export const ClubHomePageCard = ({ club }: { club: Club }) => {
+ return (
+ router.push(`/club/${club.id}`)}
+ >
+
+
+
+
+ {club.name}
+
+
+ {club.description}
+
+
+
+
+ );
+};
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/_components/event-homepage-card.tsx b/frontend/sac-mobile/app/(app)/(tabs)/_components/event-homepage-card.tsx
new file mode 100644
index 000000000..f81b9c89c
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/(tabs)/_components/event-homepage-card.tsx
@@ -0,0 +1,73 @@
+import React from 'react';
+import { Pressable, Text, View } from 'react-native';
+
+import { router } from 'expo-router';
+
+import Pin from '@/assets/images/svg/pin.svg';
+import Time from '@/assets/images/svg/time.svg';
+import { useEventHosts } from '@/hooks/use-event';
+import { Event } from '@/types/event';
+
+const EventHomePageCard = ({ event }: { event: Event }) => {
+ const { data: hosts, isLoading, error } = useEventHosts(event.id);
+
+ if (isLoading) {
+ return Loading...;
+ }
+
+ if (error) {
+ return Error: {error.message};
+ }
+
+ return (
+ router.push(`/event/${event.id}`)}
+ >
+
+
+
+
+
+
+ {hosts?.[0].name ?? 'No Hosts'}
+
+
+ {event.name}
+
+
+
+
+ {event.location}
+
+
+
+
+
+ {new Date(
+ event.start_time
+ ).toLocaleDateString('en-US', {
+ month: 'long',
+ day: 'numeric',
+ hour: 'numeric',
+ minute: 'numeric'
+ })}
+
+
+
+
+
+ {event.preview}
+
+
+
+
+
+ );
+};
+
+export { EventHomePageCard };
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/_components/faq-homepage-card.tsx b/frontend/sac-mobile/app/(app)/(tabs)/_components/faq-homepage-card.tsx
new file mode 100644
index 000000000..f84763413
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/(tabs)/_components/faq-homepage-card.tsx
@@ -0,0 +1,103 @@
+import React from 'react';
+import { Controller, useForm } from 'react-hook-form';
+import { Alert, Pressable, Text, View } from 'react-native';
+
+import { ZodError, z } from 'zod';
+
+import { Error } from '@/components/error';
+import { Input } from '@/components/input';
+import { FAQ } from '@/types/faq';
+
+type FAQData = {
+ question: string;
+};
+
+const FAQSchema = z.object({
+ question: z.string()
+});
+
+const FAQHomePageCard = ({ faq }: { faq: FAQ }) => {
+ const length = () => {
+ if (faq.club_name.length > 11) {
+ return faq.club_name.substring(0, 11) + '...';
+ } else {
+ return faq.club_name;
+ }
+ };
+
+ const {
+ control,
+ handleSubmit,
+ formState: { errors },
+ reset
+ } = useForm();
+
+ const onSubmit = ({ question }: FAQData) => {
+ try {
+ FAQSchema.parse({ question });
+ Alert.alert('Form Submitted', JSON.stringify(question));
+ reset();
+ } catch (error) {
+ if (error instanceof ZodError) {
+ Alert.alert('Validation Error', error.errors[0].message);
+ } else {
+ console.error('An unexpected error occurred:', error);
+ }
+ }
+ };
+
+ return (
+
+
+
+
+
+ {faq.club_name}
+
+
+ Frequently Asked
+
+
+ Questions
+
+
+
+
+ Question:
+ {faq.question}
+ Answer:
+
+ {faq.answer}
+
+
+ (
+
+ )}
+ name="question"
+ rules={{
+ required: 'Question is required'
+ }}
+ />
+ {errors.question && (
+
+
+
+ )}
+
+
+
+ );
+};
+
+export { FAQHomePageCard };
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/_components/following-header.tsx b/frontend/sac-mobile/app/(app)/(tabs)/_components/following-header.tsx
new file mode 100644
index 000000000..31b6c04a8
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/(tabs)/_components/following-header.tsx
@@ -0,0 +1,93 @@
+import React from 'react';
+import {
+ FlatList,
+ Pressable,
+ Text,
+ TouchableOpacity,
+ View
+} from 'react-native';
+
+import { Stack, router } from 'expo-router';
+
+import { useUserFollowing } from '@/hooks/use-user';
+import { Club } from '@/types/club';
+
+const ViewAll = ({ isFollowingAny }: { isFollowingAny: boolean }) => {
+ return (
+ <>
+ {isFollowingAny && (
+
+ router.push('/(app)/following/')}
+ className="flex-row items-center"
+ >
+ View all
+
+
+ )}
+ >
+ );
+};
+
+const FollowingHeader = ({ id }: { id: string }) => {
+ const { data: userFollowingData, isLoading, error } = useUserFollowing(id);
+
+ if (isLoading) {
+ return Loading...;
+ }
+
+ if (error) {
+ return Error: {error.message};
+ }
+
+ const renderFollowing = ({ item }: { item: Club }) => {
+ return (
+ router.push(`/club/${item.id}`)}
+ >
+
+
+ {item.name}
+
+
+ );
+ };
+
+ if (!userFollowingData) {
+ return null;
+ }
+
+ return (
+ <>
+ {
+ return (
+ 0}
+ />
+ );
+ }
+ }}
+ />
+
+
+ item.id.toString()}
+ />
+
+ >
+ );
+};
+
+export { FollowingHeader };
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/_components/homepage.tsx b/frontend/sac-mobile/app/(app)/(tabs)/_components/homepage.tsx
new file mode 100644
index 000000000..2185710ef
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/(tabs)/_components/homepage.tsx
@@ -0,0 +1,70 @@
+import React from 'react';
+import { FlatList, Text, View } from 'react-native';
+
+import { useClubs } from '@/hooks/use-club';
+import { useEvents } from '@/hooks/use-event';
+import { HomepageFAQ } from '@/lib/const';
+import { isClub, isEvent, isFAQ } from '@/lib/utils';
+import { Club } from '@/types/club';
+import { Event } from '@/types/event';
+import { FAQ } from '@/types/faq';
+
+import { ClubHomePageCard } from './club-homepage-card';
+import { EventHomePageCard } from './event-homepage-card';
+import { FAQHomePageCard } from './faq-homepage-card';
+
+export type HomepageItem = Event | Club | FAQ;
+
+const HomepageList = () => {
+ const { data: events, isLoading: eIsLoading, error: eError } = useEvents();
+ const { data: clubs, isLoading: cIsLoading, error: cError } = useClubs();
+
+ if (eIsLoading || cIsLoading) {
+ return Loading...;
+ }
+
+ if (eError || cError) {
+ return Error: {eError?.message || cError?.message};
+ }
+
+ const getHomepageItems = () => {
+ const allItems: HomepageItem[] = [];
+ if (events !== undefined) {
+ allItems.push(...events);
+ }
+ if (clubs !== undefined) {
+ allItems.push(...clubs);
+ }
+ allItems.push(...HomepageFAQ);
+ return allItems.sort(() => Math.random() - 0.5);
+ };
+
+ const renderItems = (items: HomepageItem[]) => {
+ return items.map((item: HomepageItem, index) => {
+ if (isClub(item)) {
+ const club = item as Club;
+ if (club.name === 'SAC') {
+ return null;
+ }
+ return ;
+ } else if (isEvent(item)) {
+ return ;
+ } else if (isFAQ(item)) {
+ return ;
+ }
+ });
+ };
+
+ return (
+
+ <>{item}>}
+ keyExtractor={(_, index) => index.toString()}
+ showsVerticalScrollIndicator={false}
+ />
+
+ );
+};
+
+export { HomepageList };
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx b/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx
index 57c96f1c0..c1a043266 100644
--- a/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx
+++ b/frontend/sac-mobile/app/(app)/(tabs)/_layout.tsx
@@ -1,23 +1,17 @@
import React, { useEffect } from 'react';
+import { View } from 'react-native';
import { Tabs } from 'expo-router';
-import { MaterialCommunityIcons } from '@expo/vector-icons';
-
+import HomeSelectedIcon from '@/assets/images/svg/home-selected.svg';
+import HomeIcon from '@/assets/images/svg/home.svg';
+import ProfileSelectedIcon from '@/assets/images/svg/profile-selected.svg';
+import ProfileIcon from '@/assets/images/svg/profile.svg';
+import SearchSelectedIcon from '@/assets/images/svg/search-selected.svg';
+import SearchIcon from '@/assets/images/svg/search.svg';
+import { Wordmark } from '@/components/wordmark';
import { useAuthStore } from '@/hooks/use-auth';
-const HomeTabBarIcon = ({ color }: { color: string }) => (
-
-);
-
-const ProfileTabBarIcon = ({ color }: { color: string }) => (
-
-);
-
-const SearchTabBarIcon = ({ color }: { color: string }) => (
-
-);
-
const Layout = () => {
const { isLoggedIn, fetchUser } = useAuthStore();
@@ -26,31 +20,40 @@ const Layout = () => {
}, [isLoggedIn, fetchUser]);
return (
-
+ (
+
+ ),
+ headerLeft: () => (
+
+
+
+ ),
+ headerShown: true,
+ tabBarIcon: ({ focused }) =>
+ focused ? :
}}
- redirect={!isLoggedIn}
/>
+ focused ? :
}}
- redirect={!isLoggedIn}
/>
+ focused ? :
}}
redirect={!isLoggedIn}
/>
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/index.tsx b/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
index 0ce7cdb87..c11462f06 100644
--- a/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
+++ b/frontend/sac-mobile/app/(app)/(tabs)/index.tsx
@@ -1,70 +1,40 @@
import React from 'react';
-import { FlatList, Text } from 'react-native';
-import { SafeAreaView } from 'react-native-safe-area-context';
+import { SectionList, View } from 'react-native';
-import { Link } from 'expo-router';
+import { StatusBar } from 'expo-status-bar';
-import { clubs } from '@/data/clubs';
+import { HomepageList } from '@/app/(app)/(tabs)/_components/homepage';
import { useAuthStore } from '@/hooks/use-auth';
-import { useEvents } from '@/hooks/use-event';
-import { Club } from '@/types/club';
-import { Event } from '@/types/event';
-const Home = () => {
- const { user } = useAuthStore();
- const { data: events, isLoading, error } = useEvents();
-
- if (isLoading) {
- return Loading...;
- }
-
- if (error) {
- return Error: {error.message};
- }
-
- const renderEvent = ({ item: event }: { item: Event }) => (
-
- {event.name}
-
- );
+import { FollowingHeader } from './_components/following-header';
- const renderClub = ({ item: club }: { item: Club }) => (
-
- {club.name}
-
- );
+const HomePage = () => {
+ const { user } = useAuthStore();
return (
-
- Welcome {user?.first_name}
- item.id.toString()}
- />
- item.id.toString()}
+ <>
+
+
+ ]
+ },
+ {
+ data: []
+ }
+ ]}
+ keyExtractor={(_, index) => index.toString()}
+ renderItem={({ item }) => <>{item}>}
+ renderSectionHeader={() => }
+ stickySectionHeadersEnabled={false}
/>
-
+ >
);
};
-export default Home;
+export default HomePage;
diff --git a/frontend/sac-mobile/app/(app)/(tabs)/profile.tsx b/frontend/sac-mobile/app/(app)/(tabs)/profile.tsx
index 8f2057e43..a238dad16 100644
--- a/frontend/sac-mobile/app/(app)/(tabs)/profile.tsx
+++ b/frontend/sac-mobile/app/(app)/(tabs)/profile.tsx
@@ -1,20 +1,23 @@
import React from 'react';
-import { View } from 'react-native';
+import { SafeAreaView, Text, View } from 'react-native';
import { Button } from '@/components/button';
import { useAuthStore } from '@/hooks/use-auth';
const Profile = () => {
- const { signOut } = useAuthStore();
+ const { signOut, user } = useAuthStore();
const handleSignOut = async () => {
signOut();
};
return (
-
- Sign Out
-
+
+
+ Welcome {user?.first_name}
+ Sign Out
+
+
);
};
diff --git a/frontend/sac-mobile/app/(app)/_components/club-kebab.tsx b/frontend/sac-mobile/app/(app)/_components/club-kebab.tsx
new file mode 100644
index 000000000..70de0ac3f
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/_components/club-kebab.tsx
@@ -0,0 +1,35 @@
+import React from 'react';
+import { Platform } from 'react-native';
+
+import { NativeActionEvent } from '@react-native-menu/menu';
+
+import { Kebab } from '@/components/kebab';
+
+const ClubKebab = () => {
+ const items = [
+ {
+ id: 'share',
+ title: 'Share Club',
+ image: Platform.select({
+ ios: 'square.and.arrow.up',
+ android: 'share-variant'
+ })
+ },
+ {
+ id: 'report',
+ title: 'Report Club',
+ image: Platform.select({
+ ios: 'person.crop.circle.badge.exclamationmark.fill',
+ android: 'person-circle-outline'
+ })
+ }
+ ];
+
+ const onPress = ({ nativeEvent }: NativeActionEvent) => {
+ console.warn(JSON.stringify(nativeEvent));
+ };
+
+ return ;
+};
+
+export { ClubKebab };
diff --git a/frontend/sac-mobile/app/(app)/_components/event-kebab.tsx b/frontend/sac-mobile/app/(app)/_components/event-kebab.tsx
new file mode 100644
index 000000000..05c8a295a
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/_components/event-kebab.tsx
@@ -0,0 +1,35 @@
+import React from 'react';
+import { Platform } from 'react-native';
+
+import { NativeActionEvent } from '@react-native-menu/menu';
+
+import { Kebab } from '@/components/kebab';
+
+const EventKabab = () => {
+ const items = [
+ {
+ id: 'share',
+ title: 'Share Event',
+ image: Platform.select({
+ ios: 'square.and.arrow.up',
+ android: 'share-variant'
+ })
+ },
+ {
+ id: 'report',
+ title: 'Report Event',
+ image: Platform.select({
+ ios: 'person.crop.circle.badge.exclamationmark.fill',
+ android: 'person-circle-outline'
+ })
+ }
+ ];
+
+ const onPress = ({ nativeEvent }: NativeActionEvent) => {
+ console.warn(JSON.stringify(nativeEvent));
+ };
+
+ return ;
+};
+
+export { EventKabab };
diff --git a/frontend/sac-mobile/app/(app)/_layout.tsx b/frontend/sac-mobile/app/(app)/_layout.tsx
index 48928119d..0f0a0e82f 100644
--- a/frontend/sac-mobile/app/(app)/_layout.tsx
+++ b/frontend/sac-mobile/app/(app)/_layout.tsx
@@ -1,80 +1,12 @@
import React from 'react';
-import { Platform, View } from 'react-native';
+import { View } from 'react-native';
import { Stack } from 'expo-router';
-import { MaterialCommunityIcons } from '@expo/vector-icons';
-import { MenuView } from '@react-native-menu/menu';
-
import { LeftArrow } from '@/components/left-arrow';
-const EventDotsVertical = () => {
- return (
- {
- console.warn(JSON.stringify(nativeEvent));
- }}
- actions={[
- {
- id: 'share',
- title: 'Share Event',
- image: Platform.select({
- ios: 'square.and.arrow.up',
- android: 'share-variant'
- })
- },
- {
- id: 'report',
- title: 'Report Event',
- image: Platform.select({
- ios: 'person.crop.circle.badge.exclamationmark.fill',
- android: 'person-circle-outline'
- })
- }
- ]}
- >
-
-
- );
-};
-
-const ClubDotsVertical = () => {
- return (
- {
- console.warn(JSON.stringify(nativeEvent));
- }}
- actions={[
- {
- id: 'share',
- title: 'Share Club',
- image: Platform.select({
- ios: 'square.and.arrow.up',
- android: 'share-variant'
- })
- },
- {
- id: 'report',
- title: 'Report Club',
- image: Platform.select({
- ios: 'person.crop.circle.badge.exclamationmark.fill',
- android: 'person-circle-outline'
- })
- }
- ]}
- >
-
-
- );
-};
+import { ClubKebab } from './_components/club-kebab';
+import { EventKabab } from './_components/event-kebab';
const Layout = () => {
return (
@@ -91,7 +23,7 @@ const Layout = () => {
),
headerLeft: () => ,
- headerRight: () =>
+ headerRight: () =>
}}
/>
{
),
headerLeft: () => ,
- headerRight: () =>
+ headerRight: () =>
+ }}
+ />
+ (
+
+ ),
+ headerLeft: () =>
}}
/>
diff --git a/frontend/sac-mobile/app/(app)/club/[id].tsx b/frontend/sac-mobile/app/(app)/club/[id].tsx
index 73112c17c..c1cc4b510 100644
--- a/frontend/sac-mobile/app/(app)/club/[id].tsx
+++ b/frontend/sac-mobile/app/(app)/club/[id].tsx
@@ -2,6 +2,7 @@ import React from 'react';
import { Text, View } from 'react-native';
import { Stack, useLocalSearchParams } from 'expo-router';
+import { StatusBar } from 'expo-status-bar';
import { useClub } from '@/hooks/use-club';
@@ -25,8 +26,11 @@ const ClubPage = () => {
return (
<>
+ {club.name}
+ {club.description}
+ {club.num_members}{club.recruitment_cycle}{club.application_link}
diff --git a/frontend/sac-mobile/app/(app)/club/_layout.tsx b/frontend/sac-mobile/app/(app)/club/_layout.tsx
index f16dcf3fe..beb0de35a 100644
--- a/frontend/sac-mobile/app/(app)/club/_layout.tsx
+++ b/frontend/sac-mobile/app/(app)/club/_layout.tsx
@@ -10,6 +10,12 @@ const Layout = () => {
name="faq/[id]"
options={{ headerShown: false, presentation: 'modal' }}
/>
+ {/* */}
);
};
diff --git a/frontend/sac-mobile/app/(app)/event/[id].tsx b/frontend/sac-mobile/app/(app)/event/[id].tsx
index 64831e3dd..3097c630d 100644
--- a/frontend/sac-mobile/app/(app)/event/[id].tsx
+++ b/frontend/sac-mobile/app/(app)/event/[id].tsx
@@ -2,6 +2,7 @@ import React, { useRef } from 'react';
import { ScrollView, Text, View } from 'react-native';
import { Stack, useLocalSearchParams } from 'expo-router';
+import { StatusBar } from 'expo-status-bar';
import BottomSheet from '@gorhom/bottom-sheet';
@@ -17,7 +18,7 @@ import { EventLocation } from './_components/event-location';
import { EventTime } from './_components/event-time';
import { HostNames } from './_components/host-names';
import { LocationView } from './_components/location-view';
-import RSVPBottomSheet from './_components/rsvp-bottom-sheet';
+import { RSVPBottomSheet } from './_components/rsvp-bottom-sheet';
// TODO: handle link OR location
const EventPage = () => {
@@ -40,11 +41,10 @@ const EventPage = () => {
return Event not found;
}
- console.log('[event]', event);
-
return (
<>
+
diff --git a/frontend/sac-mobile/app/(app)/event/_components/rsvp-bottom-sheet.tsx b/frontend/sac-mobile/app/(app)/event/_components/rsvp-bottom-sheet.tsx
index e397d2c8a..c11fc4795 100644
--- a/frontend/sac-mobile/app/(app)/event/_components/rsvp-bottom-sheet.tsx
+++ b/frontend/sac-mobile/app/(app)/event/_components/rsvp-bottom-sheet.tsx
@@ -53,4 +53,4 @@ const RSVPBottomSheet = forwardRef((_, ref) => {
);
});
-export default RSVPBottomSheet;
+export { RSVPBottomSheet };
diff --git a/frontend/sac-mobile/app/(app)/following/_components/followed-club.tsx b/frontend/sac-mobile/app/(app)/following/_components/followed-club.tsx
new file mode 100644
index 000000000..4368ed5f1
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/following/_components/followed-club.tsx
@@ -0,0 +1,74 @@
+import { useState } from 'react';
+import { Pressable, Text, View } from 'react-native';
+
+import { router } from 'expo-router';
+
+import { Button } from '@/components/button';
+import { useAuthStore } from '@/hooks/use-auth';
+import {
+ useCreateClubFollowing,
+ useDeleteClubFollowing,
+ useUserFollowing
+} from '@/hooks/use-user';
+import { Club } from '@/types/club';
+
+const FollowedClub = ({ club }: { club: Club }) => {
+ const { user } = useAuthStore();
+
+ const {
+ data: following,
+ isLoading,
+ error
+ } = useUserFollowing(user?.id || '');
+
+ const followClub = useCreateClubFollowing();
+ const unfollowClub = useDeleteClubFollowing();
+
+ const [buttonClicked, setButtonClicked] = useState('Following');
+
+ const handlePressFollow = () => {
+ if (following?.some((c) => c.id === club.id)) {
+ console.log('Follow Club');
+ followClub.mutateAsync({
+ userId: user?.id || '',
+ clubId: club.id
+ });
+ setButtonClicked('Following');
+ } else {
+ console.log('Unfollow Club');
+ unfollowClub.mutateAsync({
+ userId: user?.id || '',
+ clubId: club.id
+ });
+ setButtonClicked('Follow');
+ }
+ };
+
+ if (isLoading) {
+ return Loading...;
+ }
+
+ if (error) {
+ return Error: {error.message};
+ }
+
+ return (
+
+ router.push(`/club/${club.id}`)}
+ >
+
+ {club.name}
+
+
+ {buttonClicked === 'Following' ? 'Following' : 'Follow'}
+
+
+ );
+};
+
+export { FollowedClub };
diff --git a/frontend/sac-mobile/app/(app)/following/index.tsx b/frontend/sac-mobile/app/(app)/following/index.tsx
new file mode 100644
index 000000000..1970da53e
--- /dev/null
+++ b/frontend/sac-mobile/app/(app)/following/index.tsx
@@ -0,0 +1,53 @@
+import React from 'react';
+import { ActivityIndicator, FlatList, Text, View } from 'react-native';
+
+import { FollowedClub } from '@/app/(app)/following/_components/followed-club';
+import { useAuthStore } from '@/hooks/use-auth';
+import { useUserFollowing } from '@/hooks/use-user';
+import { Club } from '@/types/club';
+
+const FollowedClubsPage = () => {
+ const { user } = useAuthStore();
+
+ const {
+ data: following,
+ isLoading,
+ error
+ } = useUserFollowing(user?.id ?? '');
+
+ if (isLoading) {
+ return ;
+ }
+
+ if (error) {
+ return Loading...;
+ }
+
+ if (!following) {
+ return No clubs followed;
+ }
+
+ const renderFollowing = ({ item }: { item: Club }) => {
+ return ;
+ };
+
+ const renderSeparator = () => {
+ return (
+
+ );
+ };
+
+ return (
+
+ item.id.toString()}
+ ItemSeparatorComponent={renderSeparator}
+ scrollEnabled={following.length >= 7}
+ />
+
+ );
+};
+
+export default FollowedClubsPage;
diff --git a/frontend/sac-mobile/app/(auth)/_components/code.tsx b/frontend/sac-mobile/app/(auth)/_components/code.tsx
new file mode 100644
index 000000000..142090c43
--- /dev/null
+++ b/frontend/sac-mobile/app/(auth)/_components/code.tsx
@@ -0,0 +1,67 @@
+import React from 'react';
+import { useState } from 'react';
+import { Text, View } from 'react-native';
+import {
+ CodeField,
+ Cursor,
+ useBlurOnFulfill,
+ useClearByFocusCell
+} from 'react-native-confirmation-code-field';
+
+import { Button } from '@/components/button';
+
+const CELL_COUNT = 6;
+
+type CodeProps = {
+ onCompleted: (code: string) => void;
+};
+
+const Code = ({ onCompleted }: CodeProps) => {
+ const [value, setValue] = useState('');
+ const ref = useBlurOnFulfill({ value, cellCount: CELL_COUNT });
+ const [props, getCellOnLayoutHandler] = useClearByFocusCell({
+ value,
+ setValue
+ });
+
+ return (
+
+ (
+
+
+ {symbol || (isFocused ? : null)}
+
+
+ )}
+ />
+ onCompleted(value)}
+ >
+ Submit
+
+
+ );
+};
+
+export default Code;
diff --git a/frontend/sac-mobile/app/(auth)/_components/login-form.tsx b/frontend/sac-mobile/app/(auth)/_components/login-form.tsx
index 68a0a4e31..487556d8a 100644
--- a/frontend/sac-mobile/app/(auth)/_components/login-form.tsx
+++ b/frontend/sac-mobile/app/(auth)/_components/login-form.tsx
@@ -41,7 +41,6 @@ const LoginForm = () => {
const validData = loginSchema.parse(loginData);
console.log({ validData });
await signIn(validData.email, validData.password);
- // router.replace('/(app)/(tabs)/');
} catch (err: any) {
if (err instanceof ZodError) {
Alert.alert(err.errors[0].message);
diff --git a/frontend/sac-mobile/app/(auth)/_components/registration-form.tsx b/frontend/sac-mobile/app/(auth)/_components/registration-form.tsx
index a4c9b0861..1fe72b86f 100644
--- a/frontend/sac-mobile/app/(auth)/_components/registration-form.tsx
+++ b/frontend/sac-mobile/app/(auth)/_components/registration-form.tsx
@@ -51,7 +51,7 @@ const RegistrationForm = () => {
try {
registerSchema.parse({ password_confirmation, ...rest });
const updatedData = { ...rest };
-
+ console.log(updatedData);
await signUp(updatedData);
} catch (error: any) {
if (error instanceof ZodError) {
@@ -140,7 +140,7 @@ const RegistrationForm = () => {
{
render={({ field: { onChange, value } }) => (
{
title="Password Confirmation"
autoCorrect={false}
autoComplete="password"
+ textContentType="password"
placeholder="Confirm your password"
onChangeText={onChange}
value={value}
diff --git a/frontend/sac-mobile/app/(auth)/_components/user-details-form.tsx b/frontend/sac-mobile/app/(auth)/_components/user-details-form.tsx
new file mode 100644
index 000000000..e42ad539c
--- /dev/null
+++ b/frontend/sac-mobile/app/(auth)/_components/user-details-form.tsx
@@ -0,0 +1,179 @@
+import { Controller, useForm } from 'react-hook-form';
+import { Alert, View } from 'react-native';
+
+import { router } from 'expo-router';
+
+import { ZodError, z } from 'zod';
+
+import { Button } from '@/components/button';
+import { DropdownComponent } from '@/components/dropdown';
+import { Error } from '@/components/error';
+import MultiSelectComponent from '@/components/multiselect';
+import { useAuthStore } from '@/hooks/use-auth';
+import { useUpdateUser } from '@/hooks/use-user';
+import { college } from '@/lib/const';
+import { graduationCycle } from '@/lib/const';
+import { major } from '@/lib/utils';
+import { graduationYear } from '@/lib/utils';
+import { Item } from '@/types/item';
+
+type UserDetailsData = {
+ major: Item[];
+ college: Item;
+ graduationYear: Item;
+ graduationCycle: Item;
+};
+
+const UserDetailsForm = () => {
+ const {
+ control,
+ handleSubmit,
+ formState: { errors }
+ } = useForm();
+
+ const UserDetailsSchema = z.object({
+ college: z.string(),
+ major: z.string().array(),
+ graduationYear: z.string(),
+ graduationCycle: z.string()
+ });
+
+ const updateUserInfo = useUpdateUser();
+ const { user } = useAuthStore();
+ const userId: string = user?.id!;
+
+ const onSubmit = ({
+ major,
+ college,
+ graduationYear,
+ graduationCycle
+ }: UserDetailsData) => {
+ try {
+ const updatedData = {
+ major,
+ graduationYear: graduationYear.value,
+ college: college.value,
+ graduationCycle: graduationCycle.value
+ };
+ UserDetailsSchema.parse(updatedData);
+ const updateRequestBody = {
+ graduation_year: parseInt(updatedData.graduationYear),
+ college: updatedData.college,
+ graduation_cycle: updatedData.graduationCycle
+ };
+ updateUserInfo.mutateAsync({
+ userId: userId,
+ updateUserRequestBody: updateRequestBody
+ });
+ Alert.alert('Form Submitted', JSON.stringify(updateRequestBody));
+ router.push('/(auth)/user-interests');
+ } catch (error) {
+ if (error instanceof ZodError) {
+ Alert.alert('Validation Error', error.errors[0].message);
+ } else {
+ console.error('An unexpected error occurred:', error);
+ }
+ }
+ };
+
+ return (
+ <>
+
+ (
+ {
+ onChange(selectedItems);
+ }}
+ />
+ )}
+ name="major"
+ rules={{
+ required: 'Major is required'
+ }}
+ />
+ {errors.major && }
+
+
+ (
+
+ )}
+ name="college"
+ rules={{ required: 'College is required' }}
+ />
+ {errors.college && }
+
+
+ (
+
+ )}
+ name="graduationYear"
+ rules={{ required: 'Graduation year is required' }}
+ />
+ {errors.graduationYear && (
+
+ )}
+
+
+ (
+
+ )}
+ name="graduationCycle"
+ rules={{ required: 'Graduation cycle is required' }}
+ />
+ {errors.graduationCycle && (
+
+ )}
+
+
+
+ Continue
+
+
+ >
+ );
+};
+
+export default UserDetailsForm;
diff --git a/frontend/sac-mobile/app/(auth)/_components/user-interest-form.tsx b/frontend/sac-mobile/app/(auth)/_components/user-interest-form.tsx
new file mode 100644
index 000000000..400bb29a1
--- /dev/null
+++ b/frontend/sac-mobile/app/(auth)/_components/user-interest-form.tsx
@@ -0,0 +1,193 @@
+import React, { useState } from 'react';
+import { useForm } from 'react-hook-form';
+import { Alert, FlatList, Text, View } from 'react-native';
+
+import { router } from 'expo-router';
+
+import { ZodError } from 'zod';
+
+import { Button } from '@/components/button';
+import { Error } from '@/components/error';
+import { useAuthStore } from '@/hooks/use-auth';
+import { useCategories } from '@/hooks/use-categories';
+import { useTags } from '@/hooks/use-tags';
+import { useCreateUserTags } from '@/hooks/use-user';
+import { Category } from '@/types/category';
+import { Tag } from '@/types/tag';
+
+type UserInterestsData = {
+ tags: Tag[];
+};
+
+const UserInterestsForm = () => {
+ const { user } = useAuthStore();
+ const userId: string = user?.id!;
+
+ const {
+ data: categoriesData,
+ isLoading: loadingCategories,
+ error: errorCategory
+ } = useCategories();
+
+ const {
+ data: tagsData,
+ isLoading: loadingTags,
+ error: errorTag
+ } = useTags();
+
+ const { handleSubmit } = useForm();
+
+ const AllCategory: Category = {
+ name: 'All',
+ id: '',
+ created_at: new Date(),
+ updated_at: new Date(),
+ tags: tagsData?.length ? tagsData : []
+ };
+
+ const CategoriesData = categoriesData
+ ? [AllCategory, ...categoriesData]
+ : [];
+
+ const [selectedTags, setSelectedTags] = useState([]);
+ const [buttonClicked, setButtonClicked] = useState(false);
+ const [selectedCategory, setSelectedCategory] =
+ useState(AllCategory);
+ const createUserTags = useCreateUserTags();
+
+ // when a category is selected, set selected category to this category
+ const handleCategoryPress = (category: Category) => {
+ setSelectedCategory(category);
+ };
+
+ const handleTagPress = (tag: Tag) => {
+ if (selectedTags.includes(tag)) {
+ setSelectedTags(selectedTags.filter((t) => t !== tag));
+ } else {
+ setSelectedTags([...selectedTags, tag]);
+ }
+ };
+
+ const onSubmit = (data: UserInterestsData) => {
+ setButtonClicked(true);
+ if (selectedTags.length === 0) {
+ return;
+ }
+ data.tags = selectedTags;
+ const selectedTagsUUID = data.tags.map((tag) => tag.id);
+ createUserTags.mutateAsync({
+ userId: userId,
+ tagIDs: selectedTagsUUID
+ });
+ try {
+ Alert.alert('Form Submitted', JSON.stringify(selectedTagsUUID));
+ router.push('/(app)/(tabs)/');
+ } catch (error) {
+ if (error instanceof ZodError) {
+ Alert.alert('Validation Error', error.errors[0].message);
+ } else {
+ console.error('An unexpected error occurred:', error);
+ }
+ }
+ };
+
+ if (loadingCategories || loadingTags) {
+ return Loading...;
+ }
+
+ if (errorCategory || errorTag) {
+ return Error;
+ }
+
+ const heightAdjust =
+ selectedTags.length === 0 && buttonClicked ? 'h-[49%]' : 'h-[50%]';
+
+ const Tag = ({ tag }: { tag: Tag }) => {
+ return (
+ handleTagPress(tag)}
+ variant={selectedTags.includes(tag) ? 'default' : 'outline'}
+ className="h-12 rounded-3xl px-[5%] mr-[4%] w-fit mb-[4%]"
+ >
+ {tag.name}
+
+ );
+ };
+
+ const renderCategory = ({ item }: { item: Category }) => {
+ return (
+
+ handleCategoryPress(item)}
+ variant={
+ item.name === selectedCategory.name
+ ? 'underline'
+ : 'menu'
+ }
+ key={item.id}
+ className={`h-12 px-5`}
+ >
+ {item.name}
+
+
+ );
+ };
+
+ const renderTag = ({ item }: { item: Tag }) => {
+ return (
+
+
+
+ );
+ };
+
+ return (
+ <>
+ item.id.toString()}
+ />
+ Select one or more
+
+ {selectedCategory.name === AllCategory.name ? (
+ item.id.toString()}
+ contentContainerStyle={{
+ flexDirection: 'row',
+ flexWrap: 'wrap'
+ }}
+ />
+ ) : (
+ selectedCategory.id === tag.category_id
+ )}
+ renderItem={renderTag}
+ keyExtractor={(item) => item.id.toString()}
+ contentContainerStyle={{
+ flexDirection: 'row',
+ flexWrap: 'wrap'
+ }}
+ />
+ )}
+
+ {selectedTags.length === 0 && buttonClicked && (
+
+
+
+ )}
+
+
+ Finish
+
+
+ >
+ );
+};
+
+export default UserInterestsForm;
diff --git a/frontend/sac-mobile/app/(auth)/_components/verification-form.tsx b/frontend/sac-mobile/app/(auth)/_components/verification-form.tsx
index aeb9a0b18..f645d2ef4 100644
--- a/frontend/sac-mobile/app/(auth)/_components/verification-form.tsx
+++ b/frontend/sac-mobile/app/(auth)/_components/verification-form.tsx
@@ -1,5 +1,4 @@
import { useEffect, useState } from 'react';
-import { Controller, useForm } from 'react-hook-form';
import { Alert, Text, TouchableOpacity, View } from 'react-native';
import Spinner from 'react-native-loading-spinner-overlay';
@@ -7,15 +6,10 @@ import { router } from 'expo-router';
import { ZodError, z } from 'zod';
-import { Button } from '@/components/button';
-import { Error } from '@/components/error';
-import { Input } from '@/components/input';
import { useAuthStore } from '@/hooks/use-auth';
import { requestVerification } from '@/services/auth';
-type VerificationFormData = {
- code: string;
-};
+import Code from './code';
const verificationSchema = z.object({
code: z.string().min(6, {
@@ -24,12 +18,6 @@ const verificationSchema = z.object({
});
const VerificationForm = () => {
- const {
- control,
- handleSubmit,
- formState: { errors }
- } = useForm();
-
const { user, completeVerification } = useAuthStore();
const [loading, setLoading] = useState(false);
@@ -37,7 +25,7 @@ const VerificationForm = () => {
console.log('[verification-form]', { user });
}, [user]);
- const onVerify = async ({ code }: VerificationFormData) => {
+ const onVerify = async (code: string) => {
setLoading(true);
try {
@@ -66,38 +54,19 @@ const VerificationForm = () => {
return (
<>
{loading && }
-
- (
-
- )}
- name="code"
- rules={{
- required: 'Verification code is required'
- }}
- />
- {errors.code && }
-
-
-
- Submit
-
-
+
- Did not receive a code?
+
+ Didn't receive the code?
+
- Resend
+
+ {' '}
+ Resend
+
>
diff --git a/frontend/sac-mobile/app/(auth)/_layout.tsx b/frontend/sac-mobile/app/(auth)/_layout.tsx
index 15f8f8514..70d3b7338 100644
--- a/frontend/sac-mobile/app/(auth)/_layout.tsx
+++ b/frontend/sac-mobile/app/(auth)/_layout.tsx
@@ -16,7 +16,11 @@ const Layout = () => {
headerShown: true,
animationTypeForReplace: 'pop',
animation: 'slide_from_left',
- statusBarColor: 'dark'
+ statusBarColor: 'dark',
+ headerLeft: () => ,
+ headerBackground: () => (
+
+ )
}}
/>
{
animation: 'slide_from_left'
}}
/>
-
-
+ null,
+ headerBackground: () =>
+ }}
+ />
+ ,
+ headerBackground: () => (
+
+ )
+ }}
+ />
+ ,
+ headerBackground: () => (
+
+ )
+ }}
+ />
);
};
diff --git a/frontend/sac-mobile/app/(auth)/login.tsx b/frontend/sac-mobile/app/(auth)/login.tsx
index 97d54aac2..9671211fd 100644
--- a/frontend/sac-mobile/app/(auth)/login.tsx
+++ b/frontend/sac-mobile/app/(auth)/login.tsx
@@ -1,15 +1,17 @@
import React from 'react';
-import { KeyboardAvoidingView, Text, View } from 'react-native';
-import { SafeAreaView } from 'react-native-safe-area-context';
+import { Keyboard, Pressable, Text, View } from 'react-native';
import { LoginForm } from './_components/login-form';
const Login = () => {
return (
-
-
-
-
+ Keyboard.dismiss()}
+ >
+
+
+
Let's go
@@ -30,8 +32,8 @@ const Login = () => {
-
-
+
+
);
};
diff --git a/frontend/sac-mobile/app/(auth)/register.tsx b/frontend/sac-mobile/app/(auth)/register.tsx
index da33237bf..ad215021a 100644
--- a/frontend/sac-mobile/app/(auth)/register.tsx
+++ b/frontend/sac-mobile/app/(auth)/register.tsx
@@ -1,31 +1,37 @@
import React from 'react';
-import { KeyboardAvoidingView, ScrollView, Text, View } from 'react-native';
-import { SafeAreaView } from 'react-native-safe-area-context';
+import {
+ KeyboardAvoidingView,
+ Platform,
+ ScrollView,
+ Text,
+ View
+} from 'react-native';
import { RegistrationForm } from './_components/registration-form';
const Register = () => {
return (
-
-
-
-
-
-
- Sign up
-
-
-
- Discover, follow, and join all the clubs & events
- Northeastern has to offer
+
+
+
+
+
+ Sign up
+
+ Discover, follow, and join all the clubs & events
+ Northeastern has to offer
+
-
-
-
+
+
+
);
};
diff --git a/frontend/sac-mobile/app/(auth)/user-details.tsx b/frontend/sac-mobile/app/(auth)/user-details.tsx
index 40da8df67..db52f6881 100644
--- a/frontend/sac-mobile/app/(auth)/user-details.tsx
+++ b/frontend/sac-mobile/app/(auth)/user-details.tsx
@@ -1,24 +1,21 @@
-import { View } from 'react-native';
-import { SafeAreaView } from 'react-native-safe-area-context';
+import { SafeAreaView, ScrollView, Text, View } from 'react-native';
-import { router } from 'expo-router';
+import { StatusBar } from 'expo-status-bar';
-import { Button } from '@/components/button';
+import UserDetailForm from './_components/user-details-form';
const UserDetails = () => {
return (
-
-
- router.push('/(app)/')}
- >
- Continue
-
+
+
+
+ Let's learn more about you
+
+
+
-
+
);
};
diff --git a/frontend/sac-mobile/app/(auth)/user-interests.tsx b/frontend/sac-mobile/app/(auth)/user-interests.tsx
new file mode 100644
index 000000000..387c6b440
--- /dev/null
+++ b/frontend/sac-mobile/app/(auth)/user-interests.tsx
@@ -0,0 +1,20 @@
+import React from 'react';
+import { Text, View } from 'react-native';
+
+import { StatusBar } from 'expo-status-bar';
+
+import UserInterestsForm from './_components/user-interest-form';
+
+const UserInterests = () => {
+ return (
+
+
+
+ What are you interested in?
+
+
+
+ );
+};
+
+export default UserInterests;
diff --git a/frontend/sac-mobile/app/(auth)/verification.tsx b/frontend/sac-mobile/app/(auth)/verification.tsx
index 258f16c60..0d7a5849d 100644
--- a/frontend/sac-mobile/app/(auth)/verification.tsx
+++ b/frontend/sac-mobile/app/(auth)/verification.tsx
@@ -1,33 +1,28 @@
import React from 'react';
-import { ScrollView, Text, View } from 'react-native';
-import { SafeAreaView } from 'react-native-safe-area-context';
+import { Text, View } from 'react-native';
-import { Wordmark } from '@/components/wordmark';
+import { StatusBar } from 'expo-status-bar';
import { VerificationForm } from './_components/verification-form';
const Verification = () => {
return (
-
-
-
-
-
-
-
-
- Verify your email
-
-
-
- Please enter the verification code sent to your email.
+
+
+
+
+
+ Verify your email
-
-
-
-
-
+
+ Please enter the verification code sent to your email.
+
+
+
+
+
+
);
};
diff --git a/frontend/sac-mobile/app/(auth)/welcome.tsx b/frontend/sac-mobile/app/(auth)/welcome.tsx
index e481455c0..3a116c7a7 100644
--- a/frontend/sac-mobile/app/(auth)/welcome.tsx
+++ b/frontend/sac-mobile/app/(auth)/welcome.tsx
@@ -1,5 +1,5 @@
import React from 'react';
-import { SafeAreaView, Text, View } from 'react-native';
+import { Text, View } from 'react-native';
import { router } from 'expo-router';
@@ -7,10 +7,10 @@ import { Button } from '@/components/button';
const Welcome = () => {
return (
-
+
- Welcome to StudCal
+ Welcome to SAC
Discover, follow, and join all the clubs & events Northeastern
@@ -25,7 +25,7 @@ const Welcome = () => {
Get Started
-
+
);
};
diff --git a/frontend/sac-mobile/app/_layout.tsx b/frontend/sac-mobile/app/_layout.tsx
index 46b16131d..6ad0346fa 100644
--- a/frontend/sac-mobile/app/_layout.tsx
+++ b/frontend/sac-mobile/app/_layout.tsx
@@ -21,7 +21,7 @@ export {
// Prevent the splash screen from auto-hiding before asset loading is complete.
SplashScreen.preventAutoHideAsync();
-const queryClient = new QueryClient({
+export const queryClient = new QueryClient({
defaultOptions: {
queries: {
refetchOnWindowFocus: false,
diff --git a/frontend/sac-mobile/assets/images/svg/home-selected.svg b/frontend/sac-mobile/assets/images/svg/home-selected.svg
new file mode 100644
index 000000000..44721e51d
--- /dev/null
+++ b/frontend/sac-mobile/assets/images/svg/home-selected.svg
@@ -0,0 +1,3 @@
+
diff --git a/frontend/sac-mobile/assets/images/svg/home.svg b/frontend/sac-mobile/assets/images/svg/home.svg
new file mode 100644
index 000000000..cf07f3ef0
--- /dev/null
+++ b/frontend/sac-mobile/assets/images/svg/home.svg
@@ -0,0 +1,4 @@
+
diff --git a/frontend/sac-mobile/assets/images/svg/pin.svg b/frontend/sac-mobile/assets/images/svg/pin.svg
new file mode 100644
index 000000000..be2ec400d
--- /dev/null
+++ b/frontend/sac-mobile/assets/images/svg/pin.svg
@@ -0,0 +1,3 @@
+
diff --git a/frontend/sac-mobile/assets/images/svg/profile-selected.svg b/frontend/sac-mobile/assets/images/svg/profile-selected.svg
new file mode 100644
index 000000000..78a5a2237
--- /dev/null
+++ b/frontend/sac-mobile/assets/images/svg/profile-selected.svg
@@ -0,0 +1,4 @@
+
diff --git a/frontend/sac-mobile/assets/images/svg/profile.svg b/frontend/sac-mobile/assets/images/svg/profile.svg
new file mode 100644
index 000000000..8f607b254
--- /dev/null
+++ b/frontend/sac-mobile/assets/images/svg/profile.svg
@@ -0,0 +1,4 @@
+
diff --git a/frontend/sac-mobile/assets/images/svg/search-selected.svg b/frontend/sac-mobile/assets/images/svg/search-selected.svg
new file mode 100644
index 000000000..725f63085
--- /dev/null
+++ b/frontend/sac-mobile/assets/images/svg/search-selected.svg
@@ -0,0 +1,4 @@
+
diff --git a/frontend/sac-mobile/assets/images/svg/search.svg b/frontend/sac-mobile/assets/images/svg/search.svg
new file mode 100644
index 000000000..90fbb18bb
--- /dev/null
+++ b/frontend/sac-mobile/assets/images/svg/search.svg
@@ -0,0 +1,5 @@
+
diff --git a/frontend/sac-mobile/assets/images/svg/time.svg b/frontend/sac-mobile/assets/images/svg/time.svg
new file mode 100644
index 000000000..9f137b948
--- /dev/null
+++ b/frontend/sac-mobile/assets/images/svg/time.svg
@@ -0,0 +1,3 @@
+
diff --git a/frontend/sac-mobile/components/button.tsx b/frontend/sac-mobile/components/button.tsx
index bb302a6bd..52af65559 100644
--- a/frontend/sac-mobile/components/button.tsx
+++ b/frontend/sac-mobile/components/button.tsx
@@ -11,7 +11,9 @@ const buttonVariants = {
secondary: ['bg-white', 'text-gray'],
outline: ['border border-gray-600 text-gray-500 font-medium'],
icon: ['bg-transparent'],
- pill: ['bg-gray-500', 'text-white', 'rounded-full']
+ underline: ['border-b font-bold border-gray-600 text-lg'],
+ pill: ['bg-gray-500', 'text-white', 'rounded-full'],
+ menu: ['text-black text-lg']
},
size: {
default: 'h-10 px-4 py-2',
@@ -46,7 +48,8 @@ const Button = ({ children, variant, size, ...props }: ButtonProps) => {
>
diff --git a/frontend/sac-mobile/components/dropdown.tsx b/frontend/sac-mobile/components/dropdown.tsx
index c2164c255..611a641e2 100644
--- a/frontend/sac-mobile/components/dropdown.tsx
+++ b/frontend/sac-mobile/components/dropdown.tsx
@@ -1,5 +1,5 @@
import React, { useState } from 'react';
-import { DimensionValue, ScrollView, StyleSheet, Text } from 'react-native';
+import { DimensionValue, StyleSheet, Text, View } from 'react-native';
import { Dropdown } from 'react-native-element-dropdown';
import { Item } from '@/types/item';
@@ -14,7 +14,7 @@ interface DropdownProps {
onChangeText: (...event: any[]) => void;
value: Item;
onSubmitEditing: () => void;
- search?: boolean; // true for enable search
+ search?: boolean; // true to enable search
height?: DimensionValue;
error?: boolean;
}
@@ -26,11 +26,10 @@ const DropdownComponent = (props: DropdownProps) => {
const styles = StyleSheet.create({
container: {
- backgroundColor: 'white',
height: props.height || 78
},
dropdown: {
- height: '85%',
+ height: 50,
borderColor: borderColor,
borderWidth: borderWidth,
borderRadius: 12,
@@ -47,7 +46,8 @@ const DropdownComponent = (props: DropdownProps) => {
inputSearchStyle: {
height: 40,
fontSize: 14,
- borderRadius: 11
+ borderRadius: 11,
+ marginLeft: 8
},
containerStyle: {
borderRadius: 12,
@@ -70,7 +70,7 @@ const DropdownComponent = (props: DropdownProps) => {
});
return (
-
+ {props.title} {
onChange={props.onChangeText}
value={props.value}
/>
-
+
);
};
diff --git a/frontend/sac-mobile/components/input.tsx b/frontend/sac-mobile/components/input.tsx
index ec09055ff..4a3120e0f 100644
--- a/frontend/sac-mobile/components/input.tsx
+++ b/frontend/sac-mobile/components/input.tsx
@@ -1,17 +1,80 @@
-import { Text, TextInput, TextInputProps, View } from 'react-native';
+import {
+ GestureResponderEvent,
+ Text,
+ TextInput,
+ TextInputProps,
+ View
+} from 'react-native';
-interface InputProps extends TextInputProps {
- title: string;
+import { VariantProps, cva } from 'class-variance-authority';
+
+import { Button } from '@/components/button';
+import { cn } from '@/lib/utils';
+
+const inputVariants = {
+ variant: {
+ default: ['pt-[4.5%]', 'pb-[4.5%]', 'pl-[5%]', 'border', 'rounded-xl'],
+ faq: [
+ 'bg-gray-100',
+ 'rounded-lg',
+ 'py-[2%]',
+ 'pl-[4.5%]',
+ 'pr-[2%]',
+ 'flex-row',
+ 'justify-between'
+ ]
+ }
+};
+
+const inputStyles = cva(['w-full'], {
+ variants: inputVariants,
+ defaultVariants: {
+ variant: 'default'
+ }
+});
+
+export interface InputProps
+ extends TextInputProps,
+ VariantProps {
+ title?: string;
error?: boolean;
}
-const Input = ({ title, error, ...props }: InputProps) => {
+const Input = ({ title, error, variant, ...props }: InputProps) => {
const borderColor = error ? 'border-red-600' : 'border-gray-500';
- return (
-
- {title}
+
+ let inputComponent = null;
+ if (variant === 'faq') {
+ inputComponent = (
+
+
+ {/* @ts-ignore */}
+
+ props.onSubmitEditing!(e)
+ }
+ />
+
+ );
+ } else {
+ inputComponent = (
{
secureTextEntry={props.secureTextEntry || false}
onSubmitEditing={props.onSubmitEditing}
/>
+ );
+ }
+
+ return (
+
+ {title && {title}}
+ {inputComponent}
);
};
diff --git a/frontend/sac-mobile/components/kebab.tsx b/frontend/sac-mobile/components/kebab.tsx
new file mode 100644
index 000000000..9fa01eaf4
--- /dev/null
+++ b/frontend/sac-mobile/components/kebab.tsx
@@ -0,0 +1,25 @@
+import { MaterialCommunityIcons } from '@expo/vector-icons';
+import {
+ MenuAction,
+ MenuView,
+ NativeActionEvent
+} from '@react-native-menu/menu';
+
+type KebabProps = {
+ items: MenuAction[];
+ onPressAction: (event: NativeActionEvent) => void;
+};
+
+const Kebab = ({ items, onPressAction }: KebabProps) => {
+ return (
+
+
+
+ );
+};
+
+export { Kebab };
diff --git a/frontend/sac-mobile/components/multiselect.tsx b/frontend/sac-mobile/components/multiselect.tsx
new file mode 100644
index 000000000..ce179dadc
--- /dev/null
+++ b/frontend/sac-mobile/components/multiselect.tsx
@@ -0,0 +1,99 @@
+import React, { useState } from 'react';
+import { StyleSheet, Text, View } from 'react-native';
+import { MultiSelect } from 'react-native-element-dropdown';
+
+import { Item } from '@/types/item';
+
+interface MultiSelectProps {
+ title: string;
+ item: Array;
+ placeholder: string;
+ onSubmitEditing: () => void;
+ search?: boolean;
+ error?: boolean;
+ onChange: (selectedItems: Item[]) => void;
+ maxSelect: number;
+}
+
+const MultiSelectComponent = (props: MultiSelectProps) => {
+ const borderColor = props.error ? 'red' : 'black';
+ const borderWidth = props.error ? 1 : 0.5;
+ const marginBottom = props.error ? '0.5%' : '2%';
+ const [selected, setSelected] = useState(Array);
+
+ const styles = StyleSheet.create({
+ container: {
+ padding: 0
+ },
+ itemContainerStyle: {
+ borderBottomWidth: 1,
+ borderColor: '#F0F0F0'
+ },
+ itemTextStyle: {
+ fontSize: 14,
+ paddingLeft: '2%'
+ },
+ containerStyle: {
+ borderRadius: 14,
+ marginTop: 6,
+ height: '88%'
+ },
+ dropdown: {
+ height: 50,
+ borderWidth: borderWidth,
+ borderRadius: 12,
+ paddingLeft: '5%',
+ paddingRight: '5%',
+ marginBottom: marginBottom,
+ borderColor: borderColor
+ },
+ placeholderStyle: {
+ fontSize: 14,
+ color: '#CDCBCB'
+ },
+ selectedTextStyle: {
+ fontSize: 14
+ },
+ inputSearchStyle: {
+ height: 45,
+ fontSize: 14,
+ borderRadius: 13,
+ paddingLeft: 7
+ },
+ selectedStyle: {
+ borderRadius: 10,
+ marginTop: '1%'
+ }
+ });
+
+ return (
+
+ {props.title}
+ {
+ setSelected(item);
+ props.onChange(item);
+ }}
+ selectedStyle={styles.selectedStyle}
+ />
+
+ );
+};
+
+export default MultiSelectComponent;
diff --git a/frontend/sac-mobile/data/categories.ts b/frontend/sac-mobile/data/categories.ts
new file mode 100644
index 000000000..bba81d015
--- /dev/null
+++ b/frontend/sac-mobile/data/categories.ts
@@ -0,0 +1,16 @@
+import { Category } from '@/types/category';
+
+import { tags } from './tags';
+
+export const categories: Category[] = [];
+
+for (let i = 1; i <= 10; i++) {
+ const category: Category = {
+ id: i.toString(),
+ created_at: new Date(),
+ updated_at: new Date(),
+ name: `Tag${i}`,
+ tags: tags.slice(0, Math.floor(Math.random() * tags.length))
+ };
+ categories.push(category);
+}
diff --git a/frontend/sac-mobile/hooks/use-categories.ts b/frontend/sac-mobile/hooks/use-categories.ts
new file mode 100644
index 000000000..5bc433a86
--- /dev/null
+++ b/frontend/sac-mobile/hooks/use-categories.ts
@@ -0,0 +1,12 @@
+import { type UseQueryResult, useQuery } from '@tanstack/react-query';
+
+import { Category } from '@/types/category';
+
+import { getAllCategories } from './../services/categories';
+
+export const useCategories = (): UseQueryResult => {
+ return useQuery({
+ queryKey: ['category'],
+ queryFn: getAllCategories
+ });
+};
diff --git a/frontend/sac-mobile/hooks/use-tags.ts b/frontend/sac-mobile/hooks/use-tags.ts
new file mode 100644
index 000000000..dd1f7cc73
--- /dev/null
+++ b/frontend/sac-mobile/hooks/use-tags.ts
@@ -0,0 +1,11 @@
+import { type UseQueryResult, useQuery } from '@tanstack/react-query';
+
+import { getAllTags } from '@/services/tags';
+import { Tag } from '@/types/tag';
+
+export const useTags = (): UseQueryResult => {
+ return useQuery({
+ queryKey: ['tags'],
+ queryFn: getAllTags
+ });
+};
diff --git a/frontend/sac-mobile/hooks/use-user.ts b/frontend/sac-mobile/hooks/use-user.ts
new file mode 100644
index 000000000..5fa022d99
--- /dev/null
+++ b/frontend/sac-mobile/hooks/use-user.ts
@@ -0,0 +1,96 @@
+import {
+ UseMutationResult,
+ type UseQueryResult,
+ useMutation,
+ useQuery
+} from '@tanstack/react-query';
+
+import { queryClient } from '@/app/_layout';
+import {
+ createUserFollowing,
+ createUserTags,
+ deleteUserFollowing,
+ fetchUserFollowing,
+ updateUser
+} from '@/services/user';
+import { Club } from '@/types/club';
+
+const useUserFollowing = (userID: string): UseQueryResult => {
+ return useQuery({
+ queryKey: ['user', userID, 'following'],
+ queryFn: async () => await fetchUserFollowing(userID)
+ });
+};
+
+const useUpdateUser = () => {
+ return useMutation({
+ mutationFn: ({
+ userId,
+ updateUserRequestBody
+ }: {
+ userId: string;
+ updateUserRequestBody: {
+ graduation_year: number;
+ college: string;
+ graduation_cycle: string;
+ };
+ }) => updateUser(userId, updateUserRequestBody),
+ onSuccess: () => {
+ queryClient.invalidateQueries({ queryKey: ['users'] });
+ }
+ });
+};
+
+const useCreateUserTags = (): UseMutationResult<
+ void,
+ Error,
+ {
+ userId: string;
+ tagIDs: string[];
+ },
+ unknown
+> => {
+ return useMutation({
+ mutationFn: ({ userId, tagIDs }) => createUserTags(userId, tagIDs),
+ onSuccess: () => {
+ queryClient.invalidateQueries({ queryKey: ['user_tags'] });
+ }
+ });
+};
+
+const useCreateClubFollowing = (): UseMutationResult<
+ void,
+ Error,
+ {
+ userId: string;
+ clubId: string;
+ },
+ unknown
+> => {
+ return useMutation({
+ mutationFn: ({ userId, clubId }) => createUserFollowing(userId, clubId),
+ onSuccess: () => {
+ queryClient.invalidateQueries({ queryKey: ['user_following'] });
+ }
+ });
+};
+
+const useDeleteClubFollowing = () => {
+ return useMutation({
+ mutationFn: ({ userId, clubId }: { userId: string; clubId: string }) =>
+ deleteUserFollowing(userId, clubId),
+ onSuccess: (_, variables: { userId: string; clubId: string }, __) => {
+ return queryClient.invalidateQueries({
+ queryKey: [`user${variables.userId}following`]
+ });
+ }
+ });
+};
+
+export {
+ useUserFollowing,
+ useUpdateUser,
+ useCreateUserTags,
+ useCreateClubFollowing,
+ useDeleteClubFollowing
+};
diff --git a/frontend/sac-mobile/lib/const.ts b/frontend/sac-mobile/lib/const.ts
index 838a619bd..4fb900339 100644
--- a/frontend/sac-mobile/lib/const.ts
+++ b/frontend/sac-mobile/lib/const.ts
@@ -1 +1,208 @@
-export const API_BASE_URL = 'http://localhost:8080/api/v1';
+import { FAQ } from '@/types/faq';
+
+export const API_BASE_URL = 'http://localhost:8080/api/v1'; // 'http://localhost:8080/api/v1';
+
+export const college = [
+ { label: 'College of Arts, Media and Design', value: 'CAMD' },
+ { label: "D'Amore-McKim School of Business", value: 'DMSB' },
+ { label: 'Khoury College of Computer Sciences', value: 'KCCS' },
+ { label: 'College of Engineering', value: 'CE' },
+ { label: 'Bouvé College of Health Sciences', value: 'BCHS' },
+ { label: 'School of Law', value: 'SL' },
+ { label: 'College of Professional Studies', value: 'CPS' },
+ { label: 'College of Science', value: 'CS' },
+ { label: 'College of Social Sciences and Humanities', value: 'CSSH' }
+];
+
+export const graduationCycle = [
+ { label: 'December', value: 'december' },
+ { label: 'May', value: 'may' }
+];
+
+export const majorArr = [
+ 'Africana Studies',
+ 'American Sign Language',
+ 'American Sign Language – English Interpreting',
+ 'Applied Physics',
+ 'Architectural Studies',
+ 'Architecture',
+ 'Art: Art, Visual Studies',
+ 'Behavioral Neuroscience*',
+ 'Biochemistry',
+ 'Bioengineering',
+ 'Biology',
+ 'Biomedical Physics',
+ 'Bouvé Undeclared',
+ 'Business Administration: Accounting',
+ 'Business Administration: Accounting and Advisory Services',
+ 'Business Administration: Brand Management',
+ 'Business Administration: Business Analytics',
+ 'Business Administration: Corporate Innovation',
+ 'Business Administration: Entrepreneurial Startups',
+ 'Business Administration: Family Business',
+ 'Business Administration: Finance',
+ 'Business Administration: Fintech',
+ 'Business Administration: Healthcare Management and Consulting',
+ 'Business Administration: Management',
+ 'Business Administration: Management Information Systems',
+ 'Business Administration: Marketing',
+ 'Business Administration: Marketing Analytics',
+ 'Business Administration: Social Innovation and Entrepreneurship',
+ 'Business Administration: Supply Chain Management',
+ 'Business Administration: Undeclared',
+ 'Business Administration',
+ 'CAMD Undeclared',
+ 'Cell and Molecular Biology',
+ 'Chemical Engineering',
+ 'Chemistry',
+ 'Civil Engineering',
+ 'COE Undeclared',
+ 'Communication Studies',
+ 'Computer Engineering',
+ 'Computer Science',
+ 'Computing and Law',
+ 'Criminology and Criminal Justice',
+ 'Cultural Anthropology',
+ 'Cybersecurity',
+ 'Data Science',
+ 'Design',
+ 'Economics',
+ 'Electrical Engineering',
+ 'English',
+ 'Environmental and Sustainability Sciences',
+ 'Environmental Engineering',
+ 'Environmental Science',
+ 'Environmental Studies',
+ 'Explore Program for undeclared students',
+ 'Game Art and Animation',
+ 'Game Design',
+ 'Global Asian Studies',
+ 'Health Science',
+ 'History',
+ 'History, Culture, and Law',
+ 'Human Services',
+ 'Industrial Engineering',
+ 'International Affairs',
+ 'International Business: Accounting',
+ 'International Business: Accounting and Advisory Services',
+ 'International Business: Brand Management',
+ 'International Business: Business Analytics',
+ 'International Business: Corporate Innovation',
+ 'International Business: Entrepreneurial Startups',
+ 'International Business: Family Business',
+ 'International Business: Finance',
+ 'International Business: Fintech',
+ 'International Business: Healthcare Management and Consulting',
+ 'International Business: Management',
+ 'International Business: Management Information Systems',
+ 'International Business: Marketing',
+ 'International Business: Marketing Analytics',
+ 'International Business: Social Innovation and Entrepreneurship',
+ 'International Business: Supply Chain Management',
+ 'International Business: Undeclared',
+ 'Journalism',
+ 'Landscape Architecture',
+ 'Linguistics',
+ 'Marine Biology',
+ 'Mathematics',
+ 'Mechanical Engineering',
+ 'Media and Screen Studies',
+ 'Media Arts',
+ 'Music',
+ 'Music Industry',
+ 'Music Technology',
+ 'Northeastern Explore Program (Undeclared)',
+ 'Nursing',
+ 'Pharmaceutical Sciences',
+ 'Pharmacy (PharmD)',
+ 'Philosophy',
+ 'Physics',
+ 'Political Science',
+ 'Politics, Philosophy, Economics',
+ 'Psychology',
+ 'Public Health',
+ 'Public Relations',
+ 'Religious Studies',
+ 'Sociology',
+ 'Spanish',
+ 'Speech Language Pathology and Audiology',
+ 'Theatre'
+];
+
+export const categories = [
+ {
+ name: 'Pre-Professional',
+ tags: ['Pre-med', 'Pre-law']
+ },
+ {
+ name: 'Cultural and Identity',
+ tags: [
+ 'Judaism',
+ 'Christianity',
+ 'Hinduism',
+ 'Islam',
+ 'Latin America',
+ 'African American',
+ 'Asian American',
+ 'LGBTQ'
+ ]
+ },
+ {
+ name: 'Arts and Creativity',
+ tags: ['Performing Arts', 'Visual Arts', 'Creative Writing', 'Music']
+ },
+ {
+ name: 'Sports and Recreation',
+ tags: ['Soccer', 'Hiking', 'Climbing', 'Lacrosse']
+ },
+ {
+ name: 'Science and Technology',
+ tags: [
+ 'Mathematics',
+ 'Physics',
+ 'Biology',
+ 'Chemistry',
+ 'Environmental Science',
+ 'Geology',
+ 'Neuroscience',
+ 'Psychology',
+ 'Software Engineering',
+ 'Artificial Intelligence',
+ 'DataScience',
+ 'Mechanical Engineering',
+ 'Electrical Engineering',
+ 'Industrial Engineering'
+ ]
+ },
+ {
+ name: 'Community Service and Advocacy',
+ tags: [
+ 'Volunteerism',
+ 'Environmental Advocacy',
+ 'Human Rights',
+ 'Community Outreach'
+ ]
+ },
+ {
+ name: 'Media and Communication',
+ tags: ['Journalism', 'Broadcasting', 'Film', 'Public Relations']
+ }
+];
+
+export const HomepageFAQ: FAQ[] = [
+ {
+ club_name: 'Oasis',
+ question: 'How do you assess applications?',
+ answer: "We don't assess them in the traditional sense. We pride ourselves on being open to students from all backgrounds and experience levels, so our application is first-come first-serve to keep it simple and fair for everybody."
+ },
+ {
+ club_name: 'Oasis',
+ question: 'How many students are there in normal cohort?',
+ answer: 'A typical semester is roughly 80 students. We target 10 mentors each semester, and each mentor works with two groups of four students each.'
+ },
+ {
+ club_name: "Nor'easters A Capella",
+ question: 'Is the ticket free?',
+ answer: 'Yes, the event is opened to all students, and the tickets are free. You can purchase them here.'
+ }
+];
diff --git a/frontend/sac-mobile/lib/utils.ts b/frontend/sac-mobile/lib/utils.ts
index 8f45a1624..ad33ab73c 100644
--- a/frontend/sac-mobile/lib/utils.ts
+++ b/frontend/sac-mobile/lib/utils.ts
@@ -5,7 +5,10 @@ import { Buffer } from 'buffer';
import clsx, { ClassValue } from 'clsx';
import { twMerge } from 'tailwind-merge';
+import { majorArr } from '@/lib/const';
+import { categories } from '@/lib/const';
import { Tokens } from '@/types/auth';
+import { FAQ } from '@/types/faq';
import { Item } from '@/types/item';
/**
@@ -23,8 +26,9 @@ const cn = (...inputs: ClassValue[]) => {
*/
const graduationYear = () => {
var year = new Date().getFullYear();
+ const range = 5;
const graduationYears: Item[] = [];
- for (let i = 0; i < 5; i++) {
+ for (let i = 0; i < range; i++) {
graduationYears.push({
label: String(year + i),
value: String(year + i)
@@ -33,6 +37,32 @@ const graduationYear = () => {
return graduationYears;
};
+/**
+ * Generates an array of item of major
+ * @returns an Item array of majors
+ */
+export const major = () => {
+ const majors: Item[] = [];
+ for (let i = 0; i < majorArr.length; i++) {
+ majors.push({
+ label: majorArr[i],
+ value: majorArr[i]
+ });
+ }
+ return majors;
+};
+
+/**
+ * Combine all tags of different categories into one for All tab
+ * @return a list of tags
+ */
+export const allTags = () => {
+ let allTags: string[] = [];
+ for (let i = 0; i < categories.length; i++) {
+ allTags = allTags.concat(categories[i].tags);
+ }
+ return allTags;
+};
/**
* Defines the token cache object.
* This object is used to interact with the SecureStore API.
@@ -117,4 +147,35 @@ const extractTokens = (
return { accessToken, refreshToken };
};
-export { cn, graduationYear, tokenCache, experationTime, extractTokens };
+const isClub = (item: any) => {
+ return typeof item === 'object' && item.hasOwnProperty('is_recruiting');
+};
+
+const isEvent = (item: any) => {
+ return (
+ typeof item === 'object' &&
+ item.hasOwnProperty('name') &&
+ item.hasOwnProperty('start_time') &&
+ typeof item.start_time === 'object' &&
+ item.start_time instanceof Date
+ );
+};
+
+const isFAQ = (item: any): FAQ => {
+ return (
+ typeof item === 'object' &&
+ item.hasOwnProperty('question') &&
+ item.hasOwnProperty('answer')
+ );
+};
+
+export {
+ cn,
+ isClub,
+ isEvent,
+ isFAQ,
+ graduationYear,
+ tokenCache,
+ experationTime,
+ extractTokens
+};
diff --git a/frontend/sac-mobile/package.json b/frontend/sac-mobile/package.json
index 2589d68b6..d4f7011a8 100644
--- a/frontend/sac-mobile/package.json
+++ b/frontend/sac-mobile/package.json
@@ -18,8 +18,10 @@
"dependencies": {
"@expo/vector-icons": "^14.0.0",
"@gorhom/bottom-sheet": "^4",
- "@react-native-menu/menu": "^0.9.1",
+ "@react-native-community/masked-view": "^0.1.11",
+ "@react-native-menu/menu": "^1.0.0",
"@react-navigation/native": "^6.1.17",
+ "@react-navigation/stack": "^6.3.29",
"@tanstack/react-query": "^5.29.0",
"@types/uuid": "^9.0.8",
"axios": "^1.6.8",
@@ -32,6 +34,7 @@
"expo-auth-session": "^5.4.0",
"expo-dev-client": "~3.3.11",
"expo-font": "~11.10.2",
+ "expo-haptics": "~12.8.1",
"expo-linking": "~6.2.2",
"expo-router": "~3.4.8",
"expo-secure-store": "~12.8.1",
@@ -39,22 +42,27 @@
"expo-status-bar": "~1.11.1",
"expo-system-ui": "~2.9.3",
"expo-web-browser": "~12.8.2",
+ "install": "^0.13.0",
"nativewind": "^2.0.11",
"react": "18.2.0",
"react-dom": "18.2.0",
"react-hook-form": "^7.51.2",
"react-native": "0.73.6",
+ "react-native-confirmation-code-field": "^7.4.0",
"react-native-cookies": "^3.3.0",
"react-native-element-dropdown": "^2.10.4",
- "react-native-gesture-handler": "~2.16.0",
+ "react-native-gesture-handler": "^2.16.0",
"react-native-loading-spinner-overlay": "^3.0.1",
"react-native-maps": "1.14.0",
+ "react-native-menu": "^0.23.0",
"react-native-open-maps": "^0.4.3",
- "react-native-reanimated": "~3.8.1",
- "react-native-safe-area-context": "4.9.0",
+ "react-native-reanimated": "^3.8.1",
+ "react-native-safe-area-context": "^4.9.0",
"react-native-screens": "~3.30.1",
"react-native-svg": "^15.1.0",
+ "react-native-svg-transformer": "^1.3.0",
"react-native-web": "~0.19.6",
+ "react-query": "^3.39.3",
"tailwind-merge": "^2.2.2",
"zod": "^3.22.4",
"zustand": "^4.5.2"
diff --git a/frontend/sac-mobile/services/categories.ts b/frontend/sac-mobile/services/categories.ts
new file mode 100644
index 000000000..129fd2067
--- /dev/null
+++ b/frontend/sac-mobile/services/categories.ts
@@ -0,0 +1,14 @@
+import { API_BASE_URL } from '@/lib/const';
+import { Category } from '@/types/category';
+
+import { api } from './api';
+
+export const getAllCategories = async (): Promise => {
+ try {
+ const response = await api.get(`${API_BASE_URL}/categories`);
+ return response.data as Category[];
+ } catch (error) {
+ console.log('Error fetching categories');
+ throw new Error('Error fetching categories');
+ }
+};
diff --git a/frontend/sac-mobile/services/tags.ts b/frontend/sac-mobile/services/tags.ts
new file mode 100644
index 000000000..8cf33c5d3
--- /dev/null
+++ b/frontend/sac-mobile/services/tags.ts
@@ -0,0 +1,13 @@
+import { Tag } from '@/types/tag';
+
+import { api } from './api';
+
+export const getAllTags = async (): Promise => {
+ try {
+ const response = await api.get('/tags');
+ return response.data as Tag[];
+ } catch (error) {
+ console.log('Error fetching tags');
+ throw new Error('Error fetching tags');
+ }
+};
diff --git a/frontend/sac-mobile/services/user.ts b/frontend/sac-mobile/services/user.ts
index 146d83b26..22c0c8fc5 100644
--- a/frontend/sac-mobile/services/user.ts
+++ b/frontend/sac-mobile/services/user.ts
@@ -1,6 +1,7 @@
import { AxiosError } from 'axios';
import { api } from '@/services/api';
+import { Club } from '@/types/club';
import { ErrorResponse } from '@/types/error';
import { User } from '@/types/user';
@@ -9,7 +10,7 @@ import { User } from '@/types/user';
* @param accessToken The access token of the user.
* @returns The user that was retrieved.
*/
-export const getCurrentUser = async (): Promise => {
+const getCurrentUser = async (): Promise => {
try {
const response = await api.get('/users/me');
@@ -25,3 +26,99 @@ export const getCurrentUser = async (): Promise => {
}
}
};
+
+const createUserTags = async (
+ userId: string,
+ tagsId: string[]
+): Promise => {
+ try {
+ await api.post(`/users/${userId}/tags`, { tags: tagsId });
+ } catch (error) {
+ console.log('Error associating users to a tag');
+ throw new Error('Error associating users to a tag');
+ }
+};
+
+/**
+ * Update user details after signup.
+ * @param userId ID of this specific user
+ * @param updateUserBody JSON body of updated information
+ * @returns The user whose info is updated
+ */
+const updateUser = async (
+ userId: string,
+ updateUserBody: {
+ graduation_year: number;
+ college: string;
+ graduation_cycle: string;
+ }
+): Promise => {
+ try {
+ const response = await api.patch(
+ `/users/${userId}/`,
+ updateUserBody
+ );
+ return response.data as User;
+ } catch (error) {
+ console.log('Error updating user');
+ throw new Error('Error updating user');
+ }
+};
+
+/**
+ * Fetches the clubs that the user is following.
+ * @param userId The ID of the user.
+ * @returns The clubs that the user is following.
+ */
+const fetchUserFollowing = async (userId: string): Promise => {
+ try {
+ const response = await api.get(`/users/${userId}/follower`);
+ return response.data as Club[];
+ } catch (error) {
+ console.log('Error fetching followed clubs');
+ throw new Error('Error fetching followed clubs');
+ }
+};
+
+/**
+ * Follows a club.
+ * @param userId The ID of the user.
+ * @param clubId The ID of the club.
+ */
+const createUserFollowing = async (
+ userId: string,
+ clubId: string
+): Promise => {
+ try {
+ await api.post(`/users/${userId}/follower/${clubId}`);
+ } catch (error) {
+ console.log('Error following clubs');
+ throw new Error('Error following clubs');
+ }
+};
+
+/**
+ * Unfollows a club.
+ * @param userId The ID of the user.
+ * @param clubId The ID of the club.
+ */
+const deleteUserFollowing = async (
+ userId: string,
+ clubId: string
+): Promise => {
+ try {
+ await api.delete(`/users/${userId}/follower/${clubId}`);
+ } catch (error) {
+ console.log('Error unfollowing clubs');
+ throw new Error('Error unfollowing clubs');
+ }
+};
+
+export {
+ getCurrentUser,
+ createUserTags,
+ updateUser,
+ fetchUserFollowing,
+ createUserFollowing,
+ deleteUserFollowing
+};
diff --git a/frontend/sac-mobile/types/categories.ts b/frontend/sac-mobile/types/categories.ts
deleted file mode 100644
index e8d257c10..000000000
--- a/frontend/sac-mobile/types/categories.ts
+++ /dev/null
@@ -1,12 +0,0 @@
-import { z } from 'zod';
-
-import { rootModelSchema } from './root';
-import { tagSchema } from './tag';
-
-export const categorySchemaIntermediate = z.object({
- name: z.string(),
- tags: z.array(tagSchema)
-});
-
-export const categorySchema = categorySchemaIntermediate.merge(rootModelSchema);
-export type Category = z.infer;
diff --git a/frontend/sac-mobile/types/category.ts b/frontend/sac-mobile/types/category.ts
new file mode 100644
index 000000000..619032b79
--- /dev/null
+++ b/frontend/sac-mobile/types/category.ts
@@ -0,0 +1,15 @@
+import { z } from 'zod';
+
+import { tagSchema } from '@/types/tag';
+
+import { rootModelSchema } from './root';
+
+const categorySchemaIntermediate = z.object({
+ name: z.string().min(1),
+ tags: z.array(tagSchema)
+});
+
+const categorySchema = categorySchemaIntermediate.merge(rootModelSchema);
+type Category = z.infer;
+
+export { categorySchema, Category };
diff --git a/frontend/sac-mobile/types/faq.ts b/frontend/sac-mobile/types/faq.ts
new file mode 100644
index 000000000..65b06e44c
--- /dev/null
+++ b/frontend/sac-mobile/types/faq.ts
@@ -0,0 +1,5 @@
+export type FAQ = {
+ club_name: string;
+ question: string;
+ answer: string;
+};
diff --git a/frontend/sac-mobile/types/tag.ts b/frontend/sac-mobile/types/tag.ts
index d0dd9dfd8..9bf3ba92f 100644
--- a/frontend/sac-mobile/types/tag.ts
+++ b/frontend/sac-mobile/types/tag.ts
@@ -2,9 +2,12 @@ import { z } from 'zod';
import { rootModelSchema } from './root';
-export const tagSchemaIntermediate = z.object({
- name: z.string().max(255)
+const tagIntermediate = z.object({
+ name: z.string().min(1),
+ category_id: z.string().uuid()
});
-export const tagSchema = tagSchemaIntermediate.merge(rootModelSchema);
-export type Tag = z.infer;
+const tagSchema = tagIntermediate.merge(rootModelSchema);
+type Tag = z.infer;
+
+export { tagSchema, Tag };
diff --git a/frontend/sac-mobile/yarn.lock b/frontend/sac-mobile/yarn.lock
index b5eb04181..22783ab9a 100644
--- a/frontend/sac-mobile/yarn.lock
+++ b/frontend/sac-mobile/yarn.lock
@@ -2,32 +2,32 @@
# yarn lockfile v1
-"@0no-co/graphql.web@^1.0.1":
- version "1.0.4"
- resolved "https://registry.npmjs.org/@0no-co/graphql.web/-/graphql.web-1.0.4.tgz"
- integrity sha512-W3ezhHGfO0MS1PtGloaTpg0PbaT8aZSmmaerL7idtU5F7oCI+uu25k+MsMS31BVFlp4aMkHSrNRxiD72IlK8TA==
+"@0no-co/graphql.web@^1.0.5":
+ version "1.0.6"
+ resolved "https://registry.yarnpkg.com/@0no-co/graphql.web/-/graphql.web-1.0.6.tgz#3def68bbaf654a301bd910ce3744506cad97ab9a"
+ integrity sha512-KZ7TnwMcQJcFgzjoY623AVxtlDQonkqp3rSz0wb15/jHPyU1v5gynUibEpuutDeoyGJ5Tp+FwxjGyDGDwq3vIw==
"@aashutoshrathi/word-wrap@^1.2.3":
version "1.2.6"
- resolved "https://registry.npmjs.org/@aashutoshrathi/word-wrap/-/word-wrap-1.2.6.tgz"
+ resolved "https://registry.yarnpkg.com/@aashutoshrathi/word-wrap/-/word-wrap-1.2.6.tgz#bd9154aec9983f77b3a034ecaa015c2e4201f6cf"
integrity sha512-1Yjs2SvM8TflER/OD3cOjhWWOZb58A2t7wpE2S9XfBYTiIl+XFhQG2bjy4Pu1I+EAlCNUzRDYDdFwFYUKvXcIA==
"@alloc/quick-lru@^5.2.0":
version "5.2.0"
- resolved "https://registry.npmjs.org/@alloc/quick-lru/-/quick-lru-5.2.0.tgz"
+ resolved "https://registry.yarnpkg.com/@alloc/quick-lru/-/quick-lru-5.2.0.tgz#7bf68b20c0a350f936915fcae06f58e32007ce30"
integrity sha512-UrcABB+4bUrFABwbluTIBErXwvbsU/V7TZWfmbgJfbkwiBuziS9gxdODUyuiecfdGQ85jglMW6juS3+z5TsKLw==
"@ampproject/remapping@^2.2.0":
- version "2.2.1"
- resolved "https://registry.npmjs.org/@ampproject/remapping/-/remapping-2.2.1.tgz"
- integrity sha512-lFMjJTrFL3j7L9yBxwYfCq2k6qqwHyzuUl/XBnif78PWTJYyL/dfowQHWE3sp6U6ZzqWiiIZnpTMO96zhkjwtg==
+ version "2.3.0"
+ resolved "https://registry.yarnpkg.com/@ampproject/remapping/-/remapping-2.3.0.tgz#ed441b6fa600072520ce18b43d2c8cc8caecc7f4"
+ integrity sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw==
dependencies:
- "@jridgewell/gen-mapping" "^0.3.0"
- "@jridgewell/trace-mapping" "^0.3.9"
+ "@jridgewell/gen-mapping" "^0.3.5"
+ "@jridgewell/trace-mapping" "^0.3.24"
"@babel/code-frame@7.10.4", "@babel/code-frame@~7.10.4":
version "7.10.4"
- resolved "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.10.4.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.10.4.tgz#168da1a36e90da68ae8d49c0f1b48c7c6249213a"
integrity sha512-vG6SvB6oYEhvgisZNFRmRCUkLz11c7rp+tbNTynGqc6mS1d5ATd/sGyV6W0KZZnXRKMTzZDRgQT3Ou9jhpAfUg==
dependencies:
"@babel/highlight" "^7.10.4"
@@ -40,10 +40,10 @@
"@babel/highlight" "^7.24.2"
picocolors "^1.0.0"
-"@babel/compat-data@^7.20.5", "@babel/compat-data@^7.22.6", "@babel/compat-data@^7.23.3", "@babel/compat-data@^7.23.5":
- version "7.23.5"
- resolved "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.23.5.tgz"
- integrity sha512-uU27kfDRlhfKl+w1U6vp16IuvSLtjAxdArVXPa9BvLkrr7CYIsxH5adpHObeAGY/41+syctUWOZ140a2Rvkgjw==
+"@babel/compat-data@^7.20.5", "@babel/compat-data@^7.22.6", "@babel/compat-data@^7.23.5", "@babel/compat-data@^7.24.4":
+ version "7.24.4"
+ resolved "https://registry.yarnpkg.com/@babel/compat-data/-/compat-data-7.24.4.tgz#6f102372e9094f25d908ca0d34fc74c74606059a"
+ integrity sha512-vg8Gih2MLK+kOkHJp4gBEIkyaIi00jgWot2D9QOmmfLC8jINSOzmCLta6Bvz/JSBCqnegV0L80jhxkol5GWNfQ==
"@babel/core@^7.11.6", "@babel/core@^7.12.3", "@babel/core@^7.13.16", "@babel/core@^7.14.0", "@babel/core@^7.20.0", "@babel/core@^7.21.3", "@babel/core@^7.23.9", "@babel/core@^7.24.4":
version "7.24.4"
@@ -67,9 +67,9 @@
semver "^6.3.1"
"@babel/eslint-parser@^7.18.2":
- version "7.23.10"
- resolved "https://registry.yarnpkg.com/@babel/eslint-parser/-/eslint-parser-7.23.10.tgz#2d4164842d6db798873b40e0c4238827084667a2"
- integrity sha512-3wSYDPZVnhseRnxRJH6ZVTNknBz76AEnyC+AYYhasjP3Yy23qz0ERR7Fcd2SHmYuSFJ2kY9gaaDd3vyqU09eSw==
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/eslint-parser/-/eslint-parser-7.24.1.tgz#e27eee93ed1d271637165ef3a86e2b9332395c32"
+ integrity sha512-d5guuzMlPeDfZIbpQ8+g1NaCNuAGBBGNECh0HVqz1sjOeVLh2CEaifuOysCH18URW6R7pqXINvf5PaR/dC6jLQ==
dependencies:
"@nicolo-ribaudo/eslint-scope-5-internals" "5.1.1-v1"
eslint-visitor-keys "^2.1.0"
@@ -77,7 +77,7 @@
"@babel/generator@7.17.7":
version "7.17.7"
- resolved "https://registry.npmjs.org/@babel/generator/-/generator-7.17.7.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.17.7.tgz#8da2599beb4a86194a3b24df6c085931d9ee45ad"
integrity sha512-oLcVCTeIFadUoArDTwpluncplrYBmTCCZZgXCbgNGvOBBiSDDK3eWO4b/+eOTli5tKv1lg+a5/NAXg+nTcei1w==
dependencies:
"@babel/types" "^7.17.0"
@@ -96,7 +96,7 @@
"@babel/helper-annotate-as-pure@^7.22.5":
version "7.22.5"
- resolved "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.22.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.22.5.tgz#e7f06737b197d580a01edf75d97e2c8be99d3882"
integrity sha512-LvBTxu8bQSQkcyKOU+a1btnNFQ1dMAd0R6PyW3arXes06F6QLWLIrd681bxRPIXlrMGR3XYnW9JyML7dP3qgxg==
dependencies:
"@babel/types" "^7.22.5"
@@ -108,9 +108,9 @@
dependencies:
"@babel/types" "^7.22.15"
-"@babel/helper-compilation-targets@^7.20.7", "@babel/helper-compilation-targets@^7.22.15", "@babel/helper-compilation-targets@^7.22.6", "@babel/helper-compilation-targets@^7.23.6":
+"@babel/helper-compilation-targets@^7.20.7", "@babel/helper-compilation-targets@^7.22.6", "@babel/helper-compilation-targets@^7.23.6":
version "7.23.6"
- resolved "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.23.6.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.23.6.tgz#4d79069b16cbcf1461289eccfbbd81501ae39991"
integrity sha512-9JB548GZoQVmzrFgp8o7KxdgkTGm6xs9DW0o/Pim72UDjzr5ObUQ6ZzYPqA+g9OTS2bBQoctLJrky0RDCAWRgQ==
dependencies:
"@babel/compat-data" "^7.23.5"
@@ -119,22 +119,7 @@
lru-cache "^5.1.1"
semver "^6.3.1"
-"@babel/helper-create-class-features-plugin@^7.18.6", "@babel/helper-create-class-features-plugin@^7.22.15", "@babel/helper-create-class-features-plugin@^7.23.6", "@babel/helper-create-class-features-plugin@^7.23.9":
- version "7.23.10"
- resolved "https://registry.yarnpkg.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.23.10.tgz#25d55fafbaea31fd0e723820bb6cc3df72edf7ea"
- integrity sha512-2XpP2XhkXzgxecPNEEK8Vz8Asj9aRxt08oKOqtiZoqV2UGZ5T+EkyP9sXQ9nwMxBIG34a7jmasVqoMop7VdPUw==
- dependencies:
- "@babel/helper-annotate-as-pure" "^7.22.5"
- "@babel/helper-environment-visitor" "^7.22.20"
- "@babel/helper-function-name" "^7.23.0"
- "@babel/helper-member-expression-to-functions" "^7.23.0"
- "@babel/helper-optimise-call-expression" "^7.22.5"
- "@babel/helper-replace-supers" "^7.22.20"
- "@babel/helper-skip-transparent-expression-wrappers" "^7.22.5"
- "@babel/helper-split-export-declaration" "^7.22.6"
- semver "^6.3.1"
-
-"@babel/helper-create-class-features-plugin@^7.24.4":
+"@babel/helper-create-class-features-plugin@^7.18.6", "@babel/helper-create-class-features-plugin@^7.24.1", "@babel/helper-create-class-features-plugin@^7.24.4":
version "7.24.4"
resolved "https://registry.yarnpkg.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.24.4.tgz#c806f73788a6800a5cfbbc04d2df7ee4d927cce3"
integrity sha512-lG75yeuUSVu0pIcbhiYMXBXANHrpUPaOfu7ryAzskCgKUHuAxRQI5ssrtmF0X9UXldPlvT0XM/A4F44OXRt6iQ==
@@ -151,24 +136,13 @@
"@babel/helper-create-regexp-features-plugin@^7.18.6", "@babel/helper-create-regexp-features-plugin@^7.22.15", "@babel/helper-create-regexp-features-plugin@^7.22.5":
version "7.22.15"
- resolved "https://registry.npmjs.org/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.22.15.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.22.15.tgz#5ee90093914ea09639b01c711db0d6775e558be1"
integrity sha512-29FkPLFjn4TPEa3RE7GpW+qbE8tlsu3jntNYNfcGsc49LphF1PQIiD+vMZ1z1xVOKt+93khA9tc2JBs3kBjA7w==
dependencies:
"@babel/helper-annotate-as-pure" "^7.22.5"
regexpu-core "^5.3.1"
semver "^6.3.1"
-"@babel/helper-define-polyfill-provider@^0.5.0":
- version "0.5.0"
- resolved "https://registry.yarnpkg.com/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.5.0.tgz#465805b7361f461e86c680f1de21eaf88c25901b"
- integrity sha512-NovQquuQLAQ5HuyjCz7WQP9MjRj7dx++yspwiyUiGl9ZyadHRSql1HZh5ogRd8W8w6YM6EQ/NTB8rgjLt5W65Q==
- dependencies:
- "@babel/helper-compilation-targets" "^7.22.6"
- "@babel/helper-plugin-utils" "^7.22.5"
- debug "^4.1.1"
- lodash.debounce "^4.0.8"
- resolve "^1.14.2"
-
"@babel/helper-define-polyfill-provider@^0.6.1":
version "0.6.1"
resolved "https://registry.yarnpkg.com/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.6.1.tgz#fadc63f0c2ff3c8d02ed905dcea747c5b0fb74fd"
@@ -182,12 +156,12 @@
"@babel/helper-environment-visitor@^7.18.9", "@babel/helper-environment-visitor@^7.22.20":
version "7.22.20"
- resolved "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.22.20.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-environment-visitor/-/helper-environment-visitor-7.22.20.tgz#96159db61d34a29dba454c959f5ae4a649ba9167"
integrity sha512-zfedSIzFhat/gFhWfHtgWvlec0nqB9YEIVrpuwjruLlXfUSnA8cJB0miHKwqDnQ7d32aKo2xt88/xZptwxbfhA==
"@babel/helper-function-name@^7.22.5", "@babel/helper-function-name@^7.23.0":
version "7.23.0"
- resolved "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.23.0.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-function-name/-/helper-function-name-7.23.0.tgz#1f9a3cdbd5b2698a670c30d2735f9af95ed52759"
integrity sha512-OErEqsrxjZTJciZ4Oo+eoZqeW9UIiOcuYKRJA4ZAgV9myA+pOXhhmpfNCKjEH/auVfEYVFJ6y1Tc4r0eIApqiw==
dependencies:
"@babel/template" "^7.22.15"
@@ -195,35 +169,35 @@
"@babel/helper-hoist-variables@^7.22.5":
version "7.22.5"
- resolved "https://registry.npmjs.org/@babel/helper-hoist-variables/-/helper-hoist-variables-7.22.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-hoist-variables/-/helper-hoist-variables-7.22.5.tgz#c01a007dac05c085914e8fb652b339db50d823bb"
integrity sha512-wGjk9QZVzvknA6yKIUURb8zY3grXCcOZt+/7Wcy8O2uctxhplmUPkOdlgoNhmdVee2c92JXbf1xpMtVNbfoxRw==
dependencies:
"@babel/types" "^7.22.5"
-"@babel/helper-member-expression-to-functions@^7.22.15", "@babel/helper-member-expression-to-functions@^7.23.0":
+"@babel/helper-member-expression-to-functions@^7.23.0":
version "7.23.0"
- resolved "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.23.0.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.23.0.tgz#9263e88cc5e41d39ec18c9a3e0eced59a3e7d366"
integrity sha512-6gfrPwh7OuT6gZyJZvd6WbTfrqAo7vm4xCzAXOusKqq/vWdKXphTpj5klHKNmRUU6/QRGlBsyU9mAIPaWHlqJA==
dependencies:
"@babel/types" "^7.23.0"
"@babel/helper-module-imports@7.18.6":
version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.18.6.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-module-imports/-/helper-module-imports-7.18.6.tgz#1e3ebdbbd08aad1437b428c50204db13c5a3ca6e"
integrity sha512-0NFvs3VkuSYbFi1x2Vd6tKrywq+z/cLeYC/RJNFrIX/30Bf5aiGYbtvGXolEktzJH8o5E5KJ3tT+nkxuuZFVlA==
dependencies:
"@babel/types" "^7.18.6"
-"@babel/helper-module-imports@^7.22.15":
- version "7.22.15"
- resolved "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.22.15.tgz"
- integrity sha512-0pYVBnDKZO2fnSPCrgM/6WMc7eS20Fbok+0r88fp+YtWVLZrp4CkafFGIp+W0VKw4a22sgebPT99y+FDNMdP4w==
+"@babel/helper-module-imports@^7.22.15", "@babel/helper-module-imports@^7.24.1", "@babel/helper-module-imports@^7.24.3":
+ version "7.24.3"
+ resolved "https://registry.yarnpkg.com/@babel/helper-module-imports/-/helper-module-imports-7.24.3.tgz#6ac476e6d168c7c23ff3ba3cf4f7841d46ac8128"
+ integrity sha512-viKb0F9f2s0BCS22QSF308z/+1YWKV/76mwt61NBzS5izMzDPwdq1pTrzf+Li3npBWX9KdQbkeCt1jSAM7lZqg==
dependencies:
- "@babel/types" "^7.22.15"
+ "@babel/types" "^7.24.0"
"@babel/helper-module-transforms@^7.23.3":
version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.23.3.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-module-transforms/-/helper-module-transforms-7.23.3.tgz#d7d12c3c5d30af5b3c0fcab2a6d5217773e2d0f1"
integrity sha512-7bBs4ED9OmswdfDzpz4MpWgSrV7FXlc3zIagvLFjS5H+Mk7Snr21vQ6QwrsoCGMfNC4e4LQPdoULEt4ykz0SRQ==
dependencies:
"@babel/helper-environment-visitor" "^7.22.20"
@@ -234,39 +208,25 @@
"@babel/helper-optimise-call-expression@^7.22.5":
version "7.22.5"
- resolved "https://registry.npmjs.org/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.22.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.22.5.tgz#f21531a9ccbff644fdd156b4077c16ff0c3f609e"
integrity sha512-HBwaojN0xFRx4yIvpwGqxiV2tUfl7401jlok564NgB9EHS1y6QT17FmKWm4ztqjeVdXLuC4fSvHc5ePpQjoTbw==
dependencies:
"@babel/types" "^7.22.5"
-"@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.18.6", "@babel/helper-plugin-utils@^7.20.2", "@babel/helper-plugin-utils@^7.22.5", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3":
- version "7.22.5"
- resolved "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.22.5.tgz"
- integrity sha512-uLls06UVKgFG9QD4OeFYLEGteMIAa5kpTPcFL28yuCIIzsf6ZyKZMllKVOCZFhiZ5ptnwX4mtKdWCBE/uT4amg==
-
-"@babel/helper-plugin-utils@^7.24.0":
+"@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.18.6", "@babel/helper-plugin-utils@^7.20.2", "@babel/helper-plugin-utils@^7.22.5", "@babel/helper-plugin-utils@^7.24.0", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3":
version "7.24.0"
resolved "https://registry.yarnpkg.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.24.0.tgz#945681931a52f15ce879fd5b86ce2dae6d3d7f2a"
integrity sha512-9cUznXMG0+FxRuJfvL82QlTqIzhVW9sL0KjMPHhAOOvpQGL8QtdxnBKILjBqxlHyliz0yCa1G903ZXI/FuHy2w==
"@babel/helper-remap-async-to-generator@^7.18.9", "@babel/helper-remap-async-to-generator@^7.22.20":
version "7.22.20"
- resolved "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.22.20.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.22.20.tgz#7b68e1cb4fa964d2996fd063723fb48eca8498e0"
integrity sha512-pBGyV4uBqOns+0UvhsTO8qgl8hO89PmiDYv+/COyp1aeMcmfrfruz+/nCMFiYyFF/Knn0yfrC85ZzNFjembFTw==
dependencies:
"@babel/helper-annotate-as-pure" "^7.22.5"
"@babel/helper-environment-visitor" "^7.22.20"
"@babel/helper-wrap-function" "^7.22.20"
-"@babel/helper-replace-supers@^7.22.20":
- version "7.22.20"
- resolved "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.22.20.tgz"
- integrity sha512-qsW0In3dbwQUbK8kejJ4R7IHVGwHJlV6lpG6UA7a9hSa2YEiAib+N1T2kr6PEeUT+Fl7najmSOS6SmAwCHK6Tw==
- dependencies:
- "@babel/helper-environment-visitor" "^7.22.20"
- "@babel/helper-member-expression-to-functions" "^7.22.15"
- "@babel/helper-optimise-call-expression" "^7.22.5"
-
"@babel/helper-replace-supers@^7.24.1":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/helper-replace-supers/-/helper-replace-supers-7.24.1.tgz#7085bd19d4a0b7ed8f405c1ed73ccb70f323abc1"
@@ -278,43 +238,43 @@
"@babel/helper-simple-access@^7.22.5":
version "7.22.5"
- resolved "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.22.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-simple-access/-/helper-simple-access-7.22.5.tgz#4938357dc7d782b80ed6dbb03a0fba3d22b1d5de"
integrity sha512-n0H99E/K+Bika3++WNL17POvo4rKWZ7lZEp1Q+fStVbUi8nxPQEBOlTmCOxW/0JsS56SKKQ+ojAe2pHKJHN35w==
dependencies:
"@babel/types" "^7.22.5"
"@babel/helper-skip-transparent-expression-wrappers@^7.20.0", "@babel/helper-skip-transparent-expression-wrappers@^7.22.5":
version "7.22.5"
- resolved "https://registry.npmjs.org/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.22.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.22.5.tgz#007f15240b5751c537c40e77abb4e89eeaaa8847"
integrity sha512-tK14r66JZKiC43p8Ki33yLBVJKlQDFoA8GYN67lWCDCqoL6EMMSuM9b+Iff2jHaM/RRFYl7K+iiru7hbRqNx8Q==
dependencies:
"@babel/types" "^7.22.5"
"@babel/helper-split-export-declaration@^7.22.6":
version "7.22.6"
- resolved "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.22.6.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.22.6.tgz#322c61b7310c0997fe4c323955667f18fcefb91c"
integrity sha512-AsUnxuLhRYsisFiaJwvp1QF+I3KjD5FOxut14q/GzovUe6orHLesW2C7d754kRm53h5gqrz6sFl6sxc4BVtE/g==
dependencies:
"@babel/types" "^7.22.5"
"@babel/helper-string-parser@^7.18.10", "@babel/helper-string-parser@^7.23.4":
- version "7.23.4"
- resolved "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.23.4.tgz"
- integrity sha512-803gmbQdqwdf4olxrX4AJyFBV/RTr3rSmOj0rKwesmzlfhYNDEs+/iOcznzpNWlJlIlTJC2QfPFcHB6DlzdVLQ==
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/helper-string-parser/-/helper-string-parser-7.24.1.tgz#f99c36d3593db9540705d0739a1f10b5e20c696e"
+ integrity sha512-2ofRCjnnA9y+wk8b9IAREroeUP02KHp431N2mhKniy2yKIDKpbrHv9eXwm8cBeWQYcJmzv5qKCu65P47eCF7CQ==
"@babel/helper-validator-identifier@^7.16.7", "@babel/helper-validator-identifier@^7.18.6", "@babel/helper-validator-identifier@^7.22.20":
version "7.22.20"
- resolved "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.22.20.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.22.20.tgz#c4ae002c61d2879e724581d96665583dbc1dc0e0"
integrity sha512-Y4OZ+ytlatR8AI+8KZfKuL5urKp7qey08ha31L8b3BwewJAoJamTzyvxPR/5D+KkdJCGPq/+8TukHBlY10FX9A==
-"@babel/helper-validator-option@^7.22.15", "@babel/helper-validator-option@^7.23.5":
+"@babel/helper-validator-option@^7.23.5":
version "7.23.5"
- resolved "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.23.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-validator-option/-/helper-validator-option-7.23.5.tgz#907a3fbd4523426285365d1206c423c4c5520307"
integrity sha512-85ttAOMLsr53VgXkTbkx8oA6YTfT4q7/HzXSLEYmjcSTJPMPQtvq1BD79Byep5xMUYbGRzEpDsjUf3dyp54IKw==
"@babel/helper-wrap-function@^7.22.20":
version "7.22.20"
- resolved "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.22.20.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/helper-wrap-function/-/helper-wrap-function-7.22.20.tgz#15352b0b9bfb10fc9c76f79f6342c00e3411a569"
integrity sha512-pms/UwkOpnQe/PDAEdV/d7dVCoBbB+R4FvYoHGZz+4VPcg7RtYy2KP7S2lbuWM6FCSgob5wshfGESbC/hzNXZw==
dependencies:
"@babel/helper-function-name" "^7.22.5"
@@ -330,16 +290,7 @@
"@babel/traverse" "^7.24.1"
"@babel/types" "^7.24.0"
-"@babel/highlight@^7.10.4":
- version "7.23.4"
- resolved "https://registry.npmjs.org/@babel/highlight/-/highlight-7.23.4.tgz"
- integrity sha512-acGdbYSfp2WheJoJm/EBBBLh/ID8KDc64ISZ9DYtBmC8/Q204PZJLHyzeB5qMzJ5trcOkybd78M4x2KWsUq++A==
- dependencies:
- "@babel/helper-validator-identifier" "^7.22.20"
- chalk "^2.4.2"
- js-tokens "^4.0.0"
-
-"@babel/highlight@^7.24.2":
+"@babel/highlight@^7.10.4", "@babel/highlight@^7.24.2":
version "7.24.2"
resolved "https://registry.yarnpkg.com/@babel/highlight/-/highlight-7.24.2.tgz#3f539503efc83d3c59080a10e6634306e0370d26"
integrity sha512-Yac1ao4flkTxTteCDZLEvdxg2fZfz1v8M4QpaGypq/WPDqg3ijHYbDfs+LG5hvzSoqaSZ9/Z9lKSP3CjZjv+pA==
@@ -354,33 +305,41 @@
resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.24.4.tgz#234487a110d89ad5a3ed4a8a566c36b9453e8c88"
integrity sha512-zTvEBcghmeBma9QIGunWevvBAp4/Qu9Bdq+2k0Ot4fVMD6v3dsC9WOcRSKk7tRRyBM/53yKMJko9xOatGQAwSg==
-"@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression/-/plugin-bugfix-safari-id-destructuring-collision-in-function-expression-7.23.3.tgz#5cd1c87ba9380d0afb78469292c954fee5d2411a"
- integrity sha512-iRkKcCqb7iGnq9+3G6rZ+Ciz5VywC4XNRHe57lKM+jOeYAoR0lVqdeeDRfh0tQcTfw/+vBhHn926FmQhLtlFLQ==
+"@babel/plugin-bugfix-firefox-class-in-computed-class-key@^7.24.4":
+ version "7.24.4"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-firefox-class-in-computed-class-key/-/plugin-bugfix-firefox-class-in-computed-class-key-7.24.4.tgz#6125f0158543fb4edf1c22f322f3db67f21cb3e1"
+ integrity sha512-qpl6vOOEEzTLLcsuqYYo8yDtrTocmu2xkGvgNebvPjT9DTtfFYGmgDqY+rBYXNlqL4s9qLDn6xkrJv4RxAPiTA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-environment-visitor" "^7.22.20"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.23.3.tgz#f6652bb16b94f8f9c20c50941e16e9756898dc5d"
- integrity sha512-WwlxbfMNdVEpQjZmK5mhm7oSwD3dS6eU+Iwsi4Knl9wAletWem7kaRsGOG+8UEbRyqxY4SS5zvtfXwX+jMxUwQ==
+"@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression/-/plugin-bugfix-safari-id-destructuring-collision-in-function-expression-7.24.1.tgz#b645d9ba8c2bc5b7af50f0fe949f9edbeb07c8cf"
+ integrity sha512-y4HqEnkelJIOQGd+3g1bTeKsA5c6qM7eOn7VggGVbBc0y8MLSKHacwcIE2PplNlQSj0PqS9rrXL/nkPVK+kUNg==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
+
+"@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.24.1.tgz#da8261f2697f0f41b0855b91d3a20a1fbfd271d3"
+ integrity sha512-Hj791Ii4ci8HqnaKHAlLNs+zaLXb0EzSDhiAWp5VNlyvCNymYfacs64pxTxbH1znW/NcArSmwpmG9IKE/TUVVQ==
+ dependencies:
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/helper-skip-transparent-expression-wrappers" "^7.22.5"
- "@babel/plugin-transform-optional-chaining" "^7.23.3"
+ "@babel/plugin-transform-optional-chaining" "^7.24.1"
-"@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly@^7.23.7":
- version "7.23.7"
- resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly/-/plugin-bugfix-v8-static-class-fields-redefine-readonly-7.23.7.tgz#516462a95d10a9618f197d39ad291a9b47ae1d7b"
- integrity sha512-LlRT7HgaifEpQA1ZgLVOIJZZFVPWN5iReq/7/JixwBtwcoeVGDBD53ZV28rrsLYOZs1Y/EHhA8N/Z6aazHR8cw==
+"@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly/-/plugin-bugfix-v8-static-class-fields-redefine-readonly-7.24.1.tgz#1181d9685984c91d657b8ddf14f0487a6bab2988"
+ integrity sha512-m9m/fXsXLiHfwdgydIFnpk+7jlVbnvlK5B2EKiPdLUb6WX654ZaaEWJUjk8TftRbZpK0XibovlLWX4KIZhV6jw==
dependencies:
"@babel/helper-environment-visitor" "^7.22.20"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-proposal-async-generator-functions@^7.0.0":
version "7.20.7"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.20.7.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.20.7.tgz#bfb7276d2d573cb67ba379984a2334e262ba5326"
integrity sha512-xMbiLsn/8RK7Wq7VeVytytS2L6qE69bXPB10YCmMdDZbKF4okCqY74pI/jJQ/8U0b/F6NrT2+14b8/P9/3AMGA==
dependencies:
"@babel/helper-environment-visitor" "^7.18.9"
@@ -390,32 +349,32 @@
"@babel/plugin-proposal-class-properties@^7.0.0", "@babel/plugin-proposal-class-properties@^7.13.0", "@babel/plugin-proposal-class-properties@^7.18.0":
version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-class-properties/-/plugin-proposal-class-properties-7.18.6.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-class-properties/-/plugin-proposal-class-properties-7.18.6.tgz#b110f59741895f7ec21a6fff696ec46265c446a3"
integrity sha512-cumfXOF0+nzZrrN8Rf0t7M+tF6sZc7vhQwYQck9q1/5w2OExlD+b4v4RpMJFaV1Z7WcDRgO6FqvxqxGlwo+RHQ==
dependencies:
"@babel/helper-create-class-features-plugin" "^7.18.6"
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/plugin-proposal-decorators@^7.12.9":
- version "7.23.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-decorators/-/plugin-proposal-decorators-7.23.9.tgz#126d947d62ee72022ec46813983c6dd861456fa3"
- integrity sha512-hJhBCb0+NnTWybvWq2WpbCYDOcflSbx0t+BYP65e5R9GVnukiDTi+on5bFkk4p7QGuv190H6KfNiV9Knf/3cZA==
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-decorators/-/plugin-proposal-decorators-7.24.1.tgz#bab2b9e174a2680f0a80f341f3ec70f809f8bb4b"
+ integrity sha512-zPEvzFijn+hRvJuX2Vu3KbEBN39LN3f7tW3MQO2LsIs57B26KU+kUc82BdAktS1VCM6libzh45eKGI65lg0cpA==
dependencies:
- "@babel/helper-create-class-features-plugin" "^7.23.9"
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/plugin-syntax-decorators" "^7.23.3"
+ "@babel/helper-create-class-features-plugin" "^7.24.1"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/plugin-syntax-decorators" "^7.24.1"
"@babel/plugin-proposal-export-default-from@^7.0.0":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-export-default-from/-/plugin-proposal-export-default-from-7.23.3.tgz"
- integrity sha512-Q23MpLZfSGZL1kU7fWqV262q65svLSCIP5kZ/JCW/rKTCm/FrLjpvEd2kfUYMVeHh4QhV/xzyoRAHWrAZJrE3Q==
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-export-default-from/-/plugin-proposal-export-default-from-7.24.1.tgz#d242019488277c9a5a8035e5b70de54402644b89"
+ integrity sha512-+0hrgGGV3xyYIjOrD/bUZk/iUwOIGuoANfRfVg1cPhYBxF+TIXSEcc42DqzBICmWsnAQ+SfKedY0bj8QD+LuMg==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/plugin-syntax-export-default-from" "^7.23.3"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/plugin-syntax-export-default-from" "^7.24.1"
"@babel/plugin-proposal-nullish-coalescing-operator@^7.13.8", "@babel/plugin-proposal-nullish-coalescing-operator@^7.18.0":
version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-nullish-coalescing-operator/-/plugin-proposal-nullish-coalescing-operator-7.18.6.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-nullish-coalescing-operator/-/plugin-proposal-nullish-coalescing-operator-7.18.6.tgz#fdd940a99a740e577d6c753ab6fbb43fdb9467e1"
integrity sha512-wQxQzxYeJqHcfppzBDnm1yAY0jSRkUXR2z8RePZYrKwMKgMlE8+Z6LUno+bd6LvbGh8Gltvy74+9pIYkr+XkKA==
dependencies:
"@babel/helper-plugin-utils" "^7.18.6"
@@ -423,7 +382,7 @@
"@babel/plugin-proposal-numeric-separator@^7.0.0":
version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-numeric-separator/-/plugin-proposal-numeric-separator-7.18.6.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-numeric-separator/-/plugin-proposal-numeric-separator-7.18.6.tgz#899b14fbafe87f053d2c5ff05b36029c62e13c75"
integrity sha512-ozlZFogPqoLm8WBr5Z8UckIoE4YQ5KESVcNudyXOR8uqIkliTEgJ3RoketfG6pmzLdeZF0H/wjE9/cCEitBl7Q==
dependencies:
"@babel/helper-plugin-utils" "^7.18.6"
@@ -431,7 +390,7 @@
"@babel/plugin-proposal-object-rest-spread@^7.0.0", "@babel/plugin-proposal-object-rest-spread@^7.20.0":
version "7.20.7"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.20.7.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.20.7.tgz#aa662940ef425779c75534a5c41e9d936edc390a"
integrity sha512-d2S98yCiLxDVmBmE8UjGcfPvNEUbA1U5q5WxaWFUGRzJSVAZqm5W6MbPct0jxnegUZ0niLeNX+IOzEs7wYg9Dg==
dependencies:
"@babel/compat-data" "^7.20.5"
@@ -442,7 +401,7 @@
"@babel/plugin-proposal-optional-catch-binding@^7.0.0":
version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-optional-catch-binding/-/plugin-proposal-optional-catch-binding-7.18.6.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-optional-catch-binding/-/plugin-proposal-optional-catch-binding-7.18.6.tgz#f9400d0e6a3ea93ba9ef70b09e72dd6da638a2cb"
integrity sha512-Q40HEhs9DJQyaZfUjjn6vE8Cv4GmMHCYuMGIWUnlxH6400VGxOuwWsPt4FxXxJkC/5eOzgn0z21M9gMT4MOhbw==
dependencies:
"@babel/helper-plugin-utils" "^7.18.6"
@@ -450,7 +409,7 @@
"@babel/plugin-proposal-optional-chaining@^7.13.12", "@babel/plugin-proposal-optional-chaining@^7.20.0":
version "7.21.0"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.21.0.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.21.0.tgz#886f5c8978deb7d30f678b2e24346b287234d3ea"
integrity sha512-p4zeefM72gpmEe2fkUr/OnOXpWEf8nAgk7ZYVqqfFiyIG7oFfVZcCrU64hWn5xp4tQ9LkV4bTIa5rD0KANpKNA==
dependencies:
"@babel/helper-plugin-utils" "^7.20.2"
@@ -464,21 +423,21 @@
"@babel/plugin-syntax-async-generators@^7.8.4":
version "7.8.4"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz#a983fb1aeb2ec3f6ed042a210f640e90e786fe0d"
integrity sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw==
dependencies:
"@babel/helper-plugin-utils" "^7.8.0"
"@babel/plugin-syntax-bigint@^7.8.3":
version "7.8.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz#4c9a6f669f5d0cdf1b90a1671e9a146be5300cea"
integrity sha512-wnTnFlG+YxQm3vDxpGE57Pj0srRU4sHE/mDkt1qv2YJJSeUAec2ma4WLUnUPeKjyrfntVwe/N6dCXpU+zL3Npg==
dependencies:
"@babel/helper-plugin-utils" "^7.8.0"
"@babel/plugin-syntax-class-properties@^7.0.0", "@babel/plugin-syntax-class-properties@^7.12.13", "@babel/plugin-syntax-class-properties@^7.8.3":
version "7.12.13"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz#b5c987274c4a3a82b89714796931a6b53544ae10"
integrity sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==
dependencies:
"@babel/helper-plugin-utils" "^7.12.13"
@@ -490,77 +449,70 @@
dependencies:
"@babel/helper-plugin-utils" "^7.14.5"
-"@babel/plugin-syntax-decorators@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-decorators/-/plugin-syntax-decorators-7.23.3.tgz"
- integrity sha512-cf7Niq4/+/juY67E0PbgH0TDhLQ5J7zS8C/Q5FFx+DWyrRa9sUQdTXkjqKu8zGvuqr7vw1muKiukseihU+PJDA==
+"@babel/plugin-syntax-decorators@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-decorators/-/plugin-syntax-decorators-7.24.1.tgz#71d9ad06063a6ac5430db126b5df48c70ee885fa"
+ integrity sha512-05RJdO/cCrtVWuAaSn1tS3bH8jbsJa/Y1uD186u6J4C/1mnHFxseeuWpsqr9anvo7TUulev7tm7GDwRV+VuhDw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-dynamic-import@^7.8.0", "@babel/plugin-syntax-dynamic-import@^7.8.3":
version "7.8.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-dynamic-import/-/plugin-syntax-dynamic-import-7.8.3.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-dynamic-import/-/plugin-syntax-dynamic-import-7.8.3.tgz#62bf98b2da3cd21d626154fc96ee5b3cb68eacb3"
integrity sha512-5gdGbFon+PszYzqs83S3E5mpi7/y/8M9eC90MRTZfduQOYW76ig6SOSPNe41IG5LoP3FGBn2N0RjVDSQiS94kQ==
dependencies:
"@babel/helper-plugin-utils" "^7.8.0"
-"@babel/plugin-syntax-export-default-from@^7.0.0", "@babel/plugin-syntax-export-default-from@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-export-default-from/-/plugin-syntax-export-default-from-7.23.3.tgz"
- integrity sha512-KeENO5ck1IeZ/l2lFZNy+mpobV3D2Zy5C1YFnWm+YuY5mQiAWc4yAp13dqgguwsBsFVLh4LPCEqCa5qW13N+hw==
+"@babel/plugin-syntax-export-default-from@^7.0.0", "@babel/plugin-syntax-export-default-from@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-export-default-from/-/plugin-syntax-export-default-from-7.24.1.tgz#a92852e694910ae4295e6e51e87b83507ed5e6e8"
+ integrity sha512-cNXSxv9eTkGUtd0PsNMK8Yx5xeScxfpWOUAxE+ZPAXXEcAMOC3fk7LRdXq5fvpra2pLx2p1YtkAhpUbB2SwaRA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-export-namespace-from@^7.8.3":
version "7.8.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-export-namespace-from/-/plugin-syntax-export-namespace-from-7.8.3.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-export-namespace-from/-/plugin-syntax-export-namespace-from-7.8.3.tgz#028964a9ba80dbc094c915c487ad7c4e7a66465a"
integrity sha512-MXf5laXo6c1IbEbegDmzGPwGNTsHZmEy6QGznu5Sh2UCWvueywb2ee+CCE4zQiZstxU9BMoQO9i6zUFSY0Kj0Q==
dependencies:
"@babel/helper-plugin-utils" "^7.8.3"
-"@babel/plugin-syntax-flow@^7.0.0", "@babel/plugin-syntax-flow@^7.12.1", "@babel/plugin-syntax-flow@^7.18.0", "@babel/plugin-syntax-flow@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-flow/-/plugin-syntax-flow-7.23.3.tgz"
- integrity sha512-YZiAIpkJAwQXBJLIQbRFayR5c+gJ35Vcz3bg954k7cd73zqjvhacJuL9RbrzPz8qPmZdgqP6EUKwy0PCNhaaPA==
+"@babel/plugin-syntax-flow@^7.0.0", "@babel/plugin-syntax-flow@^7.12.1", "@babel/plugin-syntax-flow@^7.18.0", "@babel/plugin-syntax-flow@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-flow/-/plugin-syntax-flow-7.24.1.tgz#875c25e3428d7896c87589765fc8b9d32f24bd8d"
+ integrity sha512-sxi2kLTI5DeW5vDtMUsk4mTPwvlUDbjOnoWayhynCwrw4QXRld4QEYwqzY8JmQXaJUtgUuCIurtSRH5sn4c7mA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-syntax-import-assertions@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-assertions/-/plugin-syntax-import-assertions-7.23.3.tgz#9c05a7f592982aff1a2768260ad84bcd3f0c77fc"
- integrity sha512-lPgDSU+SJLK3xmFDTV2ZRQAiM7UuUjGidwBywFavObCiZc1BeAAcMtHJKUya92hPHO+at63JJPLygilZard8jw==
+"@babel/plugin-syntax-import-assertions@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-assertions/-/plugin-syntax-import-assertions-7.24.1.tgz#db3aad724153a00eaac115a3fb898de544e34971"
+ integrity sha512-IuwnI5XnuF189t91XbxmXeCDz3qs6iDRO7GJ++wcfgeXNs/8FmIlKcpDSXNVyuLQxlwvskmI3Ct73wUODkJBlQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-syntax-import-attributes@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.23.3.tgz#992aee922cf04512461d7dae3ff6951b90a2dc06"
- integrity sha512-pawnE0P9g10xgoP7yKr6CK63K2FMsTE+FZidZO/1PwRdzmAPVs+HS1mAURUsgaoxammTJvULUdIkEK0gOcU2tA==
+"@babel/plugin-syntax-import-attributes@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.24.1.tgz#c66b966c63b714c4eec508fcf5763b1f2d381093"
+ integrity sha512-zhQTMH0X2nVLnb04tz+s7AMuasX8U0FnpE+nHTOhSOINjWMnopoZTxtIKsd45n4GQ/HIZLyfIpoul8e2m0DnRA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-import-meta@^7.10.4", "@babel/plugin-syntax-import-meta@^7.8.3":
version "7.10.4"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz#ee601348c370fa334d2207be158777496521fd51"
integrity sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==
dependencies:
"@babel/helper-plugin-utils" "^7.10.4"
"@babel/plugin-syntax-json-strings@^7.8.3":
version "7.8.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz#01ca21b668cd8218c9e640cb6dd88c5412b2c96a"
integrity sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA==
dependencies:
"@babel/helper-plugin-utils" "^7.8.0"
-"@babel/plugin-syntax-jsx@^7.0.0", "@babel/plugin-syntax-jsx@^7.23.3", "@babel/plugin-syntax-jsx@^7.7.2":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.23.3.tgz"
- integrity sha512-EB2MELswq55OHUoRZLGg/zC7QWUKfNLpE57m/S2yr1uEneIgsTgrSzXP3NXEsMkVn76OlaVVnzN+ugObuYGwhg==
- dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
-
-"@babel/plugin-syntax-jsx@^7.24.1":
+"@babel/plugin-syntax-jsx@^7.0.0", "@babel/plugin-syntax-jsx@^7.23.3", "@babel/plugin-syntax-jsx@^7.24.1", "@babel/plugin-syntax-jsx@^7.7.2":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.24.1.tgz#3f6ca04b8c841811dbc3c5c5f837934e0d626c10"
integrity sha512-2eCtxZXf+kbkMIsXS4poTvT4Yu5rXiRa+9xGVT56raghjmBTKMpFNc9R4IDiB4emao9eO22Ox7CxuJG7BgExqA==
@@ -569,68 +521,61 @@
"@babel/plugin-syntax-logical-assignment-operators@^7.10.4", "@babel/plugin-syntax-logical-assignment-operators@^7.8.3":
version "7.10.4"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz#ca91ef46303530448b906652bac2e9fe9941f699"
integrity sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig==
dependencies:
"@babel/helper-plugin-utils" "^7.10.4"
"@babel/plugin-syntax-nullish-coalescing-operator@^7.0.0", "@babel/plugin-syntax-nullish-coalescing-operator@^7.8.3":
version "7.8.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz#167ed70368886081f74b5c36c65a88c03b66d1a9"
integrity sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ==
dependencies:
"@babel/helper-plugin-utils" "^7.8.0"
"@babel/plugin-syntax-numeric-separator@^7.10.4", "@babel/plugin-syntax-numeric-separator@^7.8.3":
version "7.10.4"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz#b9b070b3e33570cd9fd07ba7fa91c0dd37b9af97"
integrity sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug==
dependencies:
"@babel/helper-plugin-utils" "^7.10.4"
"@babel/plugin-syntax-object-rest-spread@^7.0.0", "@babel/plugin-syntax-object-rest-spread@^7.8.3":
version "7.8.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz#60e225edcbd98a640332a2e72dd3e66f1af55871"
integrity sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==
dependencies:
"@babel/helper-plugin-utils" "^7.8.0"
"@babel/plugin-syntax-optional-catch-binding@^7.8.3":
version "7.8.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz#6111a265bcfb020eb9efd0fdfd7d26402b9ed6c1"
integrity sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q==
dependencies:
"@babel/helper-plugin-utils" "^7.8.0"
"@babel/plugin-syntax-optional-chaining@^7.0.0", "@babel/plugin-syntax-optional-chaining@^7.8.3":
version "7.8.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz#4f69c2ab95167e0180cd5336613f8c5788f7d48a"
integrity sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg==
dependencies:
"@babel/helper-plugin-utils" "^7.8.0"
"@babel/plugin-syntax-private-property-in-object@^7.14.5":
version "7.14.5"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz#0dc6671ec0ea22b6e94a1114f857970cd39de1ad"
integrity sha512-0wVnp9dxJ72ZUJDV27ZfbSj6iHLoytYZmh3rFcxNnvsJF3ktkzLDZPy/mA17HGsaQT3/DQsWYX1f1QGWkCoVUg==
dependencies:
"@babel/helper-plugin-utils" "^7.14.5"
"@babel/plugin-syntax-top-level-await@^7.14.5", "@babel/plugin-syntax-top-level-await@^7.8.3":
version "7.14.5"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz#c1cfdadc35a646240001f06138247b741c34d94c"
integrity sha512-hx++upLv5U1rgYfwe1xBQUhRmU41NEvpUvrp8jkrSCdvGSnM5/qdRMtylJ6PG5OFkBaHkbTAKTnd3/YyESRHFw==
dependencies:
"@babel/helper-plugin-utils" "^7.14.5"
-"@babel/plugin-syntax-typescript@^7.23.3", "@babel/plugin-syntax-typescript@^7.7.2":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.23.3.tgz"
- integrity sha512-9EiNjVJOMwCO+43TqoTrgQ8jMwcAd0sWyXi9RPfIsLTj4R2MADDDQXELhffaUx/uJv2AYcxBgPwH6j4TIA4ytQ==
- dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
-
-"@babel/plugin-syntax-typescript@^7.24.1":
+"@babel/plugin-syntax-typescript@^7.24.1", "@babel/plugin-syntax-typescript@^7.7.2":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.24.1.tgz#b3bcc51f396d15f3591683f90239de143c076844"
integrity sha512-Yhnmvy5HZEnHUty6i++gcfH1/l68AHnItFHnaCv6hn9dNh0hQvvQJsxpi4BMBFN5DLeHBuucT/0DgzXif/OyRw==
@@ -645,204 +590,195 @@
"@babel/helper-create-regexp-features-plugin" "^7.18.6"
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-transform-arrow-functions@^7.0.0", "@babel/plugin-transform-arrow-functions@^7.0.0-0", "@babel/plugin-transform-arrow-functions@^7.23.3":
+"@babel/plugin-transform-arrow-functions@^7.0.0", "@babel/plugin-transform-arrow-functions@^7.0.0-0", "@babel/plugin-transform-arrow-functions@^7.24.1":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.24.1.tgz#2bf263617060c9cc45bcdbf492b8cc805082bf27"
integrity sha512-ngT/3NkRhsaep9ck9uj2Xhv9+xB1zShY3tM3g6om4xxCELwCDN4g4Aq5dRn48+0hasAql7s2hdBOysCfNpr4fw==
dependencies:
"@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-async-generator-functions@^7.23.9":
- version "7.23.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-async-generator-functions/-/plugin-transform-async-generator-functions-7.23.9.tgz#9adaeb66fc9634a586c5df139c6240d41ed801ce"
- integrity sha512-8Q3veQEDGe14dTYuwagbRtwxQDnytyg1JFu4/HwEMETeofocrB0U0ejBJIXoeG/t2oXZ8kzCyI0ZZfbT80VFNQ==
+"@babel/plugin-transform-async-generator-functions@^7.24.3":
+ version "7.24.3"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-async-generator-functions/-/plugin-transform-async-generator-functions-7.24.3.tgz#8fa7ae481b100768cc9842c8617808c5352b8b89"
+ integrity sha512-Qe26CMYVjpQxJ8zxM1340JFNjZaF+ISWpr1Kt/jGo+ZTUzKkfw/pphEWbRCb+lmSM6k/TOgfYLvmbHkUQ0asIg==
dependencies:
"@babel/helper-environment-visitor" "^7.22.20"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/helper-remap-async-to-generator" "^7.22.20"
"@babel/plugin-syntax-async-generators" "^7.8.4"
-"@babel/plugin-transform-async-to-generator@^7.20.0", "@babel/plugin-transform-async-to-generator@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.23.3.tgz"
- integrity sha512-A7LFsKi4U4fomjqXJlZg/u0ft/n8/7n7lpffUP/ZULx/DtV9SGlNKZolHH6PE8Xl1ngCc0M11OaeZptXVkfKSw==
+"@babel/plugin-transform-async-to-generator@^7.20.0", "@babel/plugin-transform-async-to-generator@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.24.1.tgz#0e220703b89f2216800ce7b1c53cb0cf521c37f4"
+ integrity sha512-AawPptitRXp1y0n4ilKcGbRYWfbbzFWz2NqNu7dacYDtFtz0CMjG64b3LQsb3KIgnf4/obcUL78hfaOS7iCUfw==
dependencies:
- "@babel/helper-module-imports" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-module-imports" "^7.24.1"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/helper-remap-async-to-generator" "^7.22.20"
-"@babel/plugin-transform-block-scoped-functions@^7.0.0", "@babel/plugin-transform-block-scoped-functions@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-block-scoped-functions/-/plugin-transform-block-scoped-functions-7.23.3.tgz"
- integrity sha512-vI+0sIaPIO6CNuM9Kk5VmXcMVRiOpDh7w2zZt9GXzmE/9KD70CUEVhvPR/etAeNK/FAEkhxQtXOzVF3EuRL41A==
+"@babel/plugin-transform-block-scoped-functions@^7.0.0", "@babel/plugin-transform-block-scoped-functions@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-block-scoped-functions/-/plugin-transform-block-scoped-functions-7.24.1.tgz#1c94799e20fcd5c4d4589523bbc57b7692979380"
+ integrity sha512-TWWC18OShZutrv9C6mye1xwtam+uNi2bnTOCBUd5sZxyHOiWbU6ztSROofIMrK84uweEZC219POICK/sTYwfgg==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-block-scoping@^7.0.0", "@babel/plugin-transform-block-scoping@^7.23.4":
- version "7.23.4"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.23.4.tgz"
- integrity sha512-0QqbP6B6HOh7/8iNR4CQU2Th/bbRtBp4KS9vcaZd1fZ0wSh5Fyssg0UCIHwxh+ka+pNDREbVLQnHCMHKZfPwfw==
+"@babel/plugin-transform-block-scoping@^7.0.0", "@babel/plugin-transform-block-scoping@^7.24.4":
+ version "7.24.4"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.24.4.tgz#28f5c010b66fbb8ccdeef853bef1935c434d7012"
+ integrity sha512-nIFUZIpGKDf9O9ttyRXpHFpKC+X3Y5mtshZONuEUYBomAKoM4y029Jr+uB1bHGPhNmK8YXHevDtKDOLmtRrp6g==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-class-properties@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-class-properties/-/plugin-transform-class-properties-7.23.3.tgz#35c377db11ca92a785a718b6aa4e3ed1eb65dc48"
- integrity sha512-uM+AN8yCIjDPccsKGlw271xjJtGii+xQIF/uMPS8H15L12jZTsLfF4o5vNO7d/oUguOyfdikHGc/yi9ge4SGIg==
+"@babel/plugin-transform-class-properties@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-class-properties/-/plugin-transform-class-properties-7.24.1.tgz#bcbf1aef6ba6085cfddec9fc8d58871cf011fc29"
+ integrity sha512-OMLCXi0NqvJfORTaPQBwqLXHhb93wkBKZ4aNwMl6WtehO7ar+cmp+89iPEQPqxAnxsOKTaMcs3POz3rKayJ72g==
dependencies:
- "@babel/helper-create-class-features-plugin" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-create-class-features-plugin" "^7.24.1"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-class-static-block@^7.23.4":
- version "7.23.4"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-class-static-block/-/plugin-transform-class-static-block-7.23.4.tgz#2a202c8787a8964dd11dfcedf994d36bfc844ab5"
- integrity sha512-nsWu/1M+ggti1SOALj3hfx5FXzAY06fwPJsUZD4/A5e1bWi46VUIWtD+kOX6/IdhXGsXBWllLFDSnqSCdUNydQ==
+"@babel/plugin-transform-class-static-block@^7.24.4":
+ version "7.24.4"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-class-static-block/-/plugin-transform-class-static-block-7.24.4.tgz#1a4653c0cf8ac46441ec406dece6e9bc590356a4"
+ integrity sha512-B8q7Pz870Hz/q9UgP8InNpY01CSLDSCyqX7zcRuv3FcPl87A2G17lASroHWaCtbdIcbYzOZ7kWmXFKbijMSmFg==
dependencies:
- "@babel/helper-create-class-features-plugin" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-create-class-features-plugin" "^7.24.4"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-class-static-block" "^7.14.5"
-"@babel/plugin-transform-classes@^7.0.0", "@babel/plugin-transform-classes@^7.23.8":
- version "7.23.8"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.23.8.tgz"
- integrity sha512-yAYslGsY1bX6Knmg46RjiCiNSwJKv2IUC8qOdYKqMMr0491SXFhcHqOdRDeCRohOOIzwN/90C6mQ9qAKgrP7dg==
+"@babel/plugin-transform-classes@^7.0.0", "@babel/plugin-transform-classes@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-classes/-/plugin-transform-classes-7.24.1.tgz#5bc8fc160ed96378184bc10042af47f50884dcb1"
+ integrity sha512-ZTIe3W7UejJd3/3R4p7ScyyOoafetUShSf4kCqV0O7F/RiHxVj/wRaRnQlrGwflvcehNA8M42HkAiEDYZu2F1Q==
dependencies:
"@babel/helper-annotate-as-pure" "^7.22.5"
"@babel/helper-compilation-targets" "^7.23.6"
"@babel/helper-environment-visitor" "^7.22.20"
"@babel/helper-function-name" "^7.23.0"
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/helper-replace-supers" "^7.22.20"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/helper-replace-supers" "^7.24.1"
"@babel/helper-split-export-declaration" "^7.22.6"
globals "^11.1.0"
-"@babel/plugin-transform-computed-properties@^7.0.0", "@babel/plugin-transform-computed-properties@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.23.3.tgz"
- integrity sha512-dTj83UVTLw/+nbiHqQSFdwO9CbTtwq1DsDqm3CUEtDrZNET5rT5E6bIdTlOftDTDLMYxvxHNEYO4B9SLl8SLZw==
+"@babel/plugin-transform-computed-properties@^7.0.0", "@babel/plugin-transform-computed-properties@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.24.1.tgz#bc7e787f8e021eccfb677af5f13c29a9934ed8a7"
+ integrity sha512-5pJGVIUfJpOS+pAqBQd+QMaTD2vCL/HcePooON6pDpHgRp4gNRmzyHTPIkXntwKsq3ayUFVfJaIKPw2pOkOcTw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/template" "^7.22.15"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/template" "^7.24.0"
-"@babel/plugin-transform-destructuring@^7.0.0", "@babel/plugin-transform-destructuring@^7.20.0", "@babel/plugin-transform-destructuring@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.23.3.tgz"
- integrity sha512-n225npDqjDIr967cMScVKHXJs7rout1q+tt50inyBCPkyZ8KxeI6d+GIbSBTT/w/9WdlWDOej3V9HE5Lgk57gw==
+"@babel/plugin-transform-destructuring@^7.0.0", "@babel/plugin-transform-destructuring@^7.20.0", "@babel/plugin-transform-destructuring@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.24.1.tgz#b1e8243af4a0206841973786292b8c8dd8447345"
+ integrity sha512-ow8jciWqNxR3RYbSNVuF4U2Jx130nwnBnhRw6N6h1bOejNkABmcI5X5oz29K4alWX7vf1C+o6gtKXikzRKkVdw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-dotall-regex@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.23.3.tgz#3f7af6054882ede89c378d0cf889b854a993da50"
- integrity sha512-vgnFYDHAKzFaTVp+mneDsIEbnJ2Np/9ng9iviHw3P/KVcgONxpNULEW/51Z/BaFojG2GI2GwwXck5uV1+1NOYQ==
+"@babel/plugin-transform-dotall-regex@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.24.1.tgz#d56913d2f12795cc9930801b84c6f8c47513ac13"
+ integrity sha512-p7uUxgSoZwZ2lPNMzUkqCts3xlp8n+o05ikjy7gbtFJSt9gdU88jAmtfmOxHM14noQXBxfgzf2yRWECiNVhTCw==
dependencies:
"@babel/helper-create-regexp-features-plugin" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-duplicate-keys@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.23.3.tgz#664706ca0a5dfe8d066537f99032fc1dc8b720ce"
- integrity sha512-RrqQ+BQmU3Oyav3J+7/myfvRCq7Tbz+kKLLshUmMwNlDHExbGL7ARhajvoBJEvc+fCguPPu887N+3RRXBVKZUA==
+"@babel/plugin-transform-duplicate-keys@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.24.1.tgz#5347a797fe82b8d09749d10e9f5b83665adbca88"
+ integrity sha512-msyzuUnvsjsaSaocV6L7ErfNsa5nDWL1XKNnDePLgmz+WdU4w/J8+AxBMrWfi9m4IxfL5sZQKUPQKDQeeAT6lA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-dynamic-import@^7.23.4":
- version "7.23.4"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-dynamic-import/-/plugin-transform-dynamic-import-7.23.4.tgz#c7629e7254011ac3630d47d7f34ddd40ca535143"
- integrity sha512-V6jIbLhdJK86MaLh4Jpghi8ho5fGzt3imHOBu/x0jlBaPYqDoWz4RDXjmMOfnh+JWNaQleEAByZLV0QzBT4YQQ==
+"@babel/plugin-transform-dynamic-import@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-dynamic-import/-/plugin-transform-dynamic-import-7.24.1.tgz#2a5a49959201970dd09a5fca856cb651e44439dd"
+ integrity sha512-av2gdSTyXcJVdI+8aFZsCAtR29xJt0S5tas+Ef8NvBNmD1a+N/3ecMLeMBgfcK+xzsjdLDT6oHt+DFPyeqUbDA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-dynamic-import" "^7.8.3"
-"@babel/plugin-transform-exponentiation-operator@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-exponentiation-operator/-/plugin-transform-exponentiation-operator-7.23.3.tgz#ea0d978f6b9232ba4722f3dbecdd18f450babd18"
- integrity sha512-5fhCsl1odX96u7ILKHBj4/Y8vipoqwsJMh4csSA8qFfxrZDEA4Ssku2DyNvMJSmZNOEBT750LfFPbtrnTP90BQ==
+"@babel/plugin-transform-exponentiation-operator@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-exponentiation-operator/-/plugin-transform-exponentiation-operator-7.24.1.tgz#6650ebeb5bd5c012d5f5f90a26613a08162e8ba4"
+ integrity sha512-U1yX13dVBSwS23DEAqU+Z/PkwE9/m7QQy8Y9/+Tdb8UWYaGNDYwTLi19wqIAiROr8sXVum9A/rtiH5H0boUcTw==
dependencies:
"@babel/helper-builder-binary-assignment-operator-visitor" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-export-namespace-from@^7.22.11", "@babel/plugin-transform-export-namespace-from@^7.23.4":
- version "7.23.4"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-export-namespace-from/-/plugin-transform-export-namespace-from-7.23.4.tgz"
- integrity sha512-GzuSBcKkx62dGzZI1WVgTWvkkz84FZO5TC5T8dl/Tht/rAla6Dg/Mz9Yhypg+ezVACf/rgDuQt3kbWEv7LdUDQ==
+"@babel/plugin-transform-export-namespace-from@^7.22.11", "@babel/plugin-transform-export-namespace-from@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-export-namespace-from/-/plugin-transform-export-namespace-from-7.24.1.tgz#f033541fc036e3efb2dcb58eedafd4f6b8078acd"
+ integrity sha512-Ft38m/KFOyzKw2UaJFkWG9QnHPG/Q/2SkOrRk4pNBPg5IPZ+dOxcmkK5IyuBcxiNPyyYowPGUReyBvrvZs7IlQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-export-namespace-from" "^7.8.3"
-"@babel/plugin-transform-flow-strip-types@^7.0.0", "@babel/plugin-transform-flow-strip-types@^7.20.0", "@babel/plugin-transform-flow-strip-types@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-flow-strip-types/-/plugin-transform-flow-strip-types-7.23.3.tgz"
- integrity sha512-26/pQTf9nQSNVJCrLB1IkHUKyPxR+lMrH2QDPG89+Znu9rAMbtrybdbWeE9bb7gzjmE5iXHEY+e0HUwM6Co93Q==
+"@babel/plugin-transform-flow-strip-types@^7.0.0", "@babel/plugin-transform-flow-strip-types@^7.20.0", "@babel/plugin-transform-flow-strip-types@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-flow-strip-types/-/plugin-transform-flow-strip-types-7.24.1.tgz#fa8d0a146506ea195da1671d38eed459242b2dcc"
+ integrity sha512-iIYPIWt3dUmUKKE10s3W+jsQ3icFkw0JyRVyY1B7G4yK/nngAOHLVx8xlhA6b/Jzl/Y0nis8gjqhqKtRDQqHWQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/plugin-syntax-flow" "^7.23.3"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/plugin-syntax-flow" "^7.24.1"
-"@babel/plugin-transform-for-of@^7.0.0", "@babel/plugin-transform-for-of@^7.23.6":
- version "7.23.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.23.6.tgz"
- integrity sha512-aYH4ytZ0qSuBbpfhuofbg/e96oQ7U2w1Aw/UQmKT+1l39uEhUPoFS3fHevDc1G0OvewyDudfMKY1OulczHzWIw==
+"@babel/plugin-transform-for-of@^7.0.0", "@babel/plugin-transform-for-of@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.24.1.tgz#67448446b67ab6c091360ce3717e7d3a59e202fd"
+ integrity sha512-OxBdcnF04bpdQdR3i4giHZNZQn7cm8RQKcSwA17wAAqEELo1ZOwp5FFgeptWUQXFyT9kwHo10aqqauYkRZPCAg==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/helper-skip-transparent-expression-wrappers" "^7.22.5"
-"@babel/plugin-transform-function-name@^7.0.0", "@babel/plugin-transform-function-name@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.23.3.tgz"
- integrity sha512-I1QXp1LxIvt8yLaib49dRW5Okt7Q4oaxao6tFVKS/anCdEOMtYwWVKoiOA1p34GOWIZjUK0E+zCp7+l1pfQyiw==
+"@babel/plugin-transform-function-name@^7.0.0", "@babel/plugin-transform-function-name@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.24.1.tgz#8cba6f7730626cc4dfe4ca2fa516215a0592b361"
+ integrity sha512-BXmDZpPlh7jwicKArQASrj8n22/w6iymRnvHYYd2zO30DbE277JO20/7yXJT3QxDPtiQiOxQBbZH4TpivNXIxA==
dependencies:
- "@babel/helper-compilation-targets" "^7.22.15"
+ "@babel/helper-compilation-targets" "^7.23.6"
"@babel/helper-function-name" "^7.23.0"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-json-strings@^7.23.4":
- version "7.23.4"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-json-strings/-/plugin-transform-json-strings-7.23.4.tgz#a871d9b6bd171976efad2e43e694c961ffa3714d"
- integrity sha512-81nTOqM1dMwZ/aRXQ59zVubN9wHGqk6UtqRK+/q+ciXmRy8fSolhGVvG09HHRGo4l6fr/c4ZhXUQH0uFW7PZbg==
+"@babel/plugin-transform-json-strings@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-json-strings/-/plugin-transform-json-strings-7.24.1.tgz#08e6369b62ab3e8a7b61089151b161180c8299f7"
+ integrity sha512-U7RMFmRvoasscrIFy5xA4gIp8iWnWubnKkKuUGJjsuOH7GfbMkB+XZzeslx2kLdEGdOJDamEmCqOks6e8nv8DQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-json-strings" "^7.8.3"
-"@babel/plugin-transform-literals@^7.0.0", "@babel/plugin-transform-literals@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-literals/-/plugin-transform-literals-7.23.3.tgz"
- integrity sha512-wZ0PIXRxnwZvl9AYpqNUxpZ5BiTGrYt7kueGQ+N5FiQ7RCOD4cm8iShd6S6ggfVIWaJf2EMk8eRzAh52RfP4rQ==
+"@babel/plugin-transform-literals@^7.0.0", "@babel/plugin-transform-literals@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-literals/-/plugin-transform-literals-7.24.1.tgz#0a1982297af83e6b3c94972686067df588c5c096"
+ integrity sha512-zn9pwz8U7nCqOYIiBaOxoQOtYmMODXTJnkxG4AtX8fPmnCRYWBOHD0qcpwS9e2VDSp1zNJYpdnFMIKb8jmwu6g==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-logical-assignment-operators@^7.23.4":
- version "7.23.4"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-logical-assignment-operators/-/plugin-transform-logical-assignment-operators-7.23.4.tgz#e599f82c51d55fac725f62ce55d3a0886279ecb5"
- integrity sha512-Mc/ALf1rmZTP4JKKEhUwiORU+vcfarFVLfcFiolKUo6sewoxSEgl36ak5t+4WamRsNr6nzjZXQjM35WsU+9vbg==
+"@babel/plugin-transform-logical-assignment-operators@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-logical-assignment-operators/-/plugin-transform-logical-assignment-operators-7.24.1.tgz#719d8aded1aa94b8fb34e3a785ae8518e24cfa40"
+ integrity sha512-OhN6J4Bpz+hIBqItTeWJujDOfNP+unqv/NJgyhlpSqgBTPm37KkMmZV6SYcOj+pnDbdcl1qRGV/ZiIjX9Iy34w==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-logical-assignment-operators" "^7.10.4"
-"@babel/plugin-transform-member-expression-literals@^7.0.0", "@babel/plugin-transform-member-expression-literals@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-member-expression-literals/-/plugin-transform-member-expression-literals-7.23.3.tgz"
- integrity sha512-sC3LdDBDi5x96LA+Ytekz2ZPk8i/Ck+DEuDbRAll5rknJ5XRTSaPKEYwomLcs1AA8wg9b3KjIQRsnApj+q51Ag==
- dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
-
-"@babel/plugin-transform-modules-amd@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-amd/-/plugin-transform-modules-amd-7.23.3.tgz#e19b55436a1416829df0a1afc495deedfae17f7d"
- integrity sha512-vJYQGxeKM4t8hYCKVBlZX/gtIY2I7mRGFNcm85sgXGMTBcoV3QdVtdpbcWEbzbfUIUZKwvgFT82mRvaQIebZzw==
+"@babel/plugin-transform-member-expression-literals@^7.0.0", "@babel/plugin-transform-member-expression-literals@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-member-expression-literals/-/plugin-transform-member-expression-literals-7.24.1.tgz#896d23601c92f437af8b01371ad34beb75df4489"
+ integrity sha512-4ojai0KysTWXzHseJKa1XPNXKRbuUrhkOPY4rEGeR+7ChlJVKxFa3H3Bz+7tWaGKgJAXUWKOGmltN+u9B3+CVg==
dependencies:
- "@babel/helper-module-transforms" "^7.23.3"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-modules-commonjs@^7.0.0", "@babel/plugin-transform-modules-commonjs@^7.13.8", "@babel/plugin-transform-modules-commonjs@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.23.3.tgz"
- integrity sha512-aVS0F65LKsdNOtcz6FRCpE4OgsP2OFnW46qNxNIX9h3wuzaNcSQsJysuMwqSibC98HPrf2vCgtxKNwS0DAlgcA==
+"@babel/plugin-transform-modules-amd@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-amd/-/plugin-transform-modules-amd-7.24.1.tgz#b6d829ed15258536977e9c7cc6437814871ffa39"
+ integrity sha512-lAxNHi4HVtjnHd5Rxg3D5t99Xm6H7b04hUS7EHIXcUl2EV4yl1gWdqZrNzXnSrHveL9qMdbODlLF55mvgjAfaQ==
dependencies:
"@babel/helper-module-transforms" "^7.23.3"
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/helper-simple-access" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-modules-commonjs@^7.24.1":
+"@babel/plugin-transform-modules-commonjs@^7.0.0", "@babel/plugin-transform-modules-commonjs@^7.13.8", "@babel/plugin-transform-modules-commonjs@^7.24.1":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.24.1.tgz#e71ba1d0d69e049a22bf90b3867e263823d3f1b9"
integrity sha512-szog8fFTUxBfw0b98gEWPaEqF42ZUD/T3bkynW/wtgx2p/XCP55WEsb+VosKceRSd6njipdZvNogqdtI4Q0chw==
@@ -851,40 +787,40 @@
"@babel/helper-plugin-utils" "^7.24.0"
"@babel/helper-simple-access" "^7.22.5"
-"@babel/plugin-transform-modules-systemjs@^7.23.9":
- version "7.23.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.23.9.tgz#105d3ed46e4a21d257f83a2f9e2ee4203ceda6be"
- integrity sha512-KDlPRM6sLo4o1FkiSlXoAa8edLXFsKKIda779fbLrvmeuc3itnjCtaO6RrtoaANsIJANj+Vk1zqbZIMhkCAHVw==
+"@babel/plugin-transform-modules-systemjs@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.24.1.tgz#2b9625a3d4e445babac9788daec39094e6b11e3e"
+ integrity sha512-mqQ3Zh9vFO1Tpmlt8QPnbwGHzNz3lpNEMxQb1kAemn/erstyqw1r9KeOlOfo3y6xAnFEcOv2tSyrXfmMk+/YZA==
dependencies:
"@babel/helper-hoist-variables" "^7.22.5"
"@babel/helper-module-transforms" "^7.23.3"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/helper-validator-identifier" "^7.22.20"
-"@babel/plugin-transform-modules-umd@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.23.3.tgz#5d4395fccd071dfefe6585a4411aa7d6b7d769e9"
- integrity sha512-zHsy9iXX2nIsCBFPud3jKn1IRPWg3Ing1qOZgeKV39m1ZgIdpJqvlWVeiHBZC6ITRG0MfskhYe9cLgntfSFPIg==
+"@babel/plugin-transform-modules-umd@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.24.1.tgz#69220c66653a19cf2c0872b9c762b9a48b8bebef"
+ integrity sha512-tuA3lpPj+5ITfcCluy6nWonSL7RvaG0AOTeAuvXqEKS34lnLzXpDb0dcP6K8jD0zWZFNDVly90AGFJPnm4fOYg==
dependencies:
"@babel/helper-module-transforms" "^7.23.3"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-transform-named-capturing-groups-regex@^7.0.0", "@babel/plugin-transform-named-capturing-groups-regex@^7.22.5":
version "7.22.5"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.22.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.22.5.tgz#67fe18ee8ce02d57c855185e27e3dc959b2e991f"
integrity sha512-YgLLKmS3aUBhHaxp5hi1WJTgOUb/NCuDHzGT9z9WTt3YG+CPRhJs6nprbStx6DnWM4dh6gt7SU3sZodbZ08adQ==
dependencies:
"@babel/helper-create-regexp-features-plugin" "^7.22.5"
"@babel/helper-plugin-utils" "^7.22.5"
-"@babel/plugin-transform-new-target@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-new-target/-/plugin-transform-new-target-7.23.3.tgz#5491bb78ed6ac87e990957cea367eab781c4d980"
- integrity sha512-YJ3xKqtJMAT5/TIZnpAR3I+K+WaDowYbN3xyxI8zxx/Gsypwf9B9h0VB+1Nh6ACAAPRS5NSRje0uVv5i79HYGQ==
+"@babel/plugin-transform-new-target@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-new-target/-/plugin-transform-new-target-7.24.1.tgz#29c59988fa3d0157de1c871a28cd83096363cc34"
+ integrity sha512-/rurytBM34hYy0HKZQyA0nHbQgQNFm4Q/BOc9Hflxi2X3twRof7NaE5W46j4kQitm7SvACVRXsa6N/tSZxvPug==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-nullish-coalescing-operator@^7.0.0-0", "@babel/plugin-transform-nullish-coalescing-operator@^7.23.4":
+"@babel/plugin-transform-nullish-coalescing-operator@^7.0.0-0", "@babel/plugin-transform-nullish-coalescing-operator@^7.24.1":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-nullish-coalescing-operator/-/plugin-transform-nullish-coalescing-operator-7.24.1.tgz#0cd494bb97cb07d428bd651632cb9d4140513988"
integrity sha512-iQ+caew8wRrhCikO5DrUYx0mrmdhkaELgFa+7baMcVuhxIkN7oxt06CZ51D65ugIb1UWRQ8oQe+HXAVM6qHFjw==
@@ -892,53 +828,41 @@
"@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-nullish-coalescing-operator" "^7.8.3"
-"@babel/plugin-transform-numeric-separator@^7.23.4":
- version "7.23.4"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-numeric-separator/-/plugin-transform-numeric-separator-7.23.4.tgz#03d08e3691e405804ecdd19dd278a40cca531f29"
- integrity sha512-mps6auzgwjRrwKEZA05cOwuDc9FAzoyFS4ZsG/8F43bTLf/TgkJg7QXOrPO1JO599iA3qgK9MXdMGOEC8O1h6Q==
+"@babel/plugin-transform-numeric-separator@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-numeric-separator/-/plugin-transform-numeric-separator-7.24.1.tgz#5bc019ce5b3435c1cadf37215e55e433d674d4e8"
+ integrity sha512-7GAsGlK4cNL2OExJH1DzmDeKnRv/LXq0eLUSvudrehVA5Rgg4bIrqEUW29FbKMBRT0ztSqisv7kjP+XIC4ZMNw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-numeric-separator" "^7.10.4"
-"@babel/plugin-transform-object-rest-spread@^7.12.13":
- version "7.23.4"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-object-rest-spread/-/plugin-transform-object-rest-spread-7.23.4.tgz"
- integrity sha512-9x9K1YyeQVw0iOXJlIzwm8ltobIIv7j2iLyP2jIhEbqPRQ7ScNgwQufU2I0Gq11VjyG4gI4yMXt2VFags+1N3g==
- dependencies:
- "@babel/compat-data" "^7.23.3"
- "@babel/helper-compilation-targets" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/plugin-syntax-object-rest-spread" "^7.8.3"
- "@babel/plugin-transform-parameters" "^7.23.3"
-
-"@babel/plugin-transform-object-rest-spread@^7.23.4":
- version "7.24.0"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-object-rest-spread/-/plugin-transform-object-rest-spread-7.24.0.tgz#7b836ad0088fdded2420ce96d4e1d3ed78b71df1"
- integrity sha512-y/yKMm7buHpFFXfxVFS4Vk1ToRJDilIa6fKRioB9Vjichv58TDGXTvqV0dN7plobAmTW5eSEGXDngE+Mm+uO+w==
+"@babel/plugin-transform-object-rest-spread@^7.12.13", "@babel/plugin-transform-object-rest-spread@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-object-rest-spread/-/plugin-transform-object-rest-spread-7.24.1.tgz#5a3ce73caf0e7871a02e1c31e8b473093af241ff"
+ integrity sha512-XjD5f0YqOtebto4HGISLNfiNMTTs6tbkFf2TOqJlYKYmbo+mN9Dnpl4SRoofiziuOWMIyq3sZEUqLo3hLITFEA==
dependencies:
- "@babel/compat-data" "^7.23.5"
"@babel/helper-compilation-targets" "^7.23.6"
"@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-object-rest-spread" "^7.8.3"
- "@babel/plugin-transform-parameters" "^7.23.3"
+ "@babel/plugin-transform-parameters" "^7.24.1"
-"@babel/plugin-transform-object-super@^7.0.0", "@babel/plugin-transform-object-super@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-object-super/-/plugin-transform-object-super-7.23.3.tgz"
- integrity sha512-BwQ8q0x2JG+3lxCVFohg+KbQM7plfpBwThdW9A6TMtWwLsbDA01Ek2Zb/AgDN39BiZsExm4qrXxjk+P1/fzGrA==
+"@babel/plugin-transform-object-super@^7.0.0", "@babel/plugin-transform-object-super@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-object-super/-/plugin-transform-object-super-7.24.1.tgz#e71d6ab13483cca89ed95a474f542bbfc20a0520"
+ integrity sha512-oKJqR3TeI5hSLRxudMjFQ9re9fBVUU0GICqM3J1mi8MqlhVr6hC/ZN4ttAyMuQR6EZZIY6h/exe5swqGNNIkWQ==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/helper-replace-supers" "^7.22.20"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/helper-replace-supers" "^7.24.1"
-"@babel/plugin-transform-optional-catch-binding@^7.23.4":
- version "7.23.4"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-optional-catch-binding/-/plugin-transform-optional-catch-binding-7.23.4.tgz#318066de6dacce7d92fa244ae475aa8d91778017"
- integrity sha512-XIq8t0rJPHf6Wvmbn9nFxU6ao4c7WhghTR5WyV8SrJfUFzyxhCm4nhC+iAp3HFhbAKLfYpgzhJ6t4XCtVwqO5A==
+"@babel/plugin-transform-optional-catch-binding@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-optional-catch-binding/-/plugin-transform-optional-catch-binding-7.24.1.tgz#92a3d0efe847ba722f1a4508669b23134669e2da"
+ integrity sha512-oBTH7oURV4Y+3EUrf6cWn1OHio3qG/PVwO5J03iSJmBg6m2EhKjkAu/xuaXaYwWW9miYtvbWv4LNf0AmR43LUA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-optional-catch-binding" "^7.8.3"
-"@babel/plugin-transform-optional-chaining@^7.0.0-0", "@babel/plugin-transform-optional-chaining@^7.23.3", "@babel/plugin-transform-optional-chaining@^7.23.4":
+"@babel/plugin-transform-optional-chaining@^7.0.0-0", "@babel/plugin-transform-optional-chaining@^7.24.1":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-optional-chaining/-/plugin-transform-optional-chaining-7.24.1.tgz#26e588acbedce1ab3519ac40cc748e380c5291e6"
integrity sha512-n03wmDt+987qXwAgcBlnUUivrZBPZ8z1plL0YvgQalLm+ZE5BMhGm94jhxXtA1wzv1Cu2aaOv1BM9vbVttrzSg==
@@ -947,69 +871,69 @@
"@babel/helper-skip-transparent-expression-wrappers" "^7.22.5"
"@babel/plugin-syntax-optional-chaining" "^7.8.3"
-"@babel/plugin-transform-parameters@^7.0.0", "@babel/plugin-transform-parameters@^7.20.7", "@babel/plugin-transform-parameters@^7.22.15", "@babel/plugin-transform-parameters@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.23.3.tgz"
- integrity sha512-09lMt6UsUb3/34BbECKVbVwrT9bO6lILWln237z7sLaWnMsTi7Yc9fhX5DLpkJzAGfaReXI22wP41SZmnAA3Vw==
+"@babel/plugin-transform-parameters@^7.0.0", "@babel/plugin-transform-parameters@^7.20.7", "@babel/plugin-transform-parameters@^7.22.15", "@babel/plugin-transform-parameters@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.24.1.tgz#983c15d114da190506c75b616ceb0f817afcc510"
+ integrity sha512-8Jl6V24g+Uw5OGPeWNKrKqXPDw2YDjLc53ojwfMcKwlEoETKU9rU0mHUtcg9JntWI/QYzGAXNWEcVHZ+fR+XXg==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-private-methods@^7.22.5", "@babel/plugin-transform-private-methods@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-private-methods/-/plugin-transform-private-methods-7.23.3.tgz"
- integrity sha512-UzqRcRtWsDMTLrRWFvUBDwmw06tCQH9Rl1uAjfh6ijMSmGYQ+fpdB+cnqRC8EMh5tuuxSv0/TejGL+7vyj+50g==
+"@babel/plugin-transform-private-methods@^7.22.5", "@babel/plugin-transform-private-methods@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-private-methods/-/plugin-transform-private-methods-7.24.1.tgz#a0faa1ae87eff077e1e47a5ec81c3aef383dc15a"
+ integrity sha512-tGvisebwBO5em4PaYNqt4fkw56K2VALsAbAakY0FjTYqJp7gfdrgr7YX76Or8/cpik0W6+tj3rZ0uHU9Oil4tw==
dependencies:
- "@babel/helper-create-class-features-plugin" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-create-class-features-plugin" "^7.24.1"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-private-property-in-object@^7.22.11", "@babel/plugin-transform-private-property-in-object@^7.23.4":
- version "7.23.4"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-private-property-in-object/-/plugin-transform-private-property-in-object-7.23.4.tgz"
- integrity sha512-9G3K1YqTq3F4Vt88Djx1UZ79PDyj+yKRnUy7cZGSMe+a7jkwD259uKKuUzQlPkGam7R+8RJwh5z4xO27fA1o2A==
+"@babel/plugin-transform-private-property-in-object@^7.22.11", "@babel/plugin-transform-private-property-in-object@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-private-property-in-object/-/plugin-transform-private-property-in-object-7.24.1.tgz#756443d400274f8fb7896742962cc1b9f25c1f6a"
+ integrity sha512-pTHxDVa0BpUbvAgX3Gat+7cSciXqUcY9j2VZKTbSB6+VQGpNgNO9ailxTGHSXlqOnX1Hcx1Enme2+yv7VqP9bg==
dependencies:
"@babel/helper-annotate-as-pure" "^7.22.5"
- "@babel/helper-create-class-features-plugin" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-create-class-features-plugin" "^7.24.1"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-syntax-private-property-in-object" "^7.14.5"
-"@babel/plugin-transform-property-literals@^7.0.0", "@babel/plugin-transform-property-literals@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-property-literals/-/plugin-transform-property-literals-7.23.3.tgz"
- integrity sha512-jR3Jn3y7cZp4oEWPFAlRsSWjxKe4PZILGBSd4nis1TsC5qeSpb+nrtihJuDhNI7QHiVbUaiXa0X2RZY3/TI6Nw==
+"@babel/plugin-transform-property-literals@^7.0.0", "@babel/plugin-transform-property-literals@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-property-literals/-/plugin-transform-property-literals-7.24.1.tgz#d6a9aeab96f03749f4eebeb0b6ea8e90ec958825"
+ integrity sha512-LetvD7CrHmEx0G442gOomRr66d7q8HzzGGr4PMHGr+5YIm6++Yke+jxj246rpvsbyhJwCLxcTn6zW1P1BSenqA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-react-display-name@^7.0.0", "@babel/plugin-transform-react-display-name@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-react-display-name/-/plugin-transform-react-display-name-7.23.3.tgz"
- integrity sha512-GnvhtVfA2OAtzdX58FJxU19rhoGeQzyVndw3GgtdECQvQFXPEZIOVULHVZGAYmOgmqjXpVpfocAbSjh99V/Fqw==
+"@babel/plugin-transform-react-display-name@^7.0.0", "@babel/plugin-transform-react-display-name@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-display-name/-/plugin-transform-react-display-name-7.24.1.tgz#554e3e1a25d181f040cf698b93fd289a03bfdcdb"
+ integrity sha512-mvoQg2f9p2qlpDQRBC7M3c3XTr0k7cp/0+kFKKO/7Gtu0LSw16eKB+Fabe2bDT/UpsyasTBBkAnbdsLrkD5XMw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-transform-react-jsx-development@^7.22.5":
version "7.22.5"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-react-jsx-development/-/plugin-transform-react-jsx-development-7.22.5.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-development/-/plugin-transform-react-jsx-development-7.22.5.tgz#e716b6edbef972a92165cd69d92f1255f7e73e87"
integrity sha512-bDhuzwWMuInwCYeDeMzyi7TaBgRQei6DqxhbyniL7/VG4RSS7HtSL2QbY4eESy1KJqlWt8g3xeEBGPuo+XqC8A==
dependencies:
"@babel/plugin-transform-react-jsx" "^7.22.5"
"@babel/plugin-transform-react-jsx-self@^7.0.0":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-react-jsx-self/-/plugin-transform-react-jsx-self-7.23.3.tgz"
- integrity sha512-qXRvbeKDSfwnlJnanVRp0SfuWE5DQhwQr5xtLBzp56Wabyo+4CMosF6Kfp+eOD/4FYpql64XVJ2W0pVLlJZxOQ==
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-self/-/plugin-transform-react-jsx-self-7.24.1.tgz#a21d866d8167e752c6a7c4555dba8afcdfce6268"
+ integrity sha512-kDJgnPujTmAZ/9q2CN4m2/lRsUUPDvsG3+tSHWUJIzMGTt5U/b/fwWd3RO3n+5mjLrsBrVa5eKFRVSQbi3dF1w==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-transform-react-jsx-source@^7.0.0":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-react-jsx-source/-/plugin-transform-react-jsx-source-7.23.3.tgz"
- integrity sha512-91RS0MDnAWDNvGC6Wio5XYkyWI39FMFO+JK9+4AlgaTH+yWwVTsw7/sn6LK0lH7c5F+TFkpv/3LfCJ1Ydwof/g==
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-source/-/plugin-transform-react-jsx-source-7.24.1.tgz#a2dedb12b09532846721b5df99e52ef8dc3351d0"
+ integrity sha512-1v202n7aUq4uXAieRTKcwPzNyphlCuqHHDcdSNc+vdhoTEZcFMh+L5yZuCmGaIO7bs1nJUNfHB89TZyoL48xNA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-react-jsx@^7.0.0", "@babel/plugin-transform-react-jsx@^7.22.15", "@babel/plugin-transform-react-jsx@^7.22.5":
+"@babel/plugin-transform-react-jsx@^7.0.0", "@babel/plugin-transform-react-jsx@^7.22.5", "@babel/plugin-transform-react-jsx@^7.23.4":
version "7.23.4"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.23.4.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.23.4.tgz#393f99185110cea87184ea47bcb4a7b0c2e39312"
integrity sha512-5xOpoPguCZCRbo/JeHlloSkTA8Bld1J/E1/kLfD1nsuiW1m8tduTA1ERCgIZokDflX/IBzKcqR3l7VlRgiIfHA==
dependencies:
"@babel/helper-annotate-as-pure" "^7.22.5"
@@ -1018,148 +942,139 @@
"@babel/plugin-syntax-jsx" "^7.23.3"
"@babel/types" "^7.23.4"
-"@babel/plugin-transform-react-pure-annotations@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-react-pure-annotations/-/plugin-transform-react-pure-annotations-7.23.3.tgz"
- integrity sha512-qMFdSS+TUhB7Q/3HVPnEdYJDQIk57jkntAwSuz9xfSE4n+3I+vHYCli3HoHawN1Z3RfCz/y1zXA/JXjG6cVImQ==
+"@babel/plugin-transform-react-pure-annotations@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-pure-annotations/-/plugin-transform-react-pure-annotations-7.24.1.tgz#c86bce22a53956331210d268e49a0ff06e392470"
+ integrity sha512-+pWEAaDJvSm9aFvJNpLiM2+ktl2Sn2U5DdyiWdZBxmLc6+xGt88dvFqsHiAiDS+8WqUwbDfkKz9jRxK3M0k+kA==
dependencies:
"@babel/helper-annotate-as-pure" "^7.22.5"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-regenerator@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.23.3.tgz#141afd4a2057298602069fce7f2dc5173e6c561c"
- integrity sha512-KP+75h0KghBMcVpuKisx3XTu9Ncut8Q8TuvGO4IhY+9D5DFEckQefOuIsB/gQ2tG71lCke4NMrtIPS8pOj18BQ==
+"@babel/plugin-transform-regenerator@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.24.1.tgz#625b7545bae52363bdc1fbbdc7252b5046409c8c"
+ integrity sha512-sJwZBCzIBE4t+5Q4IGLaaun5ExVMRY0lYwos/jNecjMrVCygCdph3IKv0tkP5Fc87e/1+bebAmEAGBfnRD+cnw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
regenerator-transform "^0.15.2"
-"@babel/plugin-transform-reserved-words@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-reserved-words/-/plugin-transform-reserved-words-7.23.3.tgz#4130dcee12bd3dd5705c587947eb715da12efac8"
- integrity sha512-QnNTazY54YqgGxwIexMZva9gqbPa15t/x9VS+0fsEFWplwVpXYZivtgl43Z1vMpc1bdPP2PP8siFeVcnFvA3Cg==
+"@babel/plugin-transform-reserved-words@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-reserved-words/-/plugin-transform-reserved-words-7.24.1.tgz#8de729f5ecbaaf5cf83b67de13bad38a21be57c1"
+ integrity sha512-JAclqStUfIwKN15HrsQADFgeZt+wexNQ0uLhuqvqAUFoqPMjEcFCYZBhq0LUdz6dZK/mD+rErhW71fbx8RYElg==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/plugin-transform-runtime@^7.0.0":
- version "7.23.9"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.23.9.tgz#2c64d0680fc8e09e1dfe8fd5c646fe72abd82004"
- integrity sha512-A7clW3a0aSjm3ONU9o2HAILSegJCYlEZmOhmBRReVtIpY/Z/p7yIZ+wR41Z+UipwdGuqwtID/V/dOdZXjwi9gQ==
+ version "7.24.3"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.24.3.tgz#dc58ad4a31810a890550365cc922e1ff5acb5d7f"
+ integrity sha512-J0BuRPNlNqlMTRJ72eVptpt9VcInbxO6iP3jaxr+1NPhC0UkKL+6oeX6VXMEYdADnuqmMmsBspt4d5w8Y/TCbQ==
dependencies:
- "@babel/helper-module-imports" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
- babel-plugin-polyfill-corejs2 "^0.4.8"
- babel-plugin-polyfill-corejs3 "^0.9.0"
- babel-plugin-polyfill-regenerator "^0.5.5"
+ "@babel/helper-module-imports" "^7.24.3"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ babel-plugin-polyfill-corejs2 "^0.4.10"
+ babel-plugin-polyfill-corejs3 "^0.10.1"
+ babel-plugin-polyfill-regenerator "^0.6.1"
semver "^6.3.1"
-"@babel/plugin-transform-shorthand-properties@^7.0.0", "@babel/plugin-transform-shorthand-properties@^7.0.0-0", "@babel/plugin-transform-shorthand-properties@^7.23.3":
+"@babel/plugin-transform-shorthand-properties@^7.0.0", "@babel/plugin-transform-shorthand-properties@^7.0.0-0", "@babel/plugin-transform-shorthand-properties@^7.24.1":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.24.1.tgz#ba9a09144cf55d35ec6b93a32253becad8ee5b55"
integrity sha512-LyjVB1nsJ6gTTUKRjRWx9C1s9hE7dLfP/knKdrfeH9UPtAGjYGgxIbFfx7xyLIEWs7Xe1Gnf8EWiUqfjLhInZA==
dependencies:
"@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-spread@^7.0.0", "@babel/plugin-transform-spread@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.23.3.tgz"
- integrity sha512-VvfVYlrlBVu+77xVTOAoxQ6mZbnIq5FM0aGBSFEcIh03qHf+zNqA4DC/3XMUozTg7bZV3e3mZQ0i13VB6v5yUg==
+"@babel/plugin-transform-spread@^7.0.0", "@babel/plugin-transform-spread@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-spread/-/plugin-transform-spread-7.24.1.tgz#a1acf9152cbf690e4da0ba10790b3ac7d2b2b391"
+ integrity sha512-KjmcIM+fxgY+KxPVbjelJC6hrH1CgtPmTvdXAfn3/a9CnWGSTY7nH4zm5+cjmWJybdcPSsD0++QssDsjcpe47g==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/helper-skip-transparent-expression-wrappers" "^7.22.5"
-"@babel/plugin-transform-sticky-regex@^7.0.0", "@babel/plugin-transform-sticky-regex@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-sticky-regex/-/plugin-transform-sticky-regex-7.23.3.tgz"
- integrity sha512-HZOyN9g+rtvnOU3Yh7kSxXrKbzgrm5X4GncPY1QOquu7epga5MxKHVpYu2hvQnry/H+JjckSYRb93iNfsioAGg==
+"@babel/plugin-transform-sticky-regex@^7.0.0", "@babel/plugin-transform-sticky-regex@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-sticky-regex/-/plugin-transform-sticky-regex-7.24.1.tgz#f03e672912c6e203ed8d6e0271d9c2113dc031b9"
+ integrity sha512-9v0f1bRXgPVcPrngOQvLXeGNNVLc8UjMVfebo9ka0WF3/7+aVUHmaJVT3sa0XCzEFioPfPHZiOcYG9qOsH63cw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-template-literals@^7.0.0", "@babel/plugin-transform-template-literals@^7.0.0-0", "@babel/plugin-transform-template-literals@^7.23.3":
+"@babel/plugin-transform-template-literals@^7.0.0", "@babel/plugin-transform-template-literals@^7.0.0-0", "@babel/plugin-transform-template-literals@^7.24.1":
version "7.24.1"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.24.1.tgz#15e2166873a30d8617e3e2ccadb86643d327aab7"
integrity sha512-WRkhROsNzriarqECASCNu/nojeXCDTE/F2HmRgOzi7NGvyfYGq1NEjKBK3ckLfRgGc6/lPAqP0vDOSw3YtG34g==
dependencies:
"@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-typeof-symbol@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.23.3.tgz#9dfab97acc87495c0c449014eb9c547d8966bca4"
- integrity sha512-4t15ViVnaFdrPC74be1gXBSMzXk3B4Us9lP7uLRQHTFpV5Dvt33pn+2MyyNxmN3VTTm3oTrZVMUmuw3oBnQ2oQ==
+"@babel/plugin-transform-typeof-symbol@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.24.1.tgz#6831f78647080dec044f7e9f68003d99424f94c7"
+ integrity sha512-CBfU4l/A+KruSUoW+vTQthwcAdwuqbpRNB8HQKlZABwHRhsdHZ9fezp4Sn18PeAlYxTNiLMlx4xUBV3AWfg1BA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-typescript@^7.24.1":
+"@babel/plugin-transform-typescript@^7.24.1", "@babel/plugin-transform-typescript@^7.5.0":
version "7.24.4"
resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.24.4.tgz#03e0492537a4b953e491f53f2bc88245574ebd15"
integrity sha512-79t3CQ8+oBGk/80SQ8MN3Bs3obf83zJ0YZjDmDaEZN8MqhMI760apl5z6a20kFeMXBwJX99VpKT8CKxEBp5H1g==
dependencies:
"@babel/helper-annotate-as-pure" "^7.22.5"
- "@babel/helper-create-class-features-plugin" "^7.24.4"
- "@babel/helper-plugin-utils" "^7.24.0"
- "@babel/plugin-syntax-typescript" "^7.24.1"
-
-"@babel/plugin-transform-typescript@^7.5.0":
- version "7.23.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.23.6.tgz"
- integrity sha512-6cBG5mBvUu4VUD04OHKnYzbuHNP8huDsD3EDqqpIpsswTDoqHCjLoHb6+QgsV1WsT2nipRqCPgxD3LXnEO7XfA==
- dependencies:
- "@babel/helper-annotate-as-pure" "^7.22.5"
- "@babel/helper-create-class-features-plugin" "^7.23.6"
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/plugin-syntax-typescript" "^7.23.3"
+ "@babel/helper-create-class-features-plugin" "^7.24.4"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/plugin-syntax-typescript" "^7.24.1"
-"@babel/plugin-transform-unicode-escapes@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.23.3.tgz#1f66d16cab01fab98d784867d24f70c1ca65b925"
- integrity sha512-OMCUx/bU6ChE3r4+ZdylEqAjaQgHAgipgW8nsCfu5pGqDcFytVd91AwRvUJSBZDz0exPGgnjoqhgRYLRjFZc9Q==
+"@babel/plugin-transform-unicode-escapes@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.24.1.tgz#fb3fa16676549ac7c7449db9b342614985c2a3a4"
+ integrity sha512-RlkVIcWT4TLI96zM660S877E7beKlQw7Ig+wqkKBiWfj0zH5Q4h50q6er4wzZKRNSYpfo6ILJ+hrJAGSX2qcNw==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-unicode-property-regex@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-property-regex/-/plugin-transform-unicode-property-regex-7.23.3.tgz#19e234129e5ffa7205010feec0d94c251083d7ad"
- integrity sha512-KcLIm+pDZkWZQAFJ9pdfmh89EwVfmNovFBcXko8szpBeF8z68kWIPeKlmSOkT9BXJxs2C0uk+5LxoxIv62MROA==
+"@babel/plugin-transform-unicode-property-regex@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-property-regex/-/plugin-transform-unicode-property-regex-7.24.1.tgz#56704fd4d99da81e5e9f0c0c93cabd91dbc4889e"
+ integrity sha512-Ss4VvlfYV5huWApFsF8/Sq0oXnGO+jB+rijFEFugTd3cwSObUSnUi88djgR5528Csl0uKlrI331kRqe56Ov2Ng==
dependencies:
"@babel/helper-create-regexp-features-plugin" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-unicode-regex@^7.0.0", "@babel/plugin-transform-unicode-regex@^7.23.3":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.23.3.tgz"
- integrity sha512-wMHpNA4x2cIA32b/ci3AfwNgheiva2W0WUKWTK7vBHBhDKfPsc5cFGNWm69WBqpwd86u1qwZ9PWevKqm1A3yAw==
+"@babel/plugin-transform-unicode-regex@^7.0.0", "@babel/plugin-transform-unicode-regex@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.24.1.tgz#57c3c191d68f998ac46b708380c1ce4d13536385"
+ integrity sha512-2A/94wgZgxfTsiLaQ2E36XAOdcZmGAaEEgVmxQWwZXWkGhvoHbaqXcKnU8zny4ycpu3vNqg0L/PcCiYtHtA13g==
dependencies:
"@babel/helper-create-regexp-features-plugin" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
-"@babel/plugin-transform-unicode-sets-regex@^7.23.3":
- version "7.23.3"
- resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-sets-regex/-/plugin-transform-unicode-sets-regex-7.23.3.tgz#4fb6f0a719c2c5859d11f6b55a050cc987f3799e"
- integrity sha512-W7lliA/v9bNR83Qc3q1ip9CQMZ09CcHDbHfbLRDNuAhn1Mvkr1ZNF7hPmztMQvtTGVLJ9m8IZqWsTkXOml8dbw==
+"@babel/plugin-transform-unicode-sets-regex@^7.24.1":
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/plugin-transform-unicode-sets-regex/-/plugin-transform-unicode-sets-regex-7.24.1.tgz#c1ea175b02afcffc9cf57a9c4658326625165b7f"
+ integrity sha512-fqj4WuzzS+ukpgerpAoOnMfQXwUHFxXUZUE84oL2Kao2N8uSlvcpnAidKASgsNgzZHBsHWvcm8s9FPWUhAb8fA==
dependencies:
"@babel/helper-create-regexp-features-plugin" "^7.22.15"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/preset-env@^7.20.0":
- version "7.23.9"
- resolved "https://registry.yarnpkg.com/@babel/preset-env/-/preset-env-7.23.9.tgz#beace3b7994560ed6bf78e4ae2073dff45387669"
- integrity sha512-3kBGTNBBk9DQiPoXYS0g0BYlwTQYUTifqgKTjxUwEUkduRT2QOa0FPGBJ+NROQhGyYO5BuTJwGvBnqKDykac6A==
+ version "7.24.4"
+ resolved "https://registry.yarnpkg.com/@babel/preset-env/-/preset-env-7.24.4.tgz#46dbbcd608771373b88f956ffb67d471dce0d23b"
+ integrity sha512-7Kl6cSmYkak0FK/FXjSEnLJ1N9T/WA2RkMhu17gZ/dsxKJUuTYNIylahPTzqpLyJN4WhDif8X0XK1R8Wsguo/A==
dependencies:
- "@babel/compat-data" "^7.23.5"
+ "@babel/compat-data" "^7.24.4"
"@babel/helper-compilation-targets" "^7.23.6"
- "@babel/helper-plugin-utils" "^7.22.5"
+ "@babel/helper-plugin-utils" "^7.24.0"
"@babel/helper-validator-option" "^7.23.5"
- "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression" "^7.23.3"
- "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining" "^7.23.3"
- "@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly" "^7.23.7"
+ "@babel/plugin-bugfix-firefox-class-in-computed-class-key" "^7.24.4"
+ "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression" "^7.24.1"
+ "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining" "^7.24.1"
+ "@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly" "^7.24.1"
"@babel/plugin-proposal-private-property-in-object" "7.21.0-placeholder-for-preset-env.2"
"@babel/plugin-syntax-async-generators" "^7.8.4"
"@babel/plugin-syntax-class-properties" "^7.12.13"
"@babel/plugin-syntax-class-static-block" "^7.14.5"
"@babel/plugin-syntax-dynamic-import" "^7.8.3"
"@babel/plugin-syntax-export-namespace-from" "^7.8.3"
- "@babel/plugin-syntax-import-assertions" "^7.23.3"
- "@babel/plugin-syntax-import-attributes" "^7.23.3"
+ "@babel/plugin-syntax-import-assertions" "^7.24.1"
+ "@babel/plugin-syntax-import-attributes" "^7.24.1"
"@babel/plugin-syntax-import-meta" "^7.10.4"
"@babel/plugin-syntax-json-strings" "^7.8.3"
"@babel/plugin-syntax-logical-assignment-operators" "^7.10.4"
@@ -1171,69 +1086,69 @@
"@babel/plugin-syntax-private-property-in-object" "^7.14.5"
"@babel/plugin-syntax-top-level-await" "^7.14.5"
"@babel/plugin-syntax-unicode-sets-regex" "^7.18.6"
- "@babel/plugin-transform-arrow-functions" "^7.23.3"
- "@babel/plugin-transform-async-generator-functions" "^7.23.9"
- "@babel/plugin-transform-async-to-generator" "^7.23.3"
- "@babel/plugin-transform-block-scoped-functions" "^7.23.3"
- "@babel/plugin-transform-block-scoping" "^7.23.4"
- "@babel/plugin-transform-class-properties" "^7.23.3"
- "@babel/plugin-transform-class-static-block" "^7.23.4"
- "@babel/plugin-transform-classes" "^7.23.8"
- "@babel/plugin-transform-computed-properties" "^7.23.3"
- "@babel/plugin-transform-destructuring" "^7.23.3"
- "@babel/plugin-transform-dotall-regex" "^7.23.3"
- "@babel/plugin-transform-duplicate-keys" "^7.23.3"
- "@babel/plugin-transform-dynamic-import" "^7.23.4"
- "@babel/plugin-transform-exponentiation-operator" "^7.23.3"
- "@babel/plugin-transform-export-namespace-from" "^7.23.4"
- "@babel/plugin-transform-for-of" "^7.23.6"
- "@babel/plugin-transform-function-name" "^7.23.3"
- "@babel/plugin-transform-json-strings" "^7.23.4"
- "@babel/plugin-transform-literals" "^7.23.3"
- "@babel/plugin-transform-logical-assignment-operators" "^7.23.4"
- "@babel/plugin-transform-member-expression-literals" "^7.23.3"
- "@babel/plugin-transform-modules-amd" "^7.23.3"
- "@babel/plugin-transform-modules-commonjs" "^7.23.3"
- "@babel/plugin-transform-modules-systemjs" "^7.23.9"
- "@babel/plugin-transform-modules-umd" "^7.23.3"
+ "@babel/plugin-transform-arrow-functions" "^7.24.1"
+ "@babel/plugin-transform-async-generator-functions" "^7.24.3"
+ "@babel/plugin-transform-async-to-generator" "^7.24.1"
+ "@babel/plugin-transform-block-scoped-functions" "^7.24.1"
+ "@babel/plugin-transform-block-scoping" "^7.24.4"
+ "@babel/plugin-transform-class-properties" "^7.24.1"
+ "@babel/plugin-transform-class-static-block" "^7.24.4"
+ "@babel/plugin-transform-classes" "^7.24.1"
+ "@babel/plugin-transform-computed-properties" "^7.24.1"
+ "@babel/plugin-transform-destructuring" "^7.24.1"
+ "@babel/plugin-transform-dotall-regex" "^7.24.1"
+ "@babel/plugin-transform-duplicate-keys" "^7.24.1"
+ "@babel/plugin-transform-dynamic-import" "^7.24.1"
+ "@babel/plugin-transform-exponentiation-operator" "^7.24.1"
+ "@babel/plugin-transform-export-namespace-from" "^7.24.1"
+ "@babel/plugin-transform-for-of" "^7.24.1"
+ "@babel/plugin-transform-function-name" "^7.24.1"
+ "@babel/plugin-transform-json-strings" "^7.24.1"
+ "@babel/plugin-transform-literals" "^7.24.1"
+ "@babel/plugin-transform-logical-assignment-operators" "^7.24.1"
+ "@babel/plugin-transform-member-expression-literals" "^7.24.1"
+ "@babel/plugin-transform-modules-amd" "^7.24.1"
+ "@babel/plugin-transform-modules-commonjs" "^7.24.1"
+ "@babel/plugin-transform-modules-systemjs" "^7.24.1"
+ "@babel/plugin-transform-modules-umd" "^7.24.1"
"@babel/plugin-transform-named-capturing-groups-regex" "^7.22.5"
- "@babel/plugin-transform-new-target" "^7.23.3"
- "@babel/plugin-transform-nullish-coalescing-operator" "^7.23.4"
- "@babel/plugin-transform-numeric-separator" "^7.23.4"
- "@babel/plugin-transform-object-rest-spread" "^7.23.4"
- "@babel/plugin-transform-object-super" "^7.23.3"
- "@babel/plugin-transform-optional-catch-binding" "^7.23.4"
- "@babel/plugin-transform-optional-chaining" "^7.23.4"
- "@babel/plugin-transform-parameters" "^7.23.3"
- "@babel/plugin-transform-private-methods" "^7.23.3"
- "@babel/plugin-transform-private-property-in-object" "^7.23.4"
- "@babel/plugin-transform-property-literals" "^7.23.3"
- "@babel/plugin-transform-regenerator" "^7.23.3"
- "@babel/plugin-transform-reserved-words" "^7.23.3"
- "@babel/plugin-transform-shorthand-properties" "^7.23.3"
- "@babel/plugin-transform-spread" "^7.23.3"
- "@babel/plugin-transform-sticky-regex" "^7.23.3"
- "@babel/plugin-transform-template-literals" "^7.23.3"
- "@babel/plugin-transform-typeof-symbol" "^7.23.3"
- "@babel/plugin-transform-unicode-escapes" "^7.23.3"
- "@babel/plugin-transform-unicode-property-regex" "^7.23.3"
- "@babel/plugin-transform-unicode-regex" "^7.23.3"
- "@babel/plugin-transform-unicode-sets-regex" "^7.23.3"
+ "@babel/plugin-transform-new-target" "^7.24.1"
+ "@babel/plugin-transform-nullish-coalescing-operator" "^7.24.1"
+ "@babel/plugin-transform-numeric-separator" "^7.24.1"
+ "@babel/plugin-transform-object-rest-spread" "^7.24.1"
+ "@babel/plugin-transform-object-super" "^7.24.1"
+ "@babel/plugin-transform-optional-catch-binding" "^7.24.1"
+ "@babel/plugin-transform-optional-chaining" "^7.24.1"
+ "@babel/plugin-transform-parameters" "^7.24.1"
+ "@babel/plugin-transform-private-methods" "^7.24.1"
+ "@babel/plugin-transform-private-property-in-object" "^7.24.1"
+ "@babel/plugin-transform-property-literals" "^7.24.1"
+ "@babel/plugin-transform-regenerator" "^7.24.1"
+ "@babel/plugin-transform-reserved-words" "^7.24.1"
+ "@babel/plugin-transform-shorthand-properties" "^7.24.1"
+ "@babel/plugin-transform-spread" "^7.24.1"
+ "@babel/plugin-transform-sticky-regex" "^7.24.1"
+ "@babel/plugin-transform-template-literals" "^7.24.1"
+ "@babel/plugin-transform-typeof-symbol" "^7.24.1"
+ "@babel/plugin-transform-unicode-escapes" "^7.24.1"
+ "@babel/plugin-transform-unicode-property-regex" "^7.24.1"
+ "@babel/plugin-transform-unicode-regex" "^7.24.1"
+ "@babel/plugin-transform-unicode-sets-regex" "^7.24.1"
"@babel/preset-modules" "0.1.6-no-external-plugins"
- babel-plugin-polyfill-corejs2 "^0.4.8"
- babel-plugin-polyfill-corejs3 "^0.9.0"
- babel-plugin-polyfill-regenerator "^0.5.5"
+ babel-plugin-polyfill-corejs2 "^0.4.10"
+ babel-plugin-polyfill-corejs3 "^0.10.4"
+ babel-plugin-polyfill-regenerator "^0.6.1"
core-js-compat "^3.31.0"
semver "^6.3.1"
"@babel/preset-flow@^7.13.13":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/preset-flow/-/preset-flow-7.23.3.tgz"
- integrity sha512-7yn6hl8RIv+KNk6iIrGZ+D06VhVY35wLVf23Cz/mMu1zOr7u4MMP4j0nZ9tLf8+4ZFpnib8cFYgB/oYg9hfswA==
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/preset-flow/-/preset-flow-7.24.1.tgz#da7196c20c2d7dd4e98cfd8b192fe53b5eb6f0bb"
+ integrity sha512-sWCV2G9pcqZf+JHyv/RyqEIpFypxdCSxWIxQjpdaQxenNog7cN1pr76hg8u0Fz8Qgg0H4ETkGcJnXL8d4j0PPA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/helper-validator-option" "^7.22.15"
- "@babel/plugin-transform-flow-strip-types" "^7.23.3"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/helper-validator-option" "^7.23.5"
+ "@babel/plugin-transform-flow-strip-types" "^7.24.1"
"@babel/preset-modules@0.1.6-no-external-plugins":
version "0.1.6-no-external-plugins"
@@ -1245,16 +1160,16 @@
esutils "^2.0.2"
"@babel/preset-react@^7.22.15":
- version "7.23.3"
- resolved "https://registry.npmjs.org/@babel/preset-react/-/preset-react-7.23.3.tgz"
- integrity sha512-tbkHOS9axH6Ysf2OUEqoSZ6T3Fa2SrNH6WTWSPBboxKzdxNc9qOICeLXkNG0ZEwbQ1HY8liwOce4aN/Ceyuq6w==
+ version "7.24.1"
+ resolved "https://registry.yarnpkg.com/@babel/preset-react/-/preset-react-7.24.1.tgz#2450c2ac5cc498ef6101a6ca5474de251e33aa95"
+ integrity sha512-eFa8up2/8cZXLIpkafhaADTXSnl7IsUFCYenRWrARBz0/qZwcT0RBXpys0LJU4+WfPoF2ZG6ew6s2V6izMCwRA==
dependencies:
- "@babel/helper-plugin-utils" "^7.22.5"
- "@babel/helper-validator-option" "^7.22.15"
- "@babel/plugin-transform-react-display-name" "^7.23.3"
- "@babel/plugin-transform-react-jsx" "^7.22.15"
+ "@babel/helper-plugin-utils" "^7.24.0"
+ "@babel/helper-validator-option" "^7.23.5"
+ "@babel/plugin-transform-react-display-name" "^7.24.1"
+ "@babel/plugin-transform-react-jsx" "^7.23.4"
"@babel/plugin-transform-react-jsx-development" "^7.22.5"
- "@babel/plugin-transform-react-pure-annotations" "^7.23.3"
+ "@babel/plugin-transform-react-pure-annotations" "^7.24.1"
"@babel/preset-typescript@^7.13.0", "@babel/preset-typescript@^7.16.7":
version "7.24.1"
@@ -1269,7 +1184,7 @@
"@babel/register@^7.13.16":
version "7.23.7"
- resolved "https://registry.npmjs.org/@babel/register/-/register-7.23.7.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/register/-/register-7.23.7.tgz#485a5e7951939d21304cae4af1719fdb887bc038"
integrity sha512-EjJeB6+kvpk+Y5DAkEAmbOBEFkh9OASx0huoEkqYTFxAZHzOAX2Oh5uwAUuL2rUddqfM0SA+KPXV2TbzoZ2kvQ==
dependencies:
clone-deep "^4.0.1"
@@ -1280,13 +1195,13 @@
"@babel/regjsgen@^0.8.0":
version "0.8.0"
- resolved "https://registry.npmjs.org/@babel/regjsgen/-/regjsgen-0.8.0.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/regjsgen/-/regjsgen-0.8.0.tgz#f0ba69b075e1f05fb2825b7fad991e7adbb18310"
integrity sha512-x/rqGMdzj+fWZvCOYForTghzbtqPDZ5gPwaoNGHdgDfF2QA/XZbCBp4Moo5scrkAMPhB7z26XM/AaHuIJdgauA==
-"@babel/runtime@^7.0.0", "@babel/runtime@^7.12.5", "@babel/runtime@^7.13.10", "@babel/runtime@^7.18.6", "@babel/runtime@^7.20.0", "@babel/runtime@^7.24.0", "@babel/runtime@^7.8.4":
- version "7.24.0"
- resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.24.0.tgz#584c450063ffda59697021430cb47101b085951e"
- integrity sha512-Chk32uHMg6TnQdvw2e9IlqPpFX/6NLuK0Ys2PqLb7/gL5uFn9mXvK715FGLlOLQrcO4qIkNHkvPGktzzXexsFw==
+"@babel/runtime@^7.0.0", "@babel/runtime@^7.12.5", "@babel/runtime@^7.13.10", "@babel/runtime@^7.18.6", "@babel/runtime@^7.20.0", "@babel/runtime@^7.23.8", "@babel/runtime@^7.24.0", "@babel/runtime@^7.5.5", "@babel/runtime@^7.6.2", "@babel/runtime@^7.7.2", "@babel/runtime@^7.8.4":
+ version "7.24.4"
+ resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.24.4.tgz#de795accd698007a66ba44add6cc86542aff1edd"
+ integrity sha512-dkxf7+hn8mFBwKjs9bvBlArzLVxVbS8usaPUDd5p2a9JCL9tB8OaOVN1isD4+Xyk4ns89/xeOmbQvgdK7IIVdA==
dependencies:
regenerator-runtime "^0.14.0"
@@ -1301,7 +1216,7 @@
"@babel/traverse@7.23.2":
version "7.23.2"
- resolved "https://registry.npmjs.org/@babel/traverse/-/traverse-7.23.2.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/traverse/-/traverse-7.23.2.tgz#329c7a06735e144a506bdb2cad0268b7f46f4ad8"
integrity sha512-azpe59SQ48qG6nu2CzcMLbxUudtN+dOM9kDbUqGq3HXUJRlo7i8fvPoxQUzYgLZ4cMVmuZgm8vvBpNeRhd6XSw==
dependencies:
"@babel/code-frame" "^7.22.13"
@@ -1333,7 +1248,7 @@
"@babel/types@7.17.0":
version "7.17.0"
- resolved "https://registry.npmjs.org/@babel/types/-/types-7.17.0.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.17.0.tgz#a826e368bccb6b3d84acd76acad5c0d87342390b"
integrity sha512-TmKSNO4D5rzhL5bjWFcVHHLETzfQ/AmbKpKPOSjlP0WoHZ6L911fgoOKY4Alp/emzG4cHJdyN49zpgkbXFEHHw==
dependencies:
"@babel/helper-validator-identifier" "^7.16.7"
@@ -1341,7 +1256,7 @@
"@babel/types@7.19.0":
version "7.19.0"
- resolved "https://registry.npmjs.org/@babel/types/-/types-7.19.0.tgz"
+ resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.19.0.tgz#75f21d73d73dc0351f3368d28db73465f4814600"
integrity sha512-YuGopBq3ke25BVSiS6fgF49Ul9gH1x70Bcr6bqRLjWCkcX8Hre1/5+z+IiWOIerRMSSEfGZVB9z9kyq7wVs9YA==
dependencies:
"@babel/helper-string-parser" "^7.18.10"
@@ -1359,7 +1274,7 @@
"@bcoe/v8-coverage@^0.2.3":
version "0.2.3"
- resolved "https://registry.npmjs.org/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz"
+ resolved "https://registry.yarnpkg.com/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz#75a2e8b51cb758a7553d6804a5932d7aace75c39"
integrity sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==
"@egjs/hammerjs@^2.0.17":
@@ -1371,19 +1286,19 @@
"@eslint-community/eslint-utils@^4.2.0":
version "4.4.0"
- resolved "https://registry.npmjs.org/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz"
+ resolved "https://registry.yarnpkg.com/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz#a23514e8fb9af1269d5f7788aa556798d61c6b59"
integrity sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==
dependencies:
eslint-visitor-keys "^3.3.0"
"@eslint-community/regexpp@^4.4.0", "@eslint-community/regexpp@^4.6.1":
version "4.10.0"
- resolved "https://registry.npmjs.org/@eslint-community/regexpp/-/regexpp-4.10.0.tgz"
+ resolved "https://registry.yarnpkg.com/@eslint-community/regexpp/-/regexpp-4.10.0.tgz#548f6de556857c8bb73bbee70c35dc82a2e74d63"
integrity sha512-Cu96Sd2By9mCNTx2iyKOmq10v22jUVQv0lQnlGNy16oE9589yE+QADPbrMGCkA51cKZSg3Pu/aTJVTGfL/qjUA==
"@eslint/eslintrc@^2.1.4":
version "2.1.4"
- resolved "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-2.1.4.tgz"
+ resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-2.1.4.tgz#388a269f0f25c1b6adc317b5a2c55714894c70ad"
integrity sha512-269Z39MS6wVJtsoUl10L60WdkhJVdPG24Q4eZTH3nnF6lpvSShEK3wQjDX9JRWAUPvPh7COouPpU9IrqaZFvtQ==
dependencies:
ajv "^6.12.4"
@@ -1403,7 +1318,7 @@
"@expo/bunyan@^4.0.0":
version "4.0.0"
- resolved "https://registry.npmjs.org/@expo/bunyan/-/bunyan-4.0.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/bunyan/-/bunyan-4.0.0.tgz#be0c1de943c7987a9fbd309ea0b1acd605890c7b"
integrity sha512-Ydf4LidRB/EBI+YrB+cVLqIseiRfjUI/AeHBgjGMtq3GroraDu81OV7zqophRgupngoL3iS3JUMDMnxO7g39qA==
dependencies:
uuid "^8.0.0"
@@ -1495,7 +1410,7 @@
"@expo/code-signing-certificates@0.0.5":
version "0.0.5"
- resolved "https://registry.npmjs.org/@expo/code-signing-certificates/-/code-signing-certificates-0.0.5.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/code-signing-certificates/-/code-signing-certificates-0.0.5.tgz#a693ff684fb20c4725dade4b88a6a9f96b02496c"
integrity sha512-BNhXkY1bblxKZpltzAx98G2Egj9g1Q+JRcvR7E99DOj862FTCX+ZPsAUtPTr7aHxwtrL7+fL3r0JSmM9kBm+Bw==
dependencies:
node-forge "^1.2.1"
@@ -1503,7 +1418,7 @@
"@expo/config-plugins@7.8.4", "@expo/config-plugins@~7.8.0", "@expo/config-plugins@~7.8.2":
version "7.8.4"
- resolved "https://registry.npmjs.org/@expo/config-plugins/-/config-plugins-7.8.4.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/config-plugins/-/config-plugins-7.8.4.tgz#533b5d536c1dc8b5544d64878b51bda28f2e1a1f"
integrity sha512-hv03HYxb/5kX8Gxv/BTI8TLc9L06WzqAfHRRXdbar4zkLcP2oTzvsLEF4/L/TIpD3rsnYa0KU42d0gWRxzPCJg==
dependencies:
"@expo/config-types" "^50.0.0-alpha.1"
@@ -1526,12 +1441,12 @@
"@expo/config-types@^50.0.0", "@expo/config-types@^50.0.0-alpha.1":
version "50.0.0"
- resolved "https://registry.npmjs.org/@expo/config-types/-/config-types-50.0.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/config-types/-/config-types-50.0.0.tgz#b534d3ec997ec60f8af24f6ad56244c8afc71a0b"
integrity sha512-0kkhIwXRT6EdFDwn+zTg9R2MZIAEYGn1MVkyRohAd+C9cXOb5RA8WLQi7vuxKF9m1SMtNAUrf0pO+ENK0+/KSw==
"@expo/config@8.5.4", "@expo/config@~8.5.0":
version "8.5.4"
- resolved "https://registry.npmjs.org/@expo/config/-/config-8.5.4.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/config/-/config-8.5.4.tgz#bb5eb06caa36e4e35dc8c7647fae63e147b830ca"
integrity sha512-ggOLJPHGzJSJHVBC1LzwXwR6qUn8Mw7hkc5zEKRIdhFRuIQ6s2FE4eOvP87LrNfDF7eZGa6tJQYsiHSmZKG+8Q==
dependencies:
"@babel/code-frame" "~7.10.4"
@@ -1548,7 +1463,7 @@
"@expo/devcert@^1.0.0":
version "1.1.0"
- resolved "https://registry.npmjs.org/@expo/devcert/-/devcert-1.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/devcert/-/devcert-1.1.0.tgz#d148eb9180db6753c438192e73a123fb13b662ac"
integrity sha512-ghUVhNJQOCTdQckSGTHctNp/0jzvVoMMkVh+6SHn+TZj8sU15U/npXIDt8NtQp0HedlPaCgkVdMu8Sacne0aEA==
dependencies:
application-config-path "^0.1.0"
@@ -1566,19 +1481,19 @@
tslib "^2.4.0"
"@expo/env@~0.2.2":
- version "0.2.2"
- resolved "https://registry.yarnpkg.com/@expo/env/-/env-0.2.2.tgz#49f589f32e9bae279a6509d7a02218c0f4e32a60"
- integrity sha512-m9nGuaSpzdvMzevQ1H60FWgf4PG5s4J0dfKUzdAGnDu7sMUerY/yUeDaA4+OBo3vBwGVQ+UHcQS9vPSMBNaPcg==
+ version "0.2.3"
+ resolved "https://registry.yarnpkg.com/@expo/env/-/env-0.2.3.tgz#59ffe29ffe58f8ee9ee99581a6cb6e003831d469"
+ integrity sha512-a+uJ/e6MAVxPVVN/HbXU5qxzdqrqDwNQYxCfxtAufgmd5VZj54e5f3TJA3LEEUW3pTSZR8xK0H0EtVN297AZnw==
dependencies:
chalk "^4.0.0"
debug "^4.3.4"
- dotenv "~16.0.3"
- dotenv-expand "~10.0.0"
+ dotenv "~16.4.5"
+ dotenv-expand "~11.0.6"
getenv "^1.0.0"
"@expo/fingerprint@^0.6.0":
version "0.6.0"
- resolved "https://registry.npmjs.org/@expo/fingerprint/-/fingerprint-0.6.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/fingerprint/-/fingerprint-0.6.0.tgz#77366934673d4ecea37284109b4dd67f9e6a7487"
integrity sha512-KfpoVRTMwMNJ/Cf5o+Ou8M/Y0EGSTqK+rbi70M2Y0K2qgWNfMJ1gm6sYO9uc8lcTr7YSYM1Rme3dk7QXhpScNA==
dependencies:
"@expo/spawn-async" "^1.5.0"
@@ -1591,7 +1506,7 @@
"@expo/image-utils@^0.4.0":
version "0.4.1"
- resolved "https://registry.npmjs.org/@expo/image-utils/-/image-utils-0.4.1.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/image-utils/-/image-utils-0.4.1.tgz#78c54b8aaa974d0ac37fee5285683b54ff161b2c"
integrity sha512-EZb+VHSmw+a5s2hS9qksTcWylY0FDaIAVufcxoaRS9tHIXLjW5zcKW7Rhj9dSEbZbRVy9yXXdHKa3GQdUQIOFw==
dependencies:
"@expo/spawn-async" "1.5.0"
@@ -1607,7 +1522,7 @@
"@expo/json-file@^8.2.37", "@expo/json-file@~8.3.0":
version "8.3.0"
- resolved "https://registry.npmjs.org/@expo/json-file/-/json-file-8.3.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/json-file/-/json-file-8.3.0.tgz#fc84af77b532a4e9bfb5beafd0e3b7f692b6bd7e"
integrity sha512-yROUeXJXR5goagB8c3muFLCzLmdGOvoPpR5yDNaXrnTp4euNykr9yW0wWhJx4YVRTNOPtGBnEbbJBW+a9q+S6g==
dependencies:
"@babel/code-frame" "~7.10.4"
@@ -1642,12 +1557,12 @@
"@expo/metro-runtime@3.1.3":
version "3.1.3"
- resolved "https://registry.npmjs.org/@expo/metro-runtime/-/metro-runtime-3.1.3.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/metro-runtime/-/metro-runtime-3.1.3.tgz#e29503808bd8ffeb706ef9a17b644230a379f298"
integrity sha512-u1CaQJJlSgvxBB5NJ6YMVvSDTTRzjT71dHpEBnKPZhpFv5ebVry52FZ2sEeEEA6mHG5zGxWXmHImW3hNKHh8EA==
"@expo/osascript@^2.0.31":
version "2.1.0"
- resolved "https://registry.npmjs.org/@expo/osascript/-/osascript-2.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/osascript/-/osascript-2.1.0.tgz#c407dfe839b5e898829d31e6accd962f91adac1c"
integrity sha512-bOhuFnlRaS7CU33+rFFIWdcET/Vkyn1vsN8BYFwCDEF5P1fVVvYN7bFOsQLTMD3nvi35C1AGmtqUr/Wfv8Xaow==
dependencies:
"@expo/spawn-async" "^1.5.0"
@@ -1655,7 +1570,7 @@
"@expo/package-manager@^1.1.1":
version "1.4.2"
- resolved "https://registry.npmjs.org/@expo/package-manager/-/package-manager-1.4.2.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/package-manager/-/package-manager-1.4.2.tgz#8c12a9163c5ff7c7cc89806c4b75cff4974c57fc"
integrity sha512-LKdo/6y4W7llZ6ghsg1kdx2CeH/qR/c6QI/JI8oPUvppsZoeIYjSkdflce978fAMfR8IXoi0wt0jA2w0kWpwbg==
dependencies:
"@expo/json-file" "^8.2.37"
@@ -1673,7 +1588,7 @@
"@expo/plist@^0.1.0":
version "0.1.0"
- resolved "https://registry.npmjs.org/@expo/plist/-/plist-0.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/plist/-/plist-0.1.0.tgz#eabc95f951d14e10c87fd0443ee01d567371f058"
integrity sha512-xWD+8vIFif0wKyuqe3fmnmnSouXYucciZXFzS0ZD5OV9eSAS1RGQI5FaGGJ6zxJ4mpdy/4QzbLdBjnYE5vxA0g==
dependencies:
"@xmldom/xmldom" "~0.7.7"
@@ -1682,7 +1597,7 @@
"@expo/prebuild-config@6.7.4":
version "6.7.4"
- resolved "https://registry.npmjs.org/@expo/prebuild-config/-/prebuild-config-6.7.4.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/prebuild-config/-/prebuild-config-6.7.4.tgz#b3e4c8545d7a101bf1fc263c5b7290abc4635e69"
integrity sha512-x8EUdCa8DTMZ/dtEXjHAdlP+ljf6oSeSKNzhycXiHhpMSMG9jEhV28ocCwc6cKsjK5GziweEiHwvrj6+vsBlhA==
dependencies:
"@expo/config" "~8.5.0"
@@ -1698,7 +1613,7 @@
"@expo/rudder-sdk-node@1.1.1":
version "1.1.1"
- resolved "https://registry.npmjs.org/@expo/rudder-sdk-node/-/rudder-sdk-node-1.1.1.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/rudder-sdk-node/-/rudder-sdk-node-1.1.1.tgz#6aa575f346833eb6290282118766d4919c808c6a"
integrity sha512-uy/hS/awclDJ1S88w9UGpc6Nm9XnNUjzOAAib1A3PVAnGQIwebg8DpFqOthFBTlZxeuV/BKbZ5jmTbtNZkp1WQ==
dependencies:
"@expo/bunyan" "^4.0.0"
@@ -1711,12 +1626,12 @@
"@expo/sdk-runtime-versions@^1.0.0":
version "1.0.0"
- resolved "https://registry.npmjs.org/@expo/sdk-runtime-versions/-/sdk-runtime-versions-1.0.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/sdk-runtime-versions/-/sdk-runtime-versions-1.0.0.tgz#d7ebd21b19f1c6b0395e50d78da4416941c57f7c"
integrity sha512-Doz2bfiPndXYFPMRwPyGa1k5QaKDVpY806UJj570epIiMzWaYyCtobasyfC++qfIXVb5Ocy7r3tP9d62hAQ7IQ==
"@expo/server@^0.3.0":
version "0.3.1"
- resolved "https://registry.npmjs.org/@expo/server/-/server-0.3.1.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/server/-/server-0.3.1.tgz#dbdb23af31877aeb35e8ea31a4962e128c8fa920"
integrity sha512-cCKyVA2IR9J4hDFPXzj3L08+Ngd/7z2F+JtdW0NLy03qShXBI5NSEEcaiHtjrgsLXPDe9PBw5Xgsfmxuduyggg==
dependencies:
"@remix-run/node" "^1.19.3"
@@ -1726,26 +1641,26 @@
"@expo/spawn-async@1.5.0":
version "1.5.0"
- resolved "https://registry.npmjs.org/@expo/spawn-async/-/spawn-async-1.5.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/spawn-async/-/spawn-async-1.5.0.tgz#799827edd8c10ef07eb1a2ff9dcfe081d596a395"
integrity sha512-LB7jWkqrHo+5fJHNrLAFdimuSXQ2MQ4lA7SQW5bf/HbsXuV2VrT/jN/M8f/KoWt0uJMGN4k/j7Opx4AvOOxSew==
dependencies:
cross-spawn "^6.0.5"
"@expo/spawn-async@^1.5.0", "@expo/spawn-async@^1.7.2":
version "1.7.2"
- resolved "https://registry.npmjs.org/@expo/spawn-async/-/spawn-async-1.7.2.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/spawn-async/-/spawn-async-1.7.2.tgz#fcfe66c3e387245e72154b1a7eae8cada6a47f58"
integrity sha512-QdWi16+CHB9JYP7gma19OVVg0BFkvU8zNj9GjWorYI8Iv8FUxjOCcYRuAmX4s/h91e4e7BPsskc8cSrZYho9Ew==
dependencies:
cross-spawn "^7.0.3"
"@expo/vector-icons@^14.0.0":
version "14.0.0"
- resolved "https://registry.npmjs.org/@expo/vector-icons/-/vector-icons-14.0.0.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/vector-icons/-/vector-icons-14.0.0.tgz#48ce0aa5c05873b07c0c78bfe16c870388f4de9a"
integrity sha512-5orm59pdnBQlovhU9k4DbjMUZBHNlku7IRgFY56f7pcaaCnXq9yaLJoOQl9sMwNdFzf4gnkTyHmR5uN10mI9rA==
"@expo/xcpretty@^4.3.0":
version "4.3.1"
- resolved "https://registry.npmjs.org/@expo/xcpretty/-/xcpretty-4.3.1.tgz"
+ resolved "https://registry.yarnpkg.com/@expo/xcpretty/-/xcpretty-4.3.1.tgz#e0a6a92d1e46ab5ac5e90d9a8e66ac1a2a2f5920"
integrity sha512-sqXgo1SCv+j4VtYEwl/bukuOIBrVgx6euIoCat3Iyx5oeoXwEA2USCoeL0IPubflMxncA2INkqJ/Wr3NGrSgzw==
dependencies:
"@babel/code-frame" "7.10.4"
@@ -1755,7 +1670,7 @@
"@gar/promisify@^1.0.1":
version "1.1.3"
- resolved "https://registry.npmjs.org/@gar/promisify/-/promisify-1.1.3.tgz"
+ resolved "https://registry.yarnpkg.com/@gar/promisify/-/promisify-1.1.3.tgz#555193ab2e3bb3b6adc3d551c9c030d9e860daf6"
integrity sha512-k2Ty1JcVojjJFwrg/ThKi2ujJ7XNLYaFGNB/bWT9wGR+oSMJHMa5w+CUq6p/pVrKeNNgA7pCqEcjSnHVoqJQFw==
"@gorhom/bottom-sheet@^4":
@@ -1775,24 +1690,24 @@
"@graphql-typed-document-node/core@^3.1.0":
version "3.2.0"
- resolved "https://registry.npmjs.org/@graphql-typed-document-node/core/-/core-3.2.0.tgz"
+ resolved "https://registry.yarnpkg.com/@graphql-typed-document-node/core/-/core-3.2.0.tgz#5f3d96ec6b2354ad6d8a28bf216a1d97b5426861"
integrity sha512-mB9oAsNCm9aM3/SOv4YtBMqZbYj10R7dkq8byBqxGY/ncFwhf2oQzMV+LCRlWoDSEBJ3COiR1yeDvMtsoOsuFQ==
"@hapi/hoek@^9.0.0", "@hapi/hoek@^9.3.0":
version "9.3.0"
- resolved "https://registry.npmjs.org/@hapi/hoek/-/hoek-9.3.0.tgz"
+ resolved "https://registry.yarnpkg.com/@hapi/hoek/-/hoek-9.3.0.tgz#8368869dcb735be2e7f5cb7647de78e167a251fb"
integrity sha512-/c6rf4UJlmHlC9b5BaNvzAcFv7HZ2QHaV0D4/HNlBdvFnvQq8RI4kYdhyPCl7Xj+oWvTWQ8ujhqS53LIgAe6KQ==
"@hapi/topo@^5.1.0":
version "5.1.0"
- resolved "https://registry.npmjs.org/@hapi/topo/-/topo-5.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@hapi/topo/-/topo-5.1.0.tgz#dc448e332c6c6e37a4dc02fd84ba8d44b9afb012"
integrity sha512-foQZKJig7Ob0BMAYBfcJk8d77QtOe7Wo4ox7ff1lQYoNNAb6jwcY1ncdoy2e9wQZzvNy7ODZCYJkK8kzmcAnAg==
dependencies:
"@hapi/hoek" "^9.0.0"
"@humanwhocodes/config-array@^0.11.14":
version "0.11.14"
- resolved "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.11.14.tgz"
+ resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.11.14.tgz#d78e481a039f7566ecc9660b4ea7fe6b1fec442b"
integrity sha512-3T8LkOmg45BV5FICb15QQMsyUSWrQ8AygVfC7ZG32zOalnqrilm018ZVCw0eapXux8FtA33q8PSRSstjee3jSg==
dependencies:
"@humanwhocodes/object-schema" "^2.0.2"
@@ -1801,17 +1716,17 @@
"@humanwhocodes/module-importer@^1.0.1":
version "1.0.1"
- resolved "https://registry.npmjs.org/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz"
+ resolved "https://registry.yarnpkg.com/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz#af5b2691a22b44be847b0ca81641c5fb6ad0172c"
integrity sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==
"@humanwhocodes/object-schema@^2.0.2":
- version "2.0.2"
- resolved "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-2.0.2.tgz"
- integrity sha512-6EwiSjwWYP7pTckG6I5eyFANjPhmPjUX9JRLUSfNPC7FX7zK9gyZAfUEaECL6ALTpGX5AjnBq3C9XmVWPitNpw==
+ version "2.0.3"
+ resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-2.0.3.tgz#4a2868d75d6d6963e423bcf90b7fd1be343409d3"
+ integrity sha512-93zYdMES/c1D69yZiKDBj0V24vqNzB/koF26KPaagAfd3P/4gUlh3Dys5ogAK+Exi9QyzlD8x/08Zt7wIKcDcA==
"@isaacs/cliui@^8.0.2":
version "8.0.2"
- resolved "https://registry.npmjs.org/@isaacs/cliui/-/cliui-8.0.2.tgz"
+ resolved "https://registry.yarnpkg.com/@isaacs/cliui/-/cliui-8.0.2.tgz#b37667b7bc181c168782259bab42474fbf52b550"
integrity sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==
dependencies:
string-width "^5.1.2"
@@ -1823,12 +1738,12 @@
"@isaacs/ttlcache@^1.4.1":
version "1.4.1"
- resolved "https://registry.npmjs.org/@isaacs/ttlcache/-/ttlcache-1.4.1.tgz"
+ resolved "https://registry.yarnpkg.com/@isaacs/ttlcache/-/ttlcache-1.4.1.tgz#21fb23db34e9b6220c6ba023a0118a2dd3461ea2"
integrity sha512-RQgQ4uQ+pLbqXfOmieB91ejmLwvSgv9nLx6sT6sD83s7umBypgg+OIBOBbEUiJXrfpnp9j0mRhYYdzp9uqq3lA==
"@istanbuljs/load-nyc-config@^1.0.0":
version "1.1.0"
- resolved "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz#fd3db1d59ecf7cf121e80650bb86712f9b55eced"
integrity sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==
dependencies:
camelcase "^5.3.1"
@@ -1839,12 +1754,12 @@
"@istanbuljs/schema@^0.1.2", "@istanbuljs/schema@^0.1.3":
version "0.1.3"
- resolved "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz"
+ resolved "https://registry.yarnpkg.com/@istanbuljs/schema/-/schema-0.1.3.tgz#e45e384e4b8ec16bce2fd903af78450f6bf7ec98"
integrity sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==
"@jest/console@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/console/-/console-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/console/-/console-29.7.0.tgz#cd4822dbdb84529265c5a2bdb529a3c9cc950ffc"
integrity sha512-5Ni4CU7XHQi32IJ398EEP4RrB8eV09sXP2ROqD4bksHrnTree52PsxvX8tpL8LvTZ3pFzXyPbNQReSN41CAhOg==
dependencies:
"@jest/types" "^29.6.3"
@@ -1856,7 +1771,7 @@
"@jest/core@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/core/-/core-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/core/-/core-29.7.0.tgz#b6cccc239f30ff36609658c5a5e2291757ce448f"
integrity sha512-n7aeXWKMnGtDA48y8TLWJPJmLmmZ642Ceo78cYWEpiD7FzDgmNDV/GCVRorPABdXLJZ/9wzzgZAlHjXjxDHGsg==
dependencies:
"@jest/console" "^29.7.0"
@@ -1890,14 +1805,14 @@
"@jest/create-cache-key-function@^29.2.1", "@jest/create-cache-key-function@^29.6.3":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/create-cache-key-function/-/create-cache-key-function-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/create-cache-key-function/-/create-cache-key-function-29.7.0.tgz#793be38148fab78e65f40ae30c36785f4ad859f0"
integrity sha512-4QqS3LY5PBmTRHj9sAg1HLoPzqAI0uOX6wI/TRqHIcOxlFidy6YEmCQJk6FSZjNLGCeubDMfmkWL+qaLKhSGQA==
dependencies:
"@jest/types" "^29.6.3"
"@jest/environment@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/environment/-/environment-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/environment/-/environment-29.7.0.tgz#24d61f54ff1f786f3cd4073b4b94416383baf2a7"
integrity sha512-aQIfHDq33ExsN4jP1NWGXhxgQ/wixs60gDiKO+XVMd8Mn0NWPWgc34ZQDTb2jKaUWQ7MuwoitXAsN2XVXNMpAw==
dependencies:
"@jest/fake-timers" "^29.7.0"
@@ -1907,14 +1822,14 @@
"@jest/expect-utils@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/expect-utils/-/expect-utils-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/expect-utils/-/expect-utils-29.7.0.tgz#023efe5d26a8a70f21677d0a1afc0f0a44e3a1c6"
integrity sha512-GlsNBWiFQFCVi9QVSx7f5AgMeLxe9YCCs5PuP2O2LdjDAA8Jh9eX7lA1Jq/xdXw3Wb3hyvlFNfZIfcRetSzYcA==
dependencies:
jest-get-type "^29.6.3"
"@jest/expect@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/expect/-/expect-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/expect/-/expect-29.7.0.tgz#76a3edb0cb753b70dfbfe23283510d3d45432bf2"
integrity sha512-8uMeAMycttpva3P1lBHB8VciS9V0XAr3GymPpipdyQXbBcuhkLQOSe8E/p92RyAdToS6ZD1tFkX+CkhoECE0dQ==
dependencies:
expect "^29.7.0"
@@ -1922,7 +1837,7 @@
"@jest/fake-timers@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/fake-timers/-/fake-timers-29.7.0.tgz#fd91bf1fffb16d7d0d24a426ab1a47a49881a565"
integrity sha512-q4DH1Ha4TTFPdxLsqDXK1d3+ioSL7yL5oCMJZgDYm6i+6CygW5E5xVr/D1HdsGxjt1ZWSfUAs9OxSB/BNelWrQ==
dependencies:
"@jest/types" "^29.6.3"
@@ -1934,7 +1849,7 @@
"@jest/globals@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/globals/-/globals-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/globals/-/globals-29.7.0.tgz#8d9290f9ec47ff772607fa864ca1d5a2efae1d4d"
integrity sha512-mpiz3dutLbkW2MNFubUGUEVLkTGiqW6yLVTA+JbP6fI6J5iL9Y0Nlg8k95pcF8ctKwCS7WVxteBs29hhfAotzQ==
dependencies:
"@jest/environment" "^29.7.0"
@@ -1944,7 +1859,7 @@
"@jest/reporters@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/reporters/-/reporters-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/reporters/-/reporters-29.7.0.tgz#04b262ecb3b8faa83b0b3d321623972393e8f4c7"
integrity sha512-DApq0KJbJOEzAFYjHADNNxAE3KbhxQB1y5Kplb5Waqw6zVbuWatSnMjE5gs8FUgEPmNsnZA3NCWl9NG0ia04Pg==
dependencies:
"@bcoe/v8-coverage" "^0.2.3"
@@ -1974,14 +1889,14 @@
"@jest/schemas@^29.6.3":
version "29.6.3"
- resolved "https://registry.npmjs.org/@jest/schemas/-/schemas-29.6.3.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/schemas/-/schemas-29.6.3.tgz#430b5ce8a4e0044a7e3819663305a7b3091c8e03"
integrity sha512-mo5j5X+jIZmJQveBKeS/clAueipV7KgiX1vMgCxam1RNYiqE1w62n0/tJJnHtjW8ZHcQco5gY85jA3mi0L+nSA==
dependencies:
"@sinclair/typebox" "^0.27.8"
"@jest/source-map@^29.6.3":
version "29.6.3"
- resolved "https://registry.npmjs.org/@jest/source-map/-/source-map-29.6.3.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/source-map/-/source-map-29.6.3.tgz#d90ba772095cf37a34a5eb9413f1b562a08554c4"
integrity sha512-MHjT95QuipcPrpLM+8JMSzFx6eHp5Bm+4XeFDJlwsvVBjmKNiIAvasGK2fxz2WbGRlnvqehFbh07MMa7n3YJnw==
dependencies:
"@jridgewell/trace-mapping" "^0.3.18"
@@ -1990,7 +1905,7 @@
"@jest/test-result@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/test-result/-/test-result-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/test-result/-/test-result-29.7.0.tgz#8db9a80aa1a097bb2262572686734baed9b1657c"
integrity sha512-Fdx+tv6x1zlkJPcWXmMDAG2HBnaR9XPSd5aDWQVsfrZmLVT3lU1cwyxLgRmXR9yrq4NBoEm9BMsfgFzTQAbJYA==
dependencies:
"@jest/console" "^29.7.0"
@@ -2000,7 +1915,7 @@
"@jest/test-sequencer@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/test-sequencer/-/test-sequencer-29.7.0.tgz#6cef977ce1d39834a3aea887a1726628a6f072ce"
integrity sha512-GQwJ5WZVrKnOJuiYiAF52UNUJXgTZx1NHjFSEB0qEMmSZKAkdMoIzw/Cj6x6NF4AvV23AUqDpFzQkN/eYCYTxw==
dependencies:
"@jest/test-result" "^29.7.0"
@@ -2010,7 +1925,7 @@
"@jest/transform@^29.7.0":
version "29.7.0"
- resolved "https://registry.npmjs.org/@jest/transform/-/transform-29.7.0.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/transform/-/transform-29.7.0.tgz#df2dd9c346c7d7768b8a06639994640c642e284c"
integrity sha512-ok/BTPFzFKVMwO5eOHRrvnBVHdRy9IrsrW1GpMaQ9MCnilNLXQKmAX8s1YXDFaai9xJpac2ySzV0YeRRECr2Vw==
dependencies:
"@babel/core" "^7.11.6"
@@ -2031,7 +1946,7 @@
"@jest/types@^26.6.2":
version "26.6.2"
- resolved "https://registry.npmjs.org/@jest/types/-/types-26.6.2.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/types/-/types-26.6.2.tgz#bef5a532030e1d88a2f5a6d933f84e97226ed48e"
integrity sha512-fC6QCp7Sc5sX6g8Tvbmj4XUTbyrik0akgRy03yjXbQaBWWNWGE7SGtJk98m0N8nzegD/7SggrUlivxo5ax4KWQ==
dependencies:
"@types/istanbul-lib-coverage" "^2.0.0"
@@ -2042,7 +1957,7 @@
"@jest/types@^29.6.3":
version "29.6.3"
- resolved "https://registry.npmjs.org/@jest/types/-/types-29.6.3.tgz"
+ resolved "https://registry.yarnpkg.com/@jest/types/-/types-29.6.3.tgz#1131f8cf634e7e84c5e77bab12f052af585fba59"
integrity sha512-u3UPsIilWKOM3F9CXtrG8LEJmNxwoCQC/XVj4IKYXvvpx7QIi/Kg1LI5uDmDpKlac62NUtX7eLjRh+jVZcLOzw==
dependencies:
"@jest/schemas" "^29.6.3"
@@ -2052,16 +1967,7 @@
"@types/yargs" "^17.0.8"
chalk "^4.0.0"
-"@jridgewell/gen-mapping@^0.3.0", "@jridgewell/gen-mapping@^0.3.2":
- version "0.3.3"
- resolved "https://registry.yarnpkg.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.3.tgz#7e02e6eb5df901aaedb08514203b096614024098"
- integrity sha512-HLhSWOLRi875zjjMG/r+Nv0oCW8umGb0BgEhyX3dDX3egwZtB8PqLnjz3yedt8R5StBrzcg4aBpnh8UA9D1BoQ==
- dependencies:
- "@jridgewell/set-array" "^1.0.1"
- "@jridgewell/sourcemap-codec" "^1.4.10"
- "@jridgewell/trace-mapping" "^0.3.9"
-
-"@jridgewell/gen-mapping@^0.3.5":
+"@jridgewell/gen-mapping@^0.3.2", "@jridgewell/gen-mapping@^0.3.5":
version "0.3.5"
resolved "https://registry.yarnpkg.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.5.tgz#dcce6aff74bdf6dad1a95802b69b04a2fcb1fb36"
integrity sha512-IzL8ZoEDIBRWEzlCcRhOaCupYyN5gdIK+Q6fbFdPDg6HqX6jpkItn7DFIpW9LQzXG6Df9sA7+OKnq0qlz/GaQg==
@@ -2072,41 +1978,28 @@
"@jridgewell/resolve-uri@^3.1.0":
version "3.1.2"
- resolved "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz"
+ resolved "https://registry.yarnpkg.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz#7a0ee601f60f99a20c7c7c5ff0c80388c1189bd6"
integrity sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==
-"@jridgewell/set-array@^1.0.1":
- version "1.1.2"
- resolved "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.1.2.tgz"
- integrity sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==
-
"@jridgewell/set-array@^1.2.1":
version "1.2.1"
resolved "https://registry.yarnpkg.com/@jridgewell/set-array/-/set-array-1.2.1.tgz#558fb6472ed16a4c850b889530e6b36438c49280"
integrity sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==
"@jridgewell/source-map@^0.3.3":
- version "0.3.5"
- resolved "https://registry.npmjs.org/@jridgewell/source-map/-/source-map-0.3.5.tgz"
- integrity sha512-UTYAUj/wviwdsMfzoSJspJxbkH5o1snzwX0//0ENX1u/55kkZZkcTZP6u9bwKGkv+dkk9at4m1Cpt0uY80kcpQ==
+ version "0.3.6"
+ resolved "https://registry.yarnpkg.com/@jridgewell/source-map/-/source-map-0.3.6.tgz#9d71ca886e32502eb9362c9a74a46787c36df81a"
+ integrity sha512-1ZJTZebgqllO79ue2bm3rIGud/bOe0pP5BjSRCRxxYkEZS8STV7zN84UBbiYu7jy+eCKSnVIUgoWWE/tt+shMQ==
dependencies:
- "@jridgewell/gen-mapping" "^0.3.0"
- "@jridgewell/trace-mapping" "^0.3.9"
+ "@jridgewell/gen-mapping" "^0.3.5"
+ "@jridgewell/trace-mapping" "^0.3.25"
"@jridgewell/sourcemap-codec@^1.4.10", "@jridgewell/sourcemap-codec@^1.4.14":
version "1.4.15"
- resolved "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.15.tgz"
+ resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.15.tgz#d7c6e6755c78567a951e04ab52ef0fd26de59f32"
integrity sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==
-"@jridgewell/trace-mapping@^0.3.12", "@jridgewell/trace-mapping@^0.3.18", "@jridgewell/trace-mapping@^0.3.9":
- version "0.3.22"
- resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.22.tgz#72a621e5de59f5f1ef792d0793a82ee20f645e4c"
- integrity sha512-Wf963MzWtA2sjrNt+g18IAln9lKnlRp+K2eH4jjIoF1wYeq3aMREpG09xhlhdzS0EjwU7qmUJYangWa+151vZw==
- dependencies:
- "@jridgewell/resolve-uri" "^3.1.0"
- "@jridgewell/sourcemap-codec" "^1.4.14"
-
-"@jridgewell/trace-mapping@^0.3.24", "@jridgewell/trace-mapping@^0.3.25":
+"@jridgewell/trace-mapping@^0.3.12", "@jridgewell/trace-mapping@^0.3.18", "@jridgewell/trace-mapping@^0.3.24", "@jridgewell/trace-mapping@^0.3.25":
version "0.3.25"
resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz#15f190e98895f3fc23276ee14bc76b675c2e50f0"
integrity sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==
@@ -2116,14 +2009,14 @@
"@nicolo-ribaudo/eslint-scope-5-internals@5.1.1-v1":
version "5.1.1-v1"
- resolved "https://registry.npmjs.org/@nicolo-ribaudo/eslint-scope-5-internals/-/eslint-scope-5-internals-5.1.1-v1.tgz"
+ resolved "https://registry.yarnpkg.com/@nicolo-ribaudo/eslint-scope-5-internals/-/eslint-scope-5-internals-5.1.1-v1.tgz#dbf733a965ca47b1973177dc0bb6c889edcfb129"
integrity sha512-54/JRvkLIzzDWshCWfuhadfrfZVPiElY8Fcgmg1HroEly/EDSszzhBAsarCux+D/kOslTRquNzuyGSmUSTTHGg==
dependencies:
eslint-scope "5.1.1"
"@nodelib/fs.scandir@2.1.5":
version "2.1.5"
- resolved "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz"
+ resolved "https://registry.yarnpkg.com/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz#7619c2eb21b25483f6d167548b4cfd5a7488c3d5"
integrity sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==
dependencies:
"@nodelib/fs.stat" "2.0.5"
@@ -2131,12 +2024,12 @@
"@nodelib/fs.stat@2.0.5", "@nodelib/fs.stat@^2.0.2":
version "2.0.5"
- resolved "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz"
+ resolved "https://registry.yarnpkg.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz#5bd262af94e9d25bd1e71b05deed44876a222e8b"
integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==
"@nodelib/fs.walk@^1.2.3", "@nodelib/fs.walk@^1.2.8":
version "1.2.8"
- resolved "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz"
+ resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz#e95737e8bb6746ddedf69c556953494f196fe69a"
integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==
dependencies:
"@nodelib/fs.scandir" "2.1.5"
@@ -2144,7 +2037,7 @@
"@npmcli/fs@^1.0.0":
version "1.1.1"
- resolved "https://registry.npmjs.org/@npmcli/fs/-/fs-1.1.1.tgz"
+ resolved "https://registry.yarnpkg.com/@npmcli/fs/-/fs-1.1.1.tgz#72f719fe935e687c56a4faecf3c03d06ba593257"
integrity sha512-8KG5RD0GVP4ydEzRn/I4BNDuxDtqVbOdm8675T49OIG/NGhaK0pjPX7ZcDlvKYbA+ulvVK3ztfcF4uBdOxuJbQ==
dependencies:
"@gar/promisify" "^1.0.1"
@@ -2152,7 +2045,7 @@
"@npmcli/move-file@^1.0.1":
version "1.1.2"
- resolved "https://registry.npmjs.org/@npmcli/move-file/-/move-file-1.1.2.tgz"
+ resolved "https://registry.yarnpkg.com/@npmcli/move-file/-/move-file-1.1.2.tgz#1a82c3e372f7cae9253eb66d72543d6b8685c674"
integrity sha512-1SUf/Cg2GzGDyaf15aR9St9TWlb+XvbZXWpDx8YKs7MLzMH/BCeopv+y9vzrzgkfykCGuWOlSu3mZhj2+FQcrg==
dependencies:
mkdirp "^1.0.4"
@@ -2160,7 +2053,7 @@
"@pkgjs/parseargs@^0.11.0":
version "0.11.0"
- resolved "https://registry.npmjs.org/@pkgjs/parseargs/-/parseargs-0.11.0.tgz"
+ resolved "https://registry.yarnpkg.com/@pkgjs/parseargs/-/parseargs-0.11.0.tgz#a77ea742fab25775145434eb1d2328cf5013ac33"
integrity sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==
"@pkgr/core@^0.1.0":
@@ -2170,14 +2063,14 @@
"@radix-ui/react-compose-refs@1.0.0":
version "1.0.0"
- resolved "https://registry.npmjs.org/@radix-ui/react-compose-refs/-/react-compose-refs-1.0.0.tgz"
+ resolved "https://registry.yarnpkg.com/@radix-ui/react-compose-refs/-/react-compose-refs-1.0.0.tgz#37595b1f16ec7f228d698590e78eeed18ff218ae"
integrity sha512-0KaSv6sx787/hK3eF53iOkiSLwAGlFMx5lotrqD2pTjB18KbybKoEIgkNZTKC60YECDQTKGTRcDBILwZVqVKvA==
dependencies:
"@babel/runtime" "^7.13.10"
"@radix-ui/react-slot@1.0.1":
version "1.0.1"
- resolved "https://registry.npmjs.org/@radix-ui/react-slot/-/react-slot-1.0.1.tgz"
+ resolved "https://registry.yarnpkg.com/@radix-ui/react-slot/-/react-slot-1.0.1.tgz#e7868c669c974d649070e9ecbec0b367ee0b4d81"
integrity sha512-avutXAFL1ehGvAXtPquu0YK5oz6ctS474iM3vNGQIkswrVhdrS52e3uoMQBzZhNRAIE0jBnUyXWNmSjGHhCFcw==
dependencies:
"@babel/runtime" "^7.13.10"
@@ -2336,7 +2229,7 @@
"@react-native-community/eslint-config@^3.2.0":
version "3.2.0"
- resolved "https://registry.npmjs.org/@react-native-community/eslint-config/-/eslint-config-3.2.0.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native-community/eslint-config/-/eslint-config-3.2.0.tgz#42f677d5fff385bccf1be1d3b8faa8c086cf998d"
integrity sha512-ZjGvoeiBtCbd506hQqwjKmkWPgynGUoJspG8/MuV/EfKnkjCtBmeJvq2n+sWbWEvL9LWXDp2GJmPzmvU5RSvKQ==
dependencies:
"@babel/core" "^7.14.0"
@@ -2355,29 +2248,34 @@
"@react-native-community/eslint-plugin@^1.1.0":
version "1.3.0"
- resolved "https://registry.npmjs.org/@react-native-community/eslint-plugin/-/eslint-plugin-1.3.0.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native-community/eslint-plugin/-/eslint-plugin-1.3.0.tgz#9e558170c106bbafaa1ef502bd8e6d4651012bf9"
integrity sha512-+zDZ20NUnSWghj7Ku5aFphMzuM9JulqCW+aPXT6IfIXFbb8tzYTTOSeRFOtuekJ99ibW2fUCSsjuKNlwDIbHFg==
-"@react-native-menu/menu@^0.9.1":
- version "0.9.1"
- resolved "https://registry.yarnpkg.com/@react-native-menu/menu/-/menu-0.9.1.tgz#aff9f327938dbb7dc44eeabc00da4d2d8e1a4222"
- integrity sha512-PdZoN1P72ESQ7UTzm5YI4W+87KU5mv7vVJ3GsQVRtnrzzuVskfp5E9ds1biGClcTieXAdIZ7hvPD1HHHZPobdg==
+"@react-native-community/masked-view@^0.1.11":
+ version "0.1.11"
+ resolved "https://registry.yarnpkg.com/@react-native-community/masked-view/-/masked-view-0.1.11.tgz#2f4c6e10bee0786abff4604e39a37ded6f3980ce"
+ integrity sha512-rQfMIGSR/1r/SyN87+VD8xHHzDYeHaJq6elOSCAD+0iLagXkSI2pfA0LmSXP21uw5i3em7GkkRjfJ8wpqWXZNw==
+
+"@react-native-menu/menu@^1.0.0":
+ version "1.0.0"
+ resolved "https://registry.yarnpkg.com/@react-native-menu/menu/-/menu-1.0.0.tgz#10a7ef82752bd0a297c5d1886e22d47f0cf2900a"
+ integrity sha512-DFtREX4I4w4Vh89ohnhvxzYtf4iPmJVILpTbpBOx0iDuVO94NFF1pqtULdlhzdqeJlyuE1FwTlBifziD9ZBx6g==
"@react-native/assets-registry@0.73.1", "@react-native/assets-registry@~0.73.1":
version "0.73.1"
- resolved "https://registry.npmjs.org/@react-native/assets-registry/-/assets-registry-0.73.1.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/assets-registry/-/assets-registry-0.73.1.tgz#e2a6b73b16c183a270f338dc69c36039b3946e85"
integrity sha512-2FgAbU7uKM5SbbW9QptPPZx8N9Ke2L7bsHb+EhAanZjFZunA9PaYtyjUQ1s7HD+zDVqOQIvjkpXSv7Kejd2tqg==
"@react-native/babel-plugin-codegen@0.73.4":
version "0.73.4"
- resolved "https://registry.npmjs.org/@react-native/babel-plugin-codegen/-/babel-plugin-codegen-0.73.4.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/babel-plugin-codegen/-/babel-plugin-codegen-0.73.4.tgz#8a2037d5585b41877611498ae66adbf1dddfec1b"
integrity sha512-XzRd8MJGo4Zc5KsphDHBYJzS1ryOHg8I2gOZDAUCGcwLFhdyGu1zBNDJYH2GFyDrInn9TzAbRIf3d4O+eltXQQ==
dependencies:
"@react-native/codegen" "0.73.3"
"@react-native/babel-preset@0.73.21", "@react-native/babel-preset@^0.73.18":
version "0.73.21"
- resolved "https://registry.npmjs.org/@react-native/babel-preset/-/babel-preset-0.73.21.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/babel-preset/-/babel-preset-0.73.21.tgz#174c16493fa4e311b2f5f0c58d4f3c6a5a68bbea"
integrity sha512-WlFttNnySKQMeujN09fRmrdWqh46QyJluM5jdtDNrkl/2Hx6N4XeDUGhABvConeK95OidVO7sFFf7sNebVXogA==
dependencies:
"@babel/core" "^7.20.0"
@@ -2425,7 +2323,7 @@
"@react-native/codegen@0.73.3":
version "0.73.3"
- resolved "https://registry.npmjs.org/@react-native/codegen/-/codegen-0.73.3.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/codegen/-/codegen-0.73.3.tgz#cc984a8b17334d986cc600254a0d4b7fa7d68a94"
integrity sha512-sxslCAAb8kM06vGy9Jyh4TtvjhcP36k/rvj2QE2Jdhdm61KvfafCATSIsOfc0QvnduWFcpXUPvAVyYwuv7PYDg==
dependencies:
"@babel/parser" "^7.20.0"
@@ -2455,7 +2353,7 @@
"@react-native/debugger-frontend@0.73.3":
version "0.73.3"
- resolved "https://registry.npmjs.org/@react-native/debugger-frontend/-/debugger-frontend-0.73.3.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/debugger-frontend/-/debugger-frontend-0.73.3.tgz#033757614d2ada994c68a1deae78c1dd2ad33c2b"
integrity sha512-RgEKnWuoo54dh7gQhV7kvzKhXZEhpF9LlMdZolyhGxHsBqZ2gXdibfDlfcARFFifPIiaZ3lXuOVVa4ei+uPgTw==
"@react-native/dev-middleware@0.73.8", "@react-native/dev-middleware@^0.73.6":
@@ -2477,12 +2375,12 @@
"@react-native/gradle-plugin@0.73.4":
version "0.73.4"
- resolved "https://registry.npmjs.org/@react-native/gradle-plugin/-/gradle-plugin-0.73.4.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/gradle-plugin/-/gradle-plugin-0.73.4.tgz#aa55784a8c2b471aa89934db38c090d331baf23b"
integrity sha512-PMDnbsZa+tD55Ug+W8CfqXiGoGneSSyrBZCMb5JfiB3AFST3Uj5e6lw8SgI/B6SKZF7lG0BhZ6YHZsRZ5MlXmg==
"@react-native/js-polyfills@0.73.1":
version "0.73.1"
- resolved "https://registry.npmjs.org/@react-native/js-polyfills/-/js-polyfills-0.73.1.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/js-polyfills/-/js-polyfills-0.73.1.tgz#730b0a7aaab947ae6f8e5aa9d995e788977191ed"
integrity sha512-ewMwGcumrilnF87H4jjrnvGZEaPFCAC4ebraEK+CurDDmwST/bIicI4hrOAv+0Z0F7DEK4O4H7r8q9vH7IbN4g==
"@react-native/metro-babel-transformer@0.73.15":
@@ -2497,28 +2395,28 @@
"@react-native/normalize-color@^2.0.0", "@react-native/normalize-color@^2.1.0":
version "2.1.0"
- resolved "https://registry.npmjs.org/@react-native/normalize-color/-/normalize-color-2.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/normalize-color/-/normalize-color-2.1.0.tgz#939b87a9849e81687d3640c5efa2a486ac266f91"
integrity sha512-Z1jQI2NpdFJCVgpY+8Dq/Bt3d+YUi1928Q+/CZm/oh66fzM0RUl54vvuXlPJKybH4pdCZey1eDTPaLHkMPNgWA==
"@react-native/normalize-colors@0.73.2", "@react-native/normalize-colors@^0.73.0":
version "0.73.2"
- resolved "https://registry.npmjs.org/@react-native/normalize-colors/-/normalize-colors-0.73.2.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/normalize-colors/-/normalize-colors-0.73.2.tgz#cc8e48fbae2bbfff53e12f209369e8d2e4cf34ec"
integrity sha512-bRBcb2T+I88aG74LMVHaKms2p/T8aQd8+BZ7LuuzXlRfog1bMWWn/C5i0HVuvW4RPtXQYgIlGiXVDy9Ir1So/w==
"@react-native/virtualized-lists@0.73.4":
version "0.73.4"
- resolved "https://registry.npmjs.org/@react-native/virtualized-lists/-/virtualized-lists-0.73.4.tgz"
+ resolved "https://registry.yarnpkg.com/@react-native/virtualized-lists/-/virtualized-lists-0.73.4.tgz#640e594775806f63685435b5d9c3d05c378ccd8c"
integrity sha512-HpmLg1FrEiDtrtAbXiwCgXFYyloK/dOIPIuWW3fsqukwJEWAiTzm1nXGJ7xPU5XTHiWZ4sKup5Ebaj8z7iyWog==
dependencies:
invariant "^2.2.4"
nullthrows "^1.1.1"
"@react-navigation/bottom-tabs@~6.5.7":
- version "6.5.12"
- resolved "https://registry.yarnpkg.com/@react-navigation/bottom-tabs/-/bottom-tabs-6.5.12.tgz#73adce8b147debe909985257bf436757894e99f6"
- integrity sha512-8gBHHvgmJSRGfQ5fcFUgDFcXj1MzDzEZJ/llDYvcSb6ZxgN5xVq+4oVkwPMxOM6v+Qm2nKvXiUKuB/YydhzpLw==
+ version "6.5.20"
+ resolved "https://registry.yarnpkg.com/@react-navigation/bottom-tabs/-/bottom-tabs-6.5.20.tgz#5335e75b02c527ef0569bd97d4f9185d65616e49"
+ integrity sha512-ow6Z06iS4VqBO8d7FP+HsGjJLWt2xTWIvuWjpoCvsM/uQXzCRDIjBv9HaKcXbF0yTW7IMir0oDAbU5PFzEDdgA==
dependencies:
- "@react-navigation/elements" "^1.3.22"
+ "@react-navigation/elements" "^1.3.30"
color "^4.2.3"
warn-once "^0.1.0"
@@ -2534,17 +2432,17 @@
react-is "^16.13.0"
use-latest-callback "^0.1.9"
-"@react-navigation/elements@^1.3.22":
- version "1.3.29"
- resolved "https://registry.yarnpkg.com/@react-navigation/elements/-/elements-1.3.29.tgz#1dcbd95c319a8990d66e2aef8e108198d7a93cb2"
- integrity sha512-sMkqqQHlxdBxrBVw6E2a3LJjb9Hrb1ola8+zRgJn4Ox8iKtjqtWEdg349DPWU77VpIekcMLsqQvEtZox3XkXgA==
+"@react-navigation/elements@^1.3.30":
+ version "1.3.30"
+ resolved "https://registry.yarnpkg.com/@react-navigation/elements/-/elements-1.3.30.tgz#a81371f599af1070b12014f05d6c09b1a611fd9a"
+ integrity sha512-plhc8UvCZs0UkV+sI+3bisIyn78wz9O/BiWZXpounu72k/R/Sj5PuZYFJ1fi6psvriUveMCGh4LeZckAZu2qiQ==
"@react-navigation/native-stack@~6.9.12":
- version "6.9.18"
- resolved "https://registry.yarnpkg.com/@react-navigation/native-stack/-/native-stack-6.9.18.tgz#60380b058bf916f69db46cdb32b3127d0589f055"
- integrity sha512-PSe0qjROy8zD78ehW048NSuzWRktioSCJmB8LzWSR65ndgVaC2rO+xvgyjhHjqm01YdyVM1XTct2EorSjDV2Ow==
+ version "6.9.26"
+ resolved "https://registry.yarnpkg.com/@react-navigation/native-stack/-/native-stack-6.9.26.tgz#90facf7783c9927f094bc9f01c613af75b6c241e"
+ integrity sha512-++dueQ+FDj2XkZ902DVrK79ub1vp19nSdAZWxKRgd6+Bc0Niiesua6rMCqymYOVaYh+dagwkA9r00bpt/U5WLw==
dependencies:
- "@react-navigation/elements" "^1.3.22"
+ "@react-navigation/elements" "^1.3.30"
warn-once "^0.1.0"
"@react-navigation/native@^6.1.17", "@react-navigation/native@~6.1.6":
@@ -2559,14 +2457,23 @@
"@react-navigation/routers@^6.1.9":
version "6.1.9"
- resolved "https://registry.npmjs.org/@react-navigation/routers/-/routers-6.1.9.tgz"
+ resolved "https://registry.yarnpkg.com/@react-navigation/routers/-/routers-6.1.9.tgz#73f5481a15a38e36592a0afa13c3c064b9f90bed"
integrity sha512-lTM8gSFHSfkJvQkxacGM6VJtBt61ip2XO54aNfswD+KMw6eeZ4oehl7m0me3CR9hnDE4+60iAZR8sAhvCiI3NA==
dependencies:
nanoid "^3.1.23"
+"@react-navigation/stack@^6.3.29":
+ version "6.3.29"
+ resolved "https://registry.yarnpkg.com/@react-navigation/stack/-/stack-6.3.29.tgz#b03b2f2baa36c06e4c9e8c7da80d62f83ad0b835"
+ integrity sha512-tzlGkoRgB6P7vgw7rHuWo3TL7Gzu6xh5LMf+zSdCuEiKp/qASzxYfnTEr9tOLbVs/gf+qeukEDheCSAJKVpBXw==
+ dependencies:
+ "@react-navigation/elements" "^1.3.30"
+ color "^4.2.3"
+ warn-once "^0.1.0"
+
"@remix-run/node@^1.19.3":
version "1.19.3"
- resolved "https://registry.npmjs.org/@remix-run/node/-/node-1.19.3.tgz"
+ resolved "https://registry.yarnpkg.com/@remix-run/node/-/node-1.19.3.tgz#d27e2f742fc45379525cb3fca466a883ca06d6c9"
integrity sha512-z5qrVL65xLXIUpU4mkR4MKlMeKARLepgHAk4W5YY3IBXOreRqOGUC70POViYmY7x38c2Ia1NwqL80H+0h7jbMw==
dependencies:
"@remix-run/server-runtime" "1.19.3"
@@ -2581,12 +2488,12 @@
"@remix-run/router@1.7.2":
version "1.7.2"
- resolved "https://registry.npmjs.org/@remix-run/router/-/router-1.7.2.tgz"
+ resolved "https://registry.yarnpkg.com/@remix-run/router/-/router-1.7.2.tgz#cba1cf0a04bc04cb66027c51fa600e9cbc388bc8"
integrity sha512-7Lcn7IqGMV+vizMPoEl5F0XDshcdDYtMI6uJLQdQz5CfZAwy3vvGKYSUk789qndt5dEC4HfSjviSYlSoHGL2+A==
"@remix-run/server-runtime@1.19.3":
version "1.19.3"
- resolved "https://registry.npmjs.org/@remix-run/server-runtime/-/server-runtime-1.19.3.tgz"
+ resolved "https://registry.yarnpkg.com/@remix-run/server-runtime/-/server-runtime-1.19.3.tgz#206b55337c266c5bc254878f8ff3cd5677cc60fb"
integrity sha512-KzQ+htUsKqpBgKE2tWo7kIIGy3MyHP58Io/itUPvV+weDjApwr9tQr9PZDPA3yAY6rAzLax7BU0NMSYCXWFY5A==
dependencies:
"@remix-run/router" "1.7.2"
@@ -2598,7 +2505,7 @@
"@remix-run/web-blob@^3.1.0":
version "3.1.0"
- resolved "https://registry.npmjs.org/@remix-run/web-blob/-/web-blob-3.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@remix-run/web-blob/-/web-blob-3.1.0.tgz#e0c669934c1eb6028960047e57a13ed38bbfb434"
integrity sha512-owGzFLbqPH9PlKb8KvpNJ0NO74HWE2euAn61eEiyCXX/oteoVzTVSN8mpLgDjaxBf2btj5/nUllSUgpyd6IH6g==
dependencies:
"@remix-run/web-stream" "^1.1.0"
@@ -2606,7 +2513,7 @@
"@remix-run/web-fetch@^4.3.6":
version "4.4.2"
- resolved "https://registry.npmjs.org/@remix-run/web-fetch/-/web-fetch-4.4.2.tgz"
+ resolved "https://registry.yarnpkg.com/@remix-run/web-fetch/-/web-fetch-4.4.2.tgz#ce7aedef72cc26e15060e8cf84674029f92809b6"
integrity sha512-jgKfzA713/4kAW/oZ4bC3MoLWyjModOVDjFPNseVqcJKSafgIscrYL9G50SurEYLswPuoU3HzSbO0jQCMYWHhA==
dependencies:
"@remix-run/web-blob" "^3.1.0"
@@ -2620,28 +2527,28 @@
"@remix-run/web-file@^3.0.3", "@remix-run/web-file@^3.1.0":
version "3.1.0"
- resolved "https://registry.npmjs.org/@remix-run/web-file/-/web-file-3.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@remix-run/web-file/-/web-file-3.1.0.tgz#07219021a2910e90231bc30ca1ce693d0e9d3825"
integrity sha512-dW2MNGwoiEYhlspOAXFBasmLeYshyAyhIdrlXBi06Duex5tDr3ut2LFKVj7tyHLmn8nnNwFf1BjNbkQpygC2aQ==
dependencies:
"@remix-run/web-blob" "^3.1.0"
"@remix-run/web-form-data@^3.1.0":
version "3.1.0"
- resolved "https://registry.npmjs.org/@remix-run/web-form-data/-/web-form-data-3.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@remix-run/web-form-data/-/web-form-data-3.1.0.tgz#47f9ad8ce8bf1c39ed83eab31e53967fe8e3df6a"
integrity sha512-NdeohLMdrb+pHxMQ/Geuzdp0eqPbea+Ieo8M8Jx2lGC6TBHsgHzYcBvr0LyPdPVycNRDEpWpiDdCOdCryo3f9A==
dependencies:
web-encoding "1.1.5"
"@remix-run/web-stream@^1.0.4", "@remix-run/web-stream@^1.1.0":
version "1.1.0"
- resolved "https://registry.npmjs.org/@remix-run/web-stream/-/web-stream-1.1.0.tgz"
+ resolved "https://registry.yarnpkg.com/@remix-run/web-stream/-/web-stream-1.1.0.tgz#b93a8f806c2c22204930837c44d81fdedfde079f"
integrity sha512-KRJtwrjRV5Bb+pM7zxcTJkhIqWWSy+MYsIxHK+0m5atcznsf15YwUBWHWulZerV2+vvHH1Lp1DD7pw6qKW8SgA==
dependencies:
web-streams-polyfill "^3.1.1"
"@segment/loosely-validate-event@^2.0.0":
version "2.0.0"
- resolved "https://registry.npmjs.org/@segment/loosely-validate-event/-/loosely-validate-event-2.0.0.tgz"
+ resolved "https://registry.yarnpkg.com/@segment/loosely-validate-event/-/loosely-validate-event-2.0.0.tgz#87dfc979e5b4e7b82c5f1d8b722dfd5d77644681"
integrity sha512-ZMCSfztDBqwotkl848ODgVcAmN4OItEWDCkshcKz0/W6gGSQayuuCtWV/MlodFivAZD793d6UgANd6wCXUfrIw==
dependencies:
component-type "^1.2.1"
@@ -2656,17 +2563,17 @@
"@sideway/formula@^3.0.1":
version "3.0.1"
- resolved "https://registry.npmjs.org/@sideway/formula/-/formula-3.0.1.tgz"
+ resolved "https://registry.yarnpkg.com/@sideway/formula/-/formula-3.0.1.tgz#80fcbcbaf7ce031e0ef2dd29b1bfc7c3f583611f"
integrity sha512-/poHZJJVjx3L+zVD6g9KgHfYnb443oi7wLu/XKojDviHy6HOEOA6z1Trk5aR1dGcmPenJEgb2sK2I80LeS3MIg==
"@sideway/pinpoint@^2.0.0":
version "2.0.0"
- resolved "https://registry.npmjs.org/@sideway/pinpoint/-/pinpoint-2.0.0.tgz"
+ resolved "https://registry.yarnpkg.com/@sideway/pinpoint/-/pinpoint-2.0.0.tgz#cff8ffadc372ad29fd3f78277aeb29e632cc70df"
integrity sha512-RNiOoTPkptFtSVzQevY/yWtZwf/RxyVnPy/OcA9HBM3MlGDnBEYL5B41H0MTn0Uec8Hi+2qUtTfG2WWZBmMejQ==
"@sinclair/typebox@^0.27.8":
version "0.27.8"
- resolved "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.27.8.tgz"
+ resolved "https://registry.yarnpkg.com/@sinclair/typebox/-/typebox-0.27.8.tgz#6667fac16c436b5434a387a34dedb013198f6e6e"
integrity sha512-+Fj43pSMwJs4KRrH/938Uf+uAELIgVBmQzg/q1YG10djyfA3TnrU8N8XzqCh/okZdszqBQTZf96idMfE5lnwTA==
"@sinonjs/commons@^3.0.0":
@@ -2678,7 +2585,7 @@
"@sinonjs/fake-timers@^10.0.2":
version "10.3.0"
- resolved "https://registry.npmjs.org/@sinonjs/fake-timers/-/fake-timers-10.3.0.tgz"
+ resolved "https://registry.yarnpkg.com/@sinonjs/fake-timers/-/fake-timers-10.3.0.tgz#55fdff1ecab9f354019129daf4df0dd4d923ea66"
integrity sha512-V4BG07kuYSUkTCSBHG8G8TNhM+F19jXFWnQtzj+we8DrkpSBCee9Z3Ms8yiGer/dlmhe35/Xdgyo3/0rQKg7YA==
dependencies:
"@sinonjs/commons" "^3.0.0"
@@ -2781,20 +2688,20 @@
integrity sha512-WgPTRs58hm9CMzEr5jpISe8HXa3qKQ8CxewdYZeVnA54JrPY9B1CZiwsCoLpLkf0dGRZq+LcX5OiJb0bEsOFww==
"@tanstack/react-query@^5.29.0":
- version "5.29.0"
- resolved "https://registry.yarnpkg.com/@tanstack/react-query/-/react-query-5.29.0.tgz#42b3a2de4ed1d63666f0af04392a34b5e70d49c0"
- integrity sha512-yxlhHB73jaBla6h5B6zPaGmQjokkzAhMHN4veotkPNiQ3Ac/mCxgABRZPsJJrgCTvhpcncBZcDBFxaR2B37vug==
+ version "5.29.2"
+ resolved "https://registry.yarnpkg.com/@tanstack/react-query/-/react-query-5.29.2.tgz#c55ffbfaf9d8cf34212428db2b6c61ca6b545188"
+ integrity sha512-nyuWILR4u7H5moLGSiifLh8kIqQDLNOHGuSz0rcp+J75fNc8aQLyr5+I2JCHU3n+nJrTTW1ssgAD8HiKD7IFBQ==
dependencies:
"@tanstack/query-core" "5.29.0"
"@tootallnate/once@2":
version "2.0.0"
- resolved "https://registry.npmjs.org/@tootallnate/once/-/once-2.0.0.tgz"
+ resolved "https://registry.yarnpkg.com/@tootallnate/once/-/once-2.0.0.tgz#f544a148d3ab35801c1f633a7441fd87c2e484bf"
integrity sha512-XCuKFP5PS55gnMVu3dty8KPatLqUoy/ZYzDzAGCQ8JNFCkLXzmI7vNHCR+XpbZaMWQK/vQubr7PkYq8g470J/A==
"@trivago/prettier-plugin-sort-imports@^4.3.0":
version "4.3.0"
- resolved "https://registry.npmjs.org/@trivago/prettier-plugin-sort-imports/-/prettier-plugin-sort-imports-4.3.0.tgz"
+ resolved "https://registry.yarnpkg.com/@trivago/prettier-plugin-sort-imports/-/prettier-plugin-sort-imports-4.3.0.tgz#725f411646b3942193a37041c84e0b2116339789"
integrity sha512-r3n0onD3BTOVUNPhR4lhVK4/pABGpbA7bW3eumZnYdKaHkf1qEC+Mag6DPbGNuuh0eG8AaYj+YqmVHSiGslaTQ==
dependencies:
"@babel/generator" "7.17.7"
@@ -2811,7 +2718,7 @@
"@types/babel__core@^7.1.14":
version "7.20.5"
- resolved "https://registry.npmjs.org/@types/babel__core/-/babel__core-7.20.5.tgz"
+ resolved "https://registry.yarnpkg.com/@types/babel__core/-/babel__core-7.20.5.tgz#3df15f27ba85319caa07ba08d0721889bb39c017"
integrity sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA==
dependencies:
"@babel/parser" "^7.20.7"
@@ -2822,14 +2729,14 @@
"@types/babel__generator@*":
version "7.6.8"
- resolved "https://registry.npmjs.org/@types/babel__generator/-/babel__generator-7.6.8.tgz"
+ resolved "https://registry.yarnpkg.com/@types/babel__generator/-/babel__generator-7.6.8.tgz#f836c61f48b1346e7d2b0d93c6dacc5b9535d3ab"
integrity sha512-ASsj+tpEDsEiFr1arWrlN6V3mdfjRMZt6LtK/Vp/kreFLnr5QH5+DhvD5nINYZXzwJvXeGq+05iUXcAzVrqWtw==
dependencies:
"@babel/types" "^7.0.0"
"@types/babel__template@*":
version "7.4.4"
- resolved "https://registry.npmjs.org/@types/babel__template/-/babel__template-7.4.4.tgz"
+ resolved "https://registry.yarnpkg.com/@types/babel__template/-/babel__template-7.4.4.tgz#5672513701c1b2199bc6dad636a9d7491586766f"
integrity sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A==
dependencies:
"@babel/parser" "^7.1.0"
@@ -2837,14 +2744,14 @@
"@types/babel__traverse@*", "@types/babel__traverse@^7.0.6":
version "7.20.5"
- resolved "https://registry.npmjs.org/@types/babel__traverse/-/babel__traverse-7.20.5.tgz"
+ resolved "https://registry.yarnpkg.com/@types/babel__traverse/-/babel__traverse-7.20.5.tgz#7b7502be0aa80cc4ef22978846b983edaafcd4dd"
integrity sha512-WXCyOcRtH37HAUkpXhUduaxdm82b4GSlyTqajXviN4EfiuPgNYR109xMCKvpl6zPIpua0DGlMEDCq+g8EdoheQ==
dependencies:
"@babel/types" "^7.20.7"
"@types/cookie@^0.4.1":
version "0.4.1"
- resolved "https://registry.npmjs.org/@types/cookie/-/cookie-0.4.1.tgz"
+ resolved "https://registry.yarnpkg.com/@types/cookie/-/cookie-0.4.1.tgz#bfd02c1f2224567676c1545199f87c3a861d878d"
integrity sha512-XW/Aa8APYr6jSVVA1y/DEIZX0/GMKLEVekNG727R8cs56ahETkRAy/3DR7+fJyh7oUgGwNQaRfXCun0+KbWY7Q==
"@types/geojson@^7946.0.13":
@@ -2854,7 +2761,7 @@
"@types/graceful-fs@^4.1.3":
version "4.1.9"
- resolved "https://registry.npmjs.org/@types/graceful-fs/-/graceful-fs-4.1.9.tgz"
+ resolved "https://registry.yarnpkg.com/@types/graceful-fs/-/graceful-fs-4.1.9.tgz#2a06bc0f68a20ab37b3e36aa238be6abdf49e8b4"
integrity sha512-olP3sd1qOEe5dXTSaFvQG+02VdRXcdytWLAZsAq1PecU8uqQAhkrnbli7DagjtXKW/Bl7YJbUsa8MPcuc8LHEQ==
dependencies:
"@types/node" "*"
@@ -2866,26 +2773,26 @@
"@types/istanbul-lib-coverage@*", "@types/istanbul-lib-coverage@^2.0.0", "@types/istanbul-lib-coverage@^2.0.1":
version "2.0.6"
- resolved "https://registry.npmjs.org/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz"
+ resolved "https://registry.yarnpkg.com/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz#7739c232a1fee9b4d3ce8985f314c0c6d33549d7"
integrity sha512-2QF/t/auWm0lsy8XtKVPG19v3sSOQlJe/YHZgfjb/KBBHOGSV+J2q/S671rcq9uTBrLAXmZpqJiaQbMT+zNU1w==
"@types/istanbul-lib-report@*":
version "3.0.3"
- resolved "https://registry.npmjs.org/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.3.tgz"
+ resolved "https://registry.yarnpkg.com/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.3.tgz#53047614ae72e19fc0401d872de3ae2b4ce350bf"
integrity sha512-NQn7AHQnk/RSLOxrBbGyJM/aVQ+pjj5HCgasFxc0K/KhoATfQ/47AyUl15I2yBUpihjmas+a+VJBOqecrFH+uA==
dependencies:
"@types/istanbul-lib-coverage" "*"
"@types/istanbul-reports@^3.0.0":
version "3.0.4"
- resolved "https://registry.npmjs.org/@types/istanbul-reports/-/istanbul-reports-3.0.4.tgz"
+ resolved "https://registry.yarnpkg.com/@types/istanbul-reports/-/istanbul-reports-3.0.4.tgz#0f03e3d2f670fbdac586e34b433783070cc16f54"
integrity sha512-pk2B1NWalF9toCRu6gjBzR69syFjP4Od8WRAX+0mmf9lAjCRicLOWc+ZrxZHx/0XRjotgkF9t6iaMJ+aXcOdZQ==
dependencies:
"@types/istanbul-lib-report" "*"
"@types/jsdom@^20.0.0":
version "20.0.1"
- resolved "https://registry.npmjs.org/@types/jsdom/-/jsdom-20.0.1.tgz"
+ resolved "https://registry.yarnpkg.com/@types/jsdom/-/jsdom-20.0.1.tgz#07c14bc19bd2f918c1929541cdaacae894744808"
integrity sha512-d0r18sZPmMQr1eG35u12FZfhIXNrnsPU/g5wvRKCUf/tOGilKKwYMYGqh33BNR6ba+2gkHw1EUiHoN3mn7E5IQ==
dependencies:
"@types/node" "*"
@@ -2894,25 +2801,25 @@
"@types/json-schema@^7.0.9":
version "7.0.15"
- resolved "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.15.tgz"
+ resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.15.tgz#596a1747233694d50f6ad8a7869fcb6f56cf5841"
integrity sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==
"@types/node@*":
- version "20.11.19"
- resolved "https://registry.yarnpkg.com/@types/node/-/node-20.11.19.tgz#b466de054e9cb5b3831bee38938de64ac7f81195"
- integrity sha512-7xMnVEcZFu0DikYjWOlRq7NTPETrm7teqUT2WkQjrTIkEgUyyGdWsj/Zg8bEJt5TNklzbPD1X3fqfsHw3SpapQ==
+ version "20.12.7"
+ resolved "https://registry.yarnpkg.com/@types/node/-/node-20.12.7.tgz#04080362fa3dd6c5822061aa3124f5c152cff384"
+ integrity sha512-wq0cICSkRLVaf3UGLMGItu/PtdY7oaXaI/RVU+xliKVOtRna3PRY57ZDfztpDL0n11vfymMUnXv8QwYCO7L1wg==
dependencies:
undici-types "~5.26.4"
"@types/prop-types@*":
- version "15.7.11"
- resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.11.tgz#2596fb352ee96a1379c657734d4b913a613ad563"
- integrity sha512-ga8y9v9uyeiLdpKddhxYQkxNDrfvuPrlFb0N1qnZZByvcElJaXthF1UhvCh9TLWJBEHeNtdnbysW7Y6Uq8CVng==
+ version "15.7.12"
+ resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.12.tgz#12bb1e2be27293c1406acb6af1c3f3a1481d98c6"
+ integrity sha512-5zvhXYtRNRluoE/jAp4GVsSduVUzNWKkOZrCDBWYtE7biZywwdC2AcEzg+cSMLFRfVgeAFqpfNabiPjxFddV1Q==
"@types/react@~18.2.78":
- version "18.2.78"
- resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.78.tgz#94aec453d0ccca909998a2b4b2fd78af15a7d2fe"
- integrity sha512-qOwdPnnitQY4xKlKayt42q5W5UQrSHjgoXNVEtxeqdITJ99k4VXJOP3vt8Rkm9HmgJpH50UNU+rlqfkfWOqp0A==
+ version "18.2.79"
+ resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.79.tgz#c40efb4f255711f554d47b449f796d1c7756d865"
+ integrity sha512-RwGAGXPl9kSXwdNTafkOEuFrTBD5SA2B3iEB96xi8+xu5ddUa/cpvyVCSNn+asgLCTHkb5ZxN8gbuibYJi4s1w==
dependencies:
"@types/prop-types" "*"
csstype "^3.0.2"
@@ -3054,11 +2961,11 @@
wonka "^4.0.14"
"@urql/core@>=2.3.1":
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/@urql/core/-/core-4.3.0.tgz#5e150412ed08d167861b05ceed417abbd048553f"
- integrity sha512-wT+FeL8DG4x5o6RfHEnONNFVDM3616ouzATMYUClB6CB+iIu2mwfBKd7xSUxYOZmwtxna5/hDRQdMl3nbQZlnw==
+ version "5.0.0"
+ resolved "https://registry.yarnpkg.com/@urql/core/-/core-5.0.0.tgz#690e664cf66f733077c558bf685adbdac2b25823"
+ integrity sha512-kFkZxusq/VBQKEUcQFtf7AilMotLO+oGpE4WFhCiminZm8ZU2aulXSDWla50TaD0pj704FnWlXts6lRm0uHdDg==
dependencies:
- "@0no-co/graphql.web" "^1.0.1"
+ "@0no-co/graphql.web" "^1.0.5"
wonka "^6.3.2"
"@urql/exchange-retry@0.3.0":
@@ -3204,11 +3111,9 @@ ansi-escapes@^4.2.1, ansi-escapes@^4.3.0, ansi-escapes@^4.3.2:
type-fest "^0.21.3"
ansi-escapes@^6.0.0:
- version "6.2.0"
- resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-6.2.0.tgz#8a13ce75286f417f1963487d86ba9f90dccf9947"
- integrity sha512-kzRaCqXnpzWs+3z5ABPQiVke+iq0KXkHo8xiWV4RPTi5Yli0l97BEQuhXV1s7+aSU/fu1kUuxgS4MsQ0fRuygw==
- dependencies:
- type-fest "^3.0.0"
+ version "6.2.1"
+ resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-6.2.1.tgz#76c54ce9b081dad39acec4b5d53377913825fb0f"
+ integrity sha512-4nJ3yixlEthEJ9Rk4vPcdBRkZvQZlYyu8j4/Mqz5sgIkddmEnH2Yj2ZrnP9S3tQOvSNRUIgVNF/1yPpRAGNRig==
ansi-fragments@^0.2.1:
version "0.2.1"
@@ -3307,14 +3212,15 @@ array-buffer-byte-length@^1.0.1:
is-array-buffer "^3.0.4"
array-includes@^3.1.6, array-includes@^3.1.7:
- version "3.1.7"
- resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.7.tgz#8cd2e01b26f7a3086cbc87271593fe921c62abda"
- integrity sha512-dlcsNBIiWhPkHdOEEKnehA+RNUWDc4UqFtnIXU4uuYDPtA4LDkr7qip2p0VvFAEXNDr0yWZ9PJyIRiGjRLQzwQ==
+ version "3.1.8"
+ resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.8.tgz#5e370cbe172fdd5dd6530c1d4aadda25281ba97d"
+ integrity sha512-itaWrbYbqpGXkGhZPGUulwnhVf5Hpy1xiCFsGqyIGglbBxmG5vSjxQen3/WGOjPpNEv1RtBLKxbmVXm8HpJStQ==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- es-abstract "^1.22.1"
- get-intrinsic "^1.2.1"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.2"
+ es-object-atoms "^1.0.0"
+ get-intrinsic "^1.2.4"
is-string "^1.0.7"
array-union@^2.1.0:
@@ -3323,14 +3229,15 @@ array-union@^2.1.0:
integrity sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==
array.prototype.findlast@^1.2.4:
- version "1.2.4"
- resolved "https://registry.yarnpkg.com/array.prototype.findlast/-/array.prototype.findlast-1.2.4.tgz#eeb9e45fc894055c82e5675c463e8077b827ad36"
- integrity sha512-BMtLxpV+8BD+6ZPFIWmnUBpQoy+A+ujcg4rhp2iwCRJYA7PEh2MS4NL3lz8EiDlLrJPp2hg9qWihr5pd//jcGw==
+ version "1.2.5"
+ resolved "https://registry.yarnpkg.com/array.prototype.findlast/-/array.prototype.findlast-1.2.5.tgz#3e4fbcb30a15a7f5bf64cf2faae22d139c2e4904"
+ integrity sha512-CVvd6FHg1Z3POpBLxO6E6zr+rSKEQ9L6rZHAaY7lLfhKsWYUBBOuMs0e9o24oopj6H+geRCX0YJ+TJLBK2eHyQ==
dependencies:
- call-bind "^1.0.5"
+ call-bind "^1.0.7"
define-properties "^1.2.1"
- es-abstract "^1.22.3"
+ es-abstract "^1.23.2"
es-errors "^1.3.0"
+ es-object-atoms "^1.0.0"
es-shim-unscopables "^1.0.2"
array.prototype.flat@^1.3.1:
@@ -3410,13 +3317,6 @@ async-limiter@~1.0.0:
resolved "https://registry.yarnpkg.com/async-limiter/-/async-limiter-1.0.1.tgz#dd379e94f0db8310b08291f9d64c3209766617fd"
integrity sha512-csOlWGAcRFJaI6m+F2WKdnMKr4HhdhFVBk0H/QbJFMCr+uO2kwohwXQPxw/9OCxp05r5ghVBFSyioixx3gfkNQ==
-asynciterator.prototype@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/asynciterator.prototype/-/asynciterator.prototype-1.0.0.tgz#8c5df0514936cdd133604dfcc9d3fb93f09b2b62"
- integrity sha512-wwHYEIS0Q80f5mosx3L/dfG5t5rjEa9Ft51GTaNt862EnpyGHpgz2RkZvLPp1oF5TnAiTohkEKVEu8pQPJI7Vg==
- dependencies:
- has-symbols "^1.0.3"
-
asynckit@^0.4.0:
version "0.4.0"
resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79"
@@ -3482,7 +3382,7 @@ babel-plugin-jest-hoist@^29.6.3:
"@types/babel__core" "^7.1.14"
"@types/babel__traverse" "^7.0.6"
-babel-plugin-polyfill-corejs2@^0.4.8:
+babel-plugin-polyfill-corejs2@^0.4.10:
version "0.4.10"
resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.4.10.tgz#276f41710b03a64f6467433cab72cbc2653c38b1"
integrity sha512-rpIuu//y5OX6jVU+a5BCn1R5RSZYWAl2Nar76iwaOdycqb6JPxediskWFMMl7stfwNJR4b7eiQvh5fB5TEQJTQ==
@@ -3491,20 +3391,20 @@ babel-plugin-polyfill-corejs2@^0.4.8:
"@babel/helper-define-polyfill-provider" "^0.6.1"
semver "^6.3.1"
-babel-plugin-polyfill-corejs3@^0.9.0:
- version "0.9.0"
- resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.9.0.tgz#9eea32349d94556c2ad3ab9b82ebb27d4bf04a81"
- integrity sha512-7nZPG1uzK2Ymhy/NbaOWTg3uibM2BmGASS4vHS4szRZAIR8R6GwA/xAujpdrXU5iyklrimWnLWU+BLF9suPTqg==
+babel-plugin-polyfill-corejs3@^0.10.1, babel-plugin-polyfill-corejs3@^0.10.4:
+ version "0.10.4"
+ resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.10.4.tgz#789ac82405ad664c20476d0233b485281deb9c77"
+ integrity sha512-25J6I8NGfa5YkCDogHRID3fVCadIR8/pGl1/spvCkzb6lVn6SR3ojpx9nOn9iEBcUsjY24AmdKm5khcfKdylcg==
dependencies:
- "@babel/helper-define-polyfill-provider" "^0.5.0"
- core-js-compat "^3.34.0"
+ "@babel/helper-define-polyfill-provider" "^0.6.1"
+ core-js-compat "^3.36.1"
-babel-plugin-polyfill-regenerator@^0.5.5:
- version "0.5.5"
- resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.5.5.tgz#8b0c8fc6434239e5d7b8a9d1f832bb2b0310f06a"
- integrity sha512-OJGYZlhLqBh2DDHeqAxWB1XIvr49CxiJ2gIt61/PU55CQK4Z58OzMqjDe1zwQdQk+rBYsRc+1rJmdajM3gimHg==
+babel-plugin-polyfill-regenerator@^0.6.1:
+ version "0.6.1"
+ resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.6.1.tgz#4f08ef4c62c7a7f66a35ed4c0d75e30506acc6be"
+ integrity sha512-JfTApdE++cgcTWjsiCQlLyFBMbTUft9ja17saCc93lgV33h4tuCVj7tlvu//qpLwaG+3yEz7/KhahGrUMkVq9g==
dependencies:
- "@babel/helper-define-polyfill-provider" "^0.5.0"
+ "@babel/helper-define-polyfill-provider" "^0.6.1"
babel-plugin-react-native-web@~0.18.10:
version "0.18.12"
@@ -3614,15 +3514,15 @@ better-opn@~3.0.2:
dependencies:
open "^8.0.4"
-big-integer@1.6.x:
+big-integer@1.6.x, big-integer@^1.6.16:
version "1.6.52"
resolved "https://registry.yarnpkg.com/big-integer/-/big-integer-1.6.52.tgz#60a887f3047614a8e1bffe5d7173490a97dc8c85"
integrity sha512-QxD8cf2eVqJOOz63z6JIN9BzvVs/dlySa5HGSBH5xtR8dPteIRQnBxxKqkNTiT6jbDTF6jAfrd4oMcND9RGbQg==
binary-extensions@^2.0.0:
- version "2.2.0"
- resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.2.0.tgz#75f502eeaf9ffde42fc98829645be4ea76bd9e2d"
- integrity sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==
+ version "2.3.0"
+ resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.3.0.tgz#f6e14a97858d327252200242d4ccfe522c445522"
+ integrity sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==
bl@^4.1.0:
version "4.1.0"
@@ -3686,7 +3586,21 @@ braces@^3.0.2, braces@~3.0.2:
dependencies:
fill-range "^7.0.1"
-browserslist@^4.22.2, browserslist@^4.22.3:
+broadcast-channel@^3.4.1:
+ version "3.7.0"
+ resolved "https://registry.yarnpkg.com/broadcast-channel/-/broadcast-channel-3.7.0.tgz#2dfa5c7b4289547ac3f6705f9c00af8723889937"
+ integrity sha512-cIAKJXAxGJceNZGTZSBzMxzyOn72cVgPnKx4dc6LRjQgbaJUQqhy5rzL3zbMxkMWsGKkv2hSFkPRMEXfoMZ2Mg==
+ dependencies:
+ "@babel/runtime" "^7.7.2"
+ detect-node "^2.1.0"
+ js-sha3 "0.8.0"
+ microseconds "0.2.0"
+ nano-time "1.0.0"
+ oblivious-set "1.0.0"
+ rimraf "3.0.2"
+ unload "2.2.0"
+
+browserslist@^4.22.2, browserslist@^4.23.0:
version "4.23.0"
resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.23.0.tgz#8f3acc2bbe73af7213399430890f86c63a5674ab"
integrity sha512-QW8HiM1shhT2GuzkvklfjcKDiWFXHOeFCIA/huJPwHsslwcydgk7X+z2zXpEijP98UCY7HbubZt5J2Zgvf0CaQ==
@@ -3824,9 +3738,9 @@ camelize@^1.0.0:
integrity sha512-dU+Tx2fsypxTgtLoE36npi3UqcjSSMNYfkqgmoEhtZrraP5VWq0K7FkWVTYa8eMPtnU/G2txVsfdCJTn9uzpuQ==
caniuse-lite@^1.0.30001587:
- version "1.0.30001597"
- resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001597.tgz#8be94a8c1d679de23b22fbd944232aa1321639e6"
- integrity sha512-7LjJvmQU6Sj7bL0j5b5WY/3n7utXUJvAe1lxhsHDbLmwX9mdL86Yjtr+5SRCyf8qME4M7pU2hswj0FpyBVCv9w==
+ version "1.0.30001610"
+ resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001610.tgz#2f44ed6e21d359e914271ae35b68903632628ccf"
+ integrity sha512-QFutAY4NgaelojVMjY63o6XlZyORPaLfyMnsl3HgnWdJUcX6K0oaJymHjH8PT5Gk7sTm8rvC/c5COUQKXqmOMA==
chalk@^2.0.1, chalk@^2.4.2:
version "2.4.2"
@@ -4157,12 +4071,12 @@ cookie@^0.4.1:
resolved "https://registry.yarnpkg.com/cookie/-/cookie-0.4.2.tgz#0e41f24de5ecf317947c82fc789e06a884824432"
integrity sha512-aSWTXFzaKWkvHO1Ny/s+ePFpvKsPnjc551iI41v3ny/ow6tBG5Vd+FuqGNhh1LxOmVzOlGUriIlOaokOvhaStA==
-core-js-compat@^3.31.0, core-js-compat@^3.34.0:
- version "3.36.0"
- resolved "https://registry.yarnpkg.com/core-js-compat/-/core-js-compat-3.36.0.tgz#087679119bc2fdbdefad0d45d8e5d307d45ba190"
- integrity sha512-iV9Pd/PsgjNWBXeq8XRtWVSgz2tKAfhfvBs7qxYty+RlRd+OCksaWmOnc4JKrTc1cToXL1N0s3l/vwlxPtdElw==
+core-js-compat@^3.31.0, core-js-compat@^3.36.1:
+ version "3.36.1"
+ resolved "https://registry.yarnpkg.com/core-js-compat/-/core-js-compat-3.36.1.tgz#1818695d72c99c25d621dca94e6883e190cea3c8"
+ integrity sha512-Dk997v9ZCt3X/npqzyGdTlq6t7lDBhZwGvV94PKzDArjp7BTRm7WlDAXYd/OWdeFHO8OChQYRJNJvUCqCbrtKA==
dependencies:
- browserslist "^4.22.3"
+ browserslist "^4.23.0"
core-util-is@~1.0.0:
version "1.0.3"
@@ -4202,6 +4116,14 @@ create-jest@^29.7.0:
jest-util "^29.7.0"
prompts "^2.0.1"
+create-react-class@^15.6.0:
+ version "15.7.0"
+ resolved "https://registry.yarnpkg.com/create-react-class/-/create-react-class-15.7.0.tgz#7499d7ca2e69bb51d13faf59bd04f0c65a1d6c1e"
+ integrity sha512-QZv4sFWG9S5RUvkTYWbflxeZX+JG7Cz0Tn33rQBJ+WFQTqTfUTjMjiv9tnfXazjsO5r0KhPs+AqCjyrQX6h2ng==
+ dependencies:
+ loose-envify "^1.3.1"
+ object-assign "^4.1.1"
+
cross-fetch@^3.1.5:
version "3.1.8"
resolved "https://registry.yarnpkg.com/cross-fetch/-/cross-fetch-3.1.8.tgz#0327eba65fd68a7d119f8fb2bf9334a1a7956f82"
@@ -4363,6 +4285,33 @@ data-urls@^3.0.2:
whatwg-mimetype "^3.0.0"
whatwg-url "^11.0.0"
+data-view-buffer@^1.0.1:
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/data-view-buffer/-/data-view-buffer-1.0.1.tgz#8ea6326efec17a2e42620696e671d7d5a8bc66b2"
+ integrity sha512-0lht7OugA5x3iJLOWFhWK/5ehONdprk0ISXqVFn/NFrDu+cuc8iADFrGQz5BnRK7LLU3JmkbXSxaqX+/mXYtUA==
+ dependencies:
+ call-bind "^1.0.6"
+ es-errors "^1.3.0"
+ is-data-view "^1.0.1"
+
+data-view-byte-length@^1.0.1:
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/data-view-byte-length/-/data-view-byte-length-1.0.1.tgz#90721ca95ff280677eb793749fce1011347669e2"
+ integrity sha512-4J7wRJD3ABAzr8wP+OcIcqq2dlUKp4DVflx++hs5h5ZKydWMI6/D/fAot+yh6g2tHh8fLFTvNOaVN357NvSrOQ==
+ dependencies:
+ call-bind "^1.0.7"
+ es-errors "^1.3.0"
+ is-data-view "^1.0.1"
+
+data-view-byte-offset@^1.0.0:
+ version "1.0.0"
+ resolved "https://registry.yarnpkg.com/data-view-byte-offset/-/data-view-byte-offset-1.0.0.tgz#5e0bbfb4828ed2d1b9b400cd8a7d119bca0ff18a"
+ integrity sha512-t/Ygsytq+R995EJ5PZlD4Cu56sWa8InXySaViRzw9apusqsOO2bQP+SbYzAhR0pFKoB+43lYy8rWban9JSuXnA==
+ dependencies:
+ call-bind "^1.0.6"
+ es-errors "^1.3.0"
+ is-data-view "^1.0.1"
+
dayjs@^1.8.15:
version "1.11.10"
resolved "https://registry.yarnpkg.com/dayjs/-/dayjs-1.11.10.tgz#68acea85317a6e164457d6d6947564029a6a16a0"
@@ -4405,9 +4354,9 @@ decode-uri-component@^0.2.0, decode-uri-component@^0.2.2:
integrity sha512-FqUYQ+8o158GyGTrMFJms9qh3CqTKvAqgqsTnkLI8sKu0028orqBhxNMFkFen0zGyg6epACD32pjVk58ngIErQ==
dedent@^1.0.0:
- version "1.5.1"
- resolved "https://registry.yarnpkg.com/dedent/-/dedent-1.5.1.tgz#4f3fc94c8b711e9bb2800d185cd6ad20f2a90aff"
- integrity sha512-+LxW+KLWxu3HW3M2w2ympwtqPrqYRzU8fqi6Fhd18fBALe15blJPI/I4+UHveMVG6lJqB4JNd4UG0S5cnVHwIg==
+ version "1.5.3"
+ resolved "https://registry.yarnpkg.com/dedent/-/dedent-1.5.3.tgz#99aee19eb9bae55a67327717b6e848d0bf777e5a"
+ integrity sha512-NHQtfOOW68WD8lgypbLA5oT+Bt0xXJhiYvoR6SmmNXZfpzOGXwdKWmcwG8N7PwVVWV3eF/68nmD9BaJSsTBhyQ==
deep-extend@^0.6.0:
version "0.6.0"
@@ -4515,6 +4464,11 @@ detect-newline@^3.0.0:
resolved "https://registry.yarnpkg.com/detect-newline/-/detect-newline-3.1.0.tgz#576f5dfc63ae1a192ff192d8ad3af6308991b651"
integrity sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA==
+detect-node@^2.0.4, detect-node@^2.1.0:
+ version "2.1.0"
+ resolved "https://registry.yarnpkg.com/detect-node/-/detect-node-2.1.0.tgz#c9c70775a49c3d03bc2c06d9a73be550f978f8b1"
+ integrity sha512-T0NIuQpnTvFDATNuHN5roPwSBG83rFsuO+MXXH9/3N1eFbn4wcPjttvjMLEPWJ0RGUYgQE7cGgS3tNxbqCGM7g==
+
didyoumean@^1.2.2:
version "1.2.2"
resolved "https://registry.yarnpkg.com/didyoumean/-/didyoumean-1.2.2.tgz#989346ffe9e839b4555ecf5666edea0d3e8ad037"
@@ -4596,15 +4550,17 @@ dot-case@^3.0.4:
no-case "^3.0.4"
tslib "^2.0.3"
-dotenv-expand@~10.0.0:
- version "10.0.0"
- resolved "https://registry.yarnpkg.com/dotenv-expand/-/dotenv-expand-10.0.0.tgz#12605d00fb0af6d0a592e6558585784032e4ef37"
- integrity sha512-GopVGCpVS1UKH75VKHGuQFqS1Gusej0z4FyQkPdwjil2gNIv+LNsqBlboOzpJFZKVT95GkCyWJbBSdFEFUWI2A==
+dotenv-expand@~11.0.6:
+ version "11.0.6"
+ resolved "https://registry.yarnpkg.com/dotenv-expand/-/dotenv-expand-11.0.6.tgz#f2c840fd924d7c77a94eff98f153331d876882d3"
+ integrity sha512-8NHi73otpWsZGBSZwwknTXS5pqMOrk9+Ssrna8xCaxkzEpU9OTf9R5ArQGVw03//Zmk9MOwLPng9WwndvpAJ5g==
+ dependencies:
+ dotenv "^16.4.4"
-dotenv@~16.0.3:
- version "16.0.3"
- resolved "https://registry.yarnpkg.com/dotenv/-/dotenv-16.0.3.tgz#115aec42bac5053db3c456db30cc243a5a836a07"
- integrity sha512-7GO6HghkA5fYG9TYnNxi14/7K9f5occMlp3zXAuSxn7CKCxt9xbNWG7yF8hTCSUchlfWSe3uLmlPfigevRItzQ==
+dotenv@^16.4.4, dotenv@~16.4.5:
+ version "16.4.5"
+ resolved "https://registry.yarnpkg.com/dotenv/-/dotenv-16.4.5.tgz#cdd3b3b604cb327e286b4762e13502f717cb099f"
+ integrity sha512-ZmdL2rui+eB2YwhsWzjInR8LldtZHGDoQ1ugH85ppHKwpUHL7j7rN0Ti9NCnGiQbhaZ11FpR+7ao1dNsmduNUg==
eastasianwidth@^0.2.0:
version "0.2.0"
@@ -4617,9 +4573,9 @@ ee-first@1.1.1:
integrity sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==
electron-to-chromium@^1.4.668:
- version "1.4.703"
- resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.4.703.tgz#786ab0c8cfe548b9da03890f923e69b1ae522741"
- integrity sha512-094ZZC4nHXPKl/OwPinSMtLN9+hoFkdfQGKnvXbY+3WEAYtVDpz9UhJIViiY6Zb8agvqxiaJzNG9M+pRZWvSZw==
+ version "1.4.737"
+ resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.4.737.tgz#3a774a58e04980741f65d440f5fdf57af18b6dde"
+ integrity sha512-QvLTxaLHKdy5YxvixAw/FfHq2eWLUL9KvsPjp0aHK1gI5d3EDuDgITkvj0nFO2c6zUY3ZqVAJQiBYyQP9tQpfw==
emittery@^0.13.1:
version "0.13.1"
@@ -4659,9 +4615,9 @@ env-editor@^0.4.1:
integrity sha512-ObFo8v4rQJAE59M69QzwloxPZtd33TpYEIjtKD1rrFDcM1Gd7IkDxEBU+HriziN6HSHQnBJi8Dmy+JWkav5HKA==
envinfo@^7.10.0:
- version "7.11.1"
- resolved "https://registry.yarnpkg.com/envinfo/-/envinfo-7.11.1.tgz#2ffef77591057081b0129a8fd8cf6118da1b94e1"
- integrity sha512-8PiZgZNIB4q/Lw4AhOvAfB/ityHAd2bli3lESSWmWSzSsl5dKpy5N1d1Rfkd2teq/g9xN90lc6o98DOjMeYHpg==
+ version "7.12.0"
+ resolved "https://registry.yarnpkg.com/envinfo/-/envinfo-7.12.0.tgz#b56723b39c2053d67ea5714f026d05d4f5cc7acd"
+ integrity sha512-Iw9rQJBGpJRd3rwXm9ft/JiGoAZmLxxJZELYDQoPRZ4USVhkKtIcNBPw6U+/K2mBpaqM25JSV6Yl4Az9vO2wJg==
eol@^0.9.1:
version "0.9.1"
@@ -4690,17 +4646,21 @@ errorhandler@^1.5.1:
accepts "~1.3.7"
escape-html "~1.0.3"
-es-abstract@^1.22.1, es-abstract@^1.22.3, es-abstract@^1.22.4:
- version "1.22.5"
- resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.22.5.tgz#1417df4e97cc55f09bf7e58d1e614bc61cb8df46"
- integrity sha512-oW69R+4q2wG+Hc3KZePPZxOiisRIqfKBVo/HLx94QcJeWGU/8sZhCvc829rd1kS366vlJbzBfXf9yWwf0+Ko7w==
+es-abstract@^1.22.1, es-abstract@^1.22.3, es-abstract@^1.23.0, es-abstract@^1.23.1, es-abstract@^1.23.2:
+ version "1.23.3"
+ resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.23.3.tgz#8f0c5a35cd215312573c5a27c87dfd6c881a0aa0"
+ integrity sha512-e+HfNH61Bj1X9/jLc5v1owaLYuHdeHHSQlkhCBiTK8rBvKaULl/beGMxwrMXjpYrv4pz22BlY570vVePA2ho4A==
dependencies:
array-buffer-byte-length "^1.0.1"
arraybuffer.prototype.slice "^1.0.3"
available-typed-arrays "^1.0.7"
call-bind "^1.0.7"
+ data-view-buffer "^1.0.1"
+ data-view-byte-length "^1.0.1"
+ data-view-byte-offset "^1.0.0"
es-define-property "^1.0.0"
es-errors "^1.3.0"
+ es-object-atoms "^1.0.0"
es-set-tostringtag "^2.0.3"
es-to-primitive "^1.2.1"
function.prototype.name "^1.1.6"
@@ -4711,10 +4671,11 @@ es-abstract@^1.22.1, es-abstract@^1.22.3, es-abstract@^1.22.4:
has-property-descriptors "^1.0.2"
has-proto "^1.0.3"
has-symbols "^1.0.3"
- hasown "^2.0.1"
+ hasown "^2.0.2"
internal-slot "^1.0.7"
is-array-buffer "^3.0.4"
is-callable "^1.2.7"
+ is-data-view "^1.0.1"
is-negative-zero "^2.0.3"
is-regex "^1.1.4"
is-shared-array-buffer "^1.0.3"
@@ -4725,17 +4686,17 @@ es-abstract@^1.22.1, es-abstract@^1.22.3, es-abstract@^1.22.4:
object-keys "^1.1.1"
object.assign "^4.1.5"
regexp.prototype.flags "^1.5.2"
- safe-array-concat "^1.1.0"
+ safe-array-concat "^1.1.2"
safe-regex-test "^1.0.3"
- string.prototype.trim "^1.2.8"
- string.prototype.trimend "^1.0.7"
- string.prototype.trimstart "^1.0.7"
+ string.prototype.trim "^1.2.9"
+ string.prototype.trimend "^1.0.8"
+ string.prototype.trimstart "^1.0.8"
typed-array-buffer "^1.0.2"
typed-array-byte-length "^1.0.1"
typed-array-byte-offset "^1.0.2"
- typed-array-length "^1.0.5"
+ typed-array-length "^1.0.6"
unbox-primitive "^1.0.2"
- which-typed-array "^1.1.14"
+ which-typed-array "^1.1.15"
es-define-property@^1.0.0:
version "1.0.0"
@@ -4744,33 +4705,39 @@ es-define-property@^1.0.0:
dependencies:
get-intrinsic "^1.2.4"
-es-errors@^1.0.0, es-errors@^1.1.0, es-errors@^1.2.1, es-errors@^1.3.0:
+es-errors@^1.1.0, es-errors@^1.2.1, es-errors@^1.3.0:
version "1.3.0"
resolved "https://registry.yarnpkg.com/es-errors/-/es-errors-1.3.0.tgz#05f75a25dab98e4fb1dcd5e1472c0546d5057c8f"
integrity sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==
es-iterator-helpers@^1.0.17:
- version "1.0.17"
- resolved "https://registry.yarnpkg.com/es-iterator-helpers/-/es-iterator-helpers-1.0.17.tgz#123d1315780df15b34eb181022da43e734388bb8"
- integrity sha512-lh7BsUqelv4KUbR5a/ZTaGGIMLCjPGPqJ6q+Oq24YP0RdyptX1uzm4vvaqzk7Zx3bpl/76YLTTDj9L7uYQ92oQ==
+ version "1.0.18"
+ resolved "https://registry.yarnpkg.com/es-iterator-helpers/-/es-iterator-helpers-1.0.18.tgz#4d3424f46b24df38d064af6fbbc89274e29ea69d"
+ integrity sha512-scxAJaewsahbqTYrGKJihhViaM6DDZDDoucfvzNbK0pOren1g/daDQ3IAhzn+1G14rBG7w+i5N+qul60++zlKA==
dependencies:
- asynciterator.prototype "^1.0.0"
call-bind "^1.0.7"
define-properties "^1.2.1"
- es-abstract "^1.22.4"
+ es-abstract "^1.23.0"
es-errors "^1.3.0"
- es-set-tostringtag "^2.0.2"
+ es-set-tostringtag "^2.0.3"
function-bind "^1.1.2"
get-intrinsic "^1.2.4"
globalthis "^1.0.3"
has-property-descriptors "^1.0.2"
- has-proto "^1.0.1"
+ has-proto "^1.0.3"
has-symbols "^1.0.3"
internal-slot "^1.0.7"
iterator.prototype "^1.1.2"
- safe-array-concat "^1.1.0"
+ safe-array-concat "^1.1.2"
+
+es-object-atoms@^1.0.0:
+ version "1.0.0"
+ resolved "https://registry.yarnpkg.com/es-object-atoms/-/es-object-atoms-1.0.0.tgz#ddb55cd47ac2e240701260bc2a8e31ecb643d941"
+ integrity sha512-MZ4iQ6JwHOBQjahnjwaC1ZtIBH+2ohjamzAO3oaHcXYup7qxjF2fixyH+Q71voWHeOkI2q/TnJao/KfXYIZWbw==
+ dependencies:
+ es-errors "^1.3.0"
-es-set-tostringtag@^2.0.2, es-set-tostringtag@^2.0.3:
+es-set-tostringtag@^2.0.3:
version "2.0.3"
resolved "https://registry.yarnpkg.com/es-set-tostringtag/-/es-set-tostringtag-2.0.3.tgz#8bb60f0a440c2e4281962428438d58545af39777"
integrity sha512-3T8uNMC3OQTHkFUsFq8r/BwAXLHvU/9O9mE0fBc/MY5iq/8H7ncvO947LmYA6ldWw9Uh8Yhf25zu6n7nML5QWQ==
@@ -4892,9 +4859,9 @@ eslint-plugin-react-native@^4.0.0:
eslint-plugin-react-native-globals "^0.1.1"
eslint-plugin-react@^7.30.1:
- version "7.34.0"
- resolved "https://registry.yarnpkg.com/eslint-plugin-react/-/eslint-plugin-react-7.34.0.tgz#ab71484d54fc409c37025c5eca00eb4177a5e88c"
- integrity sha512-MeVXdReleBTdkz/bvcQMSnCXGi+c9kvy51IpinjnJgutl3YTHWsDdke7Z1ufZpGfDG8xduBDKyjtB9JH1eBKIQ==
+ version "7.34.1"
+ resolved "https://registry.yarnpkg.com/eslint-plugin-react/-/eslint-plugin-react-7.34.1.tgz#6806b70c97796f5bbfb235a5d3379ece5f4da997"
+ integrity sha512-N97CxlouPT1AHt8Jn0mhhN2RrADlUAsk1/atcT2KyA/l9Q/E6ll7OIGwNumFmWfZ9skV3XXccYS19h80rHtgkw==
dependencies:
array-includes "^3.1.7"
array.prototype.findlast "^1.2.4"
@@ -5177,6 +5144,11 @@ expo-font@~11.10.2, expo-font@~11.10.3:
dependencies:
fontfaceobserver "^2.1.0"
+expo-haptics@~12.8.1:
+ version "12.8.1"
+ resolved "https://registry.yarnpkg.com/expo-haptics/-/expo-haptics-12.8.1.tgz#42b996763be33d661bd33bbc3b3958c3f2734b9d"
+ integrity sha512-ntLsHkfle8K8w9MW8pZEw92ZN3sguaGUSSIxv30fPKNeQFu7Cq/h47Qv3tONv2MO3wU48N9FbKnant6XlfptpA==
+
expo-json-utils@~0.12.0:
version "0.12.3"
resolved "https://registry.yarnpkg.com/expo-json-utils/-/expo-json-utils-0.12.3.tgz#cabb704a344d6d75f225cf4032c64479e442a2a9"
@@ -5215,10 +5187,10 @@ expo-modules-autolinking@1.10.3:
find-up "^5.0.0"
fs-extra "^9.1.0"
-expo-modules-core@1.11.12:
- version "1.11.12"
- resolved "https://registry.yarnpkg.com/expo-modules-core/-/expo-modules-core-1.11.12.tgz#d5c7b3ed7ab57d4fb6885a0d8e10287dcf1ffe5f"
- integrity sha512-/e8g4kis0pFLer7C0PLyx98AfmztIM6gU9jLkYnB1pU9JAfQf904XEi3bmszO7uoteBQwSL6FLp1m3TePKhDaA==
+expo-modules-core@1.11.13:
+ version "1.11.13"
+ resolved "https://registry.yarnpkg.com/expo-modules-core/-/expo-modules-core-1.11.13.tgz#a8e63ad844e966dce78dea40b50839af6c3bc518"
+ integrity sha512-2H5qrGUvmLzmJNPDOnovH1Pfk5H/S/V0BifBmOQyDc9aUh9LaDwkqnChZGIXv8ZHDW8JRlUW0QqyWxTggkbw1A==
dependencies:
invariant "^2.2.4"
@@ -5276,9 +5248,9 @@ expo-web-browser@~12.8.0, expo-web-browser@~12.8.2:
url "^0.11.0"
expo@^50.0.14:
- version "50.0.14"
- resolved "https://registry.yarnpkg.com/expo/-/expo-50.0.14.tgz#ddcae86aa0ba8d1be3da9ad1bdda23fa539dc97d"
- integrity sha512-yLPdxCMVAbmeEIpzzyAuJ79wvr6ToDDtQmuLDMAgWtjqP8x3CGddXxUe07PpKEQgzwJabdHvCLP5Bv94wMFIjQ==
+ version "50.0.15"
+ resolved "https://registry.yarnpkg.com/expo/-/expo-50.0.15.tgz#18c5c3ee0125fd42fe828b6791410eed68f7e74a"
+ integrity sha512-tsyRmMHjA8lPlM7AsqH1smSH8hzmn1+x/vsP+xgbKYJTGtYccdY/wsm6P84VJWeK5peWSVqrWNos+YuPqXKLSQ==
dependencies:
"@babel/runtime" "^7.20.0"
"@expo/cli" "0.17.8"
@@ -5292,7 +5264,7 @@ expo@^50.0.14:
expo-font "~11.10.3"
expo-keep-awake "~12.8.2"
expo-modules-autolinking "1.10.3"
- expo-modules-core "1.11.12"
+ expo-modules-core "1.11.13"
fbemitter "^3.0.0"
whatwg-url-without-unicode "8.0.0-3"
@@ -5338,9 +5310,9 @@ fast-loops@^1.1.3:
integrity sha512-8EZzEP0eKkEEVX+drtd9mtuQ+/QrlfW/5MlwcwK5Nds6EkZ/tRzEexkzUY2mIssnAyVLT+TKHuRXmFNNXYUd6g==
fast-xml-parser@^4.0.12, fast-xml-parser@^4.2.4:
- version "4.3.5"
- resolved "https://registry.yarnpkg.com/fast-xml-parser/-/fast-xml-parser-4.3.5.tgz#e2f2a2ae8377e9c3dc321b151e58f420ca7e5ccc"
- integrity sha512-sWvP1Pl8H03B8oFJpFR3HE31HUfwtX7Rlf9BNsvdpujD4n7WMhfmu8h9wOV2u+c1k0ZilTADhPqypzx2J690ZQ==
+ version "4.3.6"
+ resolved "https://registry.yarnpkg.com/fast-xml-parser/-/fast-xml-parser-4.3.6.tgz#190f9d99097f0c8f2d3a0e681a10404afca052ff"
+ integrity sha512-M2SovcRxD4+vC493Uc2GZVcZaj66CCJhWurC4viynVSTvrpErCShNcDz1lAho6n9REQKvL/ll4A4/fw6Y9z8nw==
dependencies:
strnum "^1.0.5"
@@ -5479,9 +5451,9 @@ flow-enums-runtime@^0.0.6:
integrity sha512-3PYnM29RFXwvAN6Pc/scUfkI7RwhQ/xqyLUyPNlXUp9S40zI8nup9tUSrTLSVnWGBN38FNiGWbwZOB6uR4OGdw==
flow-parser@0.*:
- version "0.230.0"
- resolved "https://registry.yarnpkg.com/flow-parser/-/flow-parser-0.230.0.tgz#f0e54bdac58a20553bb81ef26bdc8a616360f1cd"
- integrity sha512-ZAfKaarESYYcP/RoLdM91vX0u/1RR7jI5TJaFLnxwRlC2mp0o+Rw7ipIY7J6qpIpQYtAobWb/J6S0XPeu0gO8g==
+ version "0.233.0"
+ resolved "https://registry.yarnpkg.com/flow-parser/-/flow-parser-0.233.0.tgz#b983e65812d5ecae79f08ae3ed8ad2e131a9b966"
+ integrity sha512-E/mv51GYJfLuRX6fZnw4M52gBxYa8pkHUOgNEZOcQK2RTXS8YXeU5rlalkTcY99UpwbeNVCSUFKaavpOksi/pQ==
flow-parser@^0.206.0:
version "0.206.0"
@@ -5691,15 +5663,15 @@ glob@7.1.6:
path-is-absolute "^1.0.0"
glob@^10.3.10:
- version "10.3.10"
- resolved "https://registry.yarnpkg.com/glob/-/glob-10.3.10.tgz#0351ebb809fd187fe421ab96af83d3a70715df4b"
- integrity sha512-fa46+tv1Ak0UPK1TOy/pZrIybNNt4HCv7SDzwyfiOZkvZLEbjsZkJBPtDHVshZjbecAoAGSC20MjLDG/qr679g==
+ version "10.3.12"
+ resolved "https://registry.yarnpkg.com/glob/-/glob-10.3.12.tgz#3a65c363c2e9998d220338e88a5f6ac97302960b"
+ integrity sha512-TCNv8vJ+xz4QiqTpfOJA7HvYv+tNIRHKfUWw/q+v2jdgN4ebz+KY9tGx5J4rHP0o84mNP+ApH66HRX8us3Khqg==
dependencies:
foreground-child "^3.1.0"
- jackspeak "^2.3.5"
+ jackspeak "^2.3.6"
minimatch "^9.0.1"
- minipass "^5.0.0 || ^6.0.2 || ^7.0.0"
- path-scurry "^1.10.1"
+ minipass "^7.0.4"
+ path-scurry "^1.10.2"
glob@^6.0.1:
version "6.0.4"
@@ -5823,7 +5795,7 @@ has-tostringtag@^1.0.0, has-tostringtag@^1.0.2:
dependencies:
has-symbols "^1.0.3"
-hasown@^2.0.0, hasown@^2.0.1:
+hasown@^2.0.0, hasown@^2.0.1, hasown@^2.0.2:
version "2.0.2"
resolved "https://registry.yarnpkg.com/hasown/-/hasown-2.0.2.tgz#003eaf91be7adc372e84ec59dc37252cedb80003"
integrity sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==
@@ -5835,10 +5807,10 @@ hermes-estree@0.15.0:
resolved "https://registry.yarnpkg.com/hermes-estree/-/hermes-estree-0.15.0.tgz#e32f6210ab18c7b705bdcb375f7700f2db15d6ba"
integrity sha512-lLYvAd+6BnOqWdnNbP/Q8xfl8LOGw4wVjfrNd9Gt8eoFzhNBRVD95n4l2ksfMVOoxuVyegs85g83KS9QOsxbVQ==
-hermes-estree@0.19.1:
- version "0.19.1"
- resolved "https://registry.yarnpkg.com/hermes-estree/-/hermes-estree-0.19.1.tgz#d5924f5fac2bf0532547ae9f506d6db8f3c96392"
- integrity sha512-daLGV3Q2MKk8w4evNMKwS8zBE/rcpA800nu1Q5kM08IKijoSnPe9Uo1iIxzPKRkn95IxxsgBMPeYHt3VG4ej2g==
+hermes-estree@0.20.1:
+ version "0.20.1"
+ resolved "https://registry.yarnpkg.com/hermes-estree/-/hermes-estree-0.20.1.tgz#0b9a544cf883a779a8e1444b915fa365bef7f72d"
+ integrity sha512-SQpZK4BzR48kuOg0v4pb3EAGNclzIlqMj3Opu/mu7bbAoFw6oig6cEt/RAi0zTFW/iW6Iz9X9ggGuZTAZ/yZHg==
hermes-parser@0.15.0:
version "0.15.0"
@@ -5847,12 +5819,12 @@ hermes-parser@0.15.0:
dependencies:
hermes-estree "0.15.0"
-hermes-parser@0.19.1:
- version "0.19.1"
- resolved "https://registry.yarnpkg.com/hermes-parser/-/hermes-parser-0.19.1.tgz#1044348097165b7c93dc198a80b04ed5130d6b1a"
- integrity sha512-Vp+bXzxYJWrpEuJ/vXxUsLnt0+y4q9zyi4zUlkLqD8FKv4LjIfOvP69R/9Lty3dCyKh0E2BU7Eypqr63/rKT/A==
+hermes-parser@0.20.1:
+ version "0.20.1"
+ resolved "https://registry.yarnpkg.com/hermes-parser/-/hermes-parser-0.20.1.tgz#ad10597b99f718b91e283f81cbe636c50c3cff92"
+ integrity sha512-BL5P83cwCogI8D7rrDCgsFY0tdYUtmFP9XaXtl2IQjC+2Xo+4okjfXintlTxcIwl4qeGddEl28Z11kbVIw0aNA==
dependencies:
- hermes-estree "0.19.1"
+ hermes-estree "0.20.1"
hermes-profile-transformer@^0.0.6:
version "0.0.6"
@@ -6014,6 +5986,11 @@ inline-style-prefixer@^6.0.1:
css-in-js-utils "^3.1.0"
fast-loops "^1.1.3"
+install@^0.13.0:
+ version "0.13.0"
+ resolved "https://registry.yarnpkg.com/install/-/install-0.13.0.tgz#6af6e9da9dd0987de2ab420f78e60d9c17260776"
+ integrity sha512-zDml/jzr2PKU9I8J/xyZBQn8rPCAY//UOYNmR01XwNwyfhEWObo2SWfSl1+0tm1u6PhxLwDnfsT/6jB7OUxqFA==
+
internal-ip@4.3.0:
version "4.3.0"
resolved "https://registry.yarnpkg.com/internal-ip/-/internal-ip-4.3.0.tgz#845452baad9d2ca3b69c635a137acb9a0dad0907"
@@ -6022,7 +5999,7 @@ internal-ip@4.3.0:
default-gateway "^4.2.0"
ipaddr.js "^1.9.0"
-internal-slot@^1.0.5, internal-slot@^1.0.7:
+internal-slot@^1.0.7:
version "1.0.7"
resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.0.7.tgz#c06dcca3ed874249881007b0a5523b172a190802"
integrity sha512-NGnrKwXzSms2qUUih/ILZ5JBqNTSa1+ZmP6flaIp6KmSElgE9qdndzS3cqjrDovwFdmwsGsLdeFgB6suw+1e9g==
@@ -6120,6 +6097,13 @@ is-core-module@^2.13.0:
dependencies:
hasown "^2.0.0"
+is-data-view@^1.0.1:
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/is-data-view/-/is-data-view-1.0.1.tgz#4b4d3a511b70f3dc26d42c03ca9ca515d847759f"
+ integrity sha512-AHkaJrsUVW6wq6JS8y3JnM/GJF/9cf+k20+iDzlSaJrinEo5+7vRiteOSwBhHRiAyQATN1AmY4hwzxJKPmYf+w==
+ dependencies:
+ is-typed-array "^1.1.13"
+
is-date-object@^1.0.1, is-date-object@^1.0.5:
version "1.0.5"
resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.5.tgz#0841d5536e724c25597bf6ea62e1bd38298df31f"
@@ -6430,7 +6414,7 @@ iterator.prototype@^1.1.2:
reflect.getprototypeof "^1.0.4"
set-function-name "^2.0.1"
-jackspeak@^2.3.5:
+jackspeak@^2.3.6:
version "2.3.6"
resolved "https://registry.yarnpkg.com/jackspeak/-/jackspeak-2.3.6.tgz#647ecc472238aee4b06ac0e461acc21a8c505ca8"
integrity sha512-N3yCS/NegsOBokc8GAdM8UcmfsKiSS8cipheD/nivzr700H+nsMOxJjQnvwOcRYVuFkdH0wGUvW2WbXGmrZGbQ==
@@ -6867,9 +6851,9 @@ jiti@^1.18.2:
integrity sha512-gFqAIbuKyyso/3G2qhiO2OM6shY6EPP/R0+mkDbyspxKazh8BXDC5FiFsUjlczgdNz/vfra0da2y+aHrusLG/Q==
joi@^17.2.1:
- version "17.12.2"
- resolved "https://registry.yarnpkg.com/joi/-/joi-17.12.2.tgz#283a664dabb80c7e52943c557aab82faea09f521"
- integrity sha512-RonXAIzCiHLc8ss3Ibuz45u28GOsWE1UpfDXLbN/9NKbL4tCJf8TWYVKsoYuuh+sAUt7fsSNpA+r2+TBA6Wjmw==
+ version "17.12.3"
+ resolved "https://registry.yarnpkg.com/joi/-/joi-17.12.3.tgz#944646979cd3b460178547b12ba37aca8482f63d"
+ integrity sha512-2RRziagf555owrm9IRVtdKynOBeITiDpuZqIpgwqXShPncPKNiRQoiGsl/T8SQdq+8ugRzH2LqY67irr2y/d+g==
dependencies:
"@hapi/hoek" "^9.3.0"
"@hapi/topo" "^5.1.0"
@@ -6882,6 +6866,11 @@ join-component@^1.1.0:
resolved "https://registry.yarnpkg.com/join-component/-/join-component-1.1.0.tgz#b8417b750661a392bee2c2537c68b2a9d4977cd5"
integrity sha512-bF7vcQxbODoGK1imE2P9GS9aw4zD0Sd+Hni68IMZLj7zRnquH7dXUmMw9hDI5S/Jzt7q+IyTXN0rSg2GI0IKhQ==
+js-sha3@0.8.0:
+ version "0.8.0"
+ resolved "https://registry.yarnpkg.com/js-sha3/-/js-sha3-0.8.0.tgz#b9b7a5da73afad7dedd0f8c463954cbde6818840"
+ integrity sha512-gF1cRrHhIzNfToc802P800N8PpXS+evLLXfsVpowqmAFR9uwbi89WvXg2QspOmXL8QL86J4T1EpFu+yUkwJY3Q==
+
"js-tokens@^3.0.0 || ^4.0.0", js-tokens@^4.0.0:
version "4.0.0"
resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499"
@@ -7229,7 +7218,7 @@ logkitty@^0.7.1:
dayjs "^1.8.15"
yargs "^15.1.0"
-loose-envify@^1.0.0, loose-envify@^1.1.0, loose-envify@^1.4.0:
+loose-envify@^1.0.0, loose-envify@^1.1.0, loose-envify@^1.3.1, loose-envify@^1.4.0:
version "1.4.0"
resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.4.0.tgz#71ee51fa7be4caec1a63839f7e682d8132d30caf"
integrity sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==
@@ -7243,6 +7232,11 @@ lower-case@^2.0.2:
dependencies:
tslib "^2.0.3"
+lru-cache@^10.2.0:
+ version "10.2.0"
+ resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-10.2.0.tgz#0bd445ca57363465900f4d1f9bd8db343a4d95c3"
+ integrity sha512-2bIM8x+VAf6JT4bKAljS1qUWgMsqZRPGJS6FSahIMPVvctcNhyVp7AJu7quxOW9jwkryBReKZY5tY5JYv2n/7Q==
+
lru-cache@^5.1.1:
version "5.1.1"
resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-5.1.1.tgz#1da27e6710271947695daf6848e847f01d84b920"
@@ -7257,11 +7251,6 @@ lru-cache@^6.0.0:
dependencies:
yallist "^4.0.0"
-"lru-cache@^9.1.1 || ^10.0.0":
- version "10.2.0"
- resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-10.2.0.tgz#0bd445ca57363465900f4d1f9bd8db343a4d95c3"
- integrity sha512-2bIM8x+VAf6JT4bKAljS1qUWgMsqZRPGJS6FSahIMPVvctcNhyVp7AJu7quxOW9jwkryBReKZY5tY5JYv2n/7Q==
-
make-dir@^2.0.0, make-dir@^2.1.0:
version "2.1.0"
resolved "https://registry.yarnpkg.com/make-dir/-/make-dir-2.1.0.tgz#5f0310e18b8be898cc07009295a30ae41e91e6f5"
@@ -7289,6 +7278,14 @@ marky@^1.2.2:
resolved "https://registry.yarnpkg.com/marky/-/marky-1.2.5.tgz#55796b688cbd72390d2d399eaaf1832c9413e3c0"
integrity sha512-q9JtQJKjpsVxCRVgQ+WapguSbKC3SQ5HEzFGPAJMStgh3QjCawp00UKv3MTTAArTmGmmPUvllHZoNbZ3gs0I+Q==
+match-sorter@^6.0.2:
+ version "6.3.4"
+ resolved "https://registry.yarnpkg.com/match-sorter/-/match-sorter-6.3.4.tgz#afa779d8e922c81971fbcb4781c7003ace781be7"
+ integrity sha512-jfZW7cWS5y/1xswZo8VBOdudUiSd9nifYRWphc9M5D/ee4w4AoXLgBEdRbgVaxbMuagBPeUC5y2Hi8DO6o9aDg==
+ dependencies:
+ "@babel/runtime" "^7.23.8"
+ remove-accents "0.5.0"
+
md5-file@^3.2.3:
version "3.2.3"
resolved "https://registry.yarnpkg.com/md5-file/-/md5-file-3.2.3.tgz#f9bceb941eca2214a4c0727f5e700314e770f06f"
@@ -7359,53 +7356,53 @@ merge2@^1.3.0, merge2@^1.4.1:
resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.4.1.tgz#4368892f885e907455a6fd7dc55c0c9d404990ae"
integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==
-metro-babel-transformer@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-babel-transformer/-/metro-babel-transformer-0.80.6.tgz#49df74af71ecc9871636cf469726debcb5a1c858"
- integrity sha512-ssuoVC4OzqaOt3LpwfUbDfBlFGRu9v1Yf2JJnKPz0ROYHNjSBws4aUesqQQ/Ea8DbiH7TK4j4cJmm+XjdHmgqA==
+metro-babel-transformer@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-babel-transformer/-/metro-babel-transformer-0.80.8.tgz#2951eeab76630b3c59f3874d04f4f12a6e73b2bd"
+ integrity sha512-TTzNwRZb2xxyv4J/+yqgtDAP2qVqH3sahsnFu6Xv4SkLqzrivtlnyUbaeTdJ9JjtADJUEjCbgbFgUVafrXdR9Q==
dependencies:
"@babel/core" "^7.20.0"
- hermes-parser "0.19.1"
+ hermes-parser "0.20.1"
nullthrows "^1.1.1"
-metro-cache-key@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-cache-key/-/metro-cache-key-0.80.6.tgz#48fe84477f6408478a33c363a8f5eaceea5cf853"
- integrity sha512-DFmjQacC8m/S3HpELklLMWkPGP/fZPX3BSgjd0xQvwIvWyFwk8Nn/lfp/uWdEVDtDSIr64/anXU5uWohGwlWXw==
+metro-cache-key@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-cache-key/-/metro-cache-key-0.80.8.tgz#d57af9c25f9fe7e755644594d602ef89124ee06b"
+ integrity sha512-qWKzxrLsRQK5m3oH8ePecqCc+7PEhR03cJE6Z6AxAj0idi99dHOSitTmY0dclXVB9vP2tQIAE8uTd8xkYGk8fA==
-metro-cache@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-cache/-/metro-cache-0.80.6.tgz#05fdd83482f4132243b27713716c289532bd41c3"
- integrity sha512-NP81pHSPkzs+iNlpVkJqijrpcd6lfuDAunYH9/Rn8oLNz0yLfkl8lt+xOdUU4IkFt3oVcTBEFCnzAzv4B8YhyA==
+metro-cache@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-cache/-/metro-cache-0.80.8.tgz#bc7d38611e4f31686a99045d4f2956c0bff4dd3b"
+ integrity sha512-5svz+89wSyLo7BxdiPDlwDTgcB9kwhNMfNhiBZPNQQs1vLFXxOkILwQiV5F2EwYT9DEr6OPZ0hnJkZfRQ8lDYQ==
dependencies:
- metro-core "0.80.6"
+ metro-core "0.80.8"
rimraf "^3.0.2"
-metro-config@0.80.6, metro-config@^0.80.3:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-config/-/metro-config-0.80.6.tgz#b404e2f24b22c9c683abcf8da3efa8c87e382ad7"
- integrity sha512-vHYYvJpRTWYbmvqlR7i04xQpZCHJ6yfZ/xIcPdz2ssbdJGGJbiT1Aar9wr8RAhsccSxdJgfE5B1DB8Mo+DnhIg==
+metro-config@0.80.8, metro-config@^0.80.3:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-config/-/metro-config-0.80.8.tgz#1961feed6334601951ea72600901dafade56a973"
+ integrity sha512-VGQJpfJawtwRzGzGXVUoohpIkB0iPom4DmSbAppKfumdhtLA8uVeEPp2GM61kL9hRvdbMhdWA7T+hZFDlo4mJA==
dependencies:
connect "^3.6.5"
cosmiconfig "^5.0.5"
jest-validate "^29.6.3"
- metro "0.80.6"
- metro-cache "0.80.6"
- metro-core "0.80.6"
- metro-runtime "0.80.6"
+ metro "0.80.8"
+ metro-cache "0.80.8"
+ metro-core "0.80.8"
+ metro-runtime "0.80.8"
-metro-core@0.80.6, metro-core@^0.80.3:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-core/-/metro-core-0.80.6.tgz#b13fa98417e70203d2533c5d0f5c4d541f3d9fbe"
- integrity sha512-fn4rryTUAwzFJWj7VIPDH4CcW/q7MV4oGobqR6NsuxZoIGYrVpK7pBasumu5YbCqifuErMs5s23BhmrDNeZURw==
+metro-core@0.80.8, metro-core@^0.80.3:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-core/-/metro-core-0.80.8.tgz#85cf9745e767a33fe96bc5f166b71e213a482978"
+ integrity sha512-g6lud55TXeISRTleW6SHuPFZHtYrpwNqbyFIVd9j9Ofrb5IReiHp9Zl8xkAfZQp8v6ZVgyXD7c130QTsCz+vBw==
dependencies:
lodash.throttle "^4.1.1"
- metro-resolver "0.80.6"
+ metro-resolver "0.80.8"
-metro-file-map@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-file-map/-/metro-file-map-0.80.6.tgz#9d96e54bd3bde6747b6860702a098a333599bba2"
- integrity sha512-S3CUqvpXpc+q3q+hCEWvFKhVqgq0VmXdZQDF6u7ue86E2elq1XLnfLOt9JSpwyhpMQRyysjSCnd/Yh6GZMNHoQ==
+metro-file-map@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-file-map/-/metro-file-map-0.80.8.tgz#216e54db4dc8496815bd38bb806d469c5f5b66fd"
+ integrity sha512-eQXMFM9ogTfDs2POq7DT2dnG7rayZcoEgRbHPXvhUWkVwiKkro2ngcBE++ck/7A36Cj5Ljo79SOkYwHaWUDYDw==
dependencies:
anymatch "^3.0.3"
debug "^2.2.0"
@@ -7420,55 +7417,55 @@ metro-file-map@0.80.6:
optionalDependencies:
fsevents "^2.3.2"
-metro-minify-terser@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-minify-terser/-/metro-minify-terser-0.80.6.tgz#27193867ec177c5a9b636725ff1c94c65ce701cc"
- integrity sha512-83eZaH2+B+jP92KuodPqXknzwmiboKAuZY4doRfTEEXAG57pNVNN6cqSRJlwDnmaTBKRffxoncBXbYqHQgulgg==
+metro-minify-terser@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-minify-terser/-/metro-minify-terser-0.80.8.tgz#166413d2286900e7fd764aa30497a1596bc18c00"
+ integrity sha512-y8sUFjVvdeUIINDuW1sejnIjkZfEF+7SmQo0EIpYbWmwh+kq/WMj74yVaBWuqNjirmUp1YNfi3alT67wlbBWBQ==
dependencies:
terser "^5.15.0"
-metro-resolver@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-resolver/-/metro-resolver-0.80.6.tgz#b648b8c661bc4cf091efd11affa010dd11f58bec"
- integrity sha512-R7trfglG4zY4X9XyM9cvuffAhQ9W1reWoahr1jdEWa6rOI8PyM0qXjcsb8l+fsOQhdSiVlkKcYAmkyrs1S/zrA==
+metro-resolver@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-resolver/-/metro-resolver-0.80.8.tgz#bcc8f8d7f874a9c5fee9ebbde8541d6dc88783df"
+ integrity sha512-JdtoJkP27GGoZ2HJlEsxs+zO7jnDUCRrmwXJozTlIuzLHMRrxgIRRby9fTCbMhaxq+iA9c+wzm3iFb4NhPmLbQ==
-metro-runtime@0.80.6, metro-runtime@^0.80.3:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-runtime/-/metro-runtime-0.80.6.tgz#efd566a02e63e6f2bd08b5e2a8fe57333f1a2c4e"
- integrity sha512-21GQVd0pp2nACoK0C2PL8mBsEhIFUFFntYrWRlYNHtPQoqDzddrPEIgkyaABGXGued+dZoBlFQl+LASlmmfkvw==
+metro-runtime@0.80.8, metro-runtime@^0.80.3:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-runtime/-/metro-runtime-0.80.8.tgz#8f265369c05d9a3f05f9915842fac5d4e93f44bd"
+ integrity sha512-2oScjfv6Yb79PelU1+p8SVrCMW9ZjgEiipxq7jMRn8mbbtWzyv3g8Mkwr+KwOoDFI/61hYPUbY8cUnu278+x1g==
dependencies:
"@babel/runtime" "^7.0.0"
-metro-source-map@0.80.6, metro-source-map@^0.80.3:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-source-map/-/metro-source-map-0.80.6.tgz#f129a36bb5b74e3ae0d4cbbcdc62904fa0161fb1"
- integrity sha512-lqDuSLctWy9Qccu4Zl0YB1PzItpsqcKGb1nK0aDY+lzJ26X65OCib2VzHlj+xj7e4PiIKOfsvDCczCBz4cnxdg==
+metro-source-map@0.80.8, metro-source-map@^0.80.3:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-source-map/-/metro-source-map-0.80.8.tgz#fe92c2b82739c34cf46372a2be07d4e9cac8eb09"
+ integrity sha512-+OVISBkPNxjD4eEKhblRpBf463nTMk3KMEeYS8Z4xM/z3qujGJGSsWUGRtH27+c6zElaSGtZFiDMshEb8mMKQg==
dependencies:
"@babel/traverse" "^7.20.0"
"@babel/types" "^7.20.0"
invariant "^2.2.4"
- metro-symbolicate "0.80.6"
+ metro-symbolicate "0.80.8"
nullthrows "^1.1.1"
- ob1 "0.80.6"
+ ob1 "0.80.8"
source-map "^0.5.6"
vlq "^1.0.0"
-metro-symbolicate@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-symbolicate/-/metro-symbolicate-0.80.6.tgz#8690af051f33c98c0e8efcd779aebbfdea9fabef"
- integrity sha512-SGwKeBi+lK7NmM5+EcW6DyRRa9HmGSvH0LJtlT4XoRMbpxzsLYs0qUEA+olD96pOIP+ta7I8S30nQr2ttqgO8A==
+metro-symbolicate@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-symbolicate/-/metro-symbolicate-0.80.8.tgz#881afc90453450208bf519b22e54962fc909d432"
+ integrity sha512-nwhYySk79jQhwjL9QmOUo4wS+/0Au9joEryDWw7uj4kz2yvw1uBjwmlql3BprQCBzRdB3fcqOP8kO8Es+vE31g==
dependencies:
invariant "^2.2.4"
- metro-source-map "0.80.6"
+ metro-source-map "0.80.8"
nullthrows "^1.1.1"
source-map "^0.5.6"
through2 "^2.0.1"
vlq "^1.0.0"
-metro-transform-plugins@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-transform-plugins/-/metro-transform-plugins-0.80.6.tgz#f9039384692fc8cd51a67d1cd7c35964e7d374e8"
- integrity sha512-e04tdTC5Fy1vOQrTTXb5biao0t7nR/h+b1IaBTlM5UaHaAJZr658uVOoZhkRxKjbhF2mIwJ/8DdorD2CA15BCg==
+metro-transform-plugins@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-transform-plugins/-/metro-transform-plugins-0.80.8.tgz#2ed3162cec7fa7549279a6031e6d910198332a77"
+ integrity sha512-sSu8VPL9Od7w98MftCOkQ1UDeySWbsIAS5I54rW22BVpPnI3fQ42srvqMLaJUQPjLehUanq8St6OMBCBgH/UWw==
dependencies:
"@babel/core" "^7.20.0"
"@babel/generator" "^7.20.0"
@@ -7476,28 +7473,28 @@ metro-transform-plugins@0.80.6:
"@babel/traverse" "^7.20.0"
nullthrows "^1.1.1"
-metro-transform-worker@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro-transform-worker/-/metro-transform-worker-0.80.6.tgz#fc09822ce360eaa929b14408e4af97a2fa8feba6"
- integrity sha512-jV+VgCLiCj5jQadW/h09qJaqDreL6XcBRY52STCoz2xWn6WWLLMB5nXzQtvFNPmnIOps+Xu8+d5hiPcBNOhYmA==
+metro-transform-worker@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro-transform-worker/-/metro-transform-worker-0.80.8.tgz#df3bc21928e1c99b077cd1e2feec9f13d6c351c6"
+ integrity sha512-+4FG3TQk3BTbNqGkFb2uCaxYTfsbuFOCKMMURbwu0ehCP8ZJuTUramkaNZoATS49NSAkRgUltgmBa4YaKZ5mqw==
dependencies:
"@babel/core" "^7.20.0"
"@babel/generator" "^7.20.0"
"@babel/parser" "^7.20.0"
"@babel/types" "^7.20.0"
- metro "0.80.6"
- metro-babel-transformer "0.80.6"
- metro-cache "0.80.6"
- metro-cache-key "0.80.6"
- metro-minify-terser "0.80.6"
- metro-source-map "0.80.6"
- metro-transform-plugins "0.80.6"
+ metro "0.80.8"
+ metro-babel-transformer "0.80.8"
+ metro-cache "0.80.8"
+ metro-cache-key "0.80.8"
+ metro-minify-terser "0.80.8"
+ metro-source-map "0.80.8"
+ metro-transform-plugins "0.80.8"
nullthrows "^1.1.1"
-metro@0.80.6, metro@^0.80.3:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/metro/-/metro-0.80.6.tgz#11cf77700b8be767f6663c1d6f6ed287dd686535"
- integrity sha512-f6Nhnht9TxVRP6zdBq9J2jNdeDBxRmJFnjxhQS1GeCpokBvI6fTXq+wHTLz5jZA+75fwbkPSzBxBJzQa6xi0AQ==
+metro@0.80.8, metro@^0.80.3:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/metro/-/metro-0.80.8.tgz#42faa80ea8f1c43bea022b55baa3162e90878868"
+ integrity sha512-in7S0W11mg+RNmcXw+2d9S3zBGmCARDxIwoXJAmLUQOQoYsRP3cpGzyJtc7WOw8+FXfpgXvceD0u+PZIHXEL7g==
dependencies:
"@babel/code-frame" "^7.0.0"
"@babel/core" "^7.20.0"
@@ -7514,24 +7511,24 @@ metro@0.80.6, metro@^0.80.3:
denodeify "^1.2.1"
error-stack-parser "^2.0.6"
graceful-fs "^4.2.4"
- hermes-parser "0.19.1"
+ hermes-parser "0.20.1"
image-size "^1.0.2"
invariant "^2.2.4"
jest-worker "^29.6.3"
jsc-safe-url "^0.2.2"
lodash.throttle "^4.1.1"
- metro-babel-transformer "0.80.6"
- metro-cache "0.80.6"
- metro-cache-key "0.80.6"
- metro-config "0.80.6"
- metro-core "0.80.6"
- metro-file-map "0.80.6"
- metro-resolver "0.80.6"
- metro-runtime "0.80.6"
- metro-source-map "0.80.6"
- metro-symbolicate "0.80.6"
- metro-transform-plugins "0.80.6"
- metro-transform-worker "0.80.6"
+ metro-babel-transformer "0.80.8"
+ metro-cache "0.80.8"
+ metro-cache-key "0.80.8"
+ metro-config "0.80.8"
+ metro-core "0.80.8"
+ metro-file-map "0.80.8"
+ metro-resolver "0.80.8"
+ metro-runtime "0.80.8"
+ metro-source-map "0.80.8"
+ metro-symbolicate "0.80.8"
+ metro-transform-plugins "0.80.8"
+ metro-transform-worker "0.80.8"
mime-types "^2.1.27"
node-fetch "^2.2.0"
nullthrows "^1.1.1"
@@ -7551,6 +7548,11 @@ micromatch@^4.0.2, micromatch@^4.0.4, micromatch@^4.0.5:
braces "^3.0.2"
picomatch "^2.3.1"
+microseconds@0.2.0:
+ version "0.2.0"
+ resolved "https://registry.yarnpkg.com/microseconds/-/microseconds-0.2.0.tgz#233b25f50c62a65d861f978a4a4f8ec18797dc39"
+ integrity sha512-n7DHHMjR1avBbSpsTBj6fmMGh2AGrifVV4e+WYc3Q9lO+xnSZ3NyhcBND3vzzatt05LFhoKFRxrIyklmLlUtyA==
+
mime-db@1.52.0, "mime-db@>= 1.43.0 < 2":
version "1.52.0"
resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.52.0.tgz#bbabcdc02859f4987301c856e3387ce5ec43bf70"
@@ -7591,9 +7593,9 @@ mimic-fn@^2.1.0:
brace-expansion "^1.1.7"
minimatch@^9.0.1:
- version "9.0.3"
- resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-9.0.3.tgz#a6e00c3de44c3a542bfaae70abfc22420a6da825"
- integrity sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==
+ version "9.0.4"
+ resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-9.0.4.tgz#8e49c731d1749cbec05050ee5145147b32496a51"
+ integrity sha512-KqWh+VchfxcMNRAJjj2tnsSJdNbHsVgnkBhTNrW7AjVo6OvLtxw8zfT9oLw1JSohlFzJ8jCoTgaoXvJ+kHt6fw==
dependencies:
brace-expansion "^2.0.1"
@@ -7635,7 +7637,7 @@ minipass@^5.0.0:
resolved "https://registry.yarnpkg.com/minipass/-/minipass-5.0.0.tgz#3e9788ffb90b694a5d0ec94479a45b5d8738133d"
integrity sha512-3FnjYuehv9k6ovOEbyOswadCDPX1piCfhV8ncmYtHOjuPwylVWsghTLo7rabjC3Rx5xD4HDx8Wm1xnMF7S5qFQ==
-"minipass@^5.0.0 || ^6.0.2 || ^7.0.0":
+"minipass@^5.0.0 || ^6.0.2 || ^7.0.0", minipass@^7.0.4:
version "7.0.4"
resolved "https://registry.yarnpkg.com/minipass/-/minipass-7.0.4.tgz#dbce03740f50a4786ba994c1fb908844d27b038c"
integrity sha512-jYofLM5Dam9279rdkWzqHozUo4ybjdZmCsDHePy5V/PbBcVMiSZR97gmAy45aqi8CK1lG2ECd356FU86avfwUQ==
@@ -7698,6 +7700,13 @@ mz@^2.7.0:
object-assign "^4.0.1"
thenify-all "^1.0.0"
+nano-time@1.0.0:
+ version "1.0.0"
+ resolved "https://registry.yarnpkg.com/nano-time/-/nano-time-1.0.0.tgz#b0554f69ad89e22d0907f7a12b0993a5d96137ef"
+ integrity sha512-flnngywOoQ0lLQOTRNexn2gGSNuM9bKj9RZAWSzhQ+UJYaAFG9bac4DW9VHjUAzrOaIcajHybCTHe/bkvozQqA==
+ dependencies:
+ big-integer "^1.6.16"
+
nanoid@^3.1.23, nanoid@^3.3.1, nanoid@^3.3.7:
version "3.3.7"
resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.7.tgz#d0c301a691bc8d54efa0a2226ccf3fe2fd656bd8"
@@ -7864,10 +7873,10 @@ nwsapi@^2.2.2:
resolved "https://registry.yarnpkg.com/nwsapi/-/nwsapi-2.2.7.tgz#738e0707d3128cb750dddcfe90e4610482df0f30"
integrity sha512-ub5E4+FBPKwAZx0UwIQOjYWGHTEq5sPqHQNRN8Z9e4A7u3Tj1weLJsL59yH9vmvqEtBHaOmT6cYQKIZOxp35FQ==
-ob1@0.80.6:
- version "0.80.6"
- resolved "https://registry.yarnpkg.com/ob1/-/ob1-0.80.6.tgz#61d7881f458333ed2a73b90cea4aa62f8ca9e045"
- integrity sha512-nlLGZPMQ/kbmkdIb5yvVzep1jKUII2x6ehNsHpgy71jpnJMW7V+KsB3AjYI2Ajb7UqMAMNjlssg6FUodrEMYzg==
+ob1@0.80.8:
+ version "0.80.8"
+ resolved "https://registry.yarnpkg.com/ob1/-/ob1-0.80.8.tgz#08be1b8398d004719074ad702c975a5c7e1b29f2"
+ integrity sha512-QHJQk/lXMmAW8I7AIM3in1MSlwe1umR72Chhi8B7Xnq6mzjhBKkA6Fy/zAhQnGkA4S912EPCEvTij5yh+EQTAA==
object-assign@^4.0.1, object-assign@^4.1.0, object-assign@^4.1.1:
version "4.1.1"
@@ -7900,39 +7909,46 @@ object.assign@^4.1.4, object.assign@^4.1.5:
object-keys "^1.1.1"
object.entries@^1.1.7:
- version "1.1.7"
- resolved "https://registry.yarnpkg.com/object.entries/-/object.entries-1.1.7.tgz#2b47760e2a2e3a752f39dd874655c61a7f03c131"
- integrity sha512-jCBs/0plmPsOnrKAfFQXRG2NFjlhZgjjcBLSmTnEhU8U6vVTsVe8ANeQJCHTl3gSsI4J+0emOoCgoKlmQPMgmA==
+ version "1.1.8"
+ resolved "https://registry.yarnpkg.com/object.entries/-/object.entries-1.1.8.tgz#bffe6f282e01f4d17807204a24f8edd823599c41"
+ integrity sha512-cmopxi8VwRIAw/fkijJohSfpef5PdN0pMQJN6VC/ZKvn0LIknWD8KtgY6KlQdEc4tIjcQ3HxSMmnvtzIscdaYQ==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- es-abstract "^1.22.1"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-object-atoms "^1.0.0"
object.fromentries@^2.0.7:
- version "2.0.7"
- resolved "https://registry.yarnpkg.com/object.fromentries/-/object.fromentries-2.0.7.tgz#71e95f441e9a0ea6baf682ecaaf37fa2a8d7e616"
- integrity sha512-UPbPHML6sL8PI/mOqPwsH4G6iyXcCGzLin8KvEPenOZN5lpCNBZZQ+V62vdjB1mQHrmqGQt5/OJzemUA+KJmEA==
+ version "2.0.8"
+ resolved "https://registry.yarnpkg.com/object.fromentries/-/object.fromentries-2.0.8.tgz#f7195d8a9b97bd95cbc1999ea939ecd1a2b00c65"
+ integrity sha512-k6E21FzySsSK5a21KRADBd/NGneRegFO5pLHfdQLpRDETUNJueLXs3WCzyQ3tFRDYgbq3KHGXfTbi2bs8WQ6rQ==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- es-abstract "^1.22.1"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.2"
+ es-object-atoms "^1.0.0"
object.hasown@^1.1.3:
- version "1.1.3"
- resolved "https://registry.yarnpkg.com/object.hasown/-/object.hasown-1.1.3.tgz#6a5f2897bb4d3668b8e79364f98ccf971bda55ae"
- integrity sha512-fFI4VcYpRHvSLXxP7yiZOMAd331cPfd2p7PFDVbgUsYOfCT3tICVqXWngbjr4m49OvsBwUBQ6O2uQoJvy3RexA==
+ version "1.1.4"
+ resolved "https://registry.yarnpkg.com/object.hasown/-/object.hasown-1.1.4.tgz#e270ae377e4c120cdcb7656ce66884a6218283dc"
+ integrity sha512-FZ9LZt9/RHzGySlBARE3VF+gE26TxR38SdmqOqliuTnl9wrKulaQs+4dee1V+Io8VfxqzAfHu6YuRgUy8OHoTg==
dependencies:
- define-properties "^1.2.0"
- es-abstract "^1.22.1"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.2"
+ es-object-atoms "^1.0.0"
object.values@^1.1.6, object.values@^1.1.7:
- version "1.1.7"
- resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.1.7.tgz#617ed13272e7e1071b43973aa1655d9291b8442a"
- integrity sha512-aU6xnDFYT3x17e/f0IiiwlGPTy2jzMySGfUB4fq6z7CV8l85CWHDk5ErhyhpfDHhrOMwGFhSQkhMGHaIotA6Ng==
+ version "1.2.0"
+ resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.2.0.tgz#65405a9d92cee68ac2d303002e0b8470a4d9ab1b"
+ integrity sha512-yBYjY9QX2hnRmZHAjG/f13MzmBzxzYgQhFrke06TTyKY5zSTEqkOeukBzIdVA3j3ulu8Qa3MbVFShV7T2RmGtQ==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- es-abstract "^1.22.1"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-object-atoms "^1.0.0"
+
+oblivious-set@1.0.0:
+ version "1.0.0"
+ resolved "https://registry.yarnpkg.com/oblivious-set/-/oblivious-set-1.0.0.tgz#c8316f2c2fb6ff7b11b6158db3234c49f733c566"
+ integrity sha512-z+pI07qxo4c2CulUHCDf9lcqDlMSo72N/4rLUpRXf6fu+q8vjt8y0xS+Tlf8NTJDdTXHbdeO1n3MlbctwEoXZw==
on-finished@2.4.1:
version "2.4.1"
@@ -8194,12 +8210,12 @@ path-parse@^1.0.5, path-parse@^1.0.7:
resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735"
integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==
-path-scurry@^1.10.1:
- version "1.10.1"
- resolved "https://registry.yarnpkg.com/path-scurry/-/path-scurry-1.10.1.tgz#9ba6bf5aa8500fe9fd67df4f0d9483b2b0bfc698"
- integrity sha512-MkhCqzzBEpPvxxQ71Md0b1Kk51W01lrYvlMzSUaIzNsODdd7mqhiimSZlr+VegAz5Z6Vzt9Xg2ttE//XBhH3EQ==
+path-scurry@^1.10.2:
+ version "1.10.2"
+ resolved "https://registry.yarnpkg.com/path-scurry/-/path-scurry-1.10.2.tgz#8f6357eb1239d5fa1da8b9f70e9c080675458ba7"
+ integrity sha512-7xTavNy5RQXnsjANvVvMkEjvloOinkAjv/Z6Ildz9v2RinZ4SBKTWFOVRbaF8p0vpHnyjV/UwNDdKuUv6M5qcA==
dependencies:
- lru-cache "^9.1.1 || ^10.0.0"
+ lru-cache "^10.2.0"
minipass "^5.0.0 || ^6.0.2 || ^7.0.0"
path-type@^4.0.0:
@@ -8346,13 +8362,13 @@ postcss-value-parser@^4.0.0, postcss-value-parser@^4.0.2, postcss-value-parser@^
integrity sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==
postcss@^8.4.12, postcss@^8.4.23, postcss@~8.4.32:
- version "8.4.35"
- resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.4.35.tgz#60997775689ce09011edf083a549cea44aabe2f7"
- integrity sha512-u5U8qYpBCpN13BsiEB0CbR1Hhh4Gc0zLFuedrHJKMctHCHAGrMdG0PRM/KErzAL3CU6/eckEtmHNB3x6e3c0vA==
+ version "8.4.38"
+ resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.4.38.tgz#b387d533baf2054288e337066d81c6bee9db9e0e"
+ integrity sha512-Wglpdk03BSfXkHoQa3b/oulrotAkwrlLDRSOb9D0bN86FdRyE9lppSp33aHNPgBa0JKCoB+drFLZkQoRRYae5A==
dependencies:
nanoid "^3.3.7"
picocolors "^1.0.0"
- source-map-js "^1.0.2"
+ source-map-js "^1.2.0"
prelude-ls@^1.2.1:
version "1.2.1"
@@ -8437,7 +8453,7 @@ prompts@^2.0.1, prompts@^2.2.1, prompts@^2.3.2, prompts@^2.4.2:
kleur "^3.0.3"
sisteransi "^1.0.5"
-prop-types@^15.7.2, prop-types@^15.8.1:
+prop-types@^15.5.10, prop-types@^15.7.2, prop-types@^15.8.1:
version "15.8.1"
resolved "https://registry.yarnpkg.com/prop-types/-/prop-types-15.8.1.tgz#67d87bf1a694f48435cf332c24af10214a3140b5"
integrity sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==
@@ -8475,9 +8491,9 @@ punycode@^2.1.0, punycode@^2.1.1:
integrity sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==
pure-rand@^6.0.0:
- version "6.0.4"
- resolved "https://registry.yarnpkg.com/pure-rand/-/pure-rand-6.0.4.tgz#50b737f6a925468679bff00ad20eade53f37d5c7"
- integrity sha512-LA0Y9kxMYv47GIPJy6MI84fqTd2HmYZI83W/kM/SkKfDlajnZYfmXFTxkbY+xSBPkLJxltMa9hIkmdc29eguMA==
+ version "6.1.0"
+ resolved "https://registry.yarnpkg.com/pure-rand/-/pure-rand-6.1.0.tgz#d173cf23258231976ccbdb05247c9787957604f2"
+ integrity sha512-bVWawvoZoBYpp6yIoQtQXHZjmz35RSVHnUOTefl8Vcjr8snTPY1wnpSPMWekcFwbxI6gtmT7rSYPFvz71ldiOA==
qrcode-terminal@0.11.0:
version "0.11.0"
@@ -8485,9 +8501,9 @@ qrcode-terminal@0.11.0:
integrity sha512-Uu7ii+FQy4Qf82G4xu7ShHhjhGahEpCWc3x8UavY3CTcWV+ufmmCtwkr7ZKsX42jdL0kr1B5FKUeqJvAn51jzQ==
qs@^6.11.2:
- version "6.12.0"
- resolved "https://registry.yarnpkg.com/qs/-/qs-6.12.0.tgz#edd40c3b823995946a8a0b1f208669c7a200db77"
- integrity sha512-trVZiI6RMOkO476zLGaBIzszOdFPnCCXHPG9kn0yuS1uz6xdVxPfZdB3vUig9pxPFDM9BRAgz/YUIVQ1/vuiUg==
+ version "6.12.1"
+ resolved "https://registry.yarnpkg.com/qs/-/qs-6.12.1.tgz#39422111ca7cbdb70425541cba20c7d7b216599a"
+ integrity sha512-zWmv4RSuB9r2mYQw3zxQuHWeU+42aKi1wWig/j4ele4ygELZ7PEO6MM7rim9oAQH2A5MWfsAVf/jPvTPgCbvUQ==
dependencies:
side-channel "^1.0.6"
@@ -8580,9 +8596,9 @@ react-helmet-async@^1.3.0:
shallowequal "^1.1.0"
react-hook-form@^7.51.2:
- version "7.51.2"
- resolved "https://registry.yarnpkg.com/react-hook-form/-/react-hook-form-7.51.2.tgz#79f7f72ee217c5114ff831012d1a7ec344096e7f"
- integrity sha512-y++lwaWjtzDt/XNnyGDQy6goHskFualmDlf+jzEZvjvz6KWDf7EboL7pUvRCzPTJd0EOPpdekYaQLEvvG6m6HA==
+ version "7.51.3"
+ resolved "https://registry.yarnpkg.com/react-hook-form/-/react-hook-form-7.51.3.tgz#7486dd2d52280b6b28048c099a98d2545931cab3"
+ integrity sha512-cvJ/wbHdhYx8aviSWh28w9ImjmVsb5Y05n1+FW786vEZQJV5STNM0pW6ujS+oiBecb0ARBxJFyAnXj9+GHXACQ==
"react-is@^16.12.0 || ^17.0.0 || ^18.0.0", react-is@^18.0.0, react-is@^18.1.0, react-is@^18.2.0:
version "18.2.0"
@@ -8599,6 +8615,11 @@ react-is@^17.0.1:
resolved "https://registry.yarnpkg.com/react-is/-/react-is-17.0.2.tgz#e691d4a8e9c789365655539ab372762b0efb54f0"
integrity sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==
+react-native-confirmation-code-field@^7.4.0:
+ version "7.4.0"
+ resolved "https://registry.yarnpkg.com/react-native-confirmation-code-field/-/react-native-confirmation-code-field-7.4.0.tgz#58cc2d5adad59882d1805bf164cd6099d432d21e"
+ integrity sha512-Kw7rD0RXi6vZnt0Y67nkSW2wYmZFdnxJ23yxkKm3jqwvSxAvaA1NP3h3MHSPmJd25l0WK/+fjXOeCliDqWZ9rw==
+
react-native-cookies@^3.3.0:
version "3.3.0"
resolved "https://registry.yarnpkg.com/react-native-cookies/-/react-native-cookies-3.3.0.tgz#527f65eb2d8a7a000107706bb11beb57f511e701"
@@ -8613,7 +8634,7 @@ react-native-element-dropdown@^2.10.4:
dependencies:
lodash "^4.17.21"
-react-native-gesture-handler@~2.16.0:
+react-native-gesture-handler@^2.16.0:
version "2.16.0"
resolved "https://registry.yarnpkg.com/react-native-gesture-handler/-/react-native-gesture-handler-2.16.0.tgz#45a00b5988e74ebc58f130c8d1443319c8e678db"
integrity sha512-1hFkx7RIfeJSyTQQ0Nkv4icFVZ5+XjQkd47OgZMBFzoB7ecL+nFSz8KLi3OCWOhq+nbHpSPlSG5VF3CQNCJpWA==
@@ -8636,6 +8657,15 @@ react-native-maps@1.14.0:
dependencies:
"@types/geojson" "^7946.0.13"
+react-native-menu@^0.23.0:
+ version "0.23.0"
+ resolved "https://registry.yarnpkg.com/react-native-menu/-/react-native-menu-0.23.0.tgz#3c023239aed95d419275df50c199982ad7eb062b"
+ integrity sha512-sSNqvyTH7HT/8n2MPn14ysg5FEgM4yvV5dYXT515WQGMSFm1K35Rvi4G2Ku+EW9pSyDgRvFSCgJnWHWi0gtmSQ==
+ dependencies:
+ create-react-class "^15.6.0"
+ prop-types "^15.5.10"
+ react-timer-mixin "^0.13.3"
+
react-native-open-maps@^0.4.3:
version "0.4.3"
resolved "https://registry.yarnpkg.com/react-native-open-maps/-/react-native-open-maps-0.4.3.tgz#767c6621dcf558241afe78a62c5f7924031f270e"
@@ -8643,7 +8673,7 @@ react-native-open-maps@^0.4.3:
dependencies:
query-string "^7.1.0"
-react-native-reanimated@~3.8.1:
+react-native-reanimated@^3.8.1:
version "3.8.1"
resolved "https://registry.yarnpkg.com/react-native-reanimated/-/react-native-reanimated-3.8.1.tgz#45c13d4bedebef8df3d5a8756f25072de65960d7"
integrity sha512-EdM0vr3JEaNtqvstqESaPfOBy0gjYBkr1iEolWJ82Ax7io8y9OVUIphgsLKTB36CtR1XtmBw0RZVj7KArc7ZVA==
@@ -8657,7 +8687,7 @@ react-native-reanimated@~3.8.1:
convert-source-map "^2.0.0"
invariant "^2.2.4"
-react-native-safe-area-context@4.9.0:
+react-native-safe-area-context@^4.9.0:
version "4.9.0"
resolved "https://registry.yarnpkg.com/react-native-safe-area-context/-/react-native-safe-area-context-4.9.0.tgz#21a570ca3594cb4259ba65f93befaa60d91bcbd0"
integrity sha512-/OJD9Pb8IURyvn+1tWTszWPJqsbZ4hyHBU9P0xhOmk7h5owSuqL0zkfagU0pg7Vh0G2NKQkaPpUKUMMCUMDh/w==
@@ -8746,6 +8776,15 @@ react-native@0.73.6:
ws "^6.2.2"
yargs "^17.6.2"
+react-query@^3.39.3:
+ version "3.39.3"
+ resolved "https://registry.yarnpkg.com/react-query/-/react-query-3.39.3.tgz#4cea7127c6c26bdea2de5fb63e51044330b03f35"
+ integrity sha512-nLfLz7GiohKTJDuT4us4X3h/8unOh+00MLb2yJoGTPjxKs2bc1iDhkNx2bd5MKklXnOD3NrVZ+J2UXujA5In4g==
+ dependencies:
+ "@babel/runtime" "^7.5.5"
+ broadcast-channel "^3.4.1"
+ match-sorter "^6.0.2"
+
react-refresh@0.14.0, react-refresh@^0.14.0:
version "0.14.0"
resolved "https://registry.yarnpkg.com/react-refresh/-/react-refresh-0.14.0.tgz#4e02825378a5f227079554d4284889354e5f553e"
@@ -8768,6 +8807,11 @@ react-test-renderer@18.2.0:
react-shallow-renderer "^16.15.0"
scheduler "^0.23.0"
+react-timer-mixin@^0.13.3:
+ version "0.13.4"
+ resolved "https://registry.yarnpkg.com/react-timer-mixin/-/react-timer-mixin-0.13.4.tgz#75a00c3c94c13abe29b43d63b4c65a88fc8264d3"
+ integrity sha512-4+ow23tp/Tv7hBM5Az5/Be/eKKF7DIvJ09voz5LyHGQaqqz9WV8YMs31eFvcYQs7d451LSg7kDJV70XYN/Ug/Q==
+
react@18.2.0:
version "18.2.0"
resolved "https://registry.yarnpkg.com/react/-/react-18.2.0.tgz#555bd98592883255fa00de14f1151a917b5d77d5"
@@ -8827,15 +8871,15 @@ recast@^0.21.0:
tslib "^2.0.1"
reflect.getprototypeof@^1.0.4:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/reflect.getprototypeof/-/reflect.getprototypeof-1.0.5.tgz#e0bd28b597518f16edaf9c0e292c631eb13e0674"
- integrity sha512-62wgfC8dJWrmxv44CA36pLDnP6KKl3Vhxb7PL+8+qrrFMMoJij4vgiMP8zV4O8+CBMXY1mHxI5fITGHXFHVmQQ==
+ version "1.0.6"
+ resolved "https://registry.yarnpkg.com/reflect.getprototypeof/-/reflect.getprototypeof-1.0.6.tgz#3ab04c32a8390b770712b7a8633972702d278859"
+ integrity sha512-fmfw4XgoDke3kdI6h4xcUz1dG8uaiv5q9gcEwLS4Pnth2kxT+GZ7YehS1JTMGBQmtV7Y4GFGbs2re2NqhdozUg==
dependencies:
- call-bind "^1.0.5"
+ call-bind "^1.0.7"
define-properties "^1.2.1"
- es-abstract "^1.22.3"
- es-errors "^1.0.0"
- get-intrinsic "^1.2.3"
+ es-abstract "^1.23.1"
+ es-errors "^1.3.0"
+ get-intrinsic "^1.2.4"
globalthis "^1.0.3"
which-builtin-type "^1.1.3"
@@ -8868,7 +8912,7 @@ regenerator-transform@^0.15.2:
dependencies:
"@babel/runtime" "^7.8.4"
-regexp.prototype.flags@^1.5.0, regexp.prototype.flags@^1.5.2:
+regexp.prototype.flags@^1.5.2:
version "1.5.2"
resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.5.2.tgz#138f644a3350f981a858c44f6bb1a61ff59be334"
integrity sha512-NcDiDkTLuPR+++OCKB0nWafEmhg/Da8aUPLPMQbK+bxKKCm1/S5he+AqYa4PlMCVBalb4/yxIRub6qkEx5yJbw==
@@ -8897,6 +8941,11 @@ regjsparser@^0.9.1:
dependencies:
jsesc "~0.5.0"
+remove-accents@0.5.0:
+ version "0.5.0"
+ resolved "https://registry.yarnpkg.com/remove-accents/-/remove-accents-0.5.0.tgz#77991f37ba212afba162e375b627631315bed687"
+ integrity sha512-8g3/Otx1eJaVD12e31UbJj1YzdtVvzH85HV7t+9MJYk/u3XmkOUJ5Ys9wQrf9PCPK8+xn4ymzqYCiZl6QWKn+A==
+
remove-trailing-slash@^0.1.0:
version "0.1.1"
resolved "https://registry.yarnpkg.com/remove-trailing-slash/-/remove-trailing-slash-0.1.1.tgz#be2285a59f39c74d1bce4f825950061915e3780d"
@@ -9004,6 +9053,13 @@ reusify@^1.0.4:
resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76"
integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==
+rimraf@3.0.2, rimraf@^3.0.2:
+ version "3.0.2"
+ resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a"
+ integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==
+ dependencies:
+ glob "^7.1.3"
+
rimraf@^2.6.2:
version "2.7.1"
resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec"
@@ -9011,13 +9067,6 @@ rimraf@^2.6.2:
dependencies:
glob "^7.1.3"
-rimraf@^3.0.2:
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a"
- integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==
- dependencies:
- glob "^7.1.3"
-
rimraf@~2.4.0:
version "2.4.5"
resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.4.5.tgz#ee710ce5d93a8fdb856fb5ea8ff0e2d75934b2da"
@@ -9039,7 +9088,7 @@ run-parallel@^1.1.9:
dependencies:
queue-microtask "^1.2.2"
-safe-array-concat@^1.1.0:
+safe-array-concat@^1.1.2:
version "1.1.2"
resolved "https://registry.yarnpkg.com/safe-array-concat/-/safe-array-concat-1.1.2.tgz#81d77ee0c4e8b863635227c721278dd524c20edb"
integrity sha512-vj6RsCsWBCf19jIeHEfkRMw8DPiBb+DMXklQ/1SGDHOMlHdPUkZXFQ2YdplS23zESTijAcurb1aSgJA3AgMu1Q==
@@ -9199,7 +9248,7 @@ set-function-length@^1.2.1:
gopd "^1.0.1"
has-property-descriptors "^1.0.2"
-set-function-name@^2.0.0, set-function-name@^2.0.1:
+set-function-name@^2.0.1, set-function-name@^2.0.2:
version "2.0.2"
resolved "https://registry.yarnpkg.com/set-function-name/-/set-function-name-2.0.2.tgz#16a705c5a0dc2f5e638ca96d8a8cd4e1c2b90985"
integrity sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ==
@@ -9340,16 +9389,11 @@ sort-keys@^2.0.0:
dependencies:
is-plain-obj "^1.0.0"
-source-map-js@^1.0.1:
+source-map-js@^1.0.1, source-map-js@^1.2.0:
version "1.2.0"
resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.2.0.tgz#16b809c162517b5b8c3e7dcd315a2a5c2612b2af"
integrity sha512-itJW8lvSA0TXEphiRoawsCksnlf8SyvmFzIhltqAHluXd88pkCd+cXJVHTDwdCr0IzwptSm035IHQktUu1QUMg==
-source-map-js@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.0.2.tgz#adbc361d9c62df380125e7f161f71c826f1e490c"
- integrity sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==
-
source-map-support@0.5.13:
version "0.5.13"
resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.13.tgz#31b24a9c2e73c2de85066c0feb7d44767ed52932"
@@ -9523,46 +9567,50 @@ string-width@^5.0.1, string-width@^5.1.2:
strip-ansi "^7.0.1"
string.prototype.matchall@^4.0.10:
- version "4.0.10"
- resolved "https://registry.yarnpkg.com/string.prototype.matchall/-/string.prototype.matchall-4.0.10.tgz#a1553eb532221d4180c51581d6072cd65d1ee100"
- integrity sha512-rGXbGmOEosIQi6Qva94HUjgPs9vKW+dkG7Y8Q5O2OYkWL6wFaTRZO8zM4mhP94uX55wgyrXzfS2aGtGzUL7EJQ==
+ version "4.0.11"
+ resolved "https://registry.yarnpkg.com/string.prototype.matchall/-/string.prototype.matchall-4.0.11.tgz#1092a72c59268d2abaad76582dccc687c0297e0a"
+ integrity sha512-NUdh0aDavY2og7IbBPenWqR9exH+E26Sv8e0/eTe1tltDGZL+GtBkDAnnyBtmekfK6/Dq3MkcGtzXFEd1LQrtg==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- es-abstract "^1.22.1"
- get-intrinsic "^1.2.1"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.2"
+ es-errors "^1.3.0"
+ es-object-atoms "^1.0.0"
+ get-intrinsic "^1.2.4"
+ gopd "^1.0.1"
has-symbols "^1.0.3"
- internal-slot "^1.0.5"
- regexp.prototype.flags "^1.5.0"
- set-function-name "^2.0.0"
- side-channel "^1.0.4"
+ internal-slot "^1.0.7"
+ regexp.prototype.flags "^1.5.2"
+ set-function-name "^2.0.2"
+ side-channel "^1.0.6"
-string.prototype.trim@^1.2.8:
- version "1.2.8"
- resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.8.tgz#f9ac6f8af4bd55ddfa8895e6aea92a96395393bd"
- integrity sha512-lfjY4HcixfQXOfaqCvcBuOIapyaroTXhbkfJN3gcB1OtyupngWK4sEET9Knd0cXd28kTUqu/kHoV4HKSJdnjiQ==
+string.prototype.trim@^1.2.9:
+ version "1.2.9"
+ resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.9.tgz#b6fa326d72d2c78b6df02f7759c73f8f6274faa4"
+ integrity sha512-klHuCNxiMZ8MlsOihJhJEBJAiMVqU3Z2nEXWfWnIqjN0gEFS9J9+IxKozWWtQGcgoa1WUZzLjKPTr4ZHNFTFxw==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- es-abstract "^1.22.1"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.0"
+ es-object-atoms "^1.0.0"
-string.prototype.trimend@^1.0.7:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.7.tgz#1bb3afc5008661d73e2dc015cd4853732d6c471e"
- integrity sha512-Ni79DqeB72ZFq1uH/L6zJ+DKZTkOtPIHovb3YZHQViE+HDouuU4mBrLOLDn5Dde3RF8qw5qVETEjhu9locMLvA==
+string.prototype.trimend@^1.0.8:
+ version "1.0.8"
+ resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.8.tgz#3651b8513719e8a9f48de7f2f77640b26652b229"
+ integrity sha512-p73uL5VCHCO2BZZ6krwwQE3kCzM7NKmis8S//xEC6fQonchbum4eP6kR4DLEjQFO3Wnj3Fuo8NM0kOSjVdHjZQ==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- es-abstract "^1.22.1"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-object-atoms "^1.0.0"
-string.prototype.trimstart@^1.0.7:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.7.tgz#d4cdb44b83a4737ffbac2d406e405d43d0184298"
- integrity sha512-NGhtDFu3jCEm7B4Fy0DpLewdJQOZcQ0rGbwQ/+stjnrp2i+rlKeCvos9hOIeCmqwratM47OBxY7uFZzjxHXmrg==
+string.prototype.trimstart@^1.0.8:
+ version "1.0.8"
+ resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.8.tgz#7ee834dda8c7c17eff3118472bb35bfedaa34dde"
+ integrity sha512-UXSH262CSZY1tfu3G3Secr6uGLCFVPMhIqHjlgCUtCCcgihYc/xKs9djMTMUOb2j1mVSeU8EU6NWc/iQKU6Gfg==
dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- es-abstract "^1.22.1"
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-object-atoms "^1.0.0"
string_decoder@^1.1.1:
version "1.3.0"
@@ -9839,9 +9887,9 @@ terminal-link@^2.1.1:
supports-hyperlinks "^2.0.0"
terser@^5.15.0:
- version "5.29.1"
- resolved "https://registry.yarnpkg.com/terser/-/terser-5.29.1.tgz#44e58045b70c09792ba14bfb7b4e14ca8755b9fa"
- integrity sha512-lZQ/fyaIGxsbGxApKmoPTODIzELy3++mXhS5hOqaAWZjQtpq/hFHAc+rm29NND1rYRxRWKcjuARNwULNXa5RtQ==
+ version "5.30.3"
+ resolved "https://registry.yarnpkg.com/terser/-/terser-5.30.3.tgz#f1bb68ded42408c316b548e3ec2526d7dd03f4d2"
+ integrity sha512-STdUgOUx8rLbMGO9IOwHLpCqolkDITFFQSMYYwKE1N2lY6MVSaeoi10z/EhWxRc6ybqoVmKSkhKYH/XUpl7vSA==
dependencies:
"@jridgewell/source-map" "^0.3.3"
acorn "^8.8.2"
@@ -9946,9 +9994,13 @@ tr46@~0.0.3:
integrity sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==
traverse@~0.6.6:
- version "0.6.8"
- resolved "https://registry.yarnpkg.com/traverse/-/traverse-0.6.8.tgz#5e5e0c41878b57e4b73ad2f3d1e36a715ea4ab15"
- integrity sha512-aXJDbk6SnumuaZSANd21XAo15ucCDE38H4fkqiGsc3MhCK+wOlZvLP9cB/TvpHT0mOyWgC4Z8EwRlzqYSUzdsA==
+ version "0.6.9"
+ resolved "https://registry.yarnpkg.com/traverse/-/traverse-0.6.9.tgz#76cfdbacf06382d460b76f8b735a44a6209d8b81"
+ integrity sha512-7bBrcF+/LQzSgFmT0X5YclVqQxtv7TDJ1f8Wj7ibBu/U6BMLeOpUxuZjV7rMc44UtKxlnMFigdhFAIszSX1DMg==
+ dependencies:
+ gopd "^1.0.1"
+ typedarray.prototype.slice "^1.0.3"
+ which-typed-array "^1.1.15"
ts-interface-checker@^0.1.9:
version "0.1.13"
@@ -10009,11 +10061,6 @@ type-fest@^0.7.1:
resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.7.1.tgz#8dda65feaf03ed78f0a3f9678f1869147f7c5c48"
integrity sha512-Ne2YiiGN8bmrmJJEuTWTLJR32nh/JdL1+PSicowtNb0WFpn59GK8/lfD61bVtzguz7b3PBt74nxpv/Pw5po5Rg==
-type-fest@^3.0.0:
- version "3.13.1"
- resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-3.13.1.tgz#bb744c1f0678bea7543a2d1ec24e83e68e8c8706"
- integrity sha512-tLq3bSNx+xSpwvAJnzrK0Ep5CLNWjvFTOp71URMaAEWBfRb9nnJiBoUe0tF8bI4ZFO3omgBR6NvnbzVUT3Ly4g==
-
typed-array-buffer@^1.0.2:
version "1.0.2"
resolved "https://registry.yarnpkg.com/typed-array-buffer/-/typed-array-buffer-1.0.2.tgz#1867c5d83b20fcb5ccf32649e5e2fc7424474ff3"
@@ -10046,10 +10093,10 @@ typed-array-byte-offset@^1.0.2:
has-proto "^1.0.3"
is-typed-array "^1.1.13"
-typed-array-length@^1.0.5:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/typed-array-length/-/typed-array-length-1.0.5.tgz#57d44da160296d8663fd63180a1802ebf25905d5"
- integrity sha512-yMi0PlwuznKHxKmcpoOdeLwxBoVPkqZxd7q2FgMkmD3bNwvF5VW0+UlUQ1k1vmktTu4Yu13Q0RIxEP8+B+wloA==
+typed-array-length@^1.0.6:
+ version "1.0.6"
+ resolved "https://registry.yarnpkg.com/typed-array-length/-/typed-array-length-1.0.6.tgz#57155207c76e64a3457482dfdc1c9d1d3c4c73a3"
+ integrity sha512-/OxDN6OtAk5KBpGb28T+HZc2M+ADtvRxXrKKbUwtsLgdoxgX13hyy7ek6bFRl5+aBs2yZzB0c4CnQfAtVypW/g==
dependencies:
call-bind "^1.0.7"
for-each "^0.3.3"
@@ -10058,6 +10105,18 @@ typed-array-length@^1.0.5:
is-typed-array "^1.1.13"
possible-typed-array-names "^1.0.0"
+typedarray.prototype.slice@^1.0.3:
+ version "1.0.3"
+ resolved "https://registry.yarnpkg.com/typedarray.prototype.slice/-/typedarray.prototype.slice-1.0.3.tgz#bce2f685d3279f543239e4d595e0d021731d2d1a"
+ integrity sha512-8WbVAQAUlENo1q3c3zZYuy5k9VzBQvp8AX9WOtbvyWlLM1v5JaSRmjubLjzHF4JFtptjH/5c/i95yaElvcjC0A==
+ dependencies:
+ call-bind "^1.0.7"
+ define-properties "^1.2.1"
+ es-abstract "^1.23.0"
+ es-errors "^1.3.0"
+ typed-array-buffer "^1.0.2"
+ typed-array-byte-offset "^1.0.2"
+
typescript@^5.4.5:
version "5.4.5"
resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.4.5.tgz#42ccef2c571fdbd0f6718b1d1f5e6e5ef006f611"
@@ -10154,6 +10213,14 @@ universalify@^2.0.0:
resolved "https://registry.yarnpkg.com/universalify/-/universalify-2.0.1.tgz#168efc2180964e6386d061e094df61afe239b18d"
integrity sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==
+unload@2.2.0:
+ version "2.2.0"
+ resolved "https://registry.yarnpkg.com/unload/-/unload-2.2.0.tgz#ccc88fdcad345faa06a92039ec0f80b488880ef7"
+ integrity sha512-B60uB5TNBLtN6/LsgAf3udH9saB5p7gqJwcFfbOEZ8BcBHnGwCf6G/TGiEqkRAxX7zAFIUtzdrXQSdL3Q/wqNA==
+ dependencies:
+ "@babel/runtime" "^7.6.2"
+ detect-node "^2.0.4"
+
unpipe@~1.0.0:
version "1.0.0"
resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec"
@@ -10408,7 +10475,7 @@ which-module@^2.0.0:
resolved "https://registry.yarnpkg.com/which-module/-/which-module-2.0.1.tgz#776b1fe35d90aebe99e8ac15eb24093389a4a409"
integrity sha512-iBdZ57RDvnOR9AGBhML2vFZf7h8vmBjhoaZqODJBFWHVtKkDmKuHai3cx5PgVMrX5YDNp27AofYbAwctSS+vhQ==
-which-typed-array@^1.1.14, which-typed-array@^1.1.2, which-typed-array@^1.1.9:
+which-typed-array@^1.1.14, which-typed-array@^1.1.15, which-typed-array@^1.1.2, which-typed-array@^1.1.9:
version "1.1.15"
resolved "https://registry.yarnpkg.com/which-typed-array/-/which-typed-array-1.1.15.tgz#264859e9b11a649b388bfaaf4f767df1f779b38d"
integrity sha512-oV0jmFtUky6CXfkqehVvBP/LSWJ2sy4vWMioiENyJLePrBO/yKyV9OyJySfAKosh+RYkIl5zJCNZ8/4JncrpdA==
From 7fd87fb34071b1cf1cc1ddccd80686400e326765 Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Mon, 15 Apr 2024 23:48:04 -0400
Subject: [PATCH 30/32] chore: update mock user data to include majors (#552)
---
backend/src/migrations/data.sql | 34 ++++++++++++++++-----------------
1 file changed, 17 insertions(+), 17 deletions(-)
diff --git a/backend/src/migrations/data.sql b/backend/src/migrations/data.sql
index 96d0dad6f..dcd19c9df 100644
--- a/backend/src/migrations/data.sql
+++ b/backend/src/migrations/data.sql
@@ -1,9 +1,9 @@
-- BEGIN MOCK DATA TRANSACTION
BEGIN;
--- INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, graduation_cycle, graduation_year, is_verified) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', 'super', 'oduneye.d@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'David', 'Oduneye', 'KCCS', 'may', 2025, true);
--- INSERT INTO users (id, role, email, password_hash, first_name, last_name, college, graduation_cycle, graduation_year, is_verified) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', 'super', 'ladley.g@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'Garrett', 'Ladley', 'KCCS', 'may', 2025, true);
--- INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
--- INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
+INSERT INTO users (id, role, email, password_hash, first_name, last_name, major0, college, graduation_cycle, graduation_year, is_verified) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', 'super', 'oduneye.d@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'David', 'Oduneye', 'computerScience', 'KCCS', 'may', 2025, true);
+INSERT INTO users (id, role, email, password_hash, first_name, last_name, major0, college, graduation_cycle, graduation_year, is_verified) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', 'super', 'ladley.g@northeastern.edu', '$argon2id$v=19$m=65536,t=3,p=2$zYyFSnLvC5Q482mzMJrTjg$WUhpXwulvfipyWg7asQyCRUqBEnjizDOoMP2/GvWQR8', 'Garrett', 'Ladley', 'computerScience', 'KCCS', 'may', 2025, true);
+INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('29cac84a-362c-4ffa-9f4c-2f76057b7902', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
+INSERT INTO user_club_members (user_id, club_id, membership_type) VALUES ('4f4d9990-7d26-4229-911d-1aa61851c292', (SELECT id FROM clubs WHERE name = 'SAC'), 'admin');
COMMIT;
-- END MOCK DATA TRANSACTION
-- AUTOGENERATED MOCK DATA, DO NOT MODIFY
@@ -1685,19 +1685,19 @@ COMMIT;
-- END AUTOGENERATED MOCK DATA
-- BEGIN MOCK DATA TRANSACTION
--- BEGIN;
--- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('eea48981-8c89-4f3a-8b04-c9ec60671640', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Spring Showcase', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University!', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University! We will be showcasing the best and brightest students from a variety of disciplines, so be sure to come out and support your peers!', '2024-04-15 19:00:00', '2024-04-15 21:00:00', 'Ell Hall, 342 Huntington Ave, Boston, MA 02115', false);
--- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'eea48981-8c89-4f3a-8b04-c9ec60671640', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','eea48981-8c89-4f3a-8b04-c9ec60671640','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','eea48981-8c89-4f3a-8b04-c9ec60671640','6714365f-7133-495c-a4d9-33a1a432c159');
--- INSERT INTO series (id, recurring_type, max_occurrences) VALUES ('43a97583-8db3-493c-bd09-6ccae3301b9a', 'weekly', 3);
--- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-16 18:00:00', '2024-04-16 19:00:00', '450 Parker St, Boston, MA 02115', true);
--- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8a9dd792-8e17-45e3-ba4a-7287ad4d4c06', 'cc034c67-82e0-4ba5-94c5-9b0cba132a99', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('aab358cb-bdef-4033-8e1f-9585222ebc99','cc034c67-82e0-4ba5-94c5-9b0cba132a99','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0313c204-0c67-4f30-b028-392f8fa585c1','cc034c67-82e0-4ba5-94c5-9b0cba132a99','6714365f-7133-495c-a4d9-33a1a432c159');
--- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('c83de05c-8951-432a-b74d-9d91e452fbdf', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-23 18:00:00', '2024-04-23 19:00:00', '450 Parker St, Boston, MA 02115', true);
--- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'c83de05c-8951-432a-b74d-9d91e452fbdf', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','c83de05c-8951-432a-b74d-9d91e452fbdf','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','c83de05c-8951-432a-b74d-9d91e452fbdf','6714365f-7133-495c-a4d9-33a1a432c159');
--- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-30 18:00:00', '2024-04-30 19:00:00', '450 Parker St, Boston, MA 02115', true);
--- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8750ea53-3b5e-45c5-81cf-8ceef024894f', '3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('bff77c88-569e-42a6-b041-d68bb5439729','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('799979ec-c956-441c-94f6-b5783274730d','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','6714365f-7133-495c-a4d9-33a1a432c159');
--- INSERT INTO event_series (event_id, series_id) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '43a97583-8db3-493c-bd09-6ccae3301b9a'), ('c83de05c-8951-432a-b74d-9d91e452fbdf','43a97583-8db3-493c-bd09-6ccae3301b9a' ), ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '43a97583-8db3-493c-bd09-6ccae3301b9a');
--- INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('788e36a1-116c-4e9b-9842-e70f787e691b', '38ae97fd-f259-40ef-9d99-c3d47fc44644', 'Phi Sigma Rho Philanthropy', 'Join us for a day of service as we give back to the community!', 'Join us for a day of service as we give back to the community! We will be volunteering at a local food bank, so be sure to wear comfortable clothes and closed-toed shoes. This event is open to all students, so feel free to bring a friend!', '2024-04-20 10:00:00', '2024-04-20 16:00:00', '70 S Bay Ave, Boston, MA 02118', false);
--- INSERT INTO event_tags(id, event_id, tag_id) VALUES ('f184543c-9b11-4f10-aa92-c12abaf2096b', '788e36a1-116c-4e9b-9842-e70f787e691b', 'a85c38cb-65ba-4481-9c32-1834dd41e472'), ('c536eff6-11db-4d56-92b4-26ee0ef9f50e','788e36a1-116c-4e9b-9842-e70f787e691b','b7c272cd-8556-4202-b6ae-9f2223cca95c');
+BEGIN;
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('eea48981-8c89-4f3a-8b04-c9ec60671640', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Spring Showcase', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University!', 'Join us for a night of TED Talks from some of the most talented students at Northeastern University! We will be showcasing the best and brightest students from a variety of disciplines, so be sure to come out and support your peers!', '2024-04-15 19:00:00', '2024-04-15 21:00:00', 'Ell Hall, 342 Huntington Ave, Boston, MA 02115', false);
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'eea48981-8c89-4f3a-8b04-c9ec60671640', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','eea48981-8c89-4f3a-8b04-c9ec60671640','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','eea48981-8c89-4f3a-8b04-c9ec60671640','6714365f-7133-495c-a4d9-33a1a432c159');
+INSERT INTO series (id, recurring_type, max_occurrences) VALUES ('43a97583-8db3-493c-bd09-6ccae3301b9a', 'weekly', 3);
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-16 18:00:00', '2024-04-16 19:00:00', '450 Parker St, Boston, MA 02115', true);
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8a9dd792-8e17-45e3-ba4a-7287ad4d4c06', 'cc034c67-82e0-4ba5-94c5-9b0cba132a99', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('aab358cb-bdef-4033-8e1f-9585222ebc99','cc034c67-82e0-4ba5-94c5-9b0cba132a99','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0313c204-0c67-4f30-b028-392f8fa585c1','cc034c67-82e0-4ba5-94c5-9b0cba132a99','6714365f-7133-495c-a4d9-33a1a432c159');
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('c83de05c-8951-432a-b74d-9d91e452fbdf', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-23 18:00:00', '2024-04-23 19:00:00', '450 Parker St, Boston, MA 02115', true);
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('a6b54d96-efc9-4a3d-b3ef-ee1e749d9f91', 'c83de05c-8951-432a-b74d-9d91e452fbdf', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('19e59320-0d8f-443d-85dc-ad29bef1d859','c83de05c-8951-432a-b74d-9d91e452fbdf','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('0b50d82b-582e-44f9-ab13-8c3f8466b4f8','c83de05c-8951-432a-b74d-9d91e452fbdf','6714365f-7133-495c-a4d9-33a1a432c159');
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '7fb7106b-1435-4fd7-870b-b8b6fe54ecb9', 'Weekly Meeting!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved!', 'Join us for our weekly meeting to learn more about our organization and how you can get involved! We will be discussing upcoming events, volunteer opportunities, and more! This meeting is open to all students, so feel free to bring a friend!', '2024-04-30 18:00:00', '2024-04-30 19:00:00', '450 Parker St, Boston, MA 02115', true);
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('8750ea53-3b5e-45c5-81cf-8ceef024894f', '3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '3abe8f84-75d8-40e6-8d38-8479d3c135c8'), ('bff77c88-569e-42a6-b041-d68bb5439729','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','28086003-383f-41c3-8a9c-e5823d5f7c8a'), ('799979ec-c956-441c-94f6-b5783274730d','3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0','6714365f-7133-495c-a4d9-33a1a432c159');
+INSERT INTO event_series (event_id, series_id) VALUES ('cc034c67-82e0-4ba5-94c5-9b0cba132a99', '43a97583-8db3-493c-bd09-6ccae3301b9a'), ('c83de05c-8951-432a-b74d-9d91e452fbdf','43a97583-8db3-493c-bd09-6ccae3301b9a' ), ('3dfe4d7e-b6ec-4d21-9e37-216c9830a6d0', '43a97583-8db3-493c-bd09-6ccae3301b9a');
+INSERT INTO events (id, host, name, preview, content, start_time, end_time, location, is_recurring) VALUES ('788e36a1-116c-4e9b-9842-e70f787e691b', '38ae97fd-f259-40ef-9d99-c3d47fc44644', 'Phi Sigma Rho Philanthropy', 'Join us for a day of service as we give back to the community!', 'Join us for a day of service as we give back to the community! We will be volunteering at a local food bank, so be sure to wear comfortable clothes and closed-toed shoes. This event is open to all students, so feel free to bring a friend!', '2024-04-20 10:00:00', '2024-04-20 16:00:00', '70 S Bay Ave, Boston, MA 02118', false);
+INSERT INTO event_tags(id, event_id, tag_id) VALUES ('f184543c-9b11-4f10-aa92-c12abaf2096b', '788e36a1-116c-4e9b-9842-e70f787e691b', 'a85c38cb-65ba-4481-9c32-1834dd41e472'), ('c536eff6-11db-4d56-92b4-26ee0ef9f50e','788e36a1-116c-4e9b-9842-e70f787e691b','b7c272cd-8556-4202-b6ae-9f2223cca95c');
-- COMMIT;
-- END MOCK DATA TRANSACTION
\ No newline at end of file
From 841a430002e9ab2794dafe990eb0ef99110702df Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Mon, 15 Apr 2024 23:57:00 -0400
Subject: [PATCH 31/32] fix: backend ci failing (#554)
---
.github/workflows/backend.yml | 2 ++
.github/workflows/cli.yml | 2 ++
config/.env.template | 16 ++++++++--------
3 files changed, 12 insertions(+), 8 deletions(-)
diff --git a/.github/workflows/backend.yml b/.github/workflows/backend.yml
index fa822391f..4dd4ad7f8 100644
--- a/.github/workflows/backend.yml
+++ b/.github/workflows/backend.yml
@@ -6,11 +6,13 @@ on:
push:
paths:
- backend/**
+ - config/**
- .github/workflows/backend.yml
pull_request:
types: [opened]
paths:
- backend/**
+ - config/**
- .github/workflows/backend.yml
concurrency:
diff --git a/.github/workflows/cli.yml b/.github/workflows/cli.yml
index db08cf75c..6911047dc 100644
--- a/.github/workflows/cli.yml
+++ b/.github/workflows/cli.yml
@@ -6,11 +6,13 @@ on:
push:
paths:
- cli/**
+ - config/**
- .github/workflows/cli.yml
pull_request:
types: [opened]
paths:
- cli/**
+ - config/**
- .github/workflows/cli.yml
concurrency:
diff --git a/config/.env.template b/config/.env.template
index d0e371142..64e07fbf4 100644
--- a/config/.env.template
+++ b/config/.env.template
@@ -1,9 +1,9 @@
-SAC_PINECONE_INDEX_HOST=""
-SAC_PINECONE_API_KEY=""
-SAC_OPENAI_API_KEY=""
-SAC_RESEND_API_KEY=""
+SAC_PINECONE_INDEX_HOST="https://SAC_PINECONE_INDEX_HOST.com"
+SAC_PINECONE_API_KEY="SAC_PINECONE_API_KEY"
+SAC_OPENAI_API_KEY="SAC_OPENAI_API_KEY"
+SAC_RESEND_API_KEY="SAC_RESEND_API_KEY"
-SAC_AWS_BUCKET_NAME=
-SAC_AWS_ID=
-SAC_AWS_SECRET=
-SAC_AWS_REGION=
\ No newline at end of file
+SAC_AWS_BUCKET_NAME="SAC_AWS_BUCKET_NAME"
+SAC_AWS_ID="SAC_AWS_ID"
+SAC_AWS_SECRET="SAC_AWS_SECRET"
+SAC_AWS_REGION="SAC_AWS_REGION"
\ No newline at end of file
From 3ab8425fef7cd1c89105a975680d2565f0782a7f Mon Sep 17 00:00:00 2001
From: Garrett Ladley <92384606+garrettladley@users.noreply.github.com>
Date: Tue, 16 Apr 2024 12:57:15 -0400
Subject: [PATCH 32/32] address: gorm not null on user fields (#555)
---
backend/src/models/user.go | 6 +++---
1 file changed, 3 insertions(+), 3 deletions(-)
diff --git a/backend/src/models/user.go b/backend/src/models/user.go
index e0c4015fc..39b27baf8 100644
--- a/backend/src/models/user.go
+++ b/backend/src/models/user.go
@@ -155,9 +155,9 @@ type User struct {
Major0 Major `gorm:"type:varchar(255)" json:"major0" validate:"not_equal_if_not_empty=Major1,not_equal_if_not_empty=Major2,required,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
Major1 Major `gorm:"type:varchar(255);" json:"major1" validate:"not_equal_if_not_empty=Major0,not_equal_if_not_empty=Major2,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
Major2 Major `gorm:"type:varchar(255);" json:"major2" validate:"not_equal_if_not_empty=Major0,not_equal_if_not_empty=Major1,omitempty,max=255,oneof=africanaStudies americanSignLanguage americanSignLanguage-EnglishInterpreting appliedPhysics architecturalStudies architecture art:ArtVisualStudies behavioralNeuroscience biochemistry bioengineering biology biomedicalPhysics businessAdministration businessAdministration:Accounting businessAdministration:AccountingAndAdvisoryServices businessAdministration:BrandManagement businessAdministration:BusinessAnalytics businessAdministration:CorporateInnovation businessAdministration:EntrepreneurialStartups businessAdministration:FamilyBusiness businessAdministration:Finance businessAdministration:Fintech businessAdministration:HealthcareManagementAndConsulting businessAdministration:Management businessAdministration:ManagementInformationSystems businessAdministration:Marketing businessAdministration:MarketingAnalytics businessAdministration:SocialInnovationAndEntrepreneurship businessAdministration:SupplyChainManagement cellAndMolecularBiology chemicalEngineering chemistry civilEngineering communicationStudies computerEngineering computerScience computingAndLaw criminologyAndCriminalJustice culturalAnthropology cybersecurity dataScience design economics electricalEngineering english environmentalAndSustainabilityStudies environmentalEngineering environmentalScience environmentalStudies gameArtAndAnimation gameDesign globalAsianStudies healthScience history historyCultureAndLaw humanServices industrialEngineering internationalAffairs internationalBusiness internationalBusiness:Accounting internationalBusiness:AccountingAndAdvisoryServices internationalBusiness:BrandManagement internationalBusiness:BusinessAnalytics internationalBusiness:CorporateInnovation internationalBusiness:EntrepreneurialStartups internationalBusiness:FamilyBusiness internationalBusiness:Finance internationalBusiness:Fintech internationalBusiness:HealthcareManagementAndConsulting internationalBusiness:Management internationalBusiness:ManagementInformationSystems internationalBusiness:Marketing internationalBusiness:MarketingAnalytics internationalBusiness:SocialInnovationAndEntrepreneurship internationalBusiness:SupplyChainManagement journalism landscapeArchitecture linguistics marineBiology mathematics mechanicalEngineering mediaAndScreenStudies mediaArts music musicTechnology nursing pharmaceuticalSciences pharmacy(PharmD) philosophy physics politicalScience politicsPhilosophyEconomics psychology publicHealth publicRelations religiousStudies sociology spanish speechLanguagePathologyAndAudiology theatre"`
- College College `gorm:"type:varchar(255);" json:"college" validate:"required,max=255"` // TODO: gorm not null?
- GraduationCycle GraduationCycle `gorm:"type:varchar(255);" json:"graduation_cycle" validate:"required,max=255,oneof=december may"` // TODO: gorm not null?
- GraduationYear int16 `gorm:"type:smallint;" json:"graduation_year" validate:"required"` // TODO: gorm not null?
+ College College `gorm:"type:varchar(255);" json:"college" validate:"required,max=255"`
+ GraduationCycle GraduationCycle `gorm:"type:varchar(255);" json:"graduation_cycle" validate:"required,max=255,oneof=december may"`
+ GraduationYear int16 `gorm:"type:smallint;" json:"graduation_year" validate:"required"`
IsVerified bool `gorm:"type:boolean;default:false;not null" json:"is_verified"`
Tag []Tag `gorm:"many2many:user_tags;constraint:OnUpdate:CASCADE,OnDelete:CASCADE;" json:"-" validate:"-"`